0

我需要清除扩展名为 .bin 的特定文件的内容。

我该怎么做?

4

4 回答 4

2

要保持文件大小为零,您可以执行以下操作:

System.IO.File.WriteAllText(@"particular.bin", String.Empty);
于 2012-10-22T08:47:30.190 回答
1

它将递归删除 D:\test 目录下所有扩展名为 .bin 的文件。

if (Directory.Exists(@"D:\test"))
{
    string[] files = Directory.GetFiles(@"D:\test", "*.*", SearchOption.AllDirectories);
    foreach (string file in files)
    {
        FileInfo fileInfo = new FileInfo(file);
        if (fileInfo.Name.EndsWith(".bin"))
        {
            File.Delete(file);
        }
    }
}
于 2012-10-22T08:57:12.847 回答
1
using System;
using System.Text;
using System.IO;

namespace ClearContents
{
    public partial class Form1 : Form
    {
        private void btnClear_Click(object sender, EventArgs e)
        {
            //get all the files which has the .bin extension in the specified directory
            string[] files = Directory.GetFiles("D:\\", "*.bin");

            foreach (string f in files)
            {
                File.WriteAllText(f, string.Empty); //clear the contents
            }
        }
    }
}
于 2012-10-22T09:01:49.253 回答
1

这段代码clears是传入的bin文件。'clear'的含义定义为:

将传递文件中的每个字节设置为零并保留现有文件大小

private void SetFileToZero(string inputFile)
{
    // Remove previous backup file
    string tempFile = Path.Combine(Path.GetDirectoryName(inputFile), "saved.bin");
    if(File.Exists(tempFile)) File.Delete(tempFile);

    // Get current length of input file (minus 4 byte)
    FileInfo fi = new FileInfo(inputFile);
    int pos = Convert.ToInt32(fi.Length) - 4;
    string name = fi.FullName;

    // Move the input file to "saved.bin"
    fi.MoveTo(tempFile);

    // Create a zero byte length file with the requested name
    using(FileStream st = File.Create(name))
    {
      // Position the file pointer at a position 4 byte less than the required size
      UTF8Encoding utf8 = new UTF8Encoding();
      BinaryWriter bw = new BinaryWriter(st, utf8);
      bw.Seek(pos, SeekOrigin.Begin);

      // Write the last 4 bytes
      bw.Write(0);
    }
}

操作系统尊重在文件中某个位置写入的请求,即使该位置超出实际长度也是如此。为此,操作系统将文件扩展到请求的长度并用零填充。(这真的很快,延迟几乎不明显)
注意出于安全原因,我制作了文件的备份副本,并且在 MoveTo 之后,不要使用 FileInfo var 中的信息,因为它会更改为引用移动的文件。

于 2012-10-22T09:20:42.310 回答