排序List根据另一个列表
本文关键字:另一个 列表 int string 排序 List | 更新日期: 2023-09-27 18:15:33
有两个list:
student = new list<string>() {"Bob" , "Alice" , "Roger" , "Oscar"};
Marks = new list<int>() {80,95,70,85};
我想排序学生在最快的风格和预期的输出必须是:
Student = {"Alice","Oscar","Bob","Roger"}
列表方法下是否有与list.sort
或list.orderby
相同的命令来实现目标?
不要使用两个数组
最好的方法是使用类来存储数据对。
public class Student
{
public string Name { get; set; }
public int Mark { get; set; }
}
一旦你有了一个学生对象数组
List<Student> students = new List<Student>();
students.Add(...);
然后您可以将名称与标记
一起排序。var sortedStudents = students.OrderBy(s => s.Mark).ToList();
您可以将Zip函数与元组一起使用。
student.Zip(Marks, (s, n) => new Tuple<string, int>(s,n)).Sort(t => t.Item2).Select(t => t.Item1);
使用Tuple类将名称和分数配对。
using System;
using System.Collections.Generic;
class Program
{
static void Main()
{
List<Tuple<string, int>> list = new List<Tuple<string, int>>();
list.Add(new Tuple<string, int>("Bob",80 ));
list.Add(new Tuple<string, int>("Alice", 95));
list.Add(new Tuple<string, int>("Roger", 70));
list.Add(new Tuple<string, int>("Oscar", 85));
// Use Sort method with Comparison delegate.
// ... Has two parameters; return comparison of Item2 on each.
list.Sort((a, b) => a.Item2.CompareTo(b.Item2));
foreach (var element in list)
{
Console.WriteLine(element);
}
}
}