将字符串拆分为一组分组数组

问题描述 投票:2回答:1

假设我有两个字符串:

Hello,C#,Black,March
World,Java,White,April

我想拆分它们并将它们组合成一个数组(也许是二维数组)。例如。

 { "Hello", "World"}
 { "C#", "Java"}
 { "Black", "White"}
 { "March", "April" }

我的尝试:

string[] arr1 = str1.Split(',').Select(s => s.Trim()).ToArray();
string[] arr2 = str2.Split(',').Select(s => s.Trim()).ToArray();

if (arr1.Length == arr2.Length)
{
   string[,] groupedValue = new string[arr1.Count(), arr2.Count()];
   //groupedValue[0, 0] = ...
}
c# arrays multidimensional-array
1个回答
10
投票

Linq Zip的用法在这里有意义:

string str1 = "Hello,C#,Black,March";
string str2 = "World,Java,White,April";

string[][] result = str1.Split(',')
                        .Zip(
                            str2.Split(','),
                            (s1, s2) => new string[] { s1, s2 }
                         )
                        .ToArray();

Zip()迭代Split()的两个结果数组,并为每个索引创建一个包含当前索引的两个项目的新数组(s1, s2) => new string[] { s1, s2 }

© www.soinside.com 2019 - 2024. All rights reserved.