我正在做一个项目,它会给你一个 Windows 命令列表。当您选择一个时,它将执行该命令。但是,我不知道该怎么做。我打算用 Visual C# 或 C++ 来做,但是 C++ 类太复杂了,我不想在 Visual C# 中制作表单和垃圾(在控制台应用程序中真的很糟糕)。
问问题
42055 次
5 回答
5
我希望这有帮助 :)
你可以使用:
Runtime.getRuntime().exec("ENTER COMMAND HERE");
于 2013-05-09T01:39:05.790 回答
5
一个例子。1. 创建 cmd 2. 写入 cmd -> 调用命令。
try {
// Execute command
String command = "cmd /c start cmd.exe";
Process child = Runtime.getRuntime().exec(command);
// Get output stream to write from it
OutputStream out = child.getOutputStream();
out.write("cd C:/ /r/n".getBytes());
out.flush();
out.write("dir /r/n".getBytes());
out.close();
} catch (IOException e) {
}
于 2013-05-09T01:41:07.547 回答
5
利用ProcessBuilder
.
它使构建过程参数变得更加容易,并自动处理命令中包含空格的问题......
public class TestProcessBuilder {
public static void main(String[] args) {
try {
ProcessBuilder pb = new ProcessBuilder("cmd", "/c", "dir");
pb.redirectError();
Process p = pb.start();
InputStreamConsumer isc = new InputStreamConsumer(p.getInputStream());
isc.start();
int exitCode = p.waitFor();
isc.join();
System.out.println("Process terminated with " + exitCode);
} catch (IOException | InterruptedException exp) {
exp.printStackTrace();
}
}
public static class InputStreamConsumer extends Thread {
private InputStream is;
public InputStreamConsumer(InputStream is) {
this.is = is;
}
@Override
public void run() {
try {
int value = -1;
while ((value = is.read()) != -1) {
System.out.print((char)value);
}
} catch (IOException exp) {
exp.printStackTrace();
}
}
}
}
我通常会构建一个通用类,您可以将其传入“命令”(例如“dir”)及其参数,从而自动将调用附加到操作系统。如果命令允许输入,我还将包括获取输出的能力,可能通过侦听器回调接口甚至输入...
于 2013-05-09T03:04:50.997 回答
2
这是在控制台窗口中运行和打印ipconfig命令输出的示例代码。
import java.io.IOException;
import java.io.InputStream;
public class ExecuteDOSCommand {
public static void main(String[] args) {
final String dosCommand = "ipconfig";
try {
final Process process = Runtime.getRuntime().exec(dosCommand );
final InputStream in = process.getInputStream();
int ch;
while((ch = in.read()) != -1) {
System.out.print((char)ch);
}
} catch (IOException e) {
e.printStackTrace();
}
}
}
来源:https ://www.codepuran.com/java/execute-dos-command-java/
于 2017-03-23T05:27:48.597 回答
1
老问题,但可能会帮助路过的人。这是一个简单且有效的解决方案。上述一些解决方案不起作用。
import java.io.IOException;
import java.io.InputStream;
public class ExecuteDOSCommand
{
public static void main(String[] args)
{
final String dosCommand = "cmd /c dir /s";
final String location = "C:\\WINDOWS\\system32";
try
{
final Process process = Runtime.getRuntime().exec(dosCommand + " " + location);
final InputStream in = process.getInputStream();
int ch;
while((ch = in.read()) != -1)
{
System.out.print((char)ch);
}
}
catch (IOException e)
{
e.printStackTrace();
}
}
}
来源: http: //www.devx.com/tips/Tip/42644
于 2015-10-17T15:14:20.327 回答