I am new to the QT. I have seen the basic Example provided by QT for Shared Memory, but i want to share structure using Shared Memory. How can I achieve it?
void Dialog::Send()
{
if (sharedMemory.isAttached())
detach();
QBuffer buffer;
buffer.open(QBuffer::ReadWrite);
QDataStream out(&buffer);
out << structa->a;
out << structa->b;
out << structa->c;
int size = buffer.size();
if (!sharedMemory.create(size))
{
ui.label->setText(tr("Unable to create shared memory segment."));
return;
}
sharedMemory.lock();
char *to = (char*)sharedMemory.data();
const char *from = buffer.data().data();
memcpy(to, from, qMin(sharedMemory.size(), buffersize));
sharedMemory.unlock();
}
In Receive Function I am getting the data right in the Buffer, but I am unable to convert it to Struct veriable back.
void Dialog::Receive()
{
if (!(sharedMemory.attach()))
{
ui.label->setText(tr("Unable to attach to shared memory segment.\n" \
"Load an image first."));
return;
}
QByteArray byteArray;
QBuffer buffer(&byteArray);
QDataStream in(&buffer);
TestStruct tmp; //Re-make the struct
sharedMemory.lock();
buffer.setData((char*)sharedMemory.constData(), sizeof(tmp));
buffer.open(QBuffer::ReadOnly);
int nSize = ((buffer.size()));
memcpy(&tmp, buffer.data().data(), nSize);
qDebug()<< " tmp.a = "<<tmp.a;
qDebug()<< " tmp.b = "<<tmp.b;
qDebug()<< " tmp.c = "<< tmp.c;
sharedMemory.unlock();
sharedMemory.detach();
}
You are writing individual fields using a
QDataStream
, but reading as a struct usingmemcpy
. This will cause problems!You should read the data the same way as you are writing.
Example (assuming
TestStruct
has members a, b and c of same type asstructa
):Update:
If you have simple
char
s in your struct, the extraction code will not work, as there is nooperator>>(QDataStream&, char&)
. You can use this:Serializing complete structure
You can write the complete structure at once:
But beware! This will probably not be protable! See e.g. this question for padding issues. I do not recommend this method
A general Qt serialization approach
There is quite a good guide in this blog. It gives the basics for a general serialization method in Qt.
The basic idea is to serialize objects into
QVariant
s. AQVariant
can store many types, including aQVariantMap
, which is a map fromQString => QVariant
. Therefore, you can create hierachical structures.These
QVariant
s can be searialized using aQDataStream
.The outline is as follows:
You use this as follows: