我想使用复杂数字的C ++。因此我加入了#include <complex>
。现在我的问题是:我如何声明一个变量?(那么调用的格式是什么,让我们说:1 + i
?)
提前致谢: - )
答案 0 :(得分:15)
// 1 + 2i
std::complex<double> c(1, 2);
答案 1 :(得分:10)
The constructor of std::complex
有两个参数:
例如:
std::complex<float> my_complex(1,1); //1 + 1i
此外,C ++ 11引入了user defined literals,它允许我们实现(或由标准库实现,如在此C++14 accepted proposal中)一个易于使用的复数的文字:
constexpr std::complex<float> operator"" i(float d)
{
return std::complex<float>{0.0L,static_cast<float>( d )};
}
您可以按如下方式使用:
auto my_complex = 1i; // 0 + 1i
答案 2 :(得分:8)
试试这个:
#include <complex>
#include <iostream>
using namespace std;
int main()
{
complex<double> a = {1,2};
complex<double> b(3,4);
cout << a + b << "\n";
}
答案 3 :(得分:7)
通过指定模板参数并指定变量的名称来定义变量,与大多数其他模板一样:
std::complex<double> x(1, 1);
ctor的第一个参数是实部,第二个是虚部。
从C ++ 14开始,添加了一个用户定义的文字运算符,因此您可以使用更自然的表示法初始化复杂变量:
using namespace std::literals;
std::complex<double> c = 1.2 + 3.4i;
在这种情况下,(显然足够)1.2
是真实的部分而3.4
是虚部。
答案 4 :(得分:0)
以下是如何使用的示例。它在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();
}