How To Set The Click Listener On A Button Generated By My Adapter?
This is my simple adapter: public class MainAdapter extends BaseAdapter { private Context mContext; private Integer[] mText = { R.string.main_team,
Solution 1:
I would create a new object, eg. ActivityLaunchButtonData
to store the button Text and the button Intent.
Then I would have an array of ActivityLaunchButtonData objects.
Then in the getView
method I'd have something like:
ActivityLaunchButtonDataactivityLaunchButtonData= activityLaunchButtonDataArray[position];
buttonView.setText(activityLaunchButtonData.getText());
buttonView.setOnClickListener(newOnClickListener() {
@OverridepublicvoidonClick(View v) {
Intentintent= activityLaunchButtonData.getIntent();
startActivity(intent);
}
});
Solution 2:
If you know, in your adapter the intent to fire and the data to put in it you can try something like that:
publicclassMainAdapterextendsBaseAdapterimplementsOnClickListener{
private Context mContext;
private Activity mActivity;
privateInteger[] mText = {
R.string.main_team,
R.string.main_league,
R.string.main_economy,
R.string.main_arena,
R.string.main_staff,
R.string.main_team_up
};
public MainAdapter(Context c,Activity a) {
mContext = c;
mActivity = a;
}
...
@Override
public View getView(int position, View convertView, ViewGroup parent) {
Button buttonView;
if (convertView == null) { // if it's not recycled, initialize some attributes
buttonView = new Button(mContext);
buttonView.setLayoutParams(new GridView.LayoutParams(85, 45));
//imageView.setScaleType(Button.ScaleType.CENTER_CROP);
buttonView.setPadding(4, 4, 4, 4);
} else {
buttonView = (Button) convertView;
}
buttonView.setText(mText[position]);
// For exemple a String, but setTag takes an object
buttonView.setTag("dataToSendThrewTheIntent");
buttonView.setOnClickListener(this);
return buttonView;
}
@Override
publicvoid onClick(View v) {
String dataToSendThrewTheIntent = (String) v.getTag();
Intent i = new Intent(mContext, DestinationActivity.class);
i.putExtra("key", dataToSendThrewTheIntent);
mActivity.startActivity(i);
}
}
This method avoids multiple onClick listeners.
Post a Comment for "How To Set The Click Listener On A Button Generated By My Adapter?"