13

我正在为一个班级做一个项目。我要做的就是将解析后的指令导出到文件中。微软有这个例子解释了如何写入文件:

// Compose a string that consists of three lines.
string lines = "First line.\r\nSecond line.\r\nThird line.";

// Write the string to a file.
System.IO.StreamWriter file = new System.IO.StreamWriter("c:\\test.txt");
file.WriteLine(lines);

file.Close();

我对那部分很好,但是有没有办法将文件写入当前项目的环境/位置?我想这样做而不是硬编码特定路径(即"C:\\test.txt")。

4

3 回答 3

25

是的,只需使用相对路径。如果你使用@".\test.txt"(顺便说一句@只是说我正在做一个字符串文字,它消除了对转义字符的需要,所以你也可以这样做".\\test.txt",它会写入同一个地方)它会将文件写入当前工作目录在大多数情况下是包含您的程序的文件夹。

于 2013-10-12T02:06:03.590 回答
11

您可以使用Assembly.GetExecutingAssembly().Location获取主程序集 (.exe) 的路径。请注意,如果该路径位于受保护的文件夹内(例如Program Files),除非用户是管理员,否则您将无法在那里写入 - 不要依赖于此。

这是示例代码:

string path = System.Reflection.Assembly.GetExecutingAssembly().Location;
string fileName = Path.Combine(path, "test.txt");

此问题/答案显示了如何获取您将拥有写入权限的用户个人资料文件夹。或者,您可以使用用户的My Documents文件夹来保存文件 - 再次保证您可以访问它。您可以通过调用获得该路径

Environment.GetFolderPath(Environment.SpecialFolder.MyDocuments)
于 2013-10-12T02:07:10.520 回答
1

如果要获取程序的当前文件夹位置,请使用以下代码:

string path = Directory.GetParent(System.Reflection.Assembly.GetExecutingAssembly().Location).FullName; // return the application.exe current folder
string fileName = Path.Combine(path, "test.txt"); // make the full path as folder/test.text

将数据写入文件的完整代码:

string path = Directory.GetParent(System.Reflection.Assembly.GetExecutingAssembly().Location).FullName;
string fileName = Path.Combine(path, "test.txt");

if (!File.Exists(fileName))
{
    // Create the file.
    using (FileStream fs = File.Create(fileName))
    {
        Byte[] info =
            new UTF8Encoding(true).GetBytes("This is some text in the file.");

        // Add some information to the file.
        fs.Write(info, 0, info.Length);
    }
}
于 2018-04-12T18:01:48.247 回答