从string
中获取唯一值时,我遇到了一些问题。
示例:
string1 = "4,5"
string2 = "7,9"
string3 = "4,7,6,1"
string4 = "1"
在我需要获取所有{em>唯一值作为int
之后。在这种情况下,结果必须为 6 。但是每次字符串的数量可以改变。
这有可能吗?
答案 0 :(得分:3)
使用Split
和Distinct
var input = "1,3,1,2,3,43,23,54,3,4";
var result input.Split(',')
.Distinct();
Console.WriteLine(string.Join(",",result));
输出
1,3,2,43,23,54,4
其他资源
返回一个字符串数组,该数组包含此实例中的子字符串 由指定的字符串或Unicode元素分隔的 字符数组。
从序列中返回不同的元素。
答案 1 :(得分:3)
如果“字符串数可以更改”,我们将它们组织成一个 collection :
List<string> strings = new List<string> {
"4,5",
"7,9",
"4,7,6,1",
"1"
};
然后我们可以纠正一个简单的 Linq :
var uniques = strings
.SelectMany(item => item.Split(',')) // split each item and flatten the result
.Select(item => int.Parse(item))
.Distinct()
.ToArray(); // let's have an array of distinct items: {4, 5, 7, 9, 6, 1}
如果您要获取仅显示一次 的项目:
var uniques = strings
.SelectMany(item => item.Split(',')) // split each item and flatten the result
.Select(item => int.Parse(item))
.GroupBy(item => item)
.Where(item => item.Count() == 1)
.Select(group => group.Key)
.ToArray(); // let's have an array of items which appear once: {5, 9, 6}
答案 2 :(得分:0)
您可以使用StringBuilder
将所有元素转换为整数数组。
获得唯一性/编号,Linq只会出现一次
类似这样的东西:
StringBuilder sb = new StringBuilder();
sb.Append("5,5");
sb.Append(",");
sb.Append("7,9");
sb.Append(",");
sb.Append("4,7,6,1");
sb.Append(",");
sb.Append("1");
string[] arr = sb.ToString().Split(',');
int[] test = Array.ConvertAll(arr, s => int.Parse(s));
var count = test
.GroupBy(e => e)
.Where(e => e.Count() == 1)
.Select(e => e.First()).ToList();
output:
9
4
6
POC:.netFiddler
答案 3 :(得分:0)
单行即可完成工作
string s = "1,3,1,2,3,43,23,54,3,4";
string[] StrArry = s.Split(',');
int[] IntArry = Array.ConvertAll(StrArry, int.Parse).Distinct().ToArray();
输出
1,3,2,43,23,54,4
答案 4 :(得分:0)
他可以尝试一下吗
country
输出: 4 5 7 9 6 1
distinctNumbers = Count = 6
答案 5 :(得分:0)
这是一个比其他更长的一个,但是可能更容易理解它的工作原理。
List<string> str = new List<string> {"1", "3", "1", "2", "3", "43", "23", "54", "3"," "4 };
List<string> foundstr = new List<string> { };
foreach (string check in str)
{
bool found = false;
//going through every single item in the list and checking if it is found in there
for (int i = 0; i < foundstr.Count; i++)
{
//if found then make found(bool) true so we don't put it in the list
if(check == foundstr[i])
{
found = true;
}
}
//checking if the string has been found and if not then add to list
if(found == false)
{
foundstr.Add(check);
}
}
foreach(string strings in foundstr)
{
Console.WriteLine(strings);
}
Console.ReadLine();