C++ 重载和重写的区别

2024年 1月 14日 67.0k 0

在C++中,重载(Overloading)和重写(Overriding)是两个不同的概念,它们都是多态的实现方式,但应用的上下文和规则有所不同。

下面不念将通过具体的例子来解释这两个概念及其区别。

图片[1]-C++ 重载和重写的区别-不念博客

重载(Overloading)

重载是指在同一作用域内存在多个同名函数,但这些函数的参数列表(参数的数量或类型)不同。

特点:

  • 发生在同一个类中或者在同一个作用域内。
  • 函数名相同,但参数列表不同(参数类型、个数或者顺序不同)。
  • 与函数的返回类型无关。
  • 例子:

    class Printer {
    public:
        void Print(int i) {
            std::cout << "Integer: " << i << std::endl;
        }
    
        void Print(double f) {
            std::cout << "Float: " << f << std::endl;
        }
    
        void Print(const std::string &s) {
            std::cout << "String: " << s << std::endl;
        }
    };
    
    // 使用
    Printer printer;
    printer.Print(10);       // 调用 Print(int)
    printer.Print(3.14);     // 调用 Print(double)
    printer.Print("Hello");  // 调用 Print(const std::string&)

    重写(Overriding)

    重写是指在派生类中重新定义基类中的虚函数(virtual function)。

    重写的函数必须具有相同的签名(即相同的函数名、参数列表和返回类型)。

    特点:

  • 发生在基类和派生类之间。
  • 函数名、参数列表和返回类型都必须相同。
  • 基类中的函数必须是虚函数(使用virtual关键字声明)。
  • 例子:

    class Animal {
    public:
        virtual void Speak() {
            std::cout << "Animal speaks" << std::endl;
        }
    };
    
    class Dog : public Animal {
    public:
        void Speak() override {  // 重写 Speak()
            std::cout << "Dog barks" << std::endl;
        }
    };
    
    // 使用
    Animal* animal = new Animal();
    Animal* dog = new Dog();
    
    animal->Speak();  // 输出 "Animal speaks"
    dog->Speak();     // 输出 "Dog barks",调用的是 Dog 中
    
    重写的 `Speak()` 方法

    重载与重写的区别

  • 定义位置:
    • 重载:在同一个类中或同一作用域内。
    • 重写:在派生类中对基类的虚函数进行重新定义。
  • 函数签名:
    • 重载:函数名相同,但参数列表必须不同。
    • 重写:函数名、参数列表和返回类型都必须与基类中的虚函数相同。
  • 目的和用途:
    • 重载:提供相同名称但适用于不同参数的方法,增加代码的可读性。
    • 重写:在派生类中改变基类的虚函数行为,实现运行时多态。
  • 关键字:
    • 重载:没有特定关键字。
    • 重写:可以使用 override 关键字(C++11及以后版本)来显式指示重写。
  • 多态性:
    • 重载:属于静态多态,或编译时多态。
    • 重写:属于动态多态,或运行时多态。
  • 相关文章

    JavaScript2024新功能:Object.groupBy、正则表达式v标志
    PHP trim 函数对多字节字符的使用和限制
    新函数 json_validate() 、randomizer 类扩展…20 个PHP 8.3 新特性全面解析
    使用HTMX为WordPress增效:如何在不使用复杂框架的情况下增强平台功能
    为React 19做准备:WordPress 6.6用户指南
    如何删除WordPress中的所有评论

    发布评论