I am trying to download files asynchronously from an SFTP-server using SSH.NET. If I do it synchronously, it works fine but when I do it async, I get empty files. This is my code:
var port = 22;
string host = "localhost";
string username = "user";
string password = "password";
string localPath = @"C:\temp";
using (var client = new SftpClient(host, port, username, password))
{
client.Connect();
var files = client.ListDirectory("");
var tasks = new List<Task>();
foreach (var file in files)
{
using (var saveFile = File.OpenWrite(localPath + "\\" + file.Name))
{
//sftp.DownloadFile(file.FullName,saveFile); <-- This works fine
tasks.Add(Task.Factory.FromAsync(client.BeginDownloadFile(file.FullName, saveFile), client.EndDownloadFile));
}
}
await Task.WhenAll(tasks);
client.Disconnect();
}
Because
saveFile
is declared in ausing
block, it is closed right after you start the task, so the download can't complete. Actually, I'm surprised you're not getting an exception.You could extract the code to download to a separate method like this:
This way, the file isn't closed before you finish downloading the file.
Looking at the SSH.NET source code, it looks like the async version of
DownloadFile
isn't using "real" async IO (using IO completion port), but instead just executes the download in a new thread. So there's no real advantage in usingBeginDownloadFile
/EndDownloadFile
; you might as well useDownloadFile
in a thread that you create yourself: