无法写入 CSV

Can't write to CSV

这是我第一次使用 csv 和 c#。

这是代码,它的 运行 和创建 csv,但它不写任何东西。

代码:

using System;
using System.Collections.Generic;
using System.ComponentModel;
using System.Data;
using System.Drawing;
using System.Linq;
using System.Text;
using System.Threading.Tasks;
using System.Windows.Forms;
using System.IO;

namespace csv
{
    public partial class Form1 : Form
    {
        public Form1()
        {
            InitializeComponent();
        }
        TextWriter sw = new StreamWriter("C:\Data.csv");
        string Var1 = "5";
        string Var2 = "325,22";
        private void button1_Click(object sender, EventArgs e)
        {
            sw.WriteLine("{0}","{2}", Var1,Var2);
        }
    }

它确实写入了,但是您在不关闭程序的情况下进行检查。

流不会立即刷新,它们会被缓存,这取决于您写入了多少个字符,但当然如果您调用 Flush() 或 Close() 它将刷新所有内容。

所以 Close() 你的 Stream,更好的是,用

包围代码
using (var sw = new StreamWriter("C:\Data.csv"))
{
    //your code
}

File class 中有一些方法可以简化您的操作。

您可以调用 AppendAllText,它会根据需要创建文件,或者直接添加到文件中。

File.AppendAllText(@"C:\Data.csv", string.Format("{0}{1}\r\n", Var1, Var2));

现在您不需要创建 TextWriter,因此您可以删除那几行。

(如果你想坚持使用 TextWriter,那么 Gusman 的答案就是你所需要的——不要让流打开的时间超过你需要的时间。)