如何将来自不同数组的两个独立对象转换为一个字符串

本文关键字:对象 独立 两个 转换 一个 字符串 将来 何将来 数组 | 更新日期: 2023-09-27 18:12:25

string[] groups;
int groupCount;
double[] grades;
int gradeCount;

所以groupsgrades在两个独立的数组中,我需要将它们组合成一个 string,并将它们添加到一个新数组中。

string[] test = new string[groupCount];
for (int i = 0; i < groupCount; i++)
{
   test[i] = ("{0}:   {1}", groups[i], Math.Round(grades[i],2));              
   Console.WriteLine("{0}", test[i]);
}

我该怎么做?

如何将来自不同数组的两个独立对象转换为一个字符串

c# 6.0 字符串插值(请注意字符串前的$):

test[i] = $"{groups[i]}:   {Math.Round(grades[i],2)}"; 

另一种可能是Linq(为了将整个集合一次输出到):

string[] groups;
double[] grades;
...
var test = groups
  .Zip(grades, (group, grade) => $"{group}:    {Math.Round(grade, 2)}")
  .ToArray(); // array materialization (if you want just to output you don't need it)
Console.Write(String.Join(Environemnt.NewLine, test)); 

你忘了string.Format()

应该是,

string.Format("{0}:   {1}", groups[i], Math.Round(grades[i], 2));

希望帮助,