최근에는 여러 위치에서 여러 MP3를 저장소로 옮겼습니다. ID3 태그 (TankLib-Sharp! 덕분에)를 사용하여 새 파일 이름을 구성하고 있었고 다음과 같은 결과가 나타났습니다 System.NotSupportedException
.
"주어진 경로 형식이 지원되지 않습니다."
File.Copy()
또는 중 하나에 의해 생성되었습니다 Directory.CreateDirectory()
.
내 파일 이름을 삭제해야한다는 것을 깨닫는 데 오래 걸리지 않았습니다. 그래서 나는 명백한 일을했다.
public static string SanitizePath_(string path, char replaceChar)
{
string dir = Path.GetDirectoryName(path);
foreach (char c in Path.GetInvalidPathChars())
dir = dir.Replace(c, replaceChar);
string name = Path.GetFileName(path);
foreach (char c in Path.GetInvalidFileNameChars())
name = name.Replace(c, replaceChar);
return dir + name;
}
놀랍게도 계속 예외가 발생했습니다. Path.GetInvalidPathChars()
경로 루트에서 유효하기 때문에 ':'은 세트에 없습니다 . 나는 그것이 의미가 있다고 생각하지만, 이것은 매우 일반적인 문제 여야합니다. 누구나 경로를 위생 처리하는 짧은 코드가 있습니까? 내가 가장 철저하게 생각해 보았지만 아마도 과잉 인 것 같습니다.
// replaces invalid characters with replaceChar
public static string SanitizePath(string path, char replaceChar)
{
// construct a list of characters that can't show up in filenames.
// need to do this because ":" is not in InvalidPathChars
if (_BadChars == null)
{
_BadChars = new List<char>(Path.GetInvalidFileNameChars());
_BadChars.AddRange(Path.GetInvalidPathChars());
_BadChars = Utility.GetUnique<char>(_BadChars);
}
// remove root
string root = Path.GetPathRoot(path);
path = path.Remove(0, root.Length);
// split on the directory separator character. Need to do this
// because the separator is not valid in a filename.
List<string> parts = new List<string>(path.Split(new char[]{Path.DirectorySeparatorChar}));
// check each part to make sure it is valid.
for (int i = 0; i < parts.Count; i++)
{
string part = parts[i];
foreach (char c in _BadChars)
{
part = part.Replace(c, replaceChar);
}
parts[i] = part;
}
return root + Utility.Join(parts, Path.DirectorySeparatorChar.ToString());
}
이 기능을 더 빠르고 덜 바로크하게 만들기위한 개선 사항은 대단히 감사하겠습니다.