Операции с файлами и папками - Операции с файлами

искусственный интеллект

Класс, управляющий папкой: Directory, пространство имен, на которое нужно сослаться: using System.IO;

пример:

class Program

    {

        static void Main(string[] args)

        {

            String str=@"D:\temp";

Directory.CreateDirectory(str);//Создаем папку

If (Directory.Exists(str))//Определяем, существует ли он

            {

Console.WriteLine("Временная папка существует");

            }

Directory.Delete(str);//Удалить папку

        }

}

Получить все файлы в папке:

static void Main(string[] args)

        {

string[] files = Directory.GetFiles("D:\\360DriverMaster\\Driver Backup Directory");

Foreach (строковый файл в файлах)//Удалить путь к файлу

            {

                int idx = file.LastIndexOf(@"\");

                string temp = file.Substring(idx + 1, file.Length - idx - 1);

                Console.WriteLine(temp);

            }

Foreach (строковый файл в файлах)//Показать путь к файлу

            {

                Console.WriteLine(file);

            }

        }

Использование информации о файле Класс для получения информации о файле:

string[] files = Directory.GetFiles("D:\\главный каталог диска 360\\каталог резервного копирования диска");

Foreach (строковый файл в файлах)//Удалить путь к файлу

            {

                FileInfo info = new FileInfo(file);

                string tmp = info.Name;

                Console.WriteLine(tmp+"  "+info.Length/1024);

            }

Получить имена подкаталогов в папке:

string[] dirs = Directory.GetDirectories("D:\\Главный каталог драйверов 360");

            foreach (string dir in dirs)

            {

                Console.WriteLine(dir);

            }

Файл класс файла.

Создайте файл с помощью: File.Create(@"D:\ite.txt");

Скопируйте файлы: File.Copy(@"D:\ite.txt", @"E:\aa.txt");

Удалить файл: Файл.Удалить;

Файл клипа: File.More;

Определить, существует ли файл: File.Exists;

Создайте файл и наполните его содержимым:

   FileStream fs = new FileStream(@"D:\ite.txt", FileMode.OpenOrCreate);

   StreamWriter writer = new StreamWriter(fs);

   writer.WriteLine("uhuirhiuheriuhiuerhiu");

   writer.Close();

   fs.Close();

Прочтите содержимое файла:

FileStream fs = new FileStream(@"D:\ite.txt", FileMode.OpenOrCreate);

StreamReader reader = new StreamReader(fs);

string line = "";

while ((line = reader.ReadLine()) != null)

{

Console.WriteLine(line);

}

reader.Close();

fs.Close();

Операции записи в бинарные файлы:

FileStream fs = new FileStream(@"D:\it.txt", FileMode.OpenOrCreate|FileMode.Append);//Открыть для создания или добавления

            BinaryWriter writer = new BinaryWriter(fs);

            writer.Write("asgdiufhdsaiuhfoiuahss");

            writer.Close();

            fs.Close();

Операции чтения над бинарными файлами:

FileStream fs = new FileStream(@"D:\it.txt", FileMode.OpenOrCreate|FileMode.Append);//Открыть для создания или добавления

            BinaryReader reader = new BinaryReader(fs);

            char[] bt = new char[fs.Length];

            reader.Read(bt, 0, (int)fs.Length);

            string aa = new string(bt);

            Console.WriteLine(aa);

            reader.Close();

            fs.Close();

 

 

 

Пример: Многопоточное удаление файлов и папок (полезно для большого количества файлов и папок)

using System;

uploading.4e448015.gifНе удалось передатьперезагрузитьОтменаusing System.Collections.Generic;

using System.ComponentModel;

using System.Data;

using System.Drawing;

using System.Linq;

using System.Text;

using System.Windows.Forms;

using System.IO;

using System.Threading;

namespace DeleteDir

{

    public partial class Form1 : Form

    {

        public Form1()

        {

            InitializeComponent();

        }

        /// <summary>

/// Кнопка выбора, чтобы выбрать папку для удаления

        /// </summary>

        /// <param name="sender"></param>

        /// <param name="e"></param>

        private void btnSelect_Click(object sender, EventArgs e)

        {

FolderBrowserDialog fbdDialog = new FolderBrowserDialog();//Создать объект FolderBrowserDialog

            if (fbdDialog.ShowDialog() == DialogResult.OK)

            {

                txtPath.Text = fbdDialog.SelectedPath;

            }

        }

        private void btnDel_Click(object sender, EventArgs e)

        {

            DirectoryInfo dirInfo = new DirectoryInfo(txtPath.Text.Trim());

DirectoryInfo[] dirAtt = dirInfo.GetDirectories();//Получить все папки в папке

            int dirAttLength = dirAtt.Length;

            for (int i = 0; i < dirAttLength; i++)

            {

                Thread[] that = new Thread[dirAttLength];

                DirDelete dt = new DirDelete();

                dt.DicInfo = dirAtt[i];

                that[i] = new Thread(dt.Delete);

                that[i].Name = "th" + i;

                that[i].IsBackground = true;

                that[i].Start();

            }

            if (dirAtt.Length == 0)

            {

                DirDelete dt = new DirDelete();

                dt.DicInfo = dirInfo;

                Thread that = new Thread(dt.Delete);

                that.IsBackground = true;

                that.Start();

            }

        }

    }

    public class DirDelete {

        public DirectoryInfo DicInfo { get; set; }

        public void Delete()

        {

            DeleteFileAndDirectory(DicInfo);

        }

        private void DeleteFileAndDirectory(DirectoryInfo info)

        {

            if (info.Exists == false){return;}

            DirectoryInfo[] childDir=info.GetDirectories();

            foreach (DirectoryInfo newInfo in childDir)

            {

                DeleteFileAndDirectory(newInfo);

            }

            foreach (FileInfo file in info.GetFiles())

            {

                if (file.Exists)

                {

file.Attributes = FileAttributes.Normal;//Предотвратить защиту файла и невозможность его удаления

                    file.Delete();

                }

            }

            if (info.Exists)

            {

                info.Attributes = FileAttributes.Normal;

                info.Delete();

            }

        }

    }

}