如何clear/overwrite共享内存中的所有数据?
How to clear/overwrite all data in a shared memory?
我需要覆盖共享内存 (multiprocessing.shared_memory) 中所有以前写入的数据。
这是示例代码:
from multiprocessing import shared_memory
import json
shared = shared_memory.SharedMemory(create=True, size=24, name='TEST')
data_one = {'ONE': 1, 'TWO': 2}
data_two = {'ACTIVE': 1}
_byte_data_one = bytes(json.dumps(data_one), encoding='ascii')
_byte_data_two = bytes(json.dumps(data_two), encoding='ascii')
# First write to shared memory
shared.buf[0:len(_byte_data_one)] = _byte_data_one
print(f'Data: {shared.buf.tobytes()}')
# Second write
shared.buf[0:len(_byte_data_two)] = _byte_data_two
print(f'Data: {shared.buf.tobytes()}')
shared.close()
shared.unlink()
输出:
先写:b'{"ONE": 1, "TWO": 2}\x00\x00\x00\x00'
第二写:b'{"ACTIVE": 1}WO": 2}\x00\x00\x00\x00'
输出是可以理解的,因为第二次写入从索引 0 开始,到 _byte_data_two
长度结束。 (shared.buf[0:len(_byte_data_two)] = _byte_data_two
)
我需要每次对共享内存的新写入都覆盖所有以前的数据。
在每次新写入共享内存之前,我都尝试了 shared.buf[0:] = b''
,但最终得到
ValueError: memoryview assignment: lvalue and rvalue have different structures
我也在每次新写入后尝试过这个 shared.buf[0:len(_bytes_data_two)] = b''
,结果相同。
关注这个结果:
先写:b'{"ONE": 1, "TWO": 2}\x00\x00\x00\x00'
第二次写入:b'{"ACTIVE": 1}\x00\x00\x00\x00'
没有额外的“WO”:2}”来自第一次写入
如何覆盖共享内存中所有以前写入的数据?
最简单的方法可能是首先创建一个零填充字节数组,例如:
def set_zero_filled(sm, data):
buf = bytearray(sm.nbytes)
buf[:len(data)] = data
sm.buf[:] = buf
您可以将其用作:
set_zero_filled(shared, json.dumps(data_two).encode())
我需要覆盖共享内存 (multiprocessing.shared_memory) 中所有以前写入的数据。
这是示例代码:
from multiprocessing import shared_memory
import json
shared = shared_memory.SharedMemory(create=True, size=24, name='TEST')
data_one = {'ONE': 1, 'TWO': 2}
data_two = {'ACTIVE': 1}
_byte_data_one = bytes(json.dumps(data_one), encoding='ascii')
_byte_data_two = bytes(json.dumps(data_two), encoding='ascii')
# First write to shared memory
shared.buf[0:len(_byte_data_one)] = _byte_data_one
print(f'Data: {shared.buf.tobytes()}')
# Second write
shared.buf[0:len(_byte_data_two)] = _byte_data_two
print(f'Data: {shared.buf.tobytes()}')
shared.close()
shared.unlink()
输出:
先写:b'{"ONE": 1, "TWO": 2}\x00\x00\x00\x00'
第二写:b'{"ACTIVE": 1}WO": 2}\x00\x00\x00\x00'
输出是可以理解的,因为第二次写入从索引 0 开始,到 _byte_data_two
长度结束。 (shared.buf[0:len(_byte_data_two)] = _byte_data_two
)
我需要每次对共享内存的新写入都覆盖所有以前的数据。
在每次新写入共享内存之前,我都尝试了 shared.buf[0:] = b''
,但最终得到
ValueError: memoryview assignment: lvalue and rvalue have different structures
我也在每次新写入后尝试过这个 shared.buf[0:len(_bytes_data_two)] = b''
,结果相同。
关注这个结果:
先写:b'{"ONE": 1, "TWO": 2}\x00\x00\x00\x00'
第二次写入:b'{"ACTIVE": 1}\x00\x00\x00\x00'
没有额外的“WO”:2}”来自第一次写入
如何覆盖共享内存中所有以前写入的数据?
最简单的方法可能是首先创建一个零填充字节数组,例如:
def set_zero_filled(sm, data):
buf = bytearray(sm.nbytes)
buf[:len(data)] = data
sm.buf[:] = buf
您可以将其用作:
set_zero_filled(shared, json.dumps(data_two).encode())