C ++ std :: pair의 C # 아날로그 란 무엇입니까?


284

관심이 있습니다 : std::pairC ++에서 C #의 아날로그는 무엇입니까 ? System.Web.UI.Pair수업을 찾았 지만 템플릿 기반의 것을 선호합니다.

감사합니다!


11
얼마 전 같은 요청이 있었지만 더 많이 생각할수록 일반적인 "First"및 "Second"대신 명시 적 클래스 유형 및 필드를 사용하여 자체 페어링 클래스를 롤링하고 싶을 수 있습니다. 코드를 더 읽기 쉽게 만듭니다. 페어링 클래스는 4 줄에 불과하므로 일반 Pair <T, U> 클래스를 재사용하여 많은 비용을 절약 할 수 없으며 코드를 더 읽기 쉽게 할 수 있습니다.
Mark Lakata

답변:


325

튜플 은 .NET4.0부터 사용할 수 있으며 제네릭을 지원합니다.

Tuple<string, int> t = new Tuple<string, int>("Hello", 4);

이전 버전에서는 System.Collections.Generic.KeyValuePair<K, V>다음과 같은 솔루션을 사용할 수 있습니다 .

public class Pair<T, U> {
    public Pair() {
    }

    public Pair(T first, U second) {
        this.First = first;
        this.Second = second;
    }

    public T First { get; set; }
    public U Second { get; set; }
};

그리고 이것을 다음과 같이 사용하십시오 :

Pair<String, int> pair = new Pair<String, int>("test", 2);
Console.WriteLine(pair.First);
Console.WriteLine(pair.Second);

출력 :

test
2

또는이 체인 쌍조차도 :

Pair<Pair<String, int>, bool> pair = new Pair<Pair<String, int>, bool>();
pair.First = new Pair<String, int>();
pair.First.First = "test";
pair.First.Second = 12;
pair.Second = true;

Console.WriteLine(pair.First.First);
Console.WriteLine(pair.First.Second);
Console.WriteLine(pair.Second);

출력 :

test
12
true

A는 방법 같음 추가하는 방법에 대한 내 게시물을 참조
앤드류 스타 인

Tuple <>이 이제 더 나은 솔루션입니다.
dkantowitz

6
제네릭 클래스에 속하는 형식 매개 변수는 개체 생성 식 (생성자 호출)에서 유추 할 수 없으므로 BCL의 작성자는이라는 제네릭이 아닌 도우미 클래스를 만들었습니다 Tuple. 따라서 Tuple.Create("Hello", 4)어느 것이보다 쉽다고 말할 수 있습니다 new Tuple<string, int>("Hello", 4). (그런데, .NET4.0는 2010 년부터 이미 여기에)
Jeppe의 Stig 닐슨

4
당신이 Tuple<>견고 Equals하고 GetHashCode가치있는 의미론을 구현 한다는 점을 명심하십시오. 자신의 튜플을 구현할 때 명심하십시오.
nawfal

이것은 Equals와 GetHashCode로 인해 분명히 깨졌습니다.
julx

90

System.Web.UIPairASP.NET 1.1에서 내부 ViewState 구조로 많이 사용 되었기 때문에 클래스가 포함 되었습니다.

2017 년 8 월 업데이트 : C # 7.0 / .NET Framework 4.7은 System.ValueTuple구조체를 사용하여 명명 된 항목으로 튜플을 선언하는 구문을 제공합니다 .

//explicit Item typing
(string Message, int SomeNumber) t = ("Hello", 4);
//or using implicit typing 
var t = (Message:"Hello", SomeNumber:4);

Console.WriteLine("{0} {1}", t.Message, t.SomeNumber);

구문 예제는 MSDN 을 참조하십시오 .

2012 년 6 월 업데이트 : Tuples 버전 4.0 이후 .NET에 포함되었습니다.

다음은 .NET4.0에 포함 된 내용 과 제네릭 지원에 대해 설명하는 이전 기사입니다 .

Tuple<string, int> t = new Tuple<string, int>("Hello", 4);

2
튜플은 읽기 전용입니다. 즉, 당신은 이것을 할 수 없습니다 :tuple.Item1 = 4;
skybluecodeflier

2
튜플은 내가 찾던 것입니다. 감사.
gligoran

38

불행히도, 아무도 없습니다. System.Collections.Generic.KeyValuePair<K, V>많은 상황에서 사용할 수 있습니다 .

또는 익명 형식을 사용하여 최소한 로컬로 튜플을 처리 할 수 ​​있습니다.

var x = new { First = "x", Second = 42 };

마지막 대안은 자체 클래스를 만드는 것입니다.


2
명확하게 말하면 익명 유형도 읽기 전용 -msdn 입니다.
bsegraves


11

일부 답변은 잘못 된 것 같습니다.

  1. 쌍 (a, b)와 (a, c)를 저장하는 방법을 사전으로 사용할 수 없습니다. 쌍 개념을 키와 값의 연관 조회와 혼동해서는 안됩니다.
  2. 위의 코드 중 상당수가 의심스러운 것 같습니다.

여기 내 페어 클래스입니다

public class Pair<X, Y>
{
    private X _x;
    private Y _y;

    public Pair(X first, Y second)
    {
        _x = first;
        _y = second;
    }

    public X first { get { return _x; } }

    public Y second { get { return _y; } }

    public override bool Equals(object obj)
    {
        if (obj == null)
            return false;
        if (obj == this)
            return true;
        Pair<X, Y> other = obj as Pair<X, Y>;
        if (other == null)
            return false;

        return
            (((first == null) && (other.first == null))
                || ((first != null) && first.Equals(other.first)))
              &&
            (((second == null) && (other.second == null))
                || ((second != null) && second.Equals(other.second)));
    }

    public override int GetHashCode()
    {
        int hashcode = 0;
        if (first != null)
            hashcode += first.GetHashCode();
        if (second != null)
            hashcode += second.GetHashCode();

        return hashcode;
    }
}

테스트 코드는 다음과 같습니다.

[TestClass]
public class PairTest
{
    [TestMethod]
    public void pairTest()
    {
        string s = "abc";
        Pair<int, string> foo = new Pair<int, string>(10, s);
        Pair<int, string> bar = new Pair<int, string>(10, s);
        Pair<int, string> qux = new Pair<int, string>(20, s);
        Pair<int, int> aaa = new Pair<int, int>(10, 20);

        Assert.IsTrue(10 == foo.first);
        Assert.AreEqual(s, foo.second);
        Assert.AreEqual(foo, bar);
        Assert.IsTrue(foo.GetHashCode() == bar.GetHashCode());
        Assert.IsFalse(foo.Equals(qux));
        Assert.IsFalse(foo.Equals(null));
        Assert.IsFalse(foo.Equals(aaa));

        Pair<string, string> s1 = new Pair<string, string>("a", "b");
        Pair<string, string> s2 = new Pair<string, string>(null, "b");
        Pair<string, string> s3 = new Pair<string, string>("a", null);
        Pair<string, string> s4 = new Pair<string, string>(null, null);
        Assert.IsFalse(s1.Equals(s2));
        Assert.IsFalse(s1.Equals(s3));
        Assert.IsFalse(s1.Equals(s4));
        Assert.IsFalse(s2.Equals(s1));
        Assert.IsFalse(s3.Equals(s1));
        Assert.IsFalse(s2.Equals(s3));
        Assert.IsFalse(s4.Equals(s1));
        Assert.IsFalse(s1.Equals(s4));
    }
}

3
IEquatable을 구현하지 않으면 권투가 나타납니다. 수업을 올바르게 마치기 위해해야 ​​할 일이 더 있습니다.
Jack


3

달성하려는 것에 따라 KeyValuePair 를 사용해 볼 수 있습니다 .

항목의 키를 변경할 수 없다는 사실은 전체 항목을 새로운 KeyValuePair 인스턴스로 간단히 바꾸어 수정할 수 있습니다.



2

나는 빠른 구글 후에 바로 같은 질문을하고 있었다 .System.Web.UI를 제외하고 .NET에는 페어 클래스가 있음을 발견했다 ^ ~ ^ (http://msdn.microsoft.com/en-us/library/system.web.ui.pair.aspx ) goodness는 컬렉션 프레임 워크 대신 왜 배치했는지 알고 있습니다.


System.Web.UI.Pair에 대해 알고 있습니다. 그래도 일반 클래스를 원했습니다.
Alexander Prokofyev

System.Web.UI.Pair가 봉인되었습니다. 안전한 접근자를 추가하려는 경우에는이를 파생시킬 수 없습니다.
Martin Vobr

2

.NET 4.0부터 System.Tuple<T1, T2>클래스가 있습니다 :

// pair is implicitly typed local variable (method scope)
var pair = System.Tuple.Create("Current century", 21);


하단에 그들은 말합니다 : Version Information NET Framework 지원 : 4
Alexander Prokofyev

2
@Alexander : 알겠습니다. (왜 그들이이 페이지를 .NET 3.5 전용으로 만들 었는지 궁금해했습니다)
Serge Mikhailov

2

나는 일반적 Tuple으로 다음과 같이 클래스를 내 자신의 일반 래퍼로 확장합니다.

public class Statistic<T> : Tuple<string, T>
{
    public Statistic(string name, T value) : base(name, value) { }
    public string Name { get { return this.Item1; } }
    public T Value { get { return this.Item2; } }
}

다음과 같이 사용하십시오.

public class StatSummary{
      public Statistic<double> NetProfit { get; set; }
      public Statistic<int> NumberOfTrades { get; set; }

      public StatSummary(double totalNetProfit, int numberOfTrades)
      {
          this.TotalNetProfit = new Statistic<double>("Total Net Profit", totalNetProfit);
          this.NumberOfTrades = new Statistic<int>("Number of Trades", numberOfTrades);
      }
}

StatSummary summary = new StatSummary(750.50, 30);
Console.WriteLine("Name: " + summary.NetProfit.Name + "    Value: " + summary.NetProfit.Value);
Console.WriteLine("Name: " + summary.NumberOfTrades.Value + "    Value: " + summary.NumberOfTrades.Value);

1

위의 작업을 수행하려면 사전의 키로 쌍이 필요했습니다. 나는 추가해야했다 :

    public override Boolean Equals(Object o)
    {
        Pair<T, U> that = o as Pair<T, U>;
        if (that == null)
            return false;
        else
            return this.First.Equals(that.First) && this.Second.Equals(that.Second);
    }

한 번 추가하면

    public override Int32 GetHashCode()
    {
        return First.GetHashCode() ^ Second.GetHashCode();
    }

컴파일러 경고를 표시하지 않습니다.


1
그보다 더 나은 해시 코드 알고리즘을 찾아야합니다 .37 + 23 * (h1 + 23 * (h2 + 23 * (h3 + ...)))을 사용하십시오. ), 즉 재정렬은 코드에 영향을 미칩니다.
Lasse V. Karlsen

코멘트는 허용됩니다 .. 난 그냥 잃고 컴파일러를 억제하려고했다, 어쨌든 T는 문자열과 U Int32 형식 ... 내 경우
앤드류 스타 인


1

사용자 정의 클래스 또는 .Net 4.0 Tuple과는 별도로 C # 7.0 이후에는 ValueTuple이라는 새로운 기능이 있습니다.이 기능은이 경우 사용할 수있는 구조체입니다. 글을 쓰는 대신 :

Tuple<string, int> t = new Tuple<string, int>("Hello", 4);

액세스 값을 t.Item1하고 t.Item2, 당신은 단순히 그런 식으로 작업을 수행 할 수 있습니다

(string message, int count) = ("Hello", 4);

또는:

(var message, var count) = ("Hello", 4);
당사 사이트를 사용함과 동시에 당사의 쿠키 정책개인정보 보호정책을 읽고 이해하였음을 인정하는 것으로 간주합니다.
Licensed under cc by-sa 3.0 with attribution required.