ChannelExec执行复合命令时,语法应该怎么写?
ChannelExec 类在 JSch 中用于执行单个命令,而不是复合命令。当你需要执行多个命令时,应该确保这些命令是作为一个单独的脚本或命令字符串传递给 ChannelExec 的。然而,直接执行包含多个命令的字符串可能会导致问题,因为 SSH 服务器通常只接受单个命令作为 exec 请求的一部分。
如果你确实需要执行多个命令,你有以下几种选择:
创建一个脚本并在服务器上执行它:
你可以在服务器上创建一个脚本文件(例如 bash 脚本),然后通过 ChannelExec 执行该脚本。例如:
java
String command = "bash /path/to/your/script.sh";
ChannelExec channelExec = (ChannelExec) session.openChannel("exec");
((ChannelExec) channelExec).setCommand(command);
// ... 配置输入输出流并启动通道 ...
确保脚本文件 script.sh 在服务器上具有执行权限,并且包含了所有需要执行的命令。
使用命令分隔符:
某些 shell 允许你使用分号 ; 或逻辑操作符 && 和 || 来分隔命令。然而,这不是推荐的方法,因为服务器端的 SSH 配置可能会限制这种行为,并且它可能不如使用脚本那样清晰和健壮。
java
String command = "command1 ; command2"; // 使用分号分隔命令
// 或者
String command = "command1 && command2"; // 仅当 command1 成功时才执行 command2
ChannelExec channelExec = (ChannelExec) session.openChannel("exec");
((ChannelExec) channelExec).setCommand(command);
// ... 配置输入输出流并启动通道 ...
使用 ChannelShell:
如果你需要执行多个命令,并且这些命令之间需要交互或依赖于彼此的输出,那么使用 ChannelShell 可能更合适。通过 ChannelShell,你可以发送命令到远程 shell,并读取其输出,就像你在交互式终端中一样。
java
ChannelShell channelShell = (ChannelShell) session.openChannel("shell");
OutputStream in = channelShell.getOutputStream();
InputStream out = channelShell.getInputStream();
channelShell.connect();
in.write(("command1\n").getBytes());
in.write(("command2\n").getBytes());
in.flush(); // 确保命令被发送
// 读取输出 ...
byte[] tmp = new byte[1024];
while (true) {
while (out.available() > 0) {
int i = out.read(tmp, 0, 1024);
if (i < 0) break;
System.out.print(new String(tmp, 0, i));
}
if (channelShell.isClosed()) {
if (out.available() > 0) continue;
System.out.println("exit-status: " + channelShell.getExitStatus());
break;
}
try { Thread.sleep(1000); } catch (Exception ee) {}
}
channelShell.disconnect();
请注意,使用 ChannelShell 通常比使用 ChannelExec 更复杂,因为你需要手动管理输入和输出流,并处理可能的提示符和交互。
总的来说,如果你需要执行复合命令,最好将它们封装在一个脚本中,并通过 ChannelExec 执行该脚本。如果你需要更复杂的交互,那么 ChannelShell 可能是更好的选择。