我一直在尝试用linux上的wxwidgets进行FFT,但我对C ++并不熟悉。 我已经尝试了两种方法,没有任何幸运,我一直在阅读所有关于寻找类似问题的错误,我仍然不明白什么是错的。
第一种方法(课堂内的所有内容)
#include <valarray>
#include <complex>
#include <sstream>
#include <iterator>
#include <vector>
class do_fft
{
public:
typedef std::complex<double> Complex;
typedef std::valarray<Complex> CArray;
do_fft();
virtual ~do_fft();
private:
const static double PI = 3.141592653589793238460;
CArray x;
void setDados(CArray v)
{
CArray x = v;
}
CArray getFFT()
{
void fft(CArray& x)
{ //line 27
const size_t N = x.size();
if (N <= 1) return;
// divide
CArray par = x[std::slice(0, N/2, 2)];
CArray impar = x[std::slice(1, N/2, 2)];
// conquistar
fft(par);
fft(impar);
// combinar
for (size_t k = 0; k < N/2; ++k)
{
Complex t = std::polar(1.0, -2 * PI * k / N) * impar[k];
x[k ] = par[k] + t;
x[k+N/2] = par[k] - t;
}
}
fft(x);
return x;
} //line 49
} fftd;
尝试编译时的错误:
do_fft.h|49|error: expected ‘;’ after
class definition| do_fft.h||In member function ‘do_fft::CArray
do_fft::getFFT()’:| do_fft.h|27|error: a function-definition is not
allowed here before ‘{’ token| do_fft.h|49|error: expected ‘}’ at end
of input| do_fft.h|49|warning: no return statement in function
returning non-void
第二种方法 - 从方法中单独声明:
class do_fft
{
public:
typedef std::complex<double> Complex;
typedef std::valarray<Complex> CArray;
// do_fft();
// virtual ~do_fft();
private:
const static double PI = 3.141592653589793238460;
CArray x;
void setDados(CArray v);
CArray getFFT();
} fftd;
do_fft.cpp|3|error: ISO C++ forbids declaration of ‘setDados’ with no type [-fpermissive]|
do_fft.cpp|3|error: prototype for ‘int do_fft::setDados(do_fft::CArray)’ does not match any in class ‘do_fft’|
do_fft.h|19|error: candidate is: void do_fft::setDados(do_fft::CArray)| do_fft.cpp|8|error: ‘getFFT’ in ‘class do_fft’ does not name a type| ||=== Build finished: 4 errors, 0 warnings ===|
我的问题是:我正在搞乱的概念是什么?正确的方法处理这个问题
编辑:其他问题 - &gt;什么“virtual~do_fft();”这一行? (IDE在创建类时插入它)
答案 0 :(得分:1)
void fft
setDados
在类定义中有void
返回类型,但它会在您未提供的cpp文件中返回int
。
virtual ~do_fft()
是一个虚拟析构函数。如果您将从此课程派生,建议您使用。如果没有,那就没必要了。
答案 1 :(得分:1)
标准C ++中不允许使用嵌套函数,您可以这样做:
class do_fft
{
public:
typedef std::complex<double> Complex;
typedef std::valarray<Complex> CArray;
do_fft();
virtual ~do_fft();
private:
const static double PI = 3.141592653589793238460;
CArray x;
void setDados(CArray v)
{
CArray x = v;
}
void fft(CArray& x)
{ //line 27
const size_t N = x.size();
if (N <= 1) return;
// divide
CArray par = x[std::slice(0, N/2, 2)];
CArray impar = x[std::slice(1, N/2, 2)];
// conquistar
fft(par);
fft(impar);
// combinar
for (size_t k = 0; k < N/2; ++k)
{
Complex t = std::polar(1.0, -2 * PI * k / N) * impar[k];
x[k ] = par[k] + t;
x[k+N/2] = par[k] - t;
}
}
CArray getFFT()
{
fft(x);
return x;
} //line 49
} fftd;
此外,该行
virtual ~do_fft();
这个类的析构函数的声明是一个函数,用于释放删除此类实例时所需的所有内容。