我是编码主题的新手,想更详细地了解它。我在 MSDN 上找到了这个关于创建文件夹和文件的示例。文件的创建是通过使用 WriteByte 方法完成的。 http://msdn.microsoft.com/en-us/library/as2f1fez.aspx
为方便起见,我将代码直接放在下面:
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
namespace CreateFolderFile
{
class Program
{
static void Main(string[] args)
{
// Specify a "currently active folder"
string activeDir = @"c:\testdir2";
//Create a new subfolder under the current active folder
string newPath = System.IO.Path.Combine(activeDir, "mySubDir");
// Create the subfolder
System.IO.Directory.CreateDirectory(newPath);
// Create a new file name. This example generates
// a random string.
string newFileName = System.IO.Path.GetRandomFileName();
// Combine the new file name with the path
newPath = System.IO.Path.Combine(newPath, newFileName);
// Create the file and write to it.
// DANGER: System.IO.File.Create will overwrite the file
// if it already exists. This can occur even with
// random file names.
if (!System.IO.File.Exists(newPath))
{
using (System.IO.FileStream fs = System.IO.File.Create(newPath))
{
for (byte i = 0; i < 100; i++)
{
fs.WriteByte(i);
}
}
}
// Read data back from the file to prove
// that the previous code worked.
try
{
byte[] readBuffer = System.IO.File.ReadAllBytes(newPath);
foreach (byte b in readBuffer)
{
Console.WriteLine(b);
}
}
catch (System.IO.IOException e)
{
Console.WriteLine(e.Message);
}
// Keep the console window open in debug mode.
System.Console.WriteLine("Press any key to exit.");
System.Console.ReadKey();
}
}
}
我还发现了 Joel Spolsky 关于这个主题的一篇有趣的文章:
每个软件开发人员绝对、绝对必须了解 Unicode 和字符集的绝对最低要求(没有任何借口!) http://www.joelonsoftware.com/printerFriendly/articles/Unicode.html
我的问题:WriteByte 方法使用什么编码?从我做的阅读来看,无论你使用什么,真的可以准确地确定文件的编码吗?(例如:发送给您的 csv 文件并使用 Notepad++ 确定编码)。
想法?