web-dev-qa-db-ja.com

c#リストの並べ替え<KeyValuePair <int、string >>

C#では、List<KeyValuePair<int, string>>をリスト内の各文字列の長さで並べ替えます。 Psuedo-Javaでは、これは匿名であり、次のようになります。

  Collections.Sort(someList, new Comparator<KeyValuePair<int, string>>( {
      public int compare(KeyValuePair<int, string> s1, KeyValuePair<int, string> s2)
      {
          return (s1.Value.Length > s2.Value.Length) ? 1 : 0;    //specify my sorting criteria here
      }
    });
  1. 上記の機能を取得するにはどうすればよいですか?
16

C#で同等のことは、ラムダ式とSortメソッドを使用することです。

someList.Sort((x, y) => x.Value.Length.CompareTo(y.Value.Length));

OrderBy拡張メソッドを使用することもできます。コードは少し少なくなりますが、並べ替える代わりにリストのコピーを作成するため、オーバーヘッドが増えます。

someList = someList.OrderBy(x => x.Value.Length).ToList();
34
Guffa

Linq呼び出し OrderBy を使用できます

_list.OrderBy(o => o.Value.Length);
_

@Guffaが指摘した詳細情報 Linq and Deferred Execution については、基本的に必要な場合にのみ実行されます。したがって、この行からすぐにリストを返すには、.ToList()を追加する必要があります。これにより、式を実行してリストを返します。

11
BrunoLM

あなたはこれを使うことができます

using System;
using System.Collections.Generic;

class Program
{
    static int Compare1(KeyValuePair<string, int> a, KeyValuePair<string, int> b)
    {
    return a.Key.CompareTo(b.Key);
    }

    static int Compare2(KeyValuePair<string, int> a, KeyValuePair<string, int> b)
    {
    return a.Value.CompareTo(b.Value);
    }

    static void Main()
    {
    var list = new List<KeyValuePair<string, int>>();
    list.Add(new KeyValuePair<string, int>("Perl", 7));
    list.Add(new KeyValuePair<string, int>("Net", 9));
    list.Add(new KeyValuePair<string, int>("Dot", 8));

    // Use Compare1 as comparison delegate.
    list.Sort(Compare1);

    foreach (var pair in list)
    {
        Console.WriteLine(pair);
    }
    Console.WriteLine();

    // Use Compare2 as comparison delegate.
    list.Sort(Compare2);

    foreach (var pair in list)
    {
        Console.WriteLine(pair);
    }
    }
}
4
user1968030