Reputation: 8320
Should I use "_activity = this;
"?
I've seen _activity referenced many times in sample code. So, I arbitrarily decided that it looked like a good practice and have been using in all my code for awhile (over a year). But, before I start spreading the word around more I wanted to find some proper documentation that using a global (activity-local) context variable is good practice or not.
Anybody have ideas/thoughts/links? Know of any pros and cons?
One resource that I have found so far seems to say there are good and bad times to use this
I know that I could use this
or MainActivity.this
, but that's not the question.
..Just in case you don't know what I'm talking about, here is a trvial example made up on the spot:
public class MainActivity extends Activity {
MainActivity _activity;
@Override
protected void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
_activity = this; // TODO: Find out if this is good practice?
setContentView(R.layout.activity_main);
}
public void onClickButton(View v) {
Toast.makeText(_activity, "Five boxing wizards", Toast.LENGTH_LONG).show();
button2.setOnClickListener(new View.OnClickListener() {
public void onClick(View v) {
Toast.makeText(_activity, "asdf", Toast.LENGTH_LONG).show();
}
});
}
}
EDIT: Another side-question for the comments: By a show of hands, who actually uses _activity
?
Upvotes: 6
Views: 308
Reputation: 36
In addition to creating an unnecessary reference (because the instance is also available via the this
keyword or MainActivity.this
, field names prefixed with underscores are discouraged as per the Code Conventions for the Java Programming Language: 9. Naming Conventions
Upvotes: 0
Reputation: 74
That only makes sense when your outer class is not an activity, but you need one. For example, if you wanted too define your onclicklistener in its own file, you would need to pass in and store a reference (and be careful not too leak as note ;)
Upvotes: 0
Reputation: 718758
It is not good practice.
Apart from not achieving anything (that can't be done by using this
directly):
I would argue that the code is less readable, but you might not agree with that.
Upvotes: 3
Reputation: 2836
No, it's not good. If I'm reading code I know what "this" means but if I see that I need to investigate.
Upvotes: 1
Reputation: 814
This is not good practice. Simply use this
in most cases, and MainActivity.this
when creating an anonymous subclass, etc.
I think the right question to ask yourself is, "does adding this member variable do anything for me", or "is there anything I can do with _activity
that I can't do with this
. I can tell you the answer is "no", but you should decide for yourself whether it is true.
Upvotes: 11