目前我正在从我指定的目录(sourceDirectory)中获取多个.txt文件。我正在生成与.txt文件同名的新.csv文件 - 每个.txt文件一个.csv文件。
但是我想在我指定的另一个目录(directoryPath)中生成这些新文件。如果我在初始目录中创建这些文件后运行我的程序,但是如果我再次运行我的程序,它现在会在目标目录中生成文件。
以下是我完成上述操作的代码:
static void Main(string[] args)
{
string sourceDirectory = @"C:directoryWhereTXTFilesAre";
var txtFiles = Directory.EnumerateFiles(sourceDirectory, "*.txt", SearchOption.AllDirectories);
foreach (string currentFile in txtFiles)
{
readFile(currentFile);
}
string directoryPath = @"C:\destinationForCSVFiles";
}
然后我根据原始.txt文件创建新的.csv文件名,如下所示:
static FileStream CreateFileWithUniqueName(string folder, string fileName, int maxAttempts = 1024)
{
var fileBase = Path.GetFileNameWithoutExtension(fileName);
var ext = Path.GetExtension(fileName);
// build hash set of filenames for performance
var files = new HashSet<string> (Directory.GetFiles(folder));
for (var index = 0; index < maxAttempts; index++)
{
// first try with the original filename, else try incrementally adding an index
var name = (index == 0)
? fileName
: String.Format("{0} ({1}){2}", fileBase, index, ext);
// check if exists
var fullPath = Path.Combine(folder, name);
string CSVfileName = Path.ChangeExtension(fullPath, ".csv");
if (files.Contains(CSVfileName))
continue;
// try to create the file
try
{
return new FileStream(CSVfileName, FileMode.CreateNew, FileAccess.Write);
}
catch (DirectoryNotFoundException) { throw; }
catch (DriveNotFoundException) { throw; }
catch (IOException)
{
}
}
我不明白为什么它最初会在.txt文件所在的目录中创建.csv文件,然后第二次运行我的代码时会在directoryPath中创建它们。
所需的输出:sourceDirectory只保留.txt文件,而directoryPath保存.csv文件。
我调用CreateFileWithUniqueName的唯一其他地方是在我的readFile方法中,代码如下:
using (var stream = CreateFileWithUniqueName(@"C:destinationFilePath", currentFile))
{
Console.WriteLine("Created \"" + stream.Name + "\"");
newFileName = stream.Name;
Globals.CleanedFileName = newFileName;
}
答案 0 :(得分:1)
您似乎正在传递源文件的完整文件名。这会混淆CreateFileWithUniqueFilename中的Path.Combine,因为你在Path.Combine
的文档中找到了这些微妙的评论。路径应该是要组合的路径部分的数组。如果 后续路径之一是绝对路径,然后是组合 操作从该绝对路径开始重置,丢弃所有 以前的组合路径。
您可以使用
轻松修复它 using (var stream = CreateFileWithUniqueName(@"C:\destinationFilePath",
Path.GetFileName(currentFile)))
{
Console.WriteLine("Created \"" + stream.Name + "\"");
newFileName = stream.Name;
Globals.CleanedFileName = newFileName;
}
或者更好地在CreateFileWithUniqueName
中提取没有路径的文件名static FileStream CreateFileWithUniqueName(string folder, string fileName, int maxAttempts = 1024)
{
var fileBase = Path.GetFileName(fileName);
fileBase = Path.GetFileNameWithoutExtension(fileBase);
var ext = Path.GetExtension(fileBase);
另外,您应该使用已清理的文件名
构建CSVfileName var name = (index == 0)
? String.Format("{0}{1}", fileBase, ext);
: String.Format("{0} ({1}){2}", fileBase, index, ext);
var fullPath = Path.Combine(folder, name);
string CSVfileName = Path.ChangeExtension(fullPath, ".csv");
if (files.Contains(CSVfileName))
continue;