[转载]C#如何清除字符串数组中的重复项

2025-01-01 08:06:29
推荐回答(1个)
回答1:

清除字符串数组中的重复项,两种调用方式,第一种为原型,第二种为扩展方法,可以不用限定数组长度
第一种(原型):
///
///
清除字符串数组中的重复项
///
///
字符串数组
///
字符串数组中单个元素的最大长度
///
public
static
string[]
DistinctStringArray(string[]
strArray,
int
maxElementLength)
{
Hashtable
h
=
new
Hashtable();
foreach
(string
s
in
strArray)
{
string
k
=
s;
if
(maxElementLength
>
0
&&
k.Length
>
maxElementLength)
{
k
=
k.Substring(0,
maxElementLength);
}
h[k.Trim()]
=
s;
}
string[]
result
=
new
string[h.Count];
h.Keys.CopyTo(result,
0);
return
result;
}
第二种(扩展):
///
///
清除字符串数组中的重复项
///
///
字符串数组
///
public
static
string[]
DistinctStringArray(string[]
strArray)
{
return
DistinctStringArray(strArray,
0);
}
调用方法和测试:
string[]
abc
=
{
"a",
"b",
"c",
"b",
"d"
};
string[]
ccc
=
ExfSoft.Common.Utils.DistinctStringArray(abc);
Response.Write(string.Join(",",
ccc));
//输入结果为:a,b,c,d
这样就过滤掉b重复项
实现原理:1、循环数组里的每项2、判断是否是要限定字符串的长度(0-不限制)3、增加Hashtable项,key和值都是当前循环得到的数组的值,两个相当的。