-1

我想使用 C++ 从文件中提取一些整数,但我不确定我是否做得正确。

我在 VB6 中的代码如下:

Redim iInts(240) As Integer
Open "m:\dev\voice.raw" For Binary As #iFileNr
Get #iReadFile, 600, iInts() 'Read from position 600 and read 240 bytes

我对 C++ 的转换如下:

vector<int>iInts
iInts.resize(240)

FILE* m_infile;
string filename="m://dev//voice.raw";

if (GetFileAttributes(filename.c_str())==INVALID_FILE_ATTRIBUTES)
{
  printf("wav file not found");
  DebugBreak();
} 
else 
{
  m_infile = fopen(filename.c_str(),"rb");
}

但现在我不知道如何从那里继续,我也不知道“rb”是否正确。

4

2 回答 2

1

我不知道 VB 如何读取文件,但如果您需要从文件中读取整数,请尝试:

m_infile = fopen(myFile, "rb")
fseek(m_infile, 600 * sizeof(int), SEEK_SET);
// Read the ints, perhaps using fread(...)
fclose(myFile);

或者您可以使用ifstream使用 C++ 方式。

流的完整示例(注意,您应该添加错误检查):

#include <ifstream>

void appendInts(const std::string& filename, 
                unsigned int byteOffset, 
                unsigned int intCount,
                const vector<int>& output)
{
    std::ifstream ifs(filename, std::ios::base::in | std::ios::base::binary);
    ifs.seekg(byteOffset);
    for (unsigned int i = 0; i < intCount; ++i)
    {
        int i;
        ifs >> i;
        output.push_back(i);
    }
}

...

std::vector<int> loadedInts;
appendInts("myfile", 600, 60, loadedInts);
于 2013-01-06T19:35:55.933 回答
0

代替向量使用整数数组并传递 poth 文件描述符和数组指针以read() 如下所示

...
int my_integers[240];
read(m_infile, my_integers, 240, 600);
..

有关更多信息,read()请参阅http://pubs.opengroup.org/onlinepubs/009695399/functions/read.html

于 2013-01-06T19:50:07.210 回答