C# 튜플

WBOY
풀어 주다: 2024-09-03 15:30:55
원래의
713명이 탐색했습니다.

C# 튜플은 C#.net 버전 4.0에 도입된 데이터 구조입니다. 튜플 데이터 구조는 다양한 데이터 유형의 요소를 보유하도록 설계되었습니다. 튜플은 Out 매개변수, 클래스 또는 구조체 유형 또는 동적 반환 유형에 비해 많은 장점이 있는 단일 매개변수의 클래스 메서드에서 여러 값을 반환하는 데 도움이 됩니다. 매개변수가 단일 데이터 세트로 전달되므로 이 데이터 세트에 쉽게 액세스하고 다양한 작업을 수행할 수 있습니다.

C# 튜플을 만드는 방법은 무엇입니까?

튜플은 두 가지 방법으로 생성할 수 있습니다

1. 생성자 사용

튜플을 생성하기 위한 생성자는 Tuple 수업. 약어 'T'는 튜플을 생성하는 동안 지정된 여러 데이터 유형을 나타냅니다. 튜플에 저장된 요소의 번호는 0부터 7까지입니다. 즉, 일반 튜플은 8개의 요소만 보유하며 8개 이상의 요소를 입력하려고 하면 컴파일러에서 오류가 발생합니다.

단일 요소 튜플
Tuple <T1> (T1)
로그인 후 복사

예:

Tuple<int> Tuple_example = new Tuple<int>(27);
Console.WriteLine(Tuple_example);
Console.ReadLine();
로그인 후 복사

출력:

C# 튜플

다중 요소 튜플
Tuple <T1, T2> (T1, T2)
로그인 후 복사

예:

Tuple<int, string, bool> tuple = new Tuple<int, string, bool>(1, "cat", true);
Console.WriteLine(tuple.Item1);
Console.WriteLine(tuple.Item2.ToString());
Console.ReadLine();
로그인 후 복사

출력:

C# 튜플

2. 생성 방법

C#에서는 다음과 같이 튜플을 생성하는 정적 Create 메서드를 제공합니다

단일 요소 튜플
Create (T1);
로그인 후 복사

예:

var Tuple_example = Tuple.Create(27);
Console.WriteLine(Tuple_example);
Console.ReadLine();
로그인 후 복사

출력:

C# 튜플

다중 요소 튜플
Create (T1, T2);
로그인 후 복사

예:

var Tuple_example = Tuple.Create(1, "cat", true);
Console.WriteLine(Tuple_example.Item1);
Console.WriteLine(Tuple_example.Item2.ToString());
Console.ReadLine();
로그인 후 복사
로그인 후 복사

출력:

C# 튜플

생성자를 사용하는 동안 튜플을 생성하는 동안 모든 요소의 데이터 유형을 지정해야 합니다. Create 메소드는 위와 같이 번거로운 코딩을 제거하는 데 도움이 됩니다.

값튜플

일반 튜플은 참조 유형입니다. 즉, 값이 힙에 저장되어 메모리 및 성능 측면에서 사용 비용이 많이 듭니다. C#7.0에서는 일반 튜플에 비해 새롭고 향상된 버전의 Tuple을 도입하고 이름을 ValueTuple로 지정했습니다. ValueTuple은 쉽게 검색할 수 있는 힙에 저장됩니다. 값 튜플은 .NET Framework 4.7 또는 .NET 라이브러리 2.0과 함께 제공됩니다. 튜플 기능을 별도로 설치하려면 System.Value.Tuple이라는 NuGet 패키지를 설치해야 합니다.

ValueTuple 중요사항

  • ValueTuple을 만드는 것은 쉽습니다

예:

var Tuple_example = (1, "cat", true);
Console.WriteLine(Tuple_example.Item1);
Console.WriteLine(Tuple_example.Item2.ToString());
Console.ReadLine();
로그인 후 복사

출력:

C# 튜플

다음과 같습니다.

var Tuple_example = Tuple.Create(1, "cat", true);
Console.WriteLine(Tuple_example.Item1);
Console.WriteLine(Tuple_example.Item2.ToString());
Console.ReadLine();
로그인 후 복사
로그인 후 복사
  • 'var' 키워드를 사용하지 않고도 ValueTuple을 선언할 수도 있습니다. 이 경우 각 멤버의 데이터 유형을 제공해야 합니다

예:

(int, string, bool) Tuple_example = (1, "cat", true);
Console.WriteLine(Tuple_example.Item1);
Console.WriteLine(Tuple_example.Item2.ToString());
Console.ReadLine();
로그인 후 복사

출력:

C# 튜플

  • 을 사용하여 ValueTuple에서 값을 반환할 수 있습니다.

예:

details.Item1;   – returns 28
details.Item2; -- returns ”CBC”
로그인 후 복사
  • ValueTuple은 일반 튜플과 달리 하나의 요소만 포함할 수 없습니다.

예:

var detail = (28);  --this is not a tuple
var details = (28, “CBC”); -- this is a tuple
로그인 후 복사

첫 번째 명령문에서 컴파일러는 'detail'을 튜플로 간주하지 않고 대신 일반적인 'var' 유형으로 간주합니다.

  • ValueTuple은 7번째 위치에 다른 튜플을 중첩할 필요 없이 8개 이상의 값을 보유할 수 있습니다.
  • ValueTuple의 속성은 Item1, Item2 등과 다른 이름을 가질 수 있습니다.
(int ID, String Firstname, string SecondName) details = (28, “CBC”, “C# Tuples”);
로그인 후 복사
  • 프로그래밍의 필요에 따라 ValueTuples의 요소를 분리하거나 삭제할 수도 있습니다. 위의 예에서 'FirstName' 요소는 삭제될 수 있으며 첫 번째 요소와 세 번째 요소를 포함하는 튜플이 메서드의 반환 유형으로 전달될 수 있습니다.

튜플은 어떻게 작동하나요?

  1. C# 프레임워크는 튜플에 8개의 요소만 허용합니다. 즉, 0부터 7까지의 값을 가질 수 있으며, 그 이상의 값으로 튜플을 생성하려면 일곱 번째 요소 TRest를 중첩 튜플로 지정하세요.
var nestedtuple_example = new Tuple <int, string, string, int, int, int, string, Tuple<double, int, string>> (5, “This”, “is”, 7,8,9, “number”, Tuple.Create (17.33, 29,”April”));
로그인 후 복사
  1. 튜플의 한 가지 중요한 용도는 전통적인 'out' 및 'ref' 키워드를 사용하지 않고 단일 엔터티로 메서드에 전달하는 것입니다. 'Out' 및 'ref' 매개변수의 사용은 어렵고 혼란스러울 수 있으며, 'out' 및 'ref' 매개변수는 'asnyc' 메소드와 함께 작동하지 않습니다. 예를 들어 public void TupleExampleMethod(Tuple tupleexample)
{
Var multiplication = tupleexample.Item1 * tupleexample.Item2;
Console.WriteLine (“Multiplication is”, {0}, multiplication);
}
로그인 후 복사

TupleExampleMethod 메소드는 다음과 같습니다

TupleExampleMethod(new Tuple<int, int> (34,56));
로그인 후 복사
  1. The dynamic keyword can also be used to return values from any method, but it is seldom used due to performance issues. The returning of the tuple from a method.
public static Tuple <int, string> GetPerson()
{
return Tuple.Create (1, “abc”);
}
로그인 후 복사

Let’s create a program in Visual to understand how tuple works.

  • Launch Visual Studio and create a windows project.

C# 튜플

  • We are creating a simple multiplication program that shows passing tuples by a method. A sample window created as below.

C# 튜플

The values from both textboxes are taken into a tuple and the tuple is passed on to a method.

using System;
using System.Collections.Generic;
using System.ComponentModel;
using System.Data;
using System.Drawing;
using System.Linq;
using System.Text;
using System.Threading.Tasks;
using System.Windows.Forms;
namespace WindowsFormsApp1
{
public partial class Form1 : Form
{
public Form1()
{
InitializeComponent();
}
private void btnMultiply_Click(object sender, EventArgs e)
{
int value1 = Convert.ToInt32(txtVal1.Text);
int value2 = Convert.ToInt32(TxtVal2.Text);
CallMethod(new Tuple<int, int>(value1, value2));
}
private void CallMethod(Tuple<int, int> tuple)
{
txtResult.Text = Convert.ToString(tuple.Item1 * tuple.Item2);
Console.ReadLine();
}
}
}
로그인 후 복사

The result is displayed in the third text box named as txtResult. End result looks like.

C# 튜플

Conclusion

The tuple data structure is a reference type, which means the values are stored on the heap instead of stack. This makes usage of tuples and accessing them in the program an intensive CPU task. The only 8 elements in tuples property is one of the major drawbacks of tuples as nested tuples are more prone to induce ambiguity. Also accessing elements in tuple with Item is also ambiguous as one must remember what position the element is on in order to access it. C#7 has introduced ValueTuple which is value type representation of tuple. It works only on .NET Framework 4.7 and hence needs to install separately from the Nuget package System.ValueTuple package.

위 내용은 C# 튜플의 상세 내용입니다. 자세한 내용은 PHP 중국어 웹사이트의 기타 관련 기사를 참조하세요!

관련 라벨:
원천:php
본 웹사이트의 성명
본 글의 내용은 네티즌들의 자발적인 기여로 작성되었으며, 저작권은 원저작자에게 있습니다. 본 사이트는 이에 상응하는 법적 책임을 지지 않습니다. 표절이나 침해가 의심되는 콘텐츠를 발견한 경우 admin@php.cn으로 문의하세요.
인기 튜토리얼
더>
최신 다운로드
더>
웹 효과
웹사이트 소스 코드
웹사이트 자료
프론트엔드 템플릿
회사 소개 부인 성명 Sitemap
PHP 중국어 웹사이트:공공복지 온라인 PHP 교육,PHP 학습자의 빠른 성장을 도와주세요!