我正在尝试使用SSH.NET从SFTP服务器异步下载文件。如果我同步执行它,它工作正常,但当我执行异步时,我得到空文件。这是我的代码:
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();
}
答案 0 :(得分:11)
因为在saveFile
块中声明了using
,所以在您启动任务后它立即关闭,因此无法完成下载。实际上,我很惊讶你没有得到例外。
您可以提取代码以下载到这样的单独方法:
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)
{
tasks.Add(DownloadFileAsync(file.FullName, localPath + "\\" + file.Name));
}
await Task.WhenAll(tasks);
client.Disconnect();
}
...
async Task DownloadFileAsync(string source, string destination)
{
using (var saveFile = File.OpenWrite(destination))
{
var task = Task.Factory.FromAsync(client.BeginDownloadFile(source, saveFile), client.EndDownloadFile);
await task;
}
}
这样,在下载文件之前文件没有关闭。
查看SSH.NET源代码,看起来DownloadFile
的异步版本没有使用“真正的”异步IO(使用IO完成端口),而只是在新线程中执行下载。因此,使用BeginDownloadFile
/ EndDownloadFile
没有真正的优势;您也可以在自己创建的主题中使用DownloadFile
:
Task DownloadFileAsync(string source, string destination)
{
return Task.Run(() =>
{
using (var saveFile = File.OpenWrite(destination))
{
client.DownloadFile(source, saveFile);
}
}
}