getSharedPreferences() 需要一个上下文才能被访问。
例如:
mContext.getSharedPreferences(PREF_NAME, Context.MODE_PRIVATE);
您需要将上下文传递到 KeyValueDB 的构造函数中,或者更好的方法是静态访问该上下文。
我会这样做
public class KeyValueDB {
private SharedPreferences sharedPreferences;
private static String PREF_NAME = "prefs";
public KeyValueDB() {
// Blank
}
private static SharedPreferences getPrefs(Context context) {
return context.getSharedPreferences(PREF_NAME, Context.MODE_PRIVATE);
}
public static String getUsername(Context context) {
return getPrefs(context).getString("username_key", "default_username");
}
public static void setUsername(Context context, String input) {
SharedPreferences.Editor editor = getPrefs(context).edit();
editor.putString("username_key", input);
editor.commit();
}
}
只需重复这些获取和设置方法,即可存储任何信息。
要从活动访问它们,您需要执行以下操作:
String username = KeyValueDB.getUsername(this);
其中“this”是对活动的引用。在 onCreate() 方法中的每个活动中设置上下文也是一种很好的做法,例如:
public class myActivity extends Activity{
Context mContext;
public void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
mContext = this;
String username = KeyValueDB.getUsername(mContext);
}
编辑七月 2016
为了响应下面的@RishirajPurohit,要设置一个用户名,您几乎做了同样的事情:
KeyValueDB.setUsername(mContext, "DesiredUsername");
从那里开始,在前面的静态类中为您完成所有操作,更改将提交到共享首选项文件并持久保存并准备由get方法检索。
只是关于get方法的注释,以防有人想知道:
public static String getUsername(Context context) {
return getPrefs(context).getString("username_key", "default_username");
}
“default_username”与听起来完全一样。如果在设置用户名之前首先调用该 get 方法,则返回该值。在这种情况下不太有用,但是当您开始使用整数和布尔值时,这对于确保稳健性非常有用。