C++運(yùn)算符重載如何實(shí)現(xiàn)類型轉(zhuǎn)換

c++
小樊
81
2024-11-09 02:35:29

在C++中,運(yùn)算符重載可以實(shí)現(xiàn)類型轉(zhuǎn)換。以下是一些常見的類型轉(zhuǎn)換運(yùn)算符重載示例:

  1. 將其他類型轉(zhuǎn)換為內(nèi)置類型:
class Fraction {
public:
    Fraction(int numerator, int denominator) : numerator_(numerator), denominator_(denominator) {}

    // 將Fraction類型轉(zhuǎn)換為double類型
    operator double() const {
        return static_cast<double>(numerator_) / denominator_;
    }

private:
    int numerator_;
    int denominator_;
};
  1. 將內(nèi)置類型轉(zhuǎn)換為其他類型:
class Complex {
public:
    Complex(double real, double imaginary) : real_(real), imaginary_(imaginary) {}

    // 將double類型轉(zhuǎn)換為Complex類型
    Complex(double value) : real_(value), imaginary_(0) {}

    // 將Complex類型轉(zhuǎn)換為double類型
    operator double() const {
        return real_;
    }

private:
    double real_;
    double imaginary_;
};
  1. 自定義類型之間的轉(zhuǎn)換:
class Point {
public:
    Point(int x, int y) : x_(x), y_(y) {}

    // 將Point類型轉(zhuǎn)換為string類型
    operator std::string() const {
        return "(" + std::to_string(x_) + ", " + std::to_string(y_) + ")";
    }

private:
    int x_;
    int y_;
};

在這些示例中,我們使用了static_cast來(lái)進(jìn)行類型轉(zhuǎn)換。static_cast是C++中最常用的類型轉(zhuǎn)換方法之一,它可以在各種類型之間進(jìn)行安全的轉(zhuǎn)換。當(dāng)然,還有其他類型轉(zhuǎn)換方法,如dynamic_castconst_cast,但它們的使用場(chǎng)景相對(duì)有限。

0