9

当我第一次下载文件并通过 SSH.NET 上传时,一切正常。

client.DownloadFile(url, x)
Using fs= System.IO.File.OpenRead(x)
    sFtpClient.UploadFile(fs, fn, True)
End Using

但是我现在必须(不是下载文件)而是上传文件流:

Dim ba As Byte() = client.DownloadData(url)
Dim stream As New MemoryStream()
stream.Write(ba, 0, ba.Length)
sFtpClient.UploadFile(stream, fn, True)

发生的事情是该UploadFile方法认为它成功了,但在实际的 FTP 上,创建的文件大小为 0KB。

请问我做错了什么?我也尝试添加缓冲区大小,但没有奏效。

我在网上找到了代码。我应该做这样的事情:

client.ChangeDirectory(pFileFolder);
client.Create(pFileName);
client.AppendAllText(pFileName, pContents);
4

1 回答 1

10

写入流后,流指针位于流的末尾。因此,当您将流传递给 时.UploadFile,它会从指针(位于末尾)到末尾读取流。因此,什么都没有写。并且不会发出任何错误,因为一切都按设计运行。

在将流传递给之前,您需要将指针重置为开头.UploadFile

Dim ba As Byte() = client.DownloadData(url)
Dim stream As New MemoryStream()
stream.Write(ba, 0, ba.Length)
' Reset the pointer
stream.Position = 0
sFtpClient.UploadFile(stream, fn, True)

另一种方法是使用 SSH.NET PipeStream,它具有单独的读写指针。

于 2016-03-08T08:53:54.103 回答