Machineboy空
C# 메소드 오버로딩(Overloading) 본문
메소드 오버로딩이란?
- 하나의 메소드 이름에 여러 개의 구현을 올리는 것
- 메소드 호출 코드에 사용되는 파라미터의 수와 형식을 분석해서 알맞은 메소드 형식을 불러준다.
int Plus(int a, int b)
{
return a + b;
}
double Plus(double a, double b)
{
return a + b;
}
int result1 = Plus(1,2); // int를 매개변수로 하는 위 함수를 호출
double result2 = Plus(3.1,2.4); // double을 매개변수로 하는 아래 함수를 호출
메소드 오버로드 규칙
- number of parameter 혹은 type of parameter 중 하나라도 달라야 한다.
- based on return type인 오버로딩 함수는 없다.
오로지 파라미터로만 함수를 구분하며 반환형은 호출시 체크하지 않음!
Named Argument
- arguments are matched to the method's declared parameter based on position.
- 지금까지는 통과된 파라미터 순서대로 매칭
- match arguments by specifying the declared parameter's identifier.
- 파라미터에 이름을 붙여 매칭, 순서 상관없음
class Card
{
static string Newyear(int year, int month, int day)
{
return $"Happy {year}-{month}-{day}!";
}
}
// 인수: year - month - day 순
// 입력: month - day - year 순, 상관없음
Card.NewYear(month: 1, day: 1, year: 2025);
Optional Parameter
- parameter can be made optional by assigning default value.
- 기본값을 할당해 둠으로써 파라미터값을 입력하지 않아도 되는 optional로 해둘 수 있다.
- optional parameters must be at the end of the parameter list.
- optional parameter는 무조건 맨 뒤에 위치해야 한다.
class Card
{
static string NewYear(int year = 2020)
{
return $"Happy {year}!";
}
}
Card.NewYear(); // 입력안하면 2020
Card.NewYear(1999); // 입력하면 입력값
예제
static class GameMaster
{
public static string Describe(Character character)
{
return $"You're a level {character.Level} {character.Class} with {character.HitPoints} hit points.";
}
public static string Describe(Destination destination)
{
return $"You've arrived at {destination.Name}, which has {destination.Inhabitants} inhabitants.";
}
public static string Describe(TravelMethod travelMethod = TravelMethod.Walking)
{
if (travelMethod == TravelMethod.Horseback)
{
return "You're traveling to your destination on horseback.";
}
return "You're traveling to your destination by walking.";
}
public static string Describe(Character character, Destination destination, TravelMethod travelMethod)
{
string answer = Describe(character) + " " + Describe(travelMethod) + " " + Describe(destination);
return answer;
}
public static string Describe(Character character, Destination destination)
{
string answer = Describe(character) + " " + Describe() + " " + Describe(destination);
return answer;
}
}
class Character
{
public string? Class { get; set; }
public int Level { get; set; }
public int HitPoints { get; set; }
}
class Destination
{
public string? Name { get; set; }
public int Inhabitants { get; set; }
}
enum TravelMethod
{
Walking,
Horseback
}
'언어 > C#' 카테고리의 다른 글
NullReferenceException (0) | 2025.03.12 |
---|---|
C# 문제 풀이 빠른 입출력 (0) | 2025.03.11 |
C# 자원 해제(Resource Clean up) try~catch, finally, using Dipose() (0) | 2025.02.26 |
C# 데이터 형식 변환(Type Convension) & Type Casting (0) | 2025.02.25 |
C# - 부동소수점형식 float, double (0) | 2025.02.25 |