读取和写入文件的最简单方法


341

读写文件有很多不同的方法(文本文件在C#,而不是二进制文件)。

我只需要一些简单且使用最少代码的东西,因为我将在项目中处理很多文件。我只需要一些东西,string因为我所需要的只是读写string

Answers:


543

使用File.ReadAllTextFile.WriteAllText

这再简单不过了...

MSDN示例:

// Create a file to write to.
string createText = "Hello and Welcome" + Environment.NewLine;
File.WriteAllText(path, createText);

// Open the file to read from.
string readText = File.ReadAllText(path);

2
确实很简单,但是为什么要发布这个问题呢?OP可能像我本人和17个支持者一样,沿着的线向“错误”方向看string.Write(filename)。为什么Microsoft的解决方案比我的解决方案更简单/更好?
罗兰

7
@Roland,在.net中,文件处理由框架提供,而不是语言提供(例如,没有C#关键字来声明和处理文件)。字符串是一个更常见的概念,它非常普遍,因此它是C#的一部分。因此,文件知道字符串是很自然的,但并非相反。
vc 74

Xml也是C#中数据类型的通用概念,在这里我们可以找到例如XmlDocument.Save(filename)。但是当然不同之处在于,通常一个Xml对象对应一个文件,而几个字符串形成一个文件。
罗兰

7
@Roland如果需要支持"foo".Write(fileName),可以轻松创建扩展名,并public static Write(this string value, string fileName) { File.WriteAllText(fileName, value);}在项目中使用它。
阿列克谢·列文科夫

1
还有File.WriteAllLines(filename,string [])
米奇·

162

此外File.ReadAllTextFile.ReadAllLinesFile.WriteAllText(距离和类似佣工File所示类),另一种答案,你可以使用StreamWriter/StreamReader班。

编写文本文件:

using(StreamWriter writetext = new StreamWriter("write.txt"))
{
    writetext.WriteLine("writing in text file");
}

读取文本文件:

using(StreamReader readtext = new StreamReader("readme.txt"))
{
   string readText = readtext.ReadLine();
}

笔记:

  • 您可以使用 readtext.Dispose()代替using,但是在出现异常的情况下它不会关闭文件/读取器/写入器
  • 请注意,相对路径是相对于当前工作目录的。您可能要使用/构造绝对路径。
  • 缺少using/ Close是“为什么不将数据写入文件”的常见原因。

3
务必请对using您的流如图对方的回答- stackoverflow.com/a/7571213/477420
阿列克谢Levenkov

5
需要using System.IO;使用StreamWriterStreamReader

1
还应注意,如果文件不存在,则StreamWriter在尝试写入Line时将创建该文件。在这种情况下,如果Write.txt在调用WriteLine时不存在,则将创建它。
TheMiddleMan

3
还值得注意的是,将文本追加到文件new StreamWriter("write.txt", true)会产生重载:如果不存在不存在的文件,则会创建一个文件,否则会追加到现有文件。
ArieKanarie

另外值得注意的是,如果您将流读取器和流写入器与FileStream结合使用(传递它而不是文件名),则可以只读模式和/或共享模式打开文件。
Simon Zyx '17

18
FileStream fs = new FileStream(txtSourcePath.Text,FileMode.Open, FileAccess.Read);
using(StreamReader sr = new StreamReader(fs))
{
   using (StreamWriter sw = new StreamWriter(Destination))
   {
            sw.writeline("Your text");
    }
}

1
你为什么最后不放弃fs
LuckyLikey 2015年

1
@LuckyLikey,因为StreamReader为您做到了。但是,第二次使用的嵌套不是必需的
Novaterata

你可以解释吗?为什么StreamReader应该配置fs?据我所知,它只能处置sr。我们这里需要第三条using语句吗?
Philm

您永远不会在using语句中处理对象,当返回语句时,将自动调用Dispose方法,并且无论语句是否嵌套都无所谓,最后,所有内容都在调用堆栈中排序。
帕特里克·福斯伯格

11
using (var file = File.Create("pricequote.txt"))
{
    ...........                        
}

using (var file = File.OpenRead("pricequote.txt"))
{
    ..........
}

操作简单,简单,并且在完成处理后还可以处置/清理对象。


10

从文件读取并写入文件的最简单方法:

//Read from a file
string something = File.ReadAllText("C:\\Rfile.txt");

//Write to a file
using (StreamWriter writer = new StreamWriter("Wfile.txt"))
{
    writer.WriteLine(something);
}

5
为什么不File.WriteAllText写作呢?
彼得·莫滕森

9

@AlexeiLevenkov向我指出了另一种“最简单的方法”,即扩展方法。它只需要一点编码,然后提供绝对最简单的读/写方式,此外,它还提供了根据您的个人需求创建变体的灵活性。这是一个完整的示例:

这定义了string类型的扩展方法。请注意,唯一真正重要的是带有extra关键字的function参数,该参数this使它引用该方法所附加的对象。类名无关紧要;必须声明类和方法static

using System.IO;//File, Directory, Path

namespace Lib
{
    /// <summary>
    /// Handy string methods
    /// </summary>
    public static class Strings
    {
        /// <summary>
        /// Extension method to write the string Str to a file
        /// </summary>
        /// <param name="Str"></param>
        /// <param name="Filename"></param>
        public static void WriteToFile(this string Str, string Filename)
        {
            File.WriteAllText(Filename, Str);
            return;
        }

        // of course you could add other useful string methods...
    }//end class
}//end ns

这是使用方法string extension method,请注意,它会自动引用class Strings

using Lib;//(extension) method(s) for string
namespace ConsoleApp_Sandbox
{
    class Program
    {
        static void Main(string[] args)
        {
            "Hello World!".WriteToFile(@"c:\temp\helloworld.txt");
            return;
        }

    }//end class
}//end ns

我自己永远不会找到这个,但是它很好用,所以我想分享一下。玩得开心!


7

这些是写入文件和从文件读取的最佳和最常用的方法:

using System.IO;

File.AppendAllText(sFilePathAndName, sTextToWrite);//add text to existing file
File.WriteAllText(sFilePathAndName, sTextToWrite);//will overwrite the text in the existing file. If the file doesn't exist, it will create it. 
File.ReadAllText(sFilePathAndName);

我上大学时曾教过的旧方法是使用流读取器/流写入器,但是File I / O方法比较笨拙,并且需要更少的代码行。您可以输入“文件”。在您的IDE中(确保您包括System.IO import语句)并查看所有可用方法。下面是使用Windows Forms App从文本文件(.txt。)读取字符串或从其中写入字符串的示例方法。

将文本追加到现有文件:

private void AppendTextToExistingFile_Click(object sender, EventArgs e)
{
    string sTextToAppend = txtMainUserInput.Text;
    //first, check to make sure that the user entered something in the text box.
    if (sTextToAppend == "" || sTextToAppend == null)
    {MessageBox.Show("You did not enter any text. Please try again");}
    else
    {
        string sFilePathAndName = getFileNameFromUser();// opens the file dailog; user selects a file (.txt filter) and the method returns a path\filename.txt as string.
        if (sFilePathAndName == "" || sFilePathAndName == null)
        {
            //MessageBox.Show("You cancalled"); //DO NOTHING
        }
        else 
        {
            sTextToAppend = ("\r\n" + sTextToAppend);//create a new line for the new text
            File.AppendAllText(sFilePathAndName, sTextToAppend);
            string sFileNameOnly = sFilePathAndName.Substring(sFilePathAndName.LastIndexOf('\\') + 1);
            MessageBox.Show("Your new text has been appended to " + sFileNameOnly);
        }//end nested if/else
    }//end if/else

}//end method AppendTextToExistingFile_Click

通过文件资源管理器/打开文件对话框从用户获取文件名(您将需要使用它来选择现有文件)。

private string getFileNameFromUser()//returns file path\name
{
    string sFileNameAndPath = "";
    OpenFileDialog fd = new OpenFileDialog();
    fd.Title = "Select file";
    fd.Filter = "TXT files|*.txt";
    fd.InitialDirectory = Environment.CurrentDirectory;
    if (fd.ShowDialog() == DialogResult.OK)
    {
        sFileNameAndPath = (fd.FileName.ToString());
    }
    return sFileNameAndPath;
}//end method getFileNameFromUser

从现有文件获取文本:

private void btnGetTextFromExistingFile_Click(object sender, EventArgs e)
{
    string sFileNameAndPath = getFileNameFromUser();
    txtMainUserInput.Text = File.ReadAllText(sFileNameAndPath); //display the text
}

5

或者,如果您确实是关于行的:

System.IO.File还包含一个静态方法WriteAllLines,因此您可以执行以下操作:

IList<string> myLines = new List<string>()
{
    "line1",
    "line2",
    "line3",
};

File.WriteAllLines("./foo", myLines);

5

读取时最好使用OpenFileDialog控件浏览到要读取的任何文件。查找下面的代码:

不要忘记添加以下using语句来读取文件:using System.IO;

private void button1_Click(object sender, EventArgs e)
{
    if (openFileDialog1.ShowDialog() == DialogResult.OK)
    {
         textBox1.Text = File.ReadAllText(openFileDialog1.FileName);  
    }
}

要写入文件,可以使用方法File.WriteAllText


2
     class Program
    { 
         public static void Main()
        { 
            //To write in a txt file
             File.WriteAllText("C:\\Users\\HP\\Desktop\\c#file.txt", "Hello and Welcome");

           //To Read from a txt file & print on console
             string  copyTxt = File.ReadAllText("C:\\Users\\HP\\Desktop\\c#file.txt");
             Console.Out.WriteLine("{0}",copyTxt);
        }      
    }

1

您正在寻找的FileStreamWriterStreamReader班级。


6
非常无益的答案。这意味着OP必须立即搜索这些术语,以期找到答案。最好的答案是一个例子。
tno2007年

0
private void Form1_Load(object sender, EventArgs e)
    {
        //Write a file
        string text = "The text inside the file.";
        System.IO.File.WriteAllText("file_name.txt", text);

        //Read a file
        string read = System.IO.File.ReadAllText("file_name.txt");
        MessageBox.Show(read); //Display text in the file
    }
By using our site, you acknowledge that you have read and understand our Cookie Policy and Privacy Policy.
Licensed under cc by-sa 3.0 with attribution required.