build_ota_patch.py 11 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351
  1. #!/usr/bin/env python3
  2. #
  3. # Build Actions SoC firmware (RAW/USB/OTA)
  4. #
  5. # Copyright (c) 2017 Actions Semiconductor Co., Ltd
  6. #
  7. # SPDX-License-Identifier: Apache-2.0
  8. #
  9. import os
  10. import sys
  11. import time
  12. import struct
  13. import argparse
  14. import platform
  15. import subprocess
  16. import array
  17. import hashlib
  18. import shutil
  19. import zipfile
  20. import xml.etree.ElementTree as ET
  21. import zlib
  22. script_path = os.path.split(os.path.realpath(__file__))[0]
  23. def crc32_file(filename):
  24. if os.path.isfile(filename):
  25. with open(filename, 'rb') as f:
  26. crc = zlib.crc32(f.read(), 0) & 0xffffffff
  27. return crc
  28. return 0
  29. def pad_file(filename, align = 4, fillbyte = 0xff):
  30. with open(filename, 'ab') as f:
  31. filesize = f.tell()
  32. if (filesize % align):
  33. padsize = align - filesize & (align - 1)
  34. f.write(bytearray([fillbyte]*padsize))
  35. def new_file(filename, filesize, fillbyte = 0xff):
  36. with open(filename, 'wb') as f:
  37. f.write(bytearray([fillbyte]*filesize))
  38. def dd_file(input_file, output_file, block_size=1, count=None, seek=None, skip=None):
  39. """Wrapper around the dd command"""
  40. cmd = [
  41. "dd", "if=%s" % input_file, "of=%s" % output_file,
  42. "bs=%s" % block_size, "conv=notrunc"]
  43. if count is not None:
  44. cmd.append("count=%s" % count)
  45. if seek is not None:
  46. cmd.append("seek=%s" % seek)
  47. if skip is not None:
  48. cmd.append("skip=%s" % skip)
  49. (_, exit_code) = run_cmd(cmd)
  50. def memcpy_n(cbuffer, bufsize, pylist):
  51. size = min(bufsize, len(pylist))
  52. for i in range(size):
  53. cbuffer[i]= ord(pylist[i])
  54. def align_down(data, alignment):
  55. return data & ~(alignment - 1)
  56. def align_up(data, alignment):
  57. return align_down(data + alignment - 1, alignment)
  58. def run_cmd(cmd):
  59. """Echo and run the given command.
  60. Args:
  61. cmd: the command represented as a list of strings.
  62. Returns:
  63. A tuple of the output and the exit code.
  64. """
  65. # print("Running: ", " ".join(cmd))
  66. p = subprocess.Popen(cmd, stdout=subprocess.PIPE, stderr=subprocess.STDOUT)
  67. output, _ = p.communicate()
  68. # print("%s" % (output.rstrip()))
  69. return (output, p.returncode)
  70. def panic(err_msg):
  71. print('\033[1;31;40m')
  72. print('FW: Error: %s\n' %err_msg)
  73. print('\033[0m')
  74. sys.exit(1)
  75. def print_notice(msg):
  76. print('\033[1;32;40m%s\033[0m' %msg)
  77. def cygpath(upath):
  78. cmd = ['cygpath', '-w', upath]
  79. (wpath, exit_code) = run_cmd(cmd)
  80. if (0 != exit_code):
  81. return upath
  82. return wpath.decode().strip()
  83. def is_windows():
  84. sysstr = platform.system()
  85. if (sysstr.startswith('Windows') or \
  86. sysstr.startswith('MSYS') or \
  87. sysstr.startswith('MINGW') or \
  88. sysstr.startswith('CYGWIN')):
  89. return True
  90. else:
  91. return False
  92. def is_msys():
  93. sysstr = platform.system()
  94. if (sysstr.startswith('MSYS') or \
  95. sysstr.startswith('MINGW') or \
  96. sysstr.startswith('CYGWIN')):
  97. return True
  98. else:
  99. return False
  100. def soc_is_andes():
  101. if soc_name == 'andes':
  102. return True
  103. else:
  104. return False
  105. def build_ota_image(image_path, ota_file_dir, files = []):
  106. script_ota_path = os.path.join(script_path, 'build_ota_image.py')
  107. cmd = ['python3', script_ota_path, '-o', image_path]
  108. if os.path.exists(image_path):
  109. os.remove(image_path)
  110. if files == []:
  111. for parent, dirnames, filenames in os.walk(ota_file_dir):
  112. for filename in filenames:
  113. cmd.append(os.path.join(parent, filename))
  114. else:
  115. cmd = cmd + files
  116. (outmsg, exit_code) = run_cmd(cmd)
  117. if exit_code !=0:
  118. print('make ota error')
  119. print(outmsg)
  120. sys.exit(1)
  121. def extract_ota_bin(ota_image_file, out_dir):
  122. script_ota_path = os.path.join(script_path, 'build_ota_image.py')
  123. cmd = ['python3', script_ota_path, '-i', ota_image_file, '-x', out_dir]
  124. (outmsg, exit_code) = run_cmd(cmd)
  125. if exit_code !=0:
  126. print('extract ota image error')
  127. print(outmsg)
  128. sys.exit(1)
  129. def generate_diff_patch(old_file, new_file, patch_file):
  130. if (is_windows()):
  131. # windows
  132. hdiff_path = os.path.join(script_path, 'utils/windows/hdiff.exe')
  133. else:
  134. #print(platform.architecture()[0])
  135. if ('32bit' == platform.architecture()[0]):
  136. # linux x86
  137. hdiff_path = os.path.join(script_path, 'utils/linux-x86/hdiff')
  138. else:
  139. # linux x86_64
  140. hdiff_path = os.path.join(script_path, 'utils/linux-x86_64/hdiff')
  141. cmd = [hdiff_path, old_file, new_file, patch_file]
  142. #print(cmd)
  143. (outmsg, exit_code) = run_cmd(cmd)
  144. if exit_code !=0:
  145. print('gernerate patch error')
  146. print(outmsg)
  147. sys.exit(1)
  148. class ota_file(object):
  149. def __init__(self, ota_xml_file):
  150. self.version = 0
  151. self.part_num = 0
  152. self.partitions = []
  153. self.fw_version = {}
  154. self.tree = None
  155. self.xml_file = ota_xml_file
  156. self.parse_xml(ota_xml_file)
  157. def update_xml_part_item(self, file_id, prop, text):
  158. print('OTA: update xml file_id: %s' %(file_id))
  159. root = self.tree.getroot()
  160. if (root.tag != 'ota_firmware'):
  161. sys.stderr.write('error: invalid OTA xml file')
  162. part_list = root.find('partitions').findall('partition')
  163. for part in part_list:
  164. #print(part)
  165. if part.find('file_id').text == file_id:
  166. item = part.find(prop)
  167. if item != None:
  168. item.text = text
  169. def write_xml(self):
  170. print('OTA: write back xml file: %s' %(self.xml_file))
  171. self.tree.write(self.xml_file, xml_declaration=True, method="xml", encoding='UTF-8')
  172. def parse_xml(self, xml_file):
  173. print('OTA: Parse xml file: %s' %(xml_file))
  174. self.tree = ET.ElementTree(file=xml_file)
  175. root = self.tree.getroot()
  176. if (root.tag != 'ota_firmware'):
  177. sys.stderr.write('error: invalid OTA xml file')
  178. sys.exit(1)
  179. firmware_version = root.find('firmware_version')
  180. for prop in firmware_version:
  181. self.fw_version[prop.tag] = prop.text.strip()
  182. part_num_node = root.find('partitions').find('partitionsNum')
  183. part_num = int(part_num_node.text.strip())
  184. part_list = root.find('partitions').findall('partition')
  185. for part in part_list:
  186. part_prop = {}
  187. for prop in part:
  188. part_prop[prop.tag] = prop.text.strip()
  189. self.partitions.append(part_prop)
  190. self.part_num = self.part_num + 1
  191. self.part_num = len(self.partitions);
  192. #print(self.partitions)
  193. if self.part_num == 0 or part_num != self.part_num:
  194. panic('cannot found paritions')
  195. def get_file_seq(self, file_name):
  196. seq = 0
  197. #for part in self.partitions:
  198. for i, part in enumerate(self.partitions):
  199. if ('file_name' in part.keys()):
  200. if os.path.basename(file_name) == part['file_name']:
  201. seq = i + 1;
  202. # boot is the last file in ota firmware
  203. if 'BOOT' == part['type']:
  204. seq = 0x10000
  205. return seq
  206. def get_sorted_ota_files(self, ota_dir):
  207. files = []
  208. for parent, dirnames, filenames in os.walk(ota_dir):
  209. for filename in filenames:
  210. files.append(os.path.join(parent, filename))
  211. files.sort(key = self.get_file_seq)
  212. return files
  213. def dump_fw_version(ota_ver):
  214. print('\t' + 'version name: ' + ota_ver.find('version_name').text)
  215. print('\t' + 'version code: ' + ota_ver.find('version_code').text)
  216. print('\t' + ' board name: ' + ota_ver.find('board_name').text)
  217. def update_patch_ota_xml(old_ota, new_ota, patch_ota):
  218. old_ota_root = old_ota.tree.getroot()
  219. new_ota_root = new_ota.tree.getroot()
  220. patch_ota_root = patch_ota.tree.getroot()
  221. old_ota_ver = old_ota_root.find('firmware_version')
  222. new_ota_ver = new_ota_root.find('firmware_version')
  223. print('Old FW version:')
  224. dump_fw_version(old_ota_ver)
  225. print('New FW version:')
  226. dump_fw_version(new_ota_ver)
  227. old_ota_ver_code = int(old_ota_ver.find('version_code').text.strip(), 0)
  228. new_ota_ver_code = int(new_ota_ver.find('version_code').text.strip(), 0)
  229. if old_ota_ver_code >= new_ota_ver_code:
  230. panic('new ota fw version vode is smaller than old fw version')
  231. old_ota_ver.tag = 'old_firmware_version'
  232. patch_ota_root.insert(0, old_ota_ver)
  233. def generate_ota_patch_image(patch_ota_file, old_ota_file, new_ota_file, temp_dir):
  234. temp_old_ota_dir = os.path.join(temp_dir, 'old_ota')
  235. temp_new_ota_dir = os.path.join(temp_dir, 'new_ota')
  236. temp_patch_dir = os.path.join(temp_dir, 'new_ota_patch')
  237. extract_ota_bin(old_ota_file, temp_old_ota_dir)
  238. extract_ota_bin(new_ota_file, temp_new_ota_dir)
  239. old_ota = ota_file(os.path.join(temp_old_ota_dir, 'ota.xml'))
  240. new_ota = ota_file(os.path.join(temp_new_ota_dir, 'ota.xml'))
  241. if not os.path.exists(temp_patch_dir):
  242. os.makedirs(temp_patch_dir)
  243. shutil.copyfile(os.path.join(temp_new_ota_dir, 'ota.xml'), \
  244. os.path.join(temp_patch_dir, 'ota.xml'))
  245. patch_ota = ota_file(os.path.join(temp_patch_dir, 'ota.xml'))
  246. for part in new_ota.partitions:
  247. if 'file_name' in part.keys():
  248. file_name = part['file_name']
  249. old_file = os.path.join(temp_old_ota_dir, file_name);
  250. new_file = os.path.join(temp_new_ota_dir, file_name);
  251. patch_file = os.path.join(temp_patch_dir, file_name);
  252. generate_diff_patch(old_file, new_file, patch_file)
  253. #file_size = os.path.getsize(patch_file)
  254. #checksum = crc32_file(patch_file)
  255. #patch_ota.update_xml_part_item(part['file_id'], 'file_size', str(hex(file_size)));
  256. #patch_ota.update_xml_part_item(part['file_id'], 'checksum', str(hex(checksum)));
  257. update_patch_ota_xml(old_ota, new_ota, patch_ota)
  258. patch_ota.write_xml()
  259. files = patch_ota.get_sorted_ota_files(temp_patch_dir)
  260. build_ota_image(patch_ota_file, '', files)
  261. def main(argv):
  262. parser = argparse.ArgumentParser(
  263. description='Build OTA patch firmware',
  264. )
  265. parser.add_argument('-o', dest = 'old_ota_file', required=True)
  266. parser.add_argument('-n', dest = 'new_ota_file', required=True)
  267. parser.add_argument('-p', dest = 'patch_ota_file', required=True)
  268. args = parser.parse_args();
  269. old_ota_file = args.old_ota_file
  270. new_ota_file = args.new_ota_file
  271. patch_ota_file = args.patch_ota_file
  272. if (not os.path.isfile(old_ota_file)):
  273. panic('cannot found file' + old_ota_file)
  274. if (not os.path.isfile(new_ota_file)):
  275. panic('cannot found file' + new_ota_file)
  276. try:
  277. temp_dir = os.path.dirname(patch_ota_file)
  278. generate_ota_patch_image(patch_ota_file, old_ota_file, new_ota_file, temp_dir)
  279. except Exception as e:
  280. print('\033[1;31;40m')
  281. print('unknown exception, %s' %(e));
  282. print('\033[0m')
  283. sys.exit(2)
  284. if __name__ == '__main__':
  285. main(sys.argv[1:])