函数或运算符重载是指在同一作用域内定义多个具有相同名称但参数类型或数量不同的函数或运算符。重载允许使用相同的名称执行不同的操作,具体的操作根据传递给函数或运算符的参数类型或数量而定。(和Java重载一样直接和Java重载联系到一起)大致分为两类函数和运算符的重载
函数重载: 允许在同一作用域内定义多个具有相同名称但参数列表不同的函数。例如:
int add(int a, int b) { return a + b; } double add(double a, double b) { return a + b; }
运算符重载: 允许在用户定义的类中重新定义运算符的行为。例如:
class Complex { public: double real; double imag; Complex operator+(const Complex& other) const { Complex result; result.real = real + other.real; result.imag = imag + other.imag; return result; } }; int main() { Complex c1 = {1.0, 2.0}; Complex c2 = {3.0, 4.0}; Complex result = c1 + c2; // 通过运算符重载执行复数的加法 return 0; }
下面就写一下运算符重载,因为刚好做到阶乘的和通过高精度算法来求,格式(下面的是全局函数重载,有个成员函数重载的就先不管了)
返回类型 operator运算符(参数列表) { // 运算符的实现 }
#include <iostream> class MyClass { public: int value; MyClass(int val) : value(val) {} }; // 全局函数重载 + 运算符 MyClass operator+(const MyClass& obj1, const MyClass& obj2) { MyClass result; result.value = obj1.value + obj2.value; return result; } int main() { // 步骤 1: 创建类的对象 MyClass obj1(5); MyClass obj2(10); // 步骤 2: 使用函数名和对象调用全局函数重载运算符 MyClass result = operator+(obj1, obj2); // 输出结果 cout << "Result: " << result.value << endl; return 0; }
标签:int,c++,运算符,Complex,result,重载,MyClass From: https://www.cnblogs.com/sixsix666/p/17991365