17

我想将 C++ 与复数一起使用。因此我包括了#include <complex>. 现在我的问题是:我如何声明一个变量?(那么我们说的格式是什么:1 + i?)

提前致谢 :-)

4

5 回答 5

16
// 1 + 2i
std::complex<double> c(1, 2);
于 2013-08-03T17:42:49.347 回答
11

的构造函数std::complex有两个参数:

  • 第一个,它有数字的实部。
  • 第二个是数字的虚部。

例如:

std::complex<float> my_complex(1,1); //1 + 1i 

此外,C++11 引入了用户定义的文字,它允许我们实现(或由标准库实现,如在这个C++14 接受的提案中)一个易于使用的复数的文字:

constexpr std::complex<float> operator"" i(float d)
{
    return std::complex<float>{0.0L,static_cast<float>( d )};
}

您可以按如下方式使用它:

auto my_complex = 1i; // 0 + 1i
于 2013-08-03T18:08:25.683 回答
9

您可以通过指定模板参数并为变量指定名称来定义变量,与大多数其他模板类似:

std::complex<double> x(1, 1);

ctor 的第一个参数是实部,第二个是虚部。

从 C++ 14 开始,添加了用户定义的文字运算符,因此您可以使用更自然的表示法初始化复杂变量:

using namespace std::literals;

std::complex<double> c = 1.2 + 3.4i;

在这种情况下,(显然)the1.2是实部,而 the3.4是虚部。

于 2013-08-03T17:42:06.493 回答
8

尝试这个:

#include <complex>
#include <iostream>
using namespace std;
int main()
{
    complex<double> a = {1,2};
    complex<double> b(3,4);

    cout << a + b << "\n";
}
于 2013-08-03T17:44:39.540 回答
1

这是一个如何使用的示例。它在 QT 下编译和运行

#include <QCoreApplication>
#include<complex>
#include<iostream>

using namespace std;

int main(int argc, char *argv[])
{
QCoreApplication a(argc, argv);
std::complex<double> x=3.0-3.0i;
std::complex<double> y=2.0+4.0i;

cout.precision(3);
cout<<"x="<<x<<" y="<<y<<'\n';
cout<<" OR x real="<<real(x)<<" x imagine="<<imag(x)<<"\n\n";

complex<double> sum = x + y;
cout<<"The sum: x + y = "<<sum<<'\n';

complex<double> difference = x - y;
cout<<"The difference: x - y = "<<difference<<'\n';

complex<double> product = x * y;
cout<<"The product: XY = "<<product<<'\n';

complex<double> quotient = x / y;
cout<<"The quotient: x / y = "<<quotient<<'\n';

complex<double> conjugate = conj(x);
cout<<"The conjugate of x = "<<conjugate<<'\n';

complex<double> reciprocal = 1.0/x;
cout<<"The reciprocal of x = "<<reciprocal<<'\n';

complex<double> exponential =exp(x);
cout<<"The exponential  of x = "<<exponential<<'\n';

double magnitude=2.0,phase=45;
cout<<"magintude = "<<magnitude<<" phase = "<< phase<<" degrees\n";
complex<double> pol= std::polar(2.0,(M_PI/180.0)*phase);
cout<<"The polar: x , y = "<<pol<<'\n';

return a.exec();
}
于 2018-05-29T01:53:06.183 回答