0

我正在编写一个可以在 Android 4.4 上完美运行但无法在 Android 7 上运行的应用程序。这两个设备都已植根。

我的应用程序的目的是从其他应用程序的数据目录(我们称之为 com.game.orig)中获取文件,将它们复制到我的应用程序目录(我们称之为 com.game.cheat)并在那里读取它们,修改在将它们写回原始目录之前。

因此,使用“su”(抛出在ExecuteAsRootBase.java中找到的函数)我将文件从 com.game.orig 复制到 com.game.cheat 目录,如下所示:

PackageManager m = context.getPackageManager();
String appDir = getPackageDirectory("com.game.orig",m);// /data/user/0/com.game.orig/files/

String localDir = getPackageDirectory(context.getPackageName(),m);// /data/user/0/com.game.cheat/files/

if (ExecuteAsRootBase.canRunRootCommands()) {
    ExecuteAsRootBase rootBase = new ExecuteAsRootBase();
    Sting fileName="savedgame.dat";
    int uid=context.getApplicationInfo().uid;//get the uid (owner) of my app.

    //Create localDir (files subdirectory) if not exists
    File directory = new File(localDir);
    if (!directory.exists()) {
        directory.mkdirs();
        //adjust file permission (not sure it's realy needed)
        rootBase.executecmd("chmod 777 "+ localDir);
        rootBase.executecmd("chown " + uid + "." + uid + " " + localDir);
    }
   //copy file from appDir to localdir using 'su'
   rootBase.execute("cp "+ appDir +fileName + " " + localDir)){
   //adjust file permission
   rootBase.execute("chmod 777 "+ localDir +fileName);
   rootBase.execute("chown " + uid + "." + uid + " " + localDir + fileName);        
}

到此结束,一切正常:

我的文件目录带有 perms:drwxrwxrwx 并归 u0_a115 组 u0_a115 所有。(与 /data/data/com.game.cheat 的所有者/组匹配)和我复制的具有相同所有者/组和权限的文件:-rwxrwxrwx

现在当试图打开复制的文件来阅读它时:

InputStream input = context.openFileInput( fileName );

openFileInput 抛出异常:

java.io.FileNotFoundException: /data/user/0/com.game.cheat/files/savedgame.dat (Permission denied)

而且这只发生在搭载 Android 7.0 API24 的手机上。

任何人都对我的方法有什么问题有一些提示,我错过了最新 API 的新内容吗?

谢谢。

4

1 回答 1

2

在 API 23 之前,清单中的权限足以让您与其他类型的权限一起访问设备的外部存储。从 API 23 开始,一些权限必须由用户在运行时授予,例如写入外部存储的权限。

这是一个示例,您可以如何做到这一点:

private boolean checkWriteExternalPermission() {

    String permission_read = Manifest.permission.READ_EXTERNAL_STORAGE;
    String permission_write = Manifest.permission.WRITE_EXTERNAL_STORAGE;
    int res = this.checkCallingOrSelfPermission(permission_read);
    int res2 = this.checkCallingOrSelfPermission(permission_write);
    return (res == PackageManager.PERMISSION_GRANTED && res2 == PackageManager.PERMISSION_GRANTED);
}

现在您只需要将其应用于您的方法,例如:

if(checkWriteExternalPermission()){
    //do your logic with file writing/reading
} else{
    //ask for user permissions
    ActivityCompat.requestPermissions(this, PERMISSIONS_STORAGE, REQUEST_EXTERNAL_STORAGE);
}
于 2017-06-28T09:34:25.983 回答