从FTP服务器下载最新文件

时间:2015-05-15 12:01:17

标签: c# .net ftp ftp-client

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

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

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

public Form1()
    {
        InitializeComponent();

        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;
            }
    }

好的,用这段代码我知道最后一个文件的日期,但我怎么知道这个文件的名字????????

1 个答案:

答案 0 :(得分:4)

您必须检索远程文件的时间戳才能选择最新的文件。

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

.NET框架支持的替代方案:

或者,您可以使用支持现代MLSD命令的第三方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\";
    string sourcePath = RemotePath.EscapeFileMask(remotePath + latest.Name);
    session.GetFiles(sourcePath, localPath).Check();
}

(我是WinSCP的作者)