2016-11-15 144 views
1

我試圖從服務器上使用SSH.NET下載一個文件。使用SSH.NET從SFTP服務器下載一個特定文件

到目前爲止,我有這樣的:

using Renci.SshNet; 
using Renci.SshNet.Common; 
... 
public void DownloadFile(string str_target_dir) 
    { 
     client.Connect(); 
     if (client.IsConnected) 
     { 
      var files = client.ListDirectory(@"/home/xymon/data/hist"); 
      foreach (SftpFile file in files) 
      { 
       if (file.FullName== @"/home/xymon/data/hist/allevents") 
       { 
        using (Stream fileStream = File.OpenWrite(Path.Combine(str_target_dir, file.Name))) 
        { 
         client.DownloadFile(file.FullName, fileStream); 
        } 
       } 
      } 
     } 
     else 
     { 
      throw new SshConnectionException(String.Format("Can not connect to {0}@{1}",username,host)); 
     } 
    } 

我的問題是,我不知道如何與字符串@"/home/xymon/data/hist/allevents"構建SftpFile

這就是爲什麼我使用foreach循環的條件。

感謝您的幫助。

回答

3

您不需要SftpFile即可致電SftpClient.DownloadFile。該方法只需要一個普通的路徑:

/// <summary> 
/// Downloads remote file specified by the path into the stream. 
/// </summary> 
public void DownloadFile(string path, Stream output, Action<ulong> downloadCallback = null) 

這樣使用它:

using (Stream fileStream = File.OpenWrite(Path.Combine(str_target_dir, "allevents"))) 
{ 
    client.DownloadFile("/home/xymon/data/hist/allevents", fileStream); 
} 

假如你真的需要SftpFile,你可以使用SftpClient.Get方法:

/// <summary> 
/// Gets reference to remote file or directory. 
/// </summary> 
public SftpFile Get(string path) 

但你不。

-1

如果您要檢查文件是否存在,你可以做這樣的事情......

public void DownloadFile(string str_target_dir) 
    { 
     using (var client = new SftpClient(host, user, pass)) 
     { 
      client.Connect(); 
      var file = client.ListDirectory(_pacRemoteDirectory).FirstOrDefault(f => f.Name == "Name"); 
      if (file != null) 
      { 
       using (Stream fileStream = File.OpenWrite(Path.Combine(str_target_dir, file.Name))) 
       { 
        client.DownloadFile(file.FullName, fileStream); 
       } 
      } 
      else 
      { 
       //... 
      } 
     } 
    } 
相關問題