我想創建一個python程序,它將文件分割成指定寬度的段,然後消費者程序獲取段並創建原始文件的副本。段可能出現故障,所以我打算使用偏移值寫入文件。 有沒有一種方法可以實現這一點,而不需要創建一個本地數組來保存接收端的所有數據?Python基於偏移量寫入文件
例如,
f = open(file, "wb")
f.seek(offset)
f.write(data)
這背後的想法是,發送該文件的程序可能無法完成發送的文件,一旦開始將再次恢復。 我有一個示例代碼,其中「combine_bytes」函數在嘗試將數據放入緩衝區位置時會引發異常。
import sys
import os
def SplitFile(fname, start, end, width):
t_fileSize = os.path.getsize(fname)
buffData = bytearray(t_fileSize)
for line, offset in get_bytes(fname, int(start), int(end), int(width)):
combine_bytes(buffData, offset, line, width)
nums = ["%02x" % ord(c) for c in line]
print " ".join(nums)
f = open("Green_copy.jpg", "wb")
f.write(buffData)
f.close()
def combine_bytes(in_buff, in_offset, in_data, in_width):
#something like memcpy would be nice
#in_buff[in_offset:in_offset + in_width] = in_data
#this works but it's the mother of inefficiency
i = in_offset
for c in in_data:
in_buff.insert(i, c)
i = i + 1
def get_bytes(fname, start, end, width):
t_currOffset = start
t_width = width
f = open(fname, "r+b")
if end != 0:
while t_currOffset < end:
f.seek(t_currOffset)
if (t_currOffset + t_width) > end:
t_width = end - t_currOffset
t_data = f.read(t_width)
yield t_data,t_currOffset
t_currOffset += t_width
else:
f.seek(t_currOffset)
t_data = f.read(t_width)
while t_data:
yield t_data, t_currOffset
t_currOffset += t_width
f.seek(t_currOffset)
t_data = f.read(t_width)
f.close()
if __name__ == '__main__':
try:
SplitFile(*sys.argv[1:5])
except:
print "Unexpected error:", sys.exc_info()[0]
讓您爲添加更多信息而添加。現在,您的代碼中存在幾個縮進錯誤,這些錯誤使其難以理解或測試。 (像第一個'for'內的combine_bytes調用 - 它應該縮進另一個層次) – jsbueno