Esto es lo que he encontrado con respecto al uso de context
:
1) Dentro de un Activity
mismo, this
úselo para inflar diseños y menús, registrar menús contextuales, crear widgets de instancias, iniciar otras actividades, crear nuevos Intent
dentro de Activity
, preferencias de instancia u otros métodos disponibles en un Activity
.
Diseño inflado:
View mView = this.getLayoutInflater().inflate(R.layout.myLayout, myViewGroup);
Inflar menú:
@Override
public boolean onCreateOptionsMenu(Menu menu) {
super.onCreateOptionsMenu(menu);
this.getMenuInflater().inflate(R.menu.mymenu, menu);
return true;
}
Menú contextual de registro:
this.registerForContextMenu(myView);
Reproductor de instancia:
TextView myTextView = (TextView) this.findViewById(R.id.myTextView);
Comience un Activity
:
Intent mIntent = new Intent(this, MyActivity.class);
this.startActivity(mIntent);
Instanciar preferencias:
SharedPreferences mSharedPreferences = this.getPreferenceManager().getSharedPreferences();
2) Para la clase de toda la aplicación, use getApplicationContext()
como este contexto existe para la vida útil de la aplicación.
Recupere el nombre del paquete actual de Android:
public class MyApplication extends Application {
public static String getPackageName() {
String packageName = null;
try {
PackageInfo mPackageInfo = getApplicationContext().getPackageManager().getPackageInfo(getApplicationContext().getPackageName(), 0);
packageName = mPackageInfo.packageName;
} catch (NameNotFoundException e) {
// Log error here.
}
return packageName;
}
}
Enlace una clase de toda la aplicación:
Intent mIntent = new Intent(this, MyPersistent.class);
MyServiceConnection mServiceConnection = new MyServiceConnection();
if (mServiceConnection != null) {
getApplicationContext().bindService(mIntent, mServiceConnection, Context.BIND_AUTO_CREATE);
}
3) Para los oyentes y otro tipo de clases de Android (por ejemplo, ContentObserver), use una sustitución de contexto como:
mContext = this; // Example 1
mContext = context; // Example 2
donde this
o context
es el contexto de una clase (Actividad, etc.).
Activity
sustitución de contexto:
public class MyActivity extends Activity {
private Context mContext;
@Override
protected void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
mContext = this;
}
}
Sustitución del contexto del oyente:
public class MyLocationListener implements LocationListener {
private Context mContext;
public MyLocationListener(Context context) {
mContext = context;
}
}
ContentObserver
sustitución de contexto:
public class MyContentObserver extends ContentObserver {
private Context mContext;
public MyContentObserver(Handler handler, Context context) {
super(handler);
mContext = context;
}
}
4) Para BroadcastReceiver
(incluido el receptor integrado / en línea), use el contexto propio del receptor.
Externo BroadcastReceiver
:
public class MyBroadcastReceiver extends BroadcastReceiver {
@Override
public void onReceive(Context context, Intent intent) {
final String action = intent.getAction();
if (action.equals(Intent.ACTION_SCREEN_OFF)) {
sendReceiverAction(context, true);
}
private static void sendReceiverAction(Context context, boolean state) {
Intent mIntent = new Intent(context.getClass().getName() + "." + context.getString(R.string.receiver_action));
mIntent.putExtra("extra", state);
context.sendBroadcast(mIntent, null);
}
}
}
En línea / incrustado BroadcastReceiver
:
public class MyActivity extends Activity {
private BroadcastReceiver mBroadcastReceiver = new BroadcastReceiver() {
@Override
public void onReceive(Context context, Intent intent) {
final boolean connected = intent.getBooleanExtra(context.getString(R.string.connected), false);
if (connected) {
// Do something.
}
}
};
}
5) Para los Servicios, use el contexto propio del servicio.
public class MyService extends Service {
private BroadcastReceiver mBroadcastReceiver;
@Override
public void onCreate() {
super.onCreate();
registerReceiver();
}
private void registerReceiver() {
IntentFilter mIntentFilter = new IntentFilter();
mIntentFilter.addAction(Intent.ACTION_SCREEN_OFF);
this.mBroadcastReceiver = new MyBroadcastReceiver();
this.registerReceiver(this.mBroadcastReceiver, mIntentFilter);
}
}
6) Para tostadas, generalmente use getApplicationContext()
, pero cuando sea posible, use el contexto pasado de una Actividad, Servicio, etc.
Utilice el contexto de la aplicación:
Toast mToast = Toast.makeText(getApplicationContext(), message, Toast.LENGTH_LONG);
mToast.show();
Usar contexto pasado de una fuente:
public static void showLongToast(Context context, String message) {
if (context != null && message != null) {
Toast mToast = Toast.makeText(context, message, Toast.LENGTH_LONG);
mToast.show();
}
}
Y por último, no lo use getBaseContext()
según lo aconsejado por los desarrolladores de framework de Android.
ACTUALIZACIÓN: Agregue ejemplos de Context
uso.