An article about ButterKnife to make the code more concise

An article about ButterKnife to make the code more concise

Preface

Android developers all know that each time you initialize a control and set the corresponding events, the process is long and disgusting. Let's review the past together. In those years, we initialized the control like this:

  1. // Every time I write a initView() method
  2. tvContent = (TextView) findViewById(R.id.btn_content);
  3. // When the project was big, the stuff in here used to occupy half of the space... It was miserable.
  4. // Of course, I have encapsulated methods to avoid various findViewById, but it is still the same...

In those years, we set up events like this:

  1. tvContent.setOnClickListener(this);
  2. // Of course, LZ's habit is still to throw it into initView, allowing them to indulge themselves~

But, young man, as an Android developer, can you continue to endure this unbearable destruction? The answer is of course no!

Then, let's bring you a magic tool to help us develop efficiently and quickly~

ButterKnife First Look

ButterKnife is also nicknamed the Butter Knife. As for why it is nicknamed this, you can see the icon captured from the official website below~

A tablecloth, a plate, a little Android robot-shaped butter, and a knife. These are collectively called a butter knife. (I said, I was confused for a long time and couldn't figure out what a butter knife is, but now I know.) The simple explanation below the icon is to provide binding fields and methods for Android views. In other words, we can use this knife to replace the trivial initialization in the future~

If you are interested, you can also go to the official website to have a look. Below is the official website address and GitHub address with the API address attached.

Official address: http://jakewharton.github.io/butterknife/

GitHub address: https://github.com/JakeWharton/butterknife

API access address: http://jakewharton.github.io/butterknife/javadoc/

After a brief understanding, let's get some practical tips. Otherwise, it's not fair.

First of all, we need to understand that ButterKnife is an open source library created by Android master Jake Wharton. Its function is to simplify the amount of code by annotating the method of binding views (reducing the amount of code we wrote when findingViewById and setting events).

When we use something, we must know what its advantages are? What convenience can I get from using it? Then, let's see what advantages this "butter knife" has, so that it can simplify some of our codes?

ButterKnife Advantages

1. Powerful View binding, Click event processing function and resource content, simplify code and improve development efficiency;

2. Conveniently handle the ViewHolder binding problem in the Adapter;

3. It will not affect the efficiency of APP during operation and is easy to use and configure;

4. The code is clear and readable.

After understanding the advantages of ButterKnife, out of curiosity, let's see what aspects it supports. In other words, in what cases can we use ButterKnife to reduce the amount of code we have in our development process?

ButterKnife usage scenarios

  • View binding: for example, initializing controls;
  • Resource binding: such as color, string, etc.;
  • Non-Activity binding: This is when using fragment;
  • View List binding: ViewHolder in Adapter, the specific usage will be explained below;
  • Listener binding: This is easy to understand, that is, the events that the control needs to listen to at ordinary times.

ButterKnife Syntax

1. Activity fragment binding and fragment unbinding

To use ButterKnife, after a simple configuration, we also need to bind it in onCreate() in Activity, as follows:

  1. @Override
  2. protected void onCreate(Bundle savedInstanceState) {
  3. super.onCreate(savedInstanceState);
  4. setContentView(R.layout.activity_main);
  5. //Must be bound after setContentView()
  6. ButterKnife.bind(this);
  7. }

If you use fragment, the official binding and unbinding are as follows:

  1. public class FancyFragment extends Fragment {
  2. @BindView(R.id.button1) Button button1;
  3. @BindView(R.id.button2) Button button2;
  4. private Unbinder unbinder;
  5.  
  6. @Override public   View onCreateView(LayoutInflater inflater, ViewGroup container, Bundle savedInstanceState) {
  7. View   view = inflater.inflate(R.layout.fancy_fragment, container, false );
  8. // Binding
  9. unbinder = ButterKnife.bind(this, view );
  10. // TODO Use fields...
  11. return   view ;
  12. }
  13.  
  14. @Override public void onDestroyView() {
  15. super.onDestroyView();
  16. // Unbind
  17. unbinder.unbind();
  18. }
  19. }

After binding, let's take a look at several commonly used listeners. How do we write related events after using ButterKnife? Don't worry, read on~

2. Click Event

First, let's take a look at what useful information we can get from the code provided by others on the surface

First of all, it is clear that targetType is View, setter is setOnClickListener, type is the click event encapsulated by ButterKnife (butterknife.internal.DebouncingOnClickListener), and the method has two parameters named doClick and parameters of View type; and the following interface requires us to pass an id.

After a brief understanding, we derived three ways of writing, as follows:

  1. //Writing 1
  2. @OnClick(control ID)
  3. void method name() {
  4. //Business logic operation
  5. }
  6.     
  7. //Writing 2
  8. @OnClick(control ID)
  9. void method name (control type) {
  10. //Business logic operation
  11. }
  12.     
  13. //Writing 3
  14. @OnClick(control ID)
  15. void method name ( View   view ) {
  16. //Business logic operation
  17. }

You can write them one by one as specified above, or you can bind multiple ones, such as the following writing method provided by the official website:

3. Long press event

We still look at how others write and see what we can learn.

Compared with the single click event, the long press event has an additional returnType (return value), and the default value is false. So, the writing method is as follows~

  1. // Method 1
  2. boolean method name(){
  3. //Business logic operation
  4. return   false ;
  5. }
  6.     
  7. // Method 2
  8. boolean method name (control type) {
  9. //Business logic operation
  10. return   false ;
  11. }
  12.  
  13. // Method 3
  14. boolean method name ( View   view ){
  15. //Business logic operation
  16. return   false ;
  17. }

4. Checked change event

Old rules:

Changes, in general, will provide us with an identifier to facilitate us to handle different logic according to different states, so...

  1. //Writing 1
  2. @OnCheckedChanged(control ID)
  3. void radioButtonCheckChange(boolean isl) {
  4. // Business logic
  5. }
  6.      
  7. //Writing 2
  8. @OnCheckedChanged(control ID)
  9. void radioButtonCheckChange(control type, boolean isl) {
  10. // Business logic
  11. }

5. Listen for button events in the lower right corner of the soft keyboard

Old rules:

So...After the above, you can know that we only need to focus on parameters and whether it is returnType.

  1. //Writing 1
  2. @OnEditorAction(control ID)
  3. boolean methodName() {
  4. //Business logic operation
  5. return   false ;
  6. }
  7.  
  8. //Writing 2
  9. // code: status code
  10. @OnEditorAction(control ID)
  11. boolean EditTextAction( int code) {
  12. //Business logic operation
  13. return   false ;
  14. }
  15.  
  16. //Writing 3
  17. //KeyEvent
  18. @OnEditorAction(control ID)
  19. boolean EditTextAction(KeyEvent keyEvent) {
  20. //Business logic operation
  21. return   false ;
  22. }
  23.  
  24. //Writing 4
  25. @OnEditorAction(control ID)
  26. boolean EditTextAction( int code, KeyEvent keyEvent) {
  27. //Business logic operation
  28. return   false ;
  29. }
  30.  
  31. //Writing 5
  32. @OnEditorAction(control ID)
  33. boolean EditTextAction(TextView textView, int code, KeyEvent keyEvent) {
  34. //Business logic operation
  35. return   false ;
  36. }

6. EditText content change listener event

Since the source code is long and it is not convenient to take screenshots, part of the code is intercepted for analysis, as follows:

  1. @Target(METHOD)
  2. @Retention(CLASS)
  3. @ListenerClass(
  4. targetType = "android.widget.TextView" ,
  5. setter = "addTextChangedListener" ,
  6. remover = "removeTextChangedListener" ,
  7. type = "android.text.TextWatcher" , ---> Here we also do the same processing as before for TextWatcher ggg  
  8. callbacks = OnTextChanged.Callback.class ---> Custom enumeration, identifying the current operation by enumeration type 666  
  9. )
  10. public @interface OnTextChanged {
  11. /** View IDs to which the method will be bound. */
  12. @IdRes int [] value() default { View .NO_ID }; ---> ID needs to be passed in  
  13.  
  14. /** Listener callback to which the method will be bound. */
  15. Callback callback() default Callback.TEXT_CHANGED; ---> unchanged state  
  16.  
  17. /** {@link TextWatcher} callback methods. */
  18. enum Callback { ---> There are three types of enumerations: Unchanged Before Change After Change  
  19. /** {@link TextWatcher#onTextChanged(CharSequence, int , int , int )} */
  20. @ListenerMethod(
  21. name = "onTextChanged" , ---> Currently marked as unchanged  
  22. parameters = {
  23. "java.lang.CharSequence" , ---> user input characters  
  24. "int" , ---> change the previous number  
  25. "int" , ---> When testing, it returns 0, but I don't understand what it means  
  26. "int"    ---> Based on the print results, I guess this should be the number of contents added each time  
  27. }
  28. )
  29. TEXT_CHANGED,
  30.  
  31. /** {@link TextWatcher#beforeTextChanged(CharSequence, int , int , int )} */
  32. @ListenerMethod(
  33. name = "beforeTextChanged" , ---> Current mark is before change  
  34. parameters = {
  35. "java.lang.CharSequence" , ---> user input characters  
  36. "int" , ---> change the previous number  
  37. "int" ,
  38. "int"  
  39. }
  40. )
  41. BEFORE_TEXT_CHANGED,
  42.  
  43. /** {@link TextWatcher#afterTextChanged(android.text.Editable)} */
  44. @ListenerMethod(
  45. name = "afterTextChanged" , ---> currently marked as after change  
  46. parameters = "android.text.Editable"    ---> User input characters  
  47. )
  48. AFTER_TEXT_CHANGED, ---> This is the focus of our attention. We only need to monitor this and do relevant processing each time.  
  49. }

From the above, we know that regarding the EditText content change event, our focus is only on whether the changed content format (number) meets the project requirements, and other things can be temporarily ignored, thus deriving the following writing:

  1. // Listen after content changes
  2. // Editable editable: user input characters
  3. @OnTextChanged(value = control ID, callback = listener type, the value after change is: OnTextChanged.Callback.AFTER_TEXT_CHANGED)
  4. void editTextChangeAfter(Editable editable) {
  5. // Business logic
  6. }
  7.  
  8. // Listen before content changes
  9. @OnTextChanged(value = control ID, callback = listener type, value before change: OnTextChanged.Callback.BEFORE_TEXT_CHANGED)
  10. void editTextChangeBefore(CharSequence s, int start) {
  11. // Business logic
  12. }
  13.  
  14. // The content has not changed.
  15. @OnTextChanged(value = control ID, callback = listener type, value: OnTextChanged.Callback.TEXT_CHANGED)
  16. void editTextChange(CharSequence s, int start) {
  17. // Business logic
  18. }

7. Focus Listener Event

Old rules:

It can be seen from this that:

  1. @OnFocusChange(control ID)
  2. void editTextFocus(boolean isl){
  3. // Business logic
  4. }

8. Touch monitoring events

Old rules:

The writing method is as follows:

  1. @OnTouch(control ID)
  2. boolean imageView(MotionEvent event){
  3. // Business logic
  4. return   false ;
  5. }

9. Item click listener event

Old rules:

so...

  1. @OnItemClick(control ID)
  2. void listItemClick( int position){
  3. // Business logic
  4. }

10. Item long press listener event

Old rules:

so...

  1. @OnItemLongClick(R.id.listView)
  2. boolean listItemLongClick( int position) {
  3. Toast.makeText(this, "OnItemLongClick---Clicked the " + position + " , Toast.LENGTH_SHORT).show();
  4. return   true ;
  5. }

ButterKnife Use Notes

1.Activity ButterKnife.bind(this) must be after setContentView(), and after the parent class is bound, the subclass does not need to bind again;

2. When used in Fragment, you need to pass in the view: Fragment ButterKnife.bind(this, mRootView);

3. The attribute layout cannot be modified with private or static, otherwise an error will be reported;

4. setContentView() cannot be implemented through annotations. (Some other annotation frameworks can)

Through the brief introduction above, I believe everyone has a preliminary understanding of this knife. So how can we improve our code by using this knife in Android Studio? Let's continue to look down.

Android Studio uses ButterKnife to prepare for operation

If you want to use ButterKnife in Android Studio, you first need to download and install the ButterKnife plug-in, and then use it after a simple configuration~

Step 1: Integrate ButterKnife plugin into Android Studio

1. Click File ---> Settings... ---> Select Plugins (You can also use the shortcut key Ctrl+Alt+S)

2. Enter ButterKnife, select "Android ButterKnife Zelezny", click Install (LZ has already installed it here), and then Android Studio will prompt you to restart AS, just confirm it.

3. After the above two simple steps, our Android Studio has acquired a new skill, that is: support for ButterKnife plug-in!

Step 2: Configure ButterKnife

1. Before use, we need to perform a simple configuration of ButterKnife (introduce 'com.jakewharton:butterknifecompiler:8.5.1', ​​'com.jakewharton:butterknife:8.5.1' for our project). The introduction process is as follows:

2. After the introduction is completed, let's try it out first~

In onCreate in MainActivity, right-click layout, select Generate..., Generate ButterKnife Injections, select the controls to use the annotation, and click Confirm.

One-click visual operation, convenient and fast~ After the above configuration, we can use ButterKnife to our heart's content in the project~

A part of knife skills, playing with common event monitoring

1. Add several common controls to the MainActivity layout. Right-click the layout, select Generate..., Generate ButterKnife Injections, select the controls to use annotations, and click Confirm to generate the foundation for our next demonstration (which will be changed later), as shown in the following figure~

Next, I will demonstrate the use of related events and play with the butter knife little by little.

1. Click event (taking TextView as an example)

The code is as follows:

  1. @OnClick(R.id.text)
  2. void textClick() {
  3. Toast.makeText(MainActivity.this, "TextView's click event triggers... (no parameter - default)" , Toast.LENGTH_SHORT).show();
  4. }
  5.  
  6. @OnClick(R.id.text)
  7. void textClick(TextView textView){
  8. Toast.makeText(MainActivity.this, "TextView's click event triggers...(TextView)" , Toast.LENGTH_SHORT).show();
  9. }
  10.  
  11. @OnClick(R.id.text)
  12. void textClick( View   view ){
  13. Toast.makeText(MainActivity.this, "TextView's click event triggers...(View)" , Toast.LENGTH_SHORT).show();
  14. }

Operation results display:

2. Long press event (taking Button as an example)

The code is as follows:

  1. @OnLongClick(R.id.button)
  2. boolean buttonLongClick(){
  3. Toast.makeText(MainActivity.this, "Button's long press event triggers... (no parameter - default)" , Toast.LENGTH_SHORT).show();
  4. return   false ;
  5. }
  6.  
  7. // @OnLongClick(R.id.button)
  8. // boolean buttonLongClick(Button button){
  9. // Toast.makeText(MainActivity.this, "Button's long press event triggers...(TextView)" , Toast.LENGTH_SHORT).show();
  10. // return   false ;
  11. // }
  12.  
  13. // @OnLongClick(R.id.button)
  14. // boolean buttonLongClick( View   view ){
  15. // Toast.makeText(MainActivity.this, "Button's long press event triggers...(View)" , Toast.LENGTH_SHORT).show();
  16. // return   false ;
  17. // }

The results are as follows:

Here you may ask, why did you comment out the following, does it mean it cannot be used? Indeed, there is no comment at the beginning, and an exception occurs during operation, as shown below:

  1. Multiple listener methods with   return value specified for ID:2131165193

LZ understands that this monitor will only return the corresponding monitor for ID (2131165193), that is, one-to-one correspondence! So... There is no room for two tigers in one mountain, unless one is male and the other is female~

3. Checked change event (taking CheckBox as an example)

The code is as follows:

  1. @OnCheckedChanged(R.id.checkBox)
  2. void radioButtonCheckChange(boolean isl) {
  3. Toast.makeText(MainActivity.this, "CheckBox...(no parameters)" + isl, Toast.LENGTH_SHORT).show();
  4. }
  5.  
  6. @OnCheckedChanged(R.id.checkBox)
  7. void radioButtonCheckChange(CheckBox checkBox,boolean isl) {
  8. Toast.makeText(MainActivity.this, "CheckBox...(CheckBox)" + isl, Toast.LENGTH_SHORT).show();
  9. }

The results are as follows:

4. Listen for the button event in the lower right corner of the soft keyboard

The code is as follows:

  1. // @OnEditorAction(R.id.tv_editor_action)
  2. // boolean EditTextAction() {
  3. // Toast.makeText(MainActivity.this, "Click---Leading to Heaven No Parameters" , Toast.LENGTH_SHORT).show();
  4. // return   false ;
  5. // }
  6.  
  7. // @OnEditorAction(R.id.tv_editor_action)
  8. // boolean EditTextAction( int code) {
  9. // Toast.makeText(MainActivity.this, "Click---to the heaven code:" +code, Toast.LENGTH_SHORT).show();
  10. // return   false ;
  11. // }
  12.  
  13. // @OnEditorAction(R.id.tv_editor_action)
  14. // boolean EditTextAction(KeyEvent keyEvent) {
  15. // Toast.makeText(MainActivity.this, "Click---Leading to Heaven KeyEvent:" +keyEvent, Toast.LENGTH_SHORT).show();
  16. // return   false ;
  17. // }
  18.  
  19. // @OnEditorAction(R.id.tv_editor_action)
  20. // boolean EditTextAction( int code, KeyEvent keyEvent) {
  21. // Toast.makeText(MainActivity.this, "Click---to the heaven code:" +code+ " KeyEvent:" +keyEvent, Toast.LENGTH_SHORT).show();
  22. // return   false ;
  23. // }
  24.  
  25. @OnEditorAction(R.id.tv_editor_action)
  26. boolean EditTextAction(TextView textView, int code, KeyEvent keyEvent) {
  27. Toast.makeText(MainActivity.this, textView.getText().toString()+ "Click---to the heaven code:" +code+ "KeyEvent:" +keyEvent, Toast.LENGTH_SHORT).show();
  28. return   false ;
  29. }

Running effect:

5. EditText content change listener event

The code is as follows:

  1. @OnTextChanged(value = R.id.editText, callback = OnTextChanged.Callback.AFTER_TEXT_CHANGED)
  2. void editTextChangeAfter(Editable editable) {
  3. Toast.makeText(MainActivity.this, "Changed content:" +editable.toString(), Toast.LENGTH_SHORT).show();
  4. System. out .println( "After change --- the content is: " + editable.toString());
  5. }
  6.  
  7. @OnTextChanged(value = R.id.editText, callback = OnTextChanged.Callback.BEFORE_TEXT_CHANGED)
  8. void editTextChangeBefore(CharSequence s, int start, int before, int   count ) {
  9. Toast.makeText(MainActivity.this, "Edit content:" +s+ ", number before start:" +start, Toast.LENGTH_SHORT).show();
  10. System. out .println( "Before change --- content: " +s+ ", number before start: " +start+ ", : " +before+ ", " + count );
  11. }
  12.  
  13. @OnTextChanged(value = R.id.editText, callback = OnTextChanged.Callback.TEXT_CHANGED)
  14. void editTextChange(CharSequence s, int start, int before, int   count ) {
  15. Toast.makeText(MainActivity.this, "Edit content:" +s+ ", number before start:" +start, Toast.LENGTH_SHORT).show();
  16. System. out .println( "Unedited --- Content: " +s+ ", number before start: " +start+ ", " +before+ ", " + count );
  17. }

The results are as follows:

6. Focus monitoring events

The code is as follows:

  1. @OnFocusChange(R.id.editTextFocus)
  2. void editTextFocus(boolean isl) {
  3. if (isl) {
  4. Toast.makeText(MainActivity.this, "Get focus" + isl, Toast.LENGTH_SHORT).show();
  5. } else {
  6. Toast.makeText(MainActivity.this, "lost focus" + isl, Toast.LENGTH_SHORT).show();
  7. }
  8. }

The results are as follows:

7. Touch monitoring events

The code is as follows:

  1. @OnTouch(R.id.imageView)
  2. boolean imageView(MotionEvent event){
  3. System. out .println(event);
  4. return   false ;
  5. }

The results are as follows:

  1. 04-10 11:47:04.504 32627-32627/cn.hlq.butterknifestudyI/System. out : MotionEvent { action =ACTION_DOWN, actionButton=0, id[0]=0, x[0]=189.8265, y[0]=148.42676, toolType[0]=TOOL_TYPE_FINGER, buttonState=0, metaState=0, flags=0x0, edgeFlags=0x0, pointerCount=1, historySize=0, eventTime=6743683, downTime=6743683, deviceId=1, source=0x1002 }

8. Item click and long press listener events

The code is as follows:

  1. @OnItemClick(R.id.listView)
  2. void listItemClick( int position){
  3. Toast.makeText(this, "OnItemClick---Clicked the" +position+ "item" , Toast.LENGTH_SHORT).show();
  4. }
  5.  
  6. @OnItemLongClick(R.id.listView)
  7. boolean listItemLongClick( int position) {
  8. Toast.makeText(this, "OnItemLongClick---Clicked the " + position + " , Toast.LENGTH_SHORT).show();
  9. return   true ;
  10. }

The results are as follows:

Presumably, everyone has mastered the basic use of this set of knife skills through the above. As mentioned above, you can also modify the Adapter to save some coding in the development process. Let's take a look at it together~

The second step of knife skills: using Adapter

Create an item_layout for the next demonstration~

  1. <?xml version= "1.0" encoding= "utf-8" ?>
  2. <LinearLayout xmlns:android= "http://schemas.android.com/apk/res/android"  
  3. android:layout_width= "match_parent"  
  4. android:layout_height= "wrap_content"  
  5. android:orientation= "horizontal" >
  6.  
  7. <TextView
  8. android:id= "@+id/item_username"  
  9. android:layout_width= "0dp"  
  10. android:layout_height= "wrap_content"  
  11. android:layout_gravity= "center_vertical"  
  12. android:layout_weight= "1" />
  13.  
  14. <TextView
  15. android:id= "@+id/item_userPwd"  
  16. android:layout_width= "0dp"  
  17. android:layout_height= "wrap_content"  
  18. android:layout_gravity= "center_vertical"  
  19. android:layout_weight= "1" />
  20.  
  21. </LinearLayout>

Very simple, nothing much, next look at the adapter~

  1. package cn.hlq.butterknifestudy.adapter;
  2.  
  3. import android.content.Context;
  4. import android.view.LayoutInflater ;
  5. import android. view . View ;
  6. import android.view.ViewGroup ;
  7. import android.widget.BaseAdapter;
  8. import android.widget.TextView;
  9.  
  10. import java.util.ArrayList;
  11. import java.util.List;
  12.  
  13. import butterknife.BindView;
  14. import butterknife.ButterKnife;
  15. import cn.hlq.butterknifestudy.R;
  16. import cn.hlq.butterknifestudy.model.Student;
  17.  
  18. /**
  19. * Created by HLQ on 2017/4/11 0011.
  20. */
  21.  
  22. public class ListViewAdapter extends BaseAdapter {
  23.  
  24. private Context context;
  25. private List<Student> stuList = new ArrayList<Student>();
  26.  
  27. public ListViewAdapter(Context context, List<Student> stuList) {
  28. this.context = context;
  29. this.stuList = stuList;
  30. }
  31.  
  32. @Override
  33. public   int getCount() {
  34. return stuList != null ? stuList. size () : 0;
  35. }
  36.  
  37. @Override
  38. public Object getItem( int position) {
  39. return stuList != null ? stuList.get(position) : null ;
  40. }
  41.  
  42. @Override
  43. public long getItemId( int position) {
  44. return position;
  45. }
  46.  
  47. @Override
  48. public   View getView( int position, View convertView, ViewGroup parent) {
  49. ViewHolder viewHolder = null ;
  50. if (viewHolder == null ) {
  51. convertView = LayoutInflater. from (context).inflate(R.layout.item_listview_show, null );
  52. viewHolder = new ViewHolder(convertView);
  53. convertView.setTag(viewHolder);
  54. } else {
  55. viewHolder = (ViewHolder) convertView.getTag();
  56. }
  57. Student stu = stuList.get(position);
  58. viewHolder.itemUsername.setText(stu.getUserName());
  59. viewHolder.itemUserPwd.setText(stu.getUserPwd());
  60. return convertView;
  61. }
  62.  
  63. static class ViewHolder {
  64. @BindView(R.id.item_username)
  65. TextView itemUsername;
  66. @BindView(R.id.item_userPwd)
  67. TextView itemUserPwd;
  68.  
  69. ViewHolder( View   view ) {
  70. ButterKnife.bind(this, view );
  71. }
  72. }
  73. }

The running results are:

Here is a little secret for you. You can directly right-click the layout and choose to automatically create a ViewHolder when generating annotations, as shown below:

Isn't it quite convenient? Here, by the way, let me introduce how to use this knife to play with resource content.

  1. // Initialize the specified default value
  2. @BindString(R.string.app_test)
  3. String titleContent;
  4.  
  5. lvTitle.setText(titleContent);

The results are as follows:

[[194039]]

In addition to the above, the knife skills also include the following support. If you are interested, you can learn it yourself. It is not difficult.

And the official also provides some basic usage, as follows:

BaseActivity encapsulation of the Knife Technique Trilogy further simplifies the code

Usually we will encapsulate a BaseActivity, write common content in it, and then the activity inherits this BaseActivity. Similarly, we can also initialize it here to avoid multiple initializations. See the following code~

  1. package com.heliquan.butterknife.base;
  2.  
  3. import android.app.Activity;
  4. import android.content.Context;
  5. import android.os.Bundle;
  6. import android.support.annotation.LayoutRes;
  7. import android.view.KeyEvent ;
  8. import android. view . View ;
  9. import android.view.ViewGroup ;
  10.  
  11. import butterknife.ButterKnife;
  12. import butterknife.Unbinder;
  13.  
  14. /**
  15. * created by heliquan on April 14, 2017
  16. */
  17. public abstract class BaseActivity extends Activity {
  18.  
  19. private Unbinder unbinder;
  20.  
  21. @Override
  22. protected void onCreate(Bundle savedInstanceState) {
  23. super.onCreate(savedInstanceState);
  24. // The three methods of setContentView() must be rewritten, otherwise the subclass inheritance will be invalid. The specific reasons are not deeply understood
  25. setContentView(getContentViewId());
  26. unbinder = ButterKnife.bind(this);
  27. }
  28.  
  29. @Override
  30. public void setContentView(@LayoutRes int layoutResID) {
  31. super.setContentView(layoutResID);
  32. unbinder = ButterKnife.bind(this);
  33. }
  34.  
  35. @Override
  36. public void setContentView( View   view ) {
  37. super.setContentView( view );
  38. unbinder = ButterKnife.bind(this);
  39. }
  40.  
  41. @Override
  42. public void setContentView( View   view , ViewGroup.LayoutParams params) {
  43. super.setContentView( view , params);
  44. unbinder = ButterKnife.bind(this);
  45. }
  46.  
  47. /**
  48. * Get content id
  49. */
  50. protected abstract int getContentViewId();
  51.  
  52. /**
  53. * Initialize View  
  54. */
  55. protected abstract void initView();
  56.  
  57. @Override
  58. protected void onDestroy() {
  59. super.onDestroy();
  60. unbinder.unbind();
  61. }
  62.  
  63. /**
  64. * Return resource content based on id
  65. *
  66. * @param context
  67. * @param strId
  68. * @return  
  69. */
  70. protected String getStrResource(Activity activity, int strId) {
  71. return activity.getResources().getString(strId);
  72. }
  73.  
  74. /**
  75. * Listen for the return button and click it to return to finish the current page
  76. *
  77. * @param keyCode
  78. * @param event
  79. * @return  
  80. */
  81. @Override
  82. public boolean onKeyDown( int keyCode, KeyEvent event) {
  83. if (keyCode == KeyEvent.KEYCODE_BACK && event.getRepeatCount() == 0) {
  84. finish();
  85. return   true ;
  86. }
  87. return super.onKeyDown(keyCode, event);
  88. }
  89. }

Conclusion

Seeing this, I believe everyone has basically understood this set of knife skills and can basically use it. Thank you for watching. If you have any questions, welcome to communicate~

<<:  Aiti Tribe Stories (19): How could you not know these things when you switched to IT technology? !

>>:  DeepXplore: The first white-box framework for systematically testing real-world deep learning systems

Recommend

iOS9 Learn more every day 3 :: Storyboard References

[[142029]] If you have ever used interface builde...

iOS 13: More system apps and components written in Swift

Apple released the new Swift programming language...

Ionic 1.0.0 released, HTML5 mobile application framework

Ionic 1.0.0 released, codenamed "uranium-uni...

Xiaohongshu’s complete promotion and operation plan!

At the beginning, my purpose of operating Xiaohon...

Android 13 new features exposed: Play directly when close to media devices

Not long after the official version of Android 12...

Process and specification are just a guarantee tool, not a methodology.

Start with a purpose and clarify the meaning Ther...

3 key points to discuss the strategy of hot-selling products

There are a wide variety of products today, and t...

How much does it cost to join the Pingliang specialty mini program?

How much does it cost to join the Pingliang Speci...

The product logic behind the epidemic topics of Toutiao, WeChat, and Alipay

In January 2020, at the beginning of the Chinese ...

5 key points for Tik Tok monetization!

As one of the short video platforms with the larg...