从 FTP 服务器下载最新文件

Download the latest file from an FTP server

我必须从 FTP 服务器下载最新的文件。我知道如何从我的计算机下载最新文件,但我不知道如何从 FTP 服务器下载。

如何从 FTP 服务器下载最新文件?

这是我从我的电脑下载最新文件的程序

string startFolder = @"C:\Users\user3\Desktop\Documentos XML";

System.IO.DirectoryInfo dir = new System.IO.DirectoryInfo(startFolder);

IEnumerable<System.IO.FileInfo> fileList =
    dir.GetFiles("*.*", System.IO.SearchOption.AllDirectories);

IEnumerable<System.IO.FileInfo> fileQuerry =
    from file in fileList
    where file.Extension == ".txt"
    orderby file.CreationTimeUtc
    select file;

foreach (System.IO.FileInfo fi in fileQuerry)
{
    var newestFile =
    (from file in fileQuerry
     orderby file.CreationTimeUtc
     select new { file.FullName, file.Name })
     .First();
    textBox2.Text = newestFile.FullName;
}

好的,通过这段代码我知道最后一个文件的日期,但是我怎么知道这个文件的名称???????

您必须将远程文件的时间戳检索到 select 最新的。

不幸的是,没有真正可靠和有效的方法来使用 .NET 框架提供的功能检索目录中所有文件的修改时间戳,因为它不支持 FTP MLSD 命令。 MLSD 命令以标准化的机器可读格式提供远程目录列表。命令和格式由 RFC 3659.

标准化

.NET 框架支持的您可以使用的替代方案:

  • ListDirectoryDetails method(FTP LIST 命令)检索目录中所有文件的详细信息,然后处理 FTP 服务器特定详情格式

    DOS/Windows 格式:C# class to parse WebRequestMethods.Ftp.ListDirectoryDetails FTP response
    *nix 格式:Parsing FtpWebRequest ListDirectoryDetails line

  • GetDateTimestamp method (the FTP MDTM command) to individually retrieve timestamps for each file. An advantage is that the response is standardized by RFC 3659 to YYYYMMDDHHMMSS[.sss]. A disadvantage is that you have to send a separate request for each file, what can be quite inefficient. This method uses the LastModified property 你提到:

    const string uri = "ftp://example.com/remote/path/file.txt";
    FtpWebRequest request = (FtpWebRequest)WebRequest.Create(uri);
    request.Method = WebRequestMethods.Ftp.GetDateTimestamp;
    FtpWebResponse response = (FtpWebResponse)request.GetResponse();
    Console.WriteLine("{0} {1}", uri, response.LastModified);
    

或者,您可以使用支持现代 MLSD 命令的第 3 方 FTP 客户端实现。

例如 WinSCP .NET assembly 支持。

甚至还有一个针对您的特定任务的示例:Downloading the most recent file
该示例适用于 PowerShell 和 SFTP,但很容易转换为 C# 和 FTP:

// Setup session options
SessionOptions sessionOptions = new SessionOptions
{
    Protocol = Protocol.Ftp,
    HostName = "example.com",
    UserName = "username",
    Password = "password",
};

using (Session session = new Session())
{
    // Connect
    session.Open(sessionOptions);

    // Get list of files in the directory
    string remotePath = "/remote/path/";
    RemoteDirectoryInfo directoryInfo = session.ListDirectory(remotePath);

    // Select the most recent file
    RemoteFileInfo latest =
        directoryInfo.Files
            .OrderByDescending(file => file.LastWriteTime)
            .First();

    // Download the selected file
    string localPath = @"C:\local\path";
    session.GetFileToDirectory(latest.FullName, localPath);
}

(我是WinSCP的作者)