我有这个方法:
private List<string> offline(string targetDirectory)
{
if (targetDirectory.Contains("http://"))
{
MessageBox.Show("true");
}
DirectoryInfo di = new DirectoryInfo(targetDirectory);
List<string> directories = new List<string>();
try
{
string[] dirs = Directory.GetDirectories(targetDirectory,"*.*",SearchOption.TopDirectoryOnly);
for (int i = 0; i < dirs.Length; i++)
{
string t = "http://" + dirs[i];
directories.Add(t);
}
}
catch
{
MessageBox.Show("hgjghj");
}
return directories;
}
这是部分:
if (targetDirectory.Contains("http://"))
{
MessageBox.Show("true");
}
我找到了一个目录,它给了我这个目录中的所有目录,并且我在每个目录中添加了字符串"http://"
。
问题是当下一次目录到达函数时"http://"
例如:http://c:\\
或http://c:\\windows
然后是
行 DirectoryInfo di = new DirectoryInfo(targetDirectory); // throws exception.
所以我希望每次目录到达函数时检查它是否以"http://"
开头,剥离"http://"
部分,获取所有目录,然后添加到每个目录目录"http://"
就像现在一样。
如何删除"http://"
?
答案 0 :(得分:21)
我会比使用Contains
更严格 - 我会使用StartsWith
,然后使用Substring
:
if (targetDirectory.StartsWith("http://"))
{
targetDirectory = targetDirectory.Substring("http://".Length);
}
或者用辅助方法包装它:
public static string StripPrefix(string text, string prefix)
{
return text.StartsWith(prefix) ? text.Substring(prefix.Length) : text;
}
我不清楚为什么你要把http://
作为前缀,但说实话。我看不出你希望以http://
为前缀的目录名是一个有效的URL。也许如果你能解释你为什么这样做,我们可以建议一个更好的方法。
(另外,我真的希望你的实际代码中没有像这样的try / catch块,通常你遵循.NET命名约定。)
答案 1 :(得分:7)
问题是如何删除http://?
您可以使用string.Replace,并将字符串替换为空字符串。
targetDirectory = targetDirectory.Replace("http://","");
或
targetDirectory = targetDirectory.Replace("http://",string.Empty);
两者都相同
答案 2 :(得分:2)
试试这个:
if(example.StartsWith("http://"))
{
example.substring(7);
}
答案 3 :(得分:1)
您始终可以使用String.Replace删除/替换字符串中的字符。 例如:
targetDirectory = targetDirectory.Replace("http://", string.Empty);
你可以通过
检查字符串是否以Http://开头if(targetDirectory.StartsWith("http://"))
答案 4 :(得分:1)
您可以在string.Replace
if (targetDirectory.Contains("http://"))
{
targetDirectory = targetDirectory.Replace("http://",string.Empty);
}