runtime.getruntime.exec 如何指定执行命令服务器
时间: 2023-12-13 21:04:03 浏览: 198
在Java中,使用`Runtime.getRuntime().exec()`方法可以执行指定的命令。如果要在指定的服务器上执行命令,可以使用SSH连接工具,比如JSch库。这个库可以在Java程序中连接远程服务器,并执行命令。下面是一个使用JSch库连接远程服务器并执行命令的示例代码:
```
import com.jcraft.jsch.*;
public class SSHExample {
public static void main(String[] args) {
String host = "your_server_ip_address";
String user = "your_username";
String password = "your_password";
int port = 22;
String command = "your_command_to_execute";
try {
JSch jsch = new JSch();
Session session = jsch.getSession(user, host, port);
session.setPassword(password);
session.setConfig("StrictHostKeyChecking", "no");
session.connect();
Channel channel = session.openChannel("exec");
((ChannelExec) channel).setCommand(command);
channel.setInputStream(null);
((ChannelExec) channel).setErrStream(System.err);
InputStream in = channel.getInputStream();
channel.connect();
byte[] tmp = new byte[1024];
while (true) {
while (in.available() > 0) {
int i = in.read(tmp, 0, 1024);
if (i < 0) break;
System.out.print(new String(tmp, 0, i));
}
if (channel.isClosed()) {
System.out.println("exit-status: " + channel.getExitStatus());
break;
}
try {
Thread.sleep(1000);
} catch (Exception ee) {
}
}
channel.disconnect();
session.disconnect();
} catch (JSchException e) {
e.printStackTrace();
} catch (IOException e) {
e.printStackTrace();
}
}
}
```
在这个示例代码中,我们使用了JSch库连接到远程服务器,并执行了指定的命令。你可以根据实际情况修改`host`、`user`、`password`、`port`和`command`变量的值,以实现你的需求。
阅读全文