c# key value

0 투표

Dictionary 기본 사용 방법

Dictionary 클래스를 사용하기 위해서는 

using System.Collections.Generic

으로 먼저 선언을 해줘야 합니다.

・선언

Dictionary 선언 방법입니다.

Dictionary<Key 타입, Value 타입> 변수명 = new Dictionary<Key 타입, Value 타입>()

또는 아래와 같은 방법으로도 선언할 수 있습니다.

var 변수명 = new Dictionary<Key 타입, Value 타입>()

・선언 및 초기화

Dictionary를 선언하면서 초기화도 같이할 수 있습니다.

var 변수명 = new Dictionary<Key 타입, Value 타입>()

{
	{Key0, Value0},
	{Key1, Value1},
	・・・・・・
};

  Add 요소 추가

Dictionary에 요소를 추가하기 위해서는 Add메서드를 사용합니다.

Dictionary변수.Add(Key, Value);

요소 추가 예제

using System;
using System.Collections.Generic;

namespace Sample
{
	class Sample
	{
		static void Main()
		{
			var myTable = new Dictionary<string, string>();
			myTable.Add("Korea", "Seoul");
			myTable.Add("Japan", "Tokyo");
			myTable.Add("America", "Washington");

			foreach(KeyValuePair<string, string> item in myTable) {
				Console.WriteLine("[{0}:{1}]", item.Key, item.Value); 
			}

			Console.ReadKey();
		}
	}
}

결과

[Korea:Seoul]

[Japan:Tokyo]

[America:Washington]

Add를 사용하여 Dictionary에 값을 추가하고 출력까지 해보았습니다.

  Key 취득 방법

Dictionary에서 Keys프로퍼티를 사용하여 Key만 취득을 할 수 있습니다.

Keys프로퍼티 예제

using System;
using System.Collections.Generic;

namespace Sample
{
	class Sample
	{
		static void Main()
		{
			var myTable = new Dictionary<string, string>();
			myTable.Add("Korea", "Seoul");
			myTable.Add("Japan", "Tokyo");
			myTable.Add("America", "Washington");

			foreach(string Key in myTable.Keys) {
				Console.WriteLine(Key); 
			}

			Console.ReadKey();
		}
	}
}

결과

Korea

Japan

America

  Value 취득 방법

Dictionary에서 Values프로퍼티를 사용하여 Value만 취득을 할 수 있습니다.

Values프로퍼티 예제

using System;
using System.Collections.Generic;

namespace Sample
{
	class Sample
	{
		static void Main()
		{
			var myTable = new Dictionary<string, string>();
			myTable.Add("Korea", "Seoul");
			myTable.Add("Japan", "Tokyo");
			myTable.Add("America", "Washington");

			foreach(string Value in myTable.Values) {
				Console.WriteLine(Value); 
			}

			Console.ReadKey();
		}
	}
}

결과

Seoul

Tokyo

Washington

  Key로 Value 취득 방법

List에서는 인덱스 번호로 값을 취득할 수 있습니다.

Dictionary에서는 Key로 값을 취득할 수 있습니다.

Key로 Value 취득 예제

using System;
using System.Collections.Generic;

namespace Sample
{
	class Sample
	{
		static void Main()
		{
			var myTable = new Dictionary<string, string>();
			myTable.Add("Korea", "Seoul");
			myTable.Add("Japan", "Tokyo");
			myTable.Add("America", "Washington");

			string str = "America";
			Console.WriteLine("[{0}:{1}]", str, myTable[str]); 

			Console.ReadKey();
		}
	}
}

결과

[America:Washington]

Dictionary[Key]로 Value를 취득하여 값이 출력된 것을 확인했습니다.

  정리

연상 배열인 Dictionary는 키와 값을 세트로 저장할 수 있습니다.

키로 값을 취득할 수 있습니다.

Dictionary 키값은 중복될 수 없기 때문에 주의해야 합니다.

당신의 답변

보여지는 당신의 이름 (옵션):
개인정보 보호: 이메일 주소는 이 알림을 발송하기 위해 사용됩니다.
안티-스팸 확인:
앞으로 이 검증을 피하려면,로그인 혹은 가입 하시기바랍니다.
구로역 맛집 시흥동 맛집
이 포스팅은 쿠팡 파트너스 활동의 일환으로, 이에 따른 일정액의 수수료를 제공받습니다.
add
...