12

我正在创建一个简单的拖放文件并自动上传到 ftp Windows 应用程序

在此处输入图像描述

我正在使用MSDN 代码将文件上传到 FTP。

代码非常简单:

// Get the object used to communicate with the server.
FtpWebRequest request = (FtpWebRequest)WebRequest.Create(String.Format("{0}{1}", FTP_PATH, filenameToUpload));
request.Method = WebRequestMethods.Ftp.UploadFile;

// Options
request.UseBinary = true;
request.UsePassive = false;

// FTP Credentials
request.Credentials = new NetworkCredential(FTP_USR, FTP_PWD);

// Copy the contents of the file to the request stream.
StreamReader sourceStream = new StreamReader(fileToUpload.FullName);
byte[] fileContents = Encoding.UTF8.GetBytes(sourceStream.ReadToEnd());
sourceStream.Close();
request.ContentLength = fileContents.Length;

Stream requestStream = request.GetRequestStream();
requestStream.Write(fileContents, 0, fileContents.Length);
requestStream.Close();

FtpWebResponse response = (FtpWebResponse)request.GetResponse();
writeOutput("Upload File Complete!");
writeOutput("Status: " + response.StatusDescription);

response.Close();

确实被上传到 FTP

在此处输入图像描述

问题是当我在浏览器上看到文件,或者只是下载并尝试在桌面上看到它时,我得到:

在此处输入图像描述

我已经用过request.UseBinary = false;request.UsePassive = false;但它没有任何好处。

我发现,原始文件的长度为 122Kb,在 FTP 中(下载后),它有 219Kb ...

我究竟做错了什么?

顺便说一句,该uploadFileToFTP()方法在 a 中运行BackgroundWorker,但我真的没有什么不同...

4

2 回答 2

32

您不应该使用 StreamReader 而只能使用 Stream 来读取二进制文件。

Streamreader 旨在仅读取文本文件。

试试这个:

private static void up(string sourceFile, string targetFile)
{            
    try
    {
        string ftpServerIP = ConfigurationManager.AppSettings["ftpIP"];
        string ftpUserID = ConfigurationManager.AppSettings["ftpUser"];
        string ftpPassword = ConfigurationManager.AppSettings["ftpPass"];
        ////string ftpURI = "";
        string filename = "ftp://" + ftpServerIP + "//" + targetFile; 
        FtpWebRequest ftpReq = (FtpWebRequest)WebRequest.Create(filename);
        ftpReq.UseBinary = true;
        ftpReq.Method = WebRequestMethods.Ftp.UploadFile;
        ftpReq.Credentials = new NetworkCredential(ftpUserID, ftpPassword);

        byte[] b = File.ReadAllBytes(sourceFile);

        ftpReq.ContentLength = b.Length;
        using (Stream s = ftpReq.GetRequestStream())
        {
            s.Write(b, 0, b.Length);
        }

        FtpWebResponse ftpResp = (FtpWebResponse)ftpReq.GetResponse();

        if (ftpResp != null)
        {
            MessageBox.Show(ftpResp.StatusDescription);
        }
    }
    catch (Exception ex)
    {
        MessageBox.Show(ex.ToString());
    }
}
于 2012-04-26T09:34:56.263 回答
3

问题是由您的代码将二进制数据解码为字符数据并返回二进制数据引起的。不要这样做。


使用WebClient 类UploadFile 方法

using (WebClient client = new WebClient())
{
    client.Credentials = new NetworkCredential(FTP_USR, FTP_PWD);
    client.UploadFile(FTP_PATH + filenameToUpload, filenameToUpload);
}
于 2012-04-26T09:34:48.423 回答