我需要使用C#代码执行此操作:
所以我试着这样做:
ProcessStartInfo proc = new ProcessStartInfo()
{
FileName = @"C:\putty.exe",
UseShellExecute = true, //I think I need to use shell execute ?
RedirectStandardInput = false,
RedirectStandardOutput = false,
Arguments = string.Format("-ssh {0}@{1} 22 -pw {2}", userName, hostIP, password)
... //How do I send commands to be executed here ?
};
Process.Start(proc);
答案 0 :(得分:15)
您可以尝试https://sshnet.codeplex.com/。 有了这个,你根本不需要腻子或窗户。 你也可以得到答案。 它会看起来......像这样。
SshClient sshclient = new SshClient("172.0.0.1", userName, password);
sshclient.Connect();
SshCommand sc= sshclient .CreateCommand("Your Commands here");
sc.Execute();
string answer = sc.Result;
编辑:另一种方法是使用shellstream。
创建一个ShellStream,如:
ShellStream stream = sshclient.CreateShellStream("customCommand", 80, 24, 800, 600, 1024);
然后你可以使用这样的命令:
public StringBuilder sendCommand(string customCMD)
{
StringBuilder answer;
var reader = new StreamReader(stream);
var writer = new StreamWriter(stream);
writer.AutoFlush = true;
WriteStream(customCMD, writer, stream);
answer = ReadStream(reader);
return answer;
}
private void WriteStream(string cmd, StreamWriter writer, ShellStream stream)
{
writer.WriteLine(cmd);
while (stream.Length == 0)
{
Thread.Sleep(500);
}
}
private StringBuilder ReadStream(StreamReader reader)
{
StringBuilder result = new StringBuilder();
string line;
while ((line = reader.ReadLine()) != null)
{
result.AppendLine(line);
}
return result;
}
答案 1 :(得分:4)
虽然@LzyPanda的答案有效,但使用SSH" shell" channel(SshClient.CreateShellStream
),只允许交互式终端,不是自动执行命令的好主意。你会从中获得很多副作用,比如命令提示,ANSI序列,某些命令的交互行为等。
对于自动化,请使用SSH" exec"频道(SshClient.CreateCommand
):
using (var command = ssh.CreateCommand("command"))
{
Console.Write(command.Execute());
}
如果需要执行多个命令,请重复上述代码。你可以创建任意数量的" exec"一个SSH连接的通道。
虽然如果命令相互依赖(第一个命令修改了环境,例如后面命令使用的变量),你可以在一个通道中执行它们。使用shell语法,例如&&
或;
:
using (var command = ssh.CreateCommand("command1 && command2"))
{
Console.Write(command.Execute());
}
如果需要连续读取命令输出,请使用:
using (var command = ssh.CreateCommand("command"))
{
var asyncExecute = command.BeginExecute();
command.OutputStream.CopyTo(Console.OpenStandardOutput());
command.EndExecute(asyncExecute);
}
您还可以使用包含stdout和stderr的ExtendedOutputStream
。请参阅SSH.NET real-time command output monitoring。
不幸的是执行" exec" SSH.NET中的通道不允许为命令提供输入。对于该用例,您需要求助于" shell"渠道,直到这个限制得到解决。