线程functoin无法从堆上分配的缓冲区中读取char

时间:2018-04-29 10:56:06

标签: c++ multithreading winapi memory-management byte

我有一个线程函数,创建一些称为数据槽的结构,并将其传递给另一个需要填充数据槽数据的函数。 在用数据填充数据槽后,我可以在相同的填充函数中打印数据,但是当返回到线程函数时,它不能打印它,说"字符串中的无效字符"。这是线程功能代码:

unsigned __stdcall some_class::WriteBufferToFile(void * args) { 
    queue<wstring> * Q = (queue<wstring> *)args;
    myfile->open(ThisObj->DebugOutputPath, ios::out | ios::app | ios::binary);
    DataSlot * d = new DataSlot;
    ThisObj->ConvertCharactersToDataSlot(*Q, d);

    for (unsigned i = 0; i < d->Size; i++) { // printing doesn't works here !
        cout << d->RawData[i];
        *myfile << d->RawData[i];
    } 
    myfile->close();
    delete d;
    return 0;
    }

是ConvertCharactersToDataSlot代码:

void some_class::ConvertCharactersToDataSlot(queue<wstring> ToConvert, DataSlot * d) {
    wstring CombineStr = L"";
    while (!ToConvert.empty()) {
        CombineStr += ToConvert.front();
        ToConvert.pop();
    }
    unsigned size = wcslen(CombineStr.c_str()) * sizeof(CombineStr[0]);
    d->Size = size;
    d->RawData = new BYTE[size];
    d->RawData = reinterpret_cast<BYTE *>(&CombineStr[0]);
    for (unsigned i = 0; i < d->Size; i++) { // printing works here !
        cout << d->RawData[i];
    }
}

我真的需要解决这个问题,我无法理解为什么会发生这种情况,根据os内存管理方法,内存不可读是没有意义的。也许它是我的代码中的一些错误,任何想法的人?

1 个答案:

答案 0 :(得分:2)

您正在覆盖指向已分配缓冲区的指针,指针指向超出范围的缓冲区或本地字符串对象,并使d->RawData留下悬空指针:

d->RawData = new BYTE[size];
d->RawData = reinterpret_cast<BYTE *>(&CombineStr[0]);

您应该数据复制到已分配的缓冲区:

::memcpy(d->RawData, CombineStr.data(), size);

您还需要确保释放为d->RawData分配的缓冲区。