问题
I would like to create a CustomButton
which has a predefined onClick
.
In fact, my object would do the same job than
CustomButton mButton = getViewById(..);
mButton.setOnClickListener(new OnClickListener() {
@Override
public void onClick(View v) {
show_something()
}
Is there a way to embed the Listener
into the CustomButton object that inherits from Button ?
What I would like is to create a CustomButton
in my layout XML file, and not having to mention this button in my activity, which would give:
main.xml:
<LinearLayout xmlns:"...">
<com.mypackage.view.CustomButton
(attributes)/>
</LinearLayout>
CustomButton.java:
class CustomButton extends Button implements... {
@Override
OnClick (or something like that, that's the core of my question, what to put here)
}
myActivity.java
public class myActivity extends Activity {
/** Called when the activity is first created. */
@Override
public void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
setContentView(R.layout.main);
}
}
Thanks a lot.
回答1:
You were really close:
import android.content.Context;
import android.util.AttributeSet;
import android.view.View;
import android.view.View.OnClickListener;
import android.widget.Button;
public class CustomButton extends Button implements OnClickListener{
public CustomButton(Context context, AttributeSet attrs, int defStyle) {
super(context, attrs, defStyle);
init();
}
public CustomButton(Context context, AttributeSet attrs) {
super(context, attrs);
init();
}
public CustomButton(Context context) {
super(context);
init();
}
private void init(){
setOnClickListener(this);
}
@Override
public void onClick(View v) {
// Do something
}
}
回答2:
In your button class just implement:
@Override
public void onClick(View v) {
showSomething();
}
Or if you want more granular control:
@Override
public boolean onTouchEvent(MotionEvent event) {
showSomething();
}
You can either implement your click logic in the method by checking the event.getAction(), or send it to a GestureDetector to figure out when a click has been performed.
回答3:
Use that code:
class CustomButton extends Button implements View.OnClickListener{
CustomButton(Context c, AttributeSet attrs) {
...
setOnClickListener(this);
...
}
@override
public void onClick(View v){
//add your code here
}
}
来源:https://stackoverflow.com/questions/8575959/android-button-onclick-override