要读、写其他应用的SharedPreferences,需要该SharedPreferences的应用程序指定相应的访问权限,例如:MODE_WORLD_READABLE,表明该SharedPreferences可被其他应用程序读取;指定MODE_WORLD_WRITEABLE,表明该SharedPreferences可被其他程序写入。
访问步骤:
1、创建其他程序对应的Context。
2、调用上面Context的getSharedPreferences(String name,int mode)获取相应的SharedPreferences对象。
3、如果需要写入数据,调用SharedPreferences的edit()方法获取相应的Editor即可。
下面通过一个实例来演示,UseCount程序实现记录应用程序的使用次数。我们在ReadOtherPreferences程序中去读取UseCount应用程序的使用次数。代码如下:
两个程序的布局文件只有一个TextView,故这里就省略了。
UseCount程序:
package com.lovo.usecount; import android.os.Bundle; import android.app.Activity; import android.content.SharedPreferences; import android.content.SharedPreferences.Editor; import android.widget.TextView; public class UseCount extends Activity { @Override protected void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); setContentView(R.layout.main); TextView show = (TextView) findViewById(R.id.main_tv); SharedPreferences sp = getSharedPreferences("count", MODE_WORLD_READABLE); // 读取SharedPreferences里的count数据 int count = sp.getInt("count", 0); // 显示程序以前使用的次数 show.setText("该程序之前被使用了" + count + "次"); Editor editor = sp.edit(); // 存入数据 editor.putInt("count", ++count); // 提交修改 editor.commit(); } }
ReadOtherPreferences程序:
package com.lovo; import android.app.Activity; import android.content.Context; import android.content.SharedPreferences; import android.content.pm.PackageManager.NameNotFoundException; import android.os.Bundle; import android.widget.TextView; public class ReadOtherPreferences extends Activity { @Override protected void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); setContentView(R.layout.activity_preferences_test); Context useCount = null; try { // 获取其他程序对应的Context useCount = createPackageContext("com.lovo.usecount", Context.CONTEXT_IGNORE_SECURITY); } catch (NameNotFoundException e) { e.printStackTrace(); } // 使用其他程序的COntext获取对应的SharedPreferences SharedPreferences ps = useCount.getSharedPreferences("count", Context.MODE_WORLD_READABLE); // 读取数据 int count = ps.getInt("count", 0); TextView show = (TextView) findViewById(R.id.activity_preferences_test_tv_show); // 显示读取的数据内容 show.setText("UseCount应用程序之前被使用了" + count + "次"); } }