如何在 C++ 中更改复杂数组元素的实际值

How to change the real value of Complex array elements in c++

嘿,我有一个复杂双精度数组,我想从另一个基本浮点数组更改它的值,所以基本上我想将所有浮点数组值复制到每个复杂元素的 real 值中.

我尝试在 for 循环中迭代并复制值,但出现 lvalue required as left operand of assignment

等错误

这是我的代码:

typedef std::complex<double> Complex;

const Complex test[] = { 0.0, 0.114124, 0.370557, 0.0, -0.576201, -0.370557, 0.0, 0.0 }; // init the arr with random numbers

for ( i = 0; i < N; i++ )
{
    printf ( "  %4d  %12f\n", i, in[i] );
    test[i].real() = in[i]; // this line returns an error
}

谁能告诉我正确的做法,因为我是这个主题的新手。

您的代码有两个问题:

  1. 您不能为调用 std::complex::real() 的结果赋值 - 它 returns 一个值,而不是一个引用。您需要改用 void real(T value); 重载,请参阅:https://en.cppreference.com/w/cpp/numeric/complex/real.

  2. test 被声明为 const 所以你不能在任何情况下分配给它

要解决这些问题,请将您的代码更改为:

typedef std::complex<double> Complex;

Complex test[] = { 0.0, 0.114124, 0.370557, 0.0, -0.576201, -0.370557, 0.0, 0.0 };

for (int i = 0; i < N; i++ )
{
    printf ( "  %4d  %12f\n", i, in[i] );
    test[i].real (in[i]);
}