Считать вывод команды внутри процесса su

Во -первых, я представлю свою ситуацию. Мне нужно выполнить команду "su" в моем приложении для Android, и она работает хорошо. Затем мне нужно выполнить команду "ls" и прочитать вывод. Я делаю это, получая поток вывода из процесса "su" и записывая в него свою команду.

И здесь идет вопрос. Как прочитать вывод процесса "ls"? Все, что у меня есть, это объект процесса "su". Получение потока ввода из него ничего не дает, потому что "su" ничего не пишет. Но "ls" делает, и я не знаю, как получить доступ к его выходным сообщениям.

Я искал много сайтов, но я не нашел никакого решения. Может кто-нибудь мне поможет:)

С уважением

3 ответа

Решение

Хорошо, я нашел решение. Это должно выглядеть так:

Process p = Runtime.getRuntime().exec(new String[]{"su", "-c", "system/bin/sh"});
DataOutputStream stdin = new DataOutputStream(p.getOutputStream());
//from here all commands are executed with su permissions
stdin.writeBytes("ls /data\n"); // \n executes the command
InputStream stdout = p.getInputStream();
byte[] buffer = new byte[BUFF_LEN];
int read;
String out = new String();
//read method will wait forever if there is nothing in the stream
//so we need to read it in another way than while((read=stdout.read(buffer))>0)
while(true){
    read = stdout.read(buffer);
    out += new String(buffer, 0, read);
    if(read<BUFF_LEN){
        //we have read everything
        break;
    }
}
//do something with the output

Надеюсь, это будет полезно для кого-то

public String ls () {
    Class<?> execClass = Class.forName("android.os.Exec");
    Method createSubprocess = execClass.getMethod("createSubprocess", String.class, String.class, String.class, int[].class);
    int[] pid = new int[1];
    FileDescriptor fd = (FileDescriptor)createSubprocess.invoke(null, "/system/bin/ls", "/", null, pid);

    BufferedReader reader = new BufferedReader(new InputStreamReader(new FileInputStream(fd)));
    String output = "";
    try {
        String line;
        while ((line = reader.readLine()) != null) {
            output += line + "\n";
        }
    }
    catch (IOException e) {}
    return output;
}

Проверьте этот код, упомянутый здесь:

Как запустить команду терминала в приложении Android?


try {
// Executes the command.
Process process = Runtime.getRuntime().exec("/system/bin/ls /sdcard");

// Reads stdout.
// NOTE: You can write to stdin of the command using
//       process.getOutputStream().
BufferedReader reader = new BufferedReader(
        new InputStreamReader(process.getInputStream()));
int read;
char[] buffer = new char[4096];
StringBuffer output = new StringBuffer();
while ((read = reader.read(buffer)) > 0) {
    output.append(buffer, 0, read);
}
reader.close();

// Waits for the command to finish.
process.waitFor();

return output.toString();
} catch (IOException e) {
throw new RuntimeException(e);
} catch (InterruptedException e) {
throw new RuntimeException(e);
}

Рекомендации

этот код GScript

Я изменил принятый ответ @glodos для следующих задач:

  1. потоки закрыты, иначе процесс exec навсегда зависнет в открытом потоке. Если вы выполните ps в оболочке (т.е. adb shell) после нескольких казней вы увидите несколько su процессы живы. Они должны быть правильно прекращены.
  2. добавленной waitFor() чтобы убедиться, что процесс завершен.
  3. Добавлена ​​обработка для read=-1теперь команды с пустыми stdout может быть выполнен Ранее они разбились на new String(buffer, 0, read)
  4. С помощью StringBuffer для более эффективной обработки строк.

    private String execCommand(String cmd) throws IOException, InterruptedException {
        Process p = Runtime.getRuntime().exec(new String[]{"su", "-c", "system/bin/sh"});
        DataOutputStream stdout = new DataOutputStream(p.getOutputStream());
    
        stdout.writeBytes(cmd);
        stdout.writeByte('\n');
        stdout.flush();
        stdout.close();
    
        BufferedReader stdin = new BufferedReader(new InputStreamReader(p.getInputStream()));
        char[] buffer = new char[1024];
        int read;
        StringBuffer out = new StringBuffer();
    
        while((read = stdin.read(buffer)) > 0) {
            out.append(buffer, 0, read);
        }
        stdin.close();
        p.waitFor();
        return out.toString();
    }
    

Некоторые кредиты идут на @Sherif elKhatib))

Другие вопросы по тегам