117.info
人生若只如初见

如何用C++自定义复数类模板

在C++中,你可以使用类模板来创建一个自定义的复数类

#include 
#include 

template 
class Complex {
public:
    // 构造函数
    Complex(T real, T imag) : real_(real), imag_(imag) {}

    // 获取实部和虚部
    T real() const { return real_; }
    T imag() const { return imag_; }

    // 加法
    Complex operator+(const Complex& other) const {
        return Complex(real_ + other.real_, imag_ + other.imag_);
    }

    // 减法
    Complex operator-(const Complex& other) const {
        return Complex(real_ - other.real_, imag_ - other.imag_);
    }

    // 乘法
    Complex operator*(const Complex& other) const {
        T real_part = real_ * other.real_ - imag_ * other.imag_;
        T imag_part = real_ * other.imag_ + imag_ * other.real_;
        return Complex(real_part, imag_part);
    }

    // 除法
    Complex operator/(const Complex& other) const {
        T denominator = other.real_ * other.real_ + other.imag_ * other.imag_;
        T real_part = (real_ * other.real_ + imag_ * other.imag_) / denominator;
        T imag_part = (imag_ * other.real_ - real_ * other.imag_) / denominator;
        return Complex(real_part, imag_part);
    }

private:
    T real_;
    T imag_;
};

int main() {
    Complex c1(3, 4);
    Complex c2(1, 2);

    Complex sum = c1 + c2;
    Complex diff = c1 - c2;
    Complex prod = c1 * c2;
    Complex quot = c1 / c2;

    std::cout << "Sum: " << sum.real() << " + " << sum.imag() << "i\n";
    std::cout << "Difference: " << diff.real() << " + " << diff.imag() << "i\n";
    std::cout << "Product: " << prod.real() << " + " << prod.imag() << "i\n";
    std::cout << "Quotient: " << quot.real() << " + " << quot.imag() << "i\n";

    return 0;
}

这个例子展示了如何创建一个名为Complex的类模板,它可以用于表示复数。这个类模板包含了复数的基本操作,如加法、减法、乘法和除法。在main函数中,我们创建了两个复数对象c1c2,并执行了这些操作。

未经允许不得转载 » 本文链接:https://www.117.info/ask/fe785AzsPCQNXDA.html

推荐文章

  • C++全局函数有哪些最佳实践

    尽量避免使用全局函数,应该尽量将函数定义在合适的类中,以提高代码的可维护性和可读性。 如果必须使用全局函数,应该将其定义在一个独立的命名空间中,以避免与...

  • 全局变量在C++中如何正确使用

    在C++中,全局变量可以通过在函数外部定义变量来创建。全局变量的作用域是整个程序,可以在任何地方访问。
    要正确使用全局变量,需要注意以下几点: 避免滥...

  • C++全局变量的内存分配机制

    在C++中,全局变量的内存分配机制取决于变量的类型和其声明方式。 静态全局变量:静态全局变量在程序启动时就会被分配内存,在程序结束时才会被释放。静态全局变...

  • 全局变量在多线程C++应用中的风险

    在多线程C++应用程序中使用全局变量可能会带来一些风险,包括以下几点: 竞争条件:多个线程同时访问和修改全局变量可能导致竞争条件的发生。如果没有正确的同步...

  • C++复数类支持哪些数学函数

    C++ 的复数类(std::complex)位于 头文件中,提供了一系列用于处理复数的数学函数。以下是一些常见的复数操作: 加法: operator+
    减法: operator-
    乘...

  • C++复数类如何实现加减运算

    在 C++ 中,复数类(std::complex)已经为我们提供了复数的加法和减法运算。以下是一个简单的示例,展示了如何使用 std::complex 进行复数的加法和减法运算:

  • Python中duplicated()函数的潜在问题及解决方法

    在Python中,并没有一个名为duplicated()的内置函数 重复值的定义不明确:如果你想找到列表中所有重复的元素,你需要明确指出。在这种情况下,你可以使用一个简单...

  • cpuid在C++中的性能优化应用

    CPUID 是一个 x86 和 x86-64 指令集中的指令,它用于获取 CPU 的基本信息,如制造商、型号、特性标志等 检测 CPU 特性:使用 CPUID 可以检测 CPU 是否支持某些特...