0

我正在尝试写入已加载的批处理文件进程,但我无法弄清楚如何执行相当于返回的操作。

Java 代码:

import java.io.DataInputStream;
import java.io.DataOutputStream;
import java.util.Scanner;

public class Start {
    public static void main(String[] args) {
        try {
            Process p = Runtime.getRuntime().exec("C:\\Users\\Max\\Desktop\\test.bat");// Runtime.getRuntime().exec("keytool -genkey -alias " + name.replace(" ", "").trim() + "  -keystore key");
            DataInputStream in = new DataInputStream(p.getInputStream());
            Scanner scanner = new Scanner(in);
            // System.out.println(scanner.nextLine());
            DataOutputStream out = new DataOutputStream(p.getOutputStream());
            out.write("test\n\n".getBytes());
            out.flush();
            out.close();
        }catch (Exception e) {
            e.printStackTrace();
        }
    }
}

批号:

@echo off
set /p delBuild=lozors?: 
echo test >> test.txt

运行时,它应该输出到我桌面上的文本文件......但它似乎没有接受输入?我尝试过使用 \n 和 \n\n,以及仅写入和刷新,但它不起作用。想法?

4

2 回答 2

1

首先,抱歉,我不是批处理开发人员,自从我完成任何(严肃的)批处理编码以来已经有很长时间了,所以我不认识这个set /p命令......

您的代码无法正常工作的原因可能有很多,但最明显的一点是批处理文件中的这个命令......

echo test >> test.txt

testtest.txt. 它没有与您输入的内容相呼应。

为此,您需要回显环境变量delBuild,您的输入将被分配给该变量。

echo %delBuild% >> test.txt

另请注意,一旦您发送\n,文本可能会被提交到环境变量并且批处理文件将继续运行。

这是我在测试中使用的批处理文件...

@echo off
set /p delBuild=lozors?: 
echo %delBuild% >> test.txt

这是我用来测试它的代码......

import java.io.IOException;
import java.io.InputStream;
import java.io.OutputStream;

public class TestProcessBuilder02 {

    public static void main(String[] args) {
        try {
            ProcessBuilder pb = new ProcessBuilder("test.bat");
            pb.redirectError();
            Process p = pb.start();

            OutputStream os = null;
            try {
                os = p.getOutputStream();
                os.write("I am invincible".getBytes());
            } finally {
                try {
                    os.close();
                } catch (Exception e) {
                }
            }
            InputStream is = null;
            try {
                is = p.getInputStream();
                int in = -1;
                while ((in = is.read()) != -1) {
                    System.out.print((char)in);
                }
            } finally {
                try {
                    is.close();
                } catch (Exception e) {
                }
            }
            int exit = p.waitFor();
            System.out.println("Exited with " + exit);
        } catch (Exception exp) {
            exp.printStackTrace();
        }
    }

}

注意 - 我使用ProcessBuilder它通常更容易和更宽容地尝试Runtime#exec自己使用 - 恕我直言

于 2013-08-13T00:48:37.897 回答
0

I actually just used the answer at: Communicate with a windows batch file (or external program) from java except, I didn't use the bufferedwriter as it seemed to stop it from working.

于 2013-08-13T02:04:16.677 回答