public delegate 반환형 델리게이트이름(매개변수);
public delegate void MyDelegate(string message);
class Program
{
static void Main()
{
MyDelegate del = PrintMessage;
del += PrintAnotherMessage; // 메서드 체인 추가
del("Hello, World!"); // 두 개의 메서드가 호출됨
}
static void PrintMessage(string message)
{
Console.WriteLine(message);
}
static void PrintAnotherMessage(string message)
{
Console.WriteLine("Another: " + message);
}
}
delegate int Calculate(int x, int y);
static int Add(int x, int y)
{
return x + y;
}
class Program
{
static void Main()
{
// 메서드 등록
Calculate calc = Add;
// 델리게이트 사용
int result = calc(3, 5);
Console.WriteLine("결과: " + result);
}
}
delegate void MyDelegate(string message);
static void Method1(string message)
{
Console.WriteLine("Method1: " + message);
}
static void Method2(string message)
{
Console.WriteLine("Method2: " + message);
}
class Program
{
static void Main()
{
// 델리게이트 인스턴스 생성 및 메서드 등록
MyDelegate myDelegate = Method1;
myDelegate += Method2;
// 델리게이트 호출
myDelegate("Hello!");
Console.ReadKey();
}
}
public delegate void MyDelegate(string message);
class Publisher
{
public event MyDelegate MyEvent;
public void RaiseEvent(string message)
{
if (MyEvent != null)
MyEvent(message); // 이벤트를 발생시킴
}
}
class Subscriber
{
public void OnMyEvent(string message)
{
Console.WriteLine("Event received: " + message);
}
}
class Program
{
static void Main()
{
Publisher pub = new Publisher();
Subscriber sub = new Subscriber();
pub.MyEvent += sub.OnMyEvent; // 구독
pub.RaiseEvent("Hello, Event!"); // 이벤트 발생
}
}
// 델리게이트 선언
public delegate void EnemyAttackHandler(float damage);
// 적 클래스
public class Enemy
{
// 공격 이벤트
public event EnemyAttackHandler OnAttack;
// 적의 공격 메서드
public void Attack(float damage)
{
// 이벤트 호출
// Invoke() 함수 실행 콜
// ? 는 null 조건부 연산자, 자세한 설명은 바로 밑에
OnAttack?.Invoke(damage);
// null 조건부 연산자, null이면 실행안함. null아니면 실행
// null 참조가 아닌 경우에만 멤버에 접근하거나 메서드를 호출
}
}
// 플레이어 클래스
public class Player
{
// 플레이어가 받은 데미지 처리 메서드
public void HandleDamage(float damage)
{
// 플레이어의 체력 감소 등의 처리 로직
Console.WriteLine("플레이어가 {0}의 데미지를 입었습니다.", damage);
}
}
// 게임 실행
static void Main()
{
// 적 객체 생성
Enemy enemy = new Enemy();
// 플레이어 객체 생성
Player player = new Player();
// 플레이어의 데미지 처리 메서드를 적의 공격 이벤트에 추가
enemy.OnAttack += player.HandleDamage;
// 적의 공격
enemy.Attack(10.0f);
}
Func
과 Action
은 델리게이트를 대체하는 미리 정의된 제네릭 형식Func
및 Action
은 제네릭 형식으로 미리 정의되어 있어 매개변수와 반환 타입을 간결하게 표현할 수 있음Func<int, string>
는 int
를 입력으로 받아 string
을 반환하는 메서드를 나타냄Func<int, int, int> add = (x, y) => x + y;
Console.WriteLine(add(3, 4)); // 출력: 7
Func<DateTime> getCurrentTime = () => DateTime.Now;
Console.WriteLine(getCurrentTime()); // 현재 시간 출력
Func<int, int, bool> isGreater = (x, y) => x > y;
Console.WriteLine(isGreater(10, 5)); // 출력: True
Action
은 값을 반환하지 않는 메서드를 나타내는 델리게이트Action<int, string>
은 int
와 string
을 입력으로 받고, 아무런 값을 반환하지 않는 메서드를 나타냄 // 이벤트 핸들러로서의 예시
Action onButtonClick = () => Console.WriteLine("Button clicked!");
onButtonClick();
Action<int, int> printSum = (x, y) => Console.WriteLine(x + y);
printSum(3, 4); // 출력: 7
Action<string> printMessage = message => Console.WriteLine(message);
printMessage("Hello, World!"); // 출력: Hello, World!
Action sayHello = () => Console.WriteLine("Hello!");
sayHello(); // 출력: Hello!
// Func를 사용하여 두 개의 정수를 더하는 메서드
int Add(int x, int y)
{
return x + y;
}
// Func를 이용한 메서드 호출
Func<int, int, int> addFunc = Add;
int result = addFunc(3, 5);
Console.WriteLine("결과: " + result);
// Action을 사용하여 문자열을 출력하는 메서드
void PrintMessage(string message)
{
Console.WriteLine(message);
}
// Action을 이용한 메서드 호출
Action<string> printAction = PrintMessage;
printAction("Hello, World!");
class GameCharacter
{
private Action<float> healthChangedCallback;
private float health;
public float Health
{
get { return health; }
set
{
health = value;
healthChangedCallback?.Invoke(health); // HP가 변할때마다 알아서 호출이 됨
}
}
public void SetHealthChangedCallback(Action<float> callback)
{
healthChangedCallback = callback;
}
}
// 게임 캐릭터 생성 및 상태 변경 감지
GameCharacter character = new GameCharacter();
character.SetHealthChangedCallback(health =>
{
if (health <= 0)
{
Console.WriteLine("캐릭터 사망!");
}
});
// 캐릭터의 체력 변경
character.Health = 0;
class Program
{
static void Main()
{
// Func: 두 수를 더하고 결과를 반환
Func<int, int, int> add = (a, b) => a + b;
int result = add(10, 20);
Console.WriteLine(result); // 출력: 30
// Action: 두 수를 더한 결과를 출력 (반환값 없음)
Action<int, int> printSum = (a, b) => Console.WriteLine(a + b);
printSum(10, 20); // 출력: 30
}
}