참조 반환 값을 사용하면 메서드에서 값이 아닌 변수에 대한 참조를 반환할 수 있습니다.
그런 다음 호출자는 반환된 변수를 값 또는 참조로 반환된 것처럼 처리하도록 선택할 수 있습니다.
호출자는 자체적으로 ref local이라고 하는 반환된 값에 대한 참조인 새 변수를 만들 수 있습니다.
아래 예에서는 색상을 수정하더라도 원래 배열 색상에 영향을 미치지 않습니다.
예
class Program{ public static void Main(){ var colors = new[] { "blue", "green", "yellow", "orange", "pink" }; string color = colors[3]; color = "Magenta"; System.Console.WriteLine(String.Join(" ", colors)); Console.ReadLine(); } }
출력
blue green yellow orange pink
이를 달성하기 위해 ref locals를 사용할 수 있습니다.
예
public static void Main(){ var colors = new[] { "blue", "green", "yellow", "orange", "pink" }; ref string color = ref colors[3]; color = "Magenta"; System.Console.WriteLine(String.Join(" ", colors)); Console.ReadLine(); }
출력
blue green yellow Magenta pink
참조 반품 -
아래 예에서는 색상을 수정하더라도 원래 배열 색상에 영향을 미치지 않습니다.
예
class Program{ public static void Main(){ var colors = new[] { "blue", "green", "yellow", "orange", "pink" }; string color = GetColor(colors, 3); color = "Magenta"; System.Console.WriteLine(String.Join(" ", colors)); Console.ReadLine(); } public static string GetColor(string[] col, int index){ return col[index]; } }
출력
파란색 녹색 노란색 주황색 분홍색
예
class Program{ public static void Main(){ var colors = new[] { "blue", "green", "yellow", "orange", "pink" }; ref string color = ref GetColor(colors, 3); color = "Magenta"; System.Console.WriteLine(String.Join(" ", colors)); Console.ReadLine(); } public static ref string GetColor(string[] col, int index){ return ref col[index]; } }
출력
blue green yellow Magenta pink