2016-11-2

BufferKnife的集成和基本使用

1.使用:在build.gradle里加入

  compile 'com.jakewharton:butterknife:8.4.0
  'apt 'com.jakewharton:butterknife-compiler:8.4.0'

加入之后发现报错,错误大致如下:

Gradle DSL method not found: 'apt()'
....

解决:需要引入一个apt的插件,app的项目目录下的build.gradle文件里,加入一句话
apply plugin: 'android-apt'

apply plugin: 'com.android.application'
apply plugin: 'android-apt'

同时在app的根目录下的build.gradle的目录里也添加这么一句话
classpath 'com.neenbedankt.gradle.plugins:android-apt:1.8'

dependencies { 
     classpath 'com.android.tools.build:gradle:2.1.0'  
     classpath 'com.neenbedankt.gradle.plugins:android-apt:1.8'    

  // NOTE: Do not place your application dependencies here; they belong    
  // in the         individual module build.gradle files
 }

最后重新编译下就可以了。

2.使用场景

  • 简化 findViewById
    在Activity中使用:
@BindView(R.id.fab) FloatingActionButton fab;
@Override
protected void onCreate(Bundle savedInstanceState) {   
       super.onCreate(savedInstanceState); 
       setContentView(R.layout.activity_scrolling);  
      //初始化   
      ButterKnife.bind(this);
}

在Fragment中使用稍微有点不同:
初始化的时候要用2个参数的构造 方法

ButterKnife.bind(this,getView());

当bindind 在onCreateView方法中的时候,要在onDestroyView中把这些views 变为null,ButterKnife提供一个 unbind 方法去做这个事情

unbinder = ButterKnife.bind(this,getView());

@Override
public void onDestroyView() {    
       super.onDestroyView(); 
       unbinder.unbind();
}
  • view holder绑定
    class MyViewHolder { 
    @BindView(R.id.title) private TextView title;
    public MyViewHolder(View view){      
             ButterKnife.bind(this,view);   
    

}}
初始化一组:

@BindViews({R.id.name1,R.id.name2,R.id.name3})
List names;

个人感觉这个功能并不是特别方便,所以不多加介绍了,还可以设置View的一些属性(透明度等)

ButterKnife.apply(names,View.ALPHA,1.0f);
  • 点击事件中
@OnClick(R.id.fab)
public void onClick(){   
       //do something
}
  • 默认情况下 @Bind 和 监听都是必须的,如果id没找到就会抛出一个异常,为了避免这种情况发生,我们可以添加一个 @Nullable在字段上 或者 @Optional 注解在方法上。

    这个 @Nullable注解 来自(http://tools.android.com/tech-docs/support-annotations).

@Nullable
@BindView(R.id.fab)
FloatingActionButton fab;

@Optional
@OnClick(R.id.fab)
public void onClick(){ 
   //do something
}
  • MULTI-METHOD LISTENERS 就是listview item点击这种类型的绑定,可以这么来写
@OnItemSelected(R.id.list_view)
void onItemSelected(int position) {
     // TODO ...
}

  @OnItemSelected(value = R.id.maybe_missing, callback = NOTHING_SELECTED)
  void onNothingSelected() {
       // TODO ...
  }
  • BONUS
    同样还是 findById 方法 也可以用更简单的方法,在这个View,Activity 或者Dialog,自动返回类型,不用强转了。
View view = LayoutInflater.from(context).inflate(R.layout.thing, null);
TextView firstName = ButterKnife.findById(view, R.id.first_name);

编写参考 http://jakewharton.github.io/butterknife/ 官方说明还有文档

你可能感兴趣的:(2016-11-2)