我有一个用于存储课程StringBuilder
名称stb_Swap_Tabu
的名称,我正在使用以下方法查找课程:
stb_Swap_Tabu.ToString.Contains("CourseName")
就我而言,性能是最重要的问题。有没有更快的方法?
我有一个用于存储课程StringBuilder
名称stb_Swap_Tabu
的名称,我正在使用以下方法查找课程:
stb_Swap_Tabu.ToString.Contains("CourseName")
就我而言,性能是最重要的问题。有没有更快的方法?
StringBuilder 并非真正用于所有字符串目的。如果你真的需要搜索一个,你必须编写自己的方法。
有几种适合不同情况的字符串搜索算法。
下面是 Knuth–Morris–Pratt 算法的简单实现,它只关心序数匹配(没有大小写折叠,没有文化相关的排序规则,只是一个普通的代码点到代码点的匹配)。它有一些初始Θ(m)
开销,其中m
查找的单词的长度在哪里,然后查找到查找的单词的距离在Θ(n)
哪里n
,或者整个字符串生成器的长度(如果不存在)。这击败了简单的逐字符比较Θ((n-m+1) m)
(O()
符号描述上限,Θ()
同时描述上限和下限)。
综上所述,听起来创建一个列表可能是完成手头任务的更好方法。
public static class StringBuilderSearching
{
public static bool Contains(this StringBuilder haystack, string needle)
{
return haystack.IndexOf(needle) != -1;
}
public static int IndexOf(this StringBuilder haystack, string needle)
{
if(haystack == null || needle == null)
throw new ArgumentNullException();
if(needle.Length == 0)
return 0;//empty strings are everywhere!
if(needle.Length == 1)//can't beat just spinning through for it
{
char c = needle[0];
for(int idx = 0; idx != haystack.Length; ++idx)
if(haystack[idx] == c)
return idx;
return -1;
}
int m = 0;
int i = 0;
int[] T = KMPTable(needle);
while(m + i < haystack.Length)
{
if(needle[i] == haystack[m + i])
{
if(i == needle.Length - 1)
return m == needle.Length ? -1 : m;//match -1 = failure to find conventional in .NET
++i;
}
else
{
m = m + i - T[i];
i = T[i] > -1 ? T[i] : 0;
}
}
return -1;
}
private static int[] KMPTable(string sought)
{
int[] table = new int[sought.Length];
int pos = 2;
int cnd = 0;
table[0] = -1;
table[1] = 0;
while(pos < table.Length)
if(sought[pos - 1] == sought[cnd])
table[pos++] = ++cnd;
else if(cnd > 0)
cnd = table[cnd];
else
table[pos++] = 0;
return table;
}
}
我知道这是一个老问题,但是当我尝试为自己的项目创建解决方案时,它出现在我的搜索结果中。我以为我需要搜索 aStringBuilder.ToString
的方法结果,但后来我意识到我可以只调用StringBuilder
它本身的方法。我的情况可能和你不一样,但我想分享一下:
Private Function valueFormatter(ByVal value As String) As String
' This will correct any formatting to make the value valid for a CSV format
'
' 1) Any value that as a , in it then it must be wrapped in a " i.e. Hello,World -> "Hello,World"
' 2) In order to escape a " in the value add a " i.e. Hello"World -> Hello""World
' 3) if the value has a " in it then it must also be wrapped in a " i.e. "Hello World" -> ""Hello World"" -> """Hello World"""
'
' VB NOTATAION
' " -> """"
' "" -> """"""
If value.Contains(",") Or value.Contains("""") Then
Dim sb As New StringBuilder(value)
If value.Contains("""") Then sb.Replace("""", """""")
sb.Insert(0, """").Append("""")
Return sb.ToString
Else
Return value
End If
End Function