编程语言
首页 > 编程语言> > Java-Android-在应用程序中创建符号链接

Java-Android-在应用程序中创建符号链接

作者:互联网

我想在我的应用中以编程方式创建符号链接. Android(4.4)是否可能?

在Java中,我们可以使用:

Path newLink = ...;
Path target = ...;
try {
    Files.createSymbolicLink(newLink, target);
} catch (IOException x) {
    System.err.println(x);
} catch (UnsupportedOperationException x) {
    // Some file systems do not support symbolic links.
    System.err.println(x);
}

从java.nio.file但我应该在Android中使用什么?

https://docs.oracle.com/javase/tutorial/essential/io/links.html

编辑:

我使用反射/本机代码/OS.symlink()方法进行了测试,但没有任何效果.我总是收到不允许的操作(EPERM).我认为您必须具有root权限才能创建符号链接.

问题可能出在/ mnt / sdcard是包装/ data / media / xxx的FUSE填充程序.所以我开始使用/ data / media / xxx,但是我总是被拒绝

我认为root权限存在问题.

解决方法:

这是一个对我有用的解决方案,如果成功则返回true:

public static boolean createSymLink(String symLinkFilePath, String originalFilePath) {
    try {
        if (VERSION.SDK_INT >= VERSION_CODES.LOLLIPOP) {
            Os.symlink(originalFilePath, symLinkFilePath);
            return true;
        }
        final Class<?> libcore = Class.forName("libcore.io.Libcore");
        final java.lang.reflect.Field fOs = libcore.getDeclaredField("os");
        fOs.setAccessible(true);
        final Object os = fOs.get(null);
        final java.lang.reflect.Method method = os.getClass().getMethod("symlink", String.class, String.class);
        method.invoke(os, originalFilePath, symLinkFilePath);
        return true;
    } catch (Exception e) {
        e.printStackTrace();
    }
    return false;
}

或在科特林:

companion object {
    @JvmStatic
    fun createSymLink(symLinkFilePath: String, originalFilePath: String): Boolean {
        try {
            if (Build.VERSION.SDK_INT >= Build.VERSION_CODES.LOLLIPOP) {
                Os.symlink(originalFilePath, symLinkFilePath)
                return true
            }
            val libcore = Class.forName("libcore.io.Libcore")
            val fOs = libcore.getDeclaredField("os")
            fOs.isAccessible = true
            val os = fOs.get(null)
            val method = os.javaClass.getMethod("symlink", String::class.java, String::class.java)
            method.invoke(os, originalFilePath, symLinkFilePath)
            return true
        } catch (e: Exception) {
            e.printStackTrace()
        }
        return false
    }
}

标签:android,java,android-ndk,filesystems,symlink
来源: https://codeday.me/bug/20191011/1889514.html