不幸的是,没有真正可靠和有效的方法来使用 .NET 框架提供的功能来检索时间戳,因为它不支持 FTPMLSD
命令。该MLSD
命令以标准化的机器可读格式提供远程目录列表。命令和格式由RFC 3659标准化。
您可以使用的替代方案,由 .NET 框架支持:
ListDirectoryDetails
方法(FTPLIST
命令)检索目录中所有文件的详细信息,然后处理 FTP 服务器特定格式的详细信息(*nix 格式类似于ls
*nix 命令是最常见的,缺点是格式可能会改变随着时间的推移,新文件使用“May 8 17:48”格式,旧文件使用“Oct 18 2009”格式)。
DOS/Windows 格式:C# 类解析 WebRequestMethods.Ftp.ListDirectoryDetails FTP 响应
*nix 格式:解析 FtpWebRequest ListDirectoryDetails 行
GetDateTimestamp
方法(FTPMDTM
命令)单独检索每个文件的时间戳。一个优点是响应由RFC 3659标准化为YYYYMMDDHHMMSS[.sss]
. 缺点是您必须为每个文件发送单独的请求,这可能效率很低。
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 程序集支持它。
甚至还有一个针对您的特定任务的示例:下载最新文件。
该示例适用于 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的作者)