在C ++中将uint8_t缓冲区转换为复杂的浮点缓冲区

时间:2014-10-31 21:46:21

标签: c++ signals signal-processing gnuradio

我正在读取来自软件定义无线电的IQ数据缓冲区,我想解调。我收到的数据是8位无符号int的缓冲区。我需要将其转换为缓冲区以键入复杂的浮点数来解调信号(我计划使用Liquid DSP Library)。我在转换缓冲区方面遇到了困难。

在GNURadio中,我已经计算出我的逻辑并将我的代码输出写入二进制文件,然后我可以将其用作测试的输入源。到目前为止,唯一有效的是将uint8_t缓冲区写入文件,对数据的其他操作破坏了逻辑。

GNURadio Block Diagram

以下是我尝试过的C ++代码片段:

uint8_t buffer[buffersize];

uint8_t I;
uint8_t Q;

float Ifloat;
float Qfloat;

complex<float> complexsample;

ofstream myfile;
myfile.open("example.bin", ios::out | ios::app | ios::binary);

for (int x = 0; x < (buffersize/2); x++) {

    memcpy(&I, buffer + (2 * x), 1);
    memcpy(&Q, buffer + (1 + (2 * x)), 1);
    //writing I and Q above to a binary file works
        //myfile.write((char*) &I, sizeof(I));
        //myfile.write((char*) &Q, sizeof(Q));

    Ifloat = (float) I;
    Qfloat = (float) Q;
    //when I write Ifloat and Qfloat to a binary file then pass the 
    //file as an input source into the Add Const block things stop working
        //myfile.write((char*) &IIfloat, sizeof(Ifloat));
        //myfile.write((char*) &Qfloat, sizeof(Qfloat));


    Ifloat -= 127.0;
    Qfloat -= 127.0;
    //what I would do to turn the turn the unsigned value into a signed value
        //myfile.write((char*) &IIfloat, sizeof(Ifloat));
        //myfile.write((char*) &Qfloat, sizeof(Qfloat));

    complexsample.real(Ifloat);
    complexsample.imag(Qfloat);
    //what I would do to turn the I and Q floats into a single complex sample
        //myfile.write((char*) &complexsample, sizeof(complexsample));
}

1 个答案:

答案 0 :(得分:0)

DrPaulBrewer编写了一个简单的程序来完成我正在寻找的确切转换。他的GitHub链接是https://gist.github.com/DrPaulBrewer/917f990cc0a51f7febb5

他的源代码是:

void main(int argc, char *argv[])
{
int byte1, byte2; // int -- not unsigned char -- see fgetc man page
float _Complex fc;
const size_t fc_size = sizeof(fc);
FILE *infile,*outfile;
const float scale = 1.0/128.0;
const char *infilename = argv[1];
const char *outfilename = argv[2];
if (argc<3){
printf("usage: rtlsdr-to-gqrx infile outfile\n");
exit(1);
}
// printf("in= %s out= %s \n", infilename, outfilename);
infile=fopen(infilename,"rb");
outfile=fopen(outfilename,"wb");
if ((infile==NULL) || (outfile==NULL)){
printf("Error opening files\n");
exit(1);
}
while ((byte1=fgetc(infile)) != EOF){
if ((byte2=fgetc(infile)) == EOF){
exit(0);
}
fc = scale*(byte1-127) + I*scale*(byte2-127);
fwrite(&fc,fc_size,1,outfile);
}
}
相关问题