如何在检查文件是否存在后删除文件

我如何在c#中删除一个文件,例如C:\test.txt,尽管应用类似于批处理文件中的相同类型的方法。

if exist "C:\test.txt"


delete "C:\test.txt"


else


return nothing (ignore)
461929 次浏览

使用文件类,这是非常简单的。

if(File.Exists(@"C:\test.txt"))
{
File.Delete(@"C:\test.txt");
}
人力资源> < p > < 正如克里斯在注释中指出的,你实际上不需要做File.Exists检查,因为如果文件不存在,File.Delete不会抛出异常,尽管如果你使用的是绝对路径,你将需要检查以确保整个文件路径是有效的
if (File.Exists(path))
{
File.Delete(path);
}
if (System.IO.File.Exists(@"C:\test.txt"))
System.IO.File.Delete(@"C:\test.txt"));

System.IO.File.Delete(@"C:\test.txt");

只要文件夹存在,就会这样做。

像这样使用System.IO.File.Delete:

System.IO.File.Delete(@"C:\test.txt")

从文档中可以看到:

如果要删除的文件不存在,则不会抛出异常。

如果你想避免DirectoryNotFoundException,你需要确保文件的目录确实存在。File.Exists实现了这一点。另一种方法是像这样使用PathDirectory实用程序类:

string file = @"C:\subfolder\test.txt";
if (Directory.Exists(Path.GetDirectoryName(file)))
{
File.Delete(file);
}
  if (System.IO.File.Exists(@"C:\Users\Public\DeleteTest\test.txt"))
{
// Use a try block to catch IOExceptions, to
// handle the case of the file already being
// opened by another process.
try
{
System.IO.File.Delete(@"C:\Users\Public\DeleteTest\test.txt");
}
catch (System.IO.IOException e)
{
Console.WriteLine(e.Message);
return;
}
}

如果您正在使用FileStream读取该文件,然后想要删除它,请确保在调用file . delete (path)之前关闭FileStream。我有这个问题。

var filestream = new System.IO.FileStream(@"C:\Test\PutInv.txt", System.IO.FileMode.Open, System.IO.FileAccess.Read, System.IO.FileShare.ReadWrite);
filestream.Close();
File.Delete(@"C:\Test\PutInv.txt");

有时你想删除一个文件,无论情况如何(无论异常发生,请删除该文件)。针对这种情况。

public static void DeleteFile(string path)
{
if (!File.Exists(path))
{
return;
}


bool isDeleted = false;
while (!isDeleted)
{
try
{
File.Delete(path);
isDeleted = true;
}
catch (Exception e)
{
}
Thread.Sleep(50);
}
}

注意:如果指定的文件不存在,则不会抛出异常。

你可以使用以下方法导入System.IO命名空间:

using System.IO;

如果filepath是文件的全路径,可以检查是否存在并删除。

if(File.Exists(filepath))
{
try
{
File.Delete(filepath);
}
catch(Exception ex)
{
//Do something
}
}

这是最简单的方法,

if (System.IO.File.Exists(filePath))
{
System.IO.File.Delete(filePath);
System.Threading.Thread.Sleep(20);
}

Thread.sleep将有助于完美地工作,否则,如果我们正在复制或写入文件,它将影响下一步。

另一种方法是,

if (System.IO.File.Exists(filePath))
{
System.GC.Collect();
System.GC.WaitForPendingFinalizers();
System.IO.File.Delete(filePath);
}
if (File.Exists(Path.Combine(rootFolder, authorsFile)))
{
// If file found, delete it
File.Delete(Path.Combine(rootFolder, authorsFile));
Console.WriteLine("File deleted.");
}

动态

 string FilePath = Server.MapPath(@"~/folder/news/" + IdSelect)
if (System.IO.File.Exists(FilePath + "/" + name+ ".jpg"))
{
System.IO.File.Delete(FilePath + "/" + name+ ".jpg");
}

删除目录下的所有文件

string[] files = Directory.GetFiles(rootFolder);
foreach (string file in files)
{
File.Delete(file);
Console.WriteLine($"{file} is deleted.");
}