在C#中使用FtpWebRequest
类时,我遇到了一个问题。
当我第一次尝试使用正确的凭据将文件上传到FTP服务器,然后第二次使用错误的凭据(用户名相同但密码错误)时,没有抛出异常,文件仍然是UPLOADED到FTP服务器。请考虑以下代码:
using System;
using System.Net;
internal class Program
{
private static void Main(string[] args)
{
var uri = new Uri("ftp://ftp.dlptest.com/TestFile.txt");
var method = WebRequestMethods.Ftp.UploadFile;
//Here I'm uploading the test file using correct credentials
var correctCredentials =
new NetworkCredential("dlpuser@dlptest.com", "fwRhzAnR1vgig8s");
DoFtpRequest(uri, correctCredentials, method);
//Here I'm uploading the test file using wrong credentials.
//I expect some exception to be thrown and the file not being
//uploaded to the server, neither is the case.
var wrongCredentials =
new NetworkCredential("dlpuser@dlptest.com", "WRONG_PASWORD");
DoFtpRequest(uri, wrongCredentials, method);
}
public static FtpWebResponse DoFtpRequest(
Uri uri, NetworkCredential credentials, string method)
{
var request = (FtpWebRequest)WebRequest.Create(uri);
request.Credentials = credentials;
request.Method = method;
return (FtpWebResponse)request.GetResponse();
}
}
这里我使用的是我在https://dlptest.com/ftp-test/找到的公共ftp服务器ftp://ftp.dlptest.com/
,您可以使用它来测试此代码。
正如您所看到的,我首先尝试使用正确的凭据上传文件,然后使用错误的凭据(使用相同的用户名但更改密码)。 但该文件仍然上传到服务器。如果我首先尝试使用错误的凭据,则抛出异常,一切都按预期工作。
你知道发生了什么吗?这是框架的错误吗?我有什么选择来处理这个问题,因为它会导致我正在处理的程序出现问题?
答案 0 :(得分:2)
FtpWebRequest
使用引擎盖下的连接池。请参阅FTP multiple files in C# without reestablishing connection。
该连接池的密钥只是主机名,端口号,用户名和可选的连接组名。
您的第二个请求会重复使用第一个请求中的连接,并且永远不会使用错误的密码。这是因为这两个请求使用相同的连接池,因为它们仅通过密码而不同,这不是密钥的一部分。
但是,如果您交换请求,则第一个请求不会成功,它的连接将关闭,并且不会进入池。第二个请求必须以新连接开始,将使用其密码并失败。
要隔离请求,您可以:
FtpWebRequest.ConnectionGroupName
,以使其使用不同的连接池。FtpWebRequest.KeepAlive
以完全禁用连接池。