在项目中配置 ButterKnife

配置项目级 build.gradle 以包含 android-apt 插件:

buildscript {
   repositories {
      mavenCentral()
   }

   dependencies {
      classpath 'com.jakewharton:butterknife-gradle-plugin:8.5.1'
   }
}

然后,在模块级 build.gradle 中应用 android-apt 插件并添加 ButterKnife 依赖项:

apply plugin: 'android-apt'

android {
    ...
}

dependencies {
      compile 'com.jakewharton:butterknife:8.5.1'
      annotationProcessor 'com.jakewharton:butterknife-compiler:8.5.1'
}

注意:如果你使用版本为 2.2.0 或更高版本的新 Jack 编译器,则不需要 android-apt 插件,而是在声明编译器依赖项时可以用 annotationProcessor 替换 apt。

为了使用 ButterKnife 注释,你不应该忘记在你的活动或你的片段中分享它们:

class ExampleActivity extends Activity {

    @Override 
    public void onCreate(Bundle savedInstanceState) {
        super.onCreate(savedInstanceState);
        setContentView(R.layout.activity_main);
        // Binding annotations
        ButterKnife.bind(this);
        // ...
  }

}

// Or
class ExampleFragment extends Fragment {

    @Override
    public View onCreateView(LayoutInflater inflater, ViewGroup container, Bundle savedInstanceState) {
        super.onCreateView(inflater, container, savedInstanceState);
        View view = inflater.inflate(getContentView(), container, false);
        // Binding annotations
        ButterKnife.bind(this, view);
        // ...
        return view;
  }

}

Sonatype 的快照存储库中提供了开发版本的快照

以下是在库项目中使用 ButterKnife 所需的其他步骤

要在库项目中使用 ButterKnife,请将插件添加到项目级 build.gradle

buildscript {
    dependencies {
        classpath 'com.jakewharton:butterknife-gradle-plugin:8.5.1'
    }
}

…然后通过在库级别 build.gradle 的顶部添加这些行来应用于你的模块:

apply plugin: 'com.android.library'
// ...
apply plugin: 'com.jakewharton.butterknife'

现在确保在所有 ButterKnife 注释中使用 R2 而不是 R

class ExampleActivity extends Activity {

    // Bind xml resource to their View 
    @BindView(R2.id.user) EditText username;
    @BindView(R2.id.pass) EditText password;

    // Binding resources from drawable,strings,dimens,colors
    @BindString(R.string.choose) String choose;
    @BindDrawable(R.drawable.send) Drawable send;
    @BindColor(R.color.cyan) int cyan;
    @BindDimen(R.dimen.margin) Float generalMargin;

    // Listeners
    @OnClick(R.id.submit)
    public void submit(View view) {
    // TODO submit data to server...
    }

    // bind with butterknife in onCreate
    @Override 
    public void onCreate(Bundle savedInstanceState) {
        super.onCreate(savedInstanceState);
        setContentView(R.layout.activity_main);
        ButterKnife.bind(this);
        // TODO continue
  }

}