C#を使用してFTPサーバーにディレクトリを作成する簡単な方法は何ですか?
次のように、既存のフォルダーにファイルをアップロードする方法を見つけました。
using (WebClient webClient = new WebClient())
{
string filePath = "d:/users/abrien/file.txt";
webClient.UploadFile("ftp://10.128.101.78/users/file.txt", filePath);
}
ただし、users/abrien
にアップロードしたい場合、ファイルが利用できないというWebException
が表示されます。これは、ファイルをアップロードする前に新しいフォルダーを作成する必要があるためだと思いますが、WebClient
にはそれを実現する方法がないようです。
FtpWebRequest
を使用し、 WebRequestMethods.Ftp.MakeDirectory
。
例えば:
using System;
using System.Net;
class Test
{
static void Main()
{
WebRequest request = WebRequest.Create("ftp://Host.com/directory");
request.Method = WebRequestMethods.Ftp.MakeDirectory;
request.Credentials = new NetworkCredential("user", "pass");
using (var resp = (FtpWebResponse) request.GetResponse())
{
Console.WriteLine(resp.StatusCode);
}
}
}
ネストされたディレクトリを作成する場合の答えは次のとおりです
Ftpにフォルダーが存在するかどうかを確認する明確な方法はないため、一度に1つのフォルダーをループしてすべてのネストされた構造を作成する必要があります。
public static void MakeFTPDir(string ftpAddress, string pathToCreate, string login, string password, byte[] fileContents, string ftpProxy = null)
{
FtpWebRequest reqFTP = null;
Stream ftpStream = null;
string[] subDirs = pathToCreate.Split('/');
string currentDir = string.Format("ftp://{0}", ftpAddress);
foreach (string subDir in subDirs)
{
try
{
currentDir = currentDir + "/" + subDir;
reqFTP = (FtpWebRequest)FtpWebRequest.Create(currentDir);
reqFTP.Method = WebRequestMethods.Ftp.MakeDirectory;
reqFTP.UseBinary = true;
reqFTP.Credentials = new NetworkCredential(login, password);
FtpWebResponse response = (FtpWebResponse)reqFTP.GetResponse();
ftpStream = response.GetResponseStream();
ftpStream.Close();
response.Close();
}
catch (Exception ex)
{
//directory already exist I know that is weak but there is no way to check if a folder exist on ftp...
}
}
}
このようなもの:
// remoteUri points out an ftp address ("ftp://server/thefoldertocreate")
WebRequest request = WebRequest.Create(remoteUri);
request.Method = WebRequestMethods.Ftp.MakeDirectory;
WebResponse response = request.GetResponse();
(少し遅れます。なんて奇妙なことです。)