上面的问题如果我需要通过java远程连接到多个主机执行该shell脚本怎么写
时间: 2024-03-10 20:44:52 浏览: 132
要通过Java远程连接到多个主机执行该shell脚本,可以使用Java的SSH库,比如JSch。
以下是一个简单的示例代码,它可以连接到多个主机并执行指定的shell脚本:
```java
import com.jcraft.jsch.*;
public class RemoteShellExecutor {
public static void main(String[] args) {
String host = "your_host";
String user = "your_username";
String password = "your_password";
String command = "your_command";
try {
JSch jsch = new JSch();
Session session = jsch.getSession(user, host, 22);
session.setPassword(password);
session.setConfig("StrictHostKeyChecking", "no");
session.connect();
ChannelExec channelExec = (ChannelExec) session.openChannel("exec");
channelExec.setCommand(command);
channelExec.connect();
System.out.println("Output:");
InputStream in = channelExec.getInputStream();
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 (channelExec.isClosed()) {
if (in.available() > 0) continue;
System.out.println("exit-status: " + channelExec.getExitStatus());
break;
}
try {
Thread.sleep(1000);
} catch (Exception ee) {
}
}
channelExec.disconnect();
session.disconnect();
} catch (Exception e) {
e.printStackTrace();
}
}
}
```
这个示例代码只能连接到一个主机并执行一次指定的shell脚本。如果想要连接到多个主机,可以使用一个循环,依次连接每个主机并执行脚本。
阅读全文