ButterKnife 使用初探

简介

  • ButterKnife 是一个 Android 系统的 View 注入框架,能够通过『注解』的方式来绑定 View 的属性或方法。

  • 比如使用它能够减少 findViewById() 的书写,使代码更为简洁明了,同时不消耗额外的性能。

  • 当然这样也有个缺点,就是可读性会差一些,好在 ButterKnife 比较简单,学习难度也不大。

ButterKnife 开源地址

https://github.com/JakeWharton/butterknife

配置

一下配置是基于 AS 的。

  1. 在Project 的 build.gradle 中添加classpath 'com.jakewharton:butterknife-gradle-plugin:8.4.0'

示例代码如下:

buildscript {
    repositories {
        jcenter()
    }
    dependencies {
        classpath 'com.android.tools.build:gradle:2.2.3'
        //添加的插件
        classpath 'com.jakewharton:butterknife-gradle-plugin:8.4.0'
    }
}

  1. App 的 build.gradle 添加compile 'com.jakewharton:butterknife:8.4.0' annotationProcessor 'com.jakewharton:butterknife-compiler:8.4.0'
    示例代码如下:
dependencies {
   ...........

    compile 'com.jakewharton:butterknife:8.4.0'
    annotationProcessor 'com.jakewharton:butterknife-compiler:8.4.0'
}

在Activity 中使用

在 activity 中使用需要在onCreate 方法中调用 ButterKnife.bind(this); 进行绑定。

public class MainActivity extends AppCompatActivity {
    @BindString(R.string.my_name) String name;
    
    @Override
    protected void onCreate(Bundle savedInstanceState) {
        super.onCreate(savedInstanceState);
        setContentView(R.layout.activity_main);
        ButterKnife.bind(this);
        Toast.makeText(this,name,Toast.LENGTH_SHORT).show();
    }
}

在Fragment 中使用

在 Fragment 中使用需要在 onViewCreated 方法中调用 ButterKnife.bind(this,view); 进行绑定

public class ContenxtFragement extends Fragment {

    @BindString(R.string.my_name) String name;

    @Override
    public void onViewCreated(View view, @Nullable Bundle savedInstanceState) {
        super.onViewCreated(view, savedInstanceState);
        ButterKnife.bind(this,view);
    }

    @Nullable
    @Override
    public View onCreateView(LayoutInflater inflater, @Nullable ViewGroup container, @Nullable Bundle savedInstanceState) {


        View view = inflater.inflate(R.layout.fragment_context,container,false);
        Button button = (Button) view.findViewById(R.id.open_fragment);
        button.setOnClickListener(new View.OnClickListener() {
            @Override
            public void onClick(View v) {
                Toast.makeText(getContext(),name,Toast.LENGTH_SHORT).show();
            }
        });
        return view;
    }
}

常用绑定注解

注意: 使用注解不允许使用 private 或 static 进行修饰

  1. @BindView(R.id.xxx) : 将对应id绑定到指定view 上
@BindView(R.id.tab_index) Button mTabIndex;
@BindView(R.id.tab_find) Button mTabFind;
@BindView(R.id.tab_shop) Button mTabShop;
@BindView(R.id.tab_mine) Button mTabMine;
  1. @BindString(R.string.xxx) : 将对应String资源中id对应的输入绑定到指定的String 变量上。
@BindString(R.string.my_name) String name;
  1. @OnClick(R.id.xxx) : 向ID为xxx的view绑定点击事件
    @OnClick(R.id.open_fragment)
    public void showMsg(){
        
    }

会有很多注解,使用都很简单。就不一一介绍了。

最后,如果在项目中过多的使用,代码的可读性真的比较差。

你可能感兴趣的:(ButterKnife 使用初探)