以下是一个简单的C#运算符重载的示例:
using System;
// 自定义复数类
public class Complex
{
// 复数的实部和虚部
public double Real { get; set; }
public double Imaginary { get; set; }
// 构造函数
public Complex(double real, double imaginary)
{
Real = real;
Imaginary = imaginary;
}
// 重载 + 运算符
public static Complex operator +(Complex a, Complex b)
{
return new Complex(a.Real + b.Real, a.Imaginary + b.Imaginary);
}
// 重载 - 运算符
public static Complex operator -(Complex a, Complex b)
{
return new Complex(a.Real - b.Real, a.Imaginary - b.Imaginary);
}
// 重载 * 运算符
public static Complex operator *(Complex a, Complex b)
{
double real = a.Real * b.Real - a.Imaginary * b.Imaginary;
double imaginary = a.Real * b.Imaginary + a.Imaginary * b.Real;
return new Complex(real, imaginary);
}
// 重载 ToString 方法
public override string ToString()
{
return $"{Real} + {Imaginary}i";
}
}
class Program
{
static void Main()
{
// 创建两个复数对象
Complex complex1 = new Complex(1, 2);
Complex complex2 = new Complex(3, 4);
// 使用重载的 + 运算符
Complex resultAddition = complex1 + complex2;
Console.WriteLine("Addition: " + resultAddition);
// 使用重载的 - 运算符
Complex resultSubtraction = complex1 - complex2;
Console.WriteLine("Subtraction: " + resultSubtraction);
// 使用重载的 * 运算符
Complex resultMultiplication = complex1 * complex2;
Console.WriteLine("Multiplication: " + resultMultiplication);
}
}
在上述示例中,我们定义了一个 Complex 类表示复数,并重载了 +、- 和 * 运算符。通过这种方式,我们可以直接使用 +、- 和 * 运算符对复数对象进行运算,而不必调用特定的方法。
运算符重载提供了一种更自然和简洁的方式来处理自定义类型的对象。需要注意的是,不是所有的运算符都可以被重载,而且在重载运算符时需要谨慎,以确保不引起歧义或混淆。
转载请注明出处:http://www.pingtaimeng.com/article/detail/14761/C#