go_tool.py 33 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699700701702703704705706707708709710711712713714715716717718719720721722723724725726727728729730731732733734735736737738739740741742743744745746747748749750751752753754755756757758759760761762763764765766767768769770771772773774775776777778779780781782783784785786787788789790791792793794795796797798799800801802803804805806807808809810811812813814815816817818819820821822823824825826827828829830831832833834835836837838839840841842843844845846847848849850851852853854855856857858859860861862863864865866867868869870871872873874875876877878879880881882883884885886887888889890891892893894895896897898899900
  1. import argparse
  2. import copy
  3. import json
  4. import os
  5. import re
  6. import shutil
  7. import subprocess
  8. import sys
  9. import tarfile
  10. import tempfile
  11. import threading
  12. import traceback
  13. from contextlib import contextmanager
  14. from functools import reduce
  15. import process_command_files as pcf
  16. import process_whole_archive_option as pwa
  17. arc_project_prefix = 'a.yandex-team.ru/'
  18. # FIXME: make version-independent
  19. std_lib_prefix = 'contrib/go/_std_1.22/src/'
  20. vendor_prefix = 'vendor/'
  21. vet_info_ext = '.vet.out'
  22. vet_report_ext = '.vet.txt'
  23. FIXED_CGO1_SUFFIX = '.fixed.cgo1.go'
  24. COMPILE_OPTIMIZATION_FLAGS = ('-N',)
  25. IGNORED_FLAGS = ['-fprofile-instr-generate', '-fcoverage-mapping']
  26. def get_trimpath_args(args):
  27. return ['-trimpath', args.trimpath] if args.trimpath else []
  28. def preprocess_cgo1(src_path, dst_path, source_root):
  29. with open(src_path, 'r') as f:
  30. content = f.read()
  31. content = content.replace('__ARCADIA_SOURCE_ROOT_PREFIX__', source_root)
  32. with open(dst_path, 'w') as f:
  33. f.write(content)
  34. def preprocess_args(args):
  35. # Temporary work around for noauto
  36. if args.cgo_srcs and len(args.cgo_srcs) > 0:
  37. cgo_srcs_set = set(args.cgo_srcs)
  38. args.srcs = [x for x in args.srcs if x not in cgo_srcs_set]
  39. args.pkg_root = os.path.join(args.toolchain_root, 'pkg')
  40. toolchain_tool_root = os.path.join(args.pkg_root, 'tool', '{}_{}'.format(args.host_os, args.host_arch))
  41. args.go_compile = os.path.join(toolchain_tool_root, 'compile')
  42. args.go_cgo = os.path.join(toolchain_tool_root, 'cgo')
  43. args.go_link = os.path.join(toolchain_tool_root, 'link')
  44. args.go_asm = os.path.join(toolchain_tool_root, 'asm')
  45. args.go_pack = os.path.join(toolchain_tool_root, 'pack')
  46. args.go_vet = os.path.join(toolchain_tool_root, 'vet') if args.vet is True else args.vet
  47. args.output = os.path.normpath(args.output)
  48. args.vet_report_output = vet_report_output_name(args.output, args.vet_report_ext)
  49. args.trimpath = None
  50. if args.debug_root_map:
  51. roots = {'build': args.build_root, 'source': args.source_root, 'tools': args.tools_root}
  52. replaces = []
  53. for root in args.debug_root_map.split(';'):
  54. src, dst = root.split('=', 1)
  55. assert src in roots
  56. replaces.append('{}=>{}'.format(roots[src], dst))
  57. del roots[src]
  58. assert len(replaces) > 0
  59. args.trimpath = ';'.join(replaces)
  60. args.build_root = os.path.normpath(args.build_root)
  61. args.build_root_dir = args.build_root + os.path.sep
  62. args.source_root = os.path.normpath(args.source_root)
  63. args.source_root_dir = args.source_root + os.path.sep
  64. args.output_root = os.path.normpath(args.output_root)
  65. args.import_map = {}
  66. args.module_map = {}
  67. if args.cgo_peers:
  68. args.cgo_peers = [x for x in args.cgo_peers if not x.endswith('.fake.pkg')]
  69. srcs = []
  70. for f in args.srcs:
  71. if f.endswith('.gosrc'):
  72. with tarfile.open(f, 'r') as tar:
  73. srcs.extend(os.path.join(args.output_root, src) for src in tar.getnames())
  74. tar.extractall(path=args.output_root)
  75. else:
  76. srcs.append(f)
  77. args.srcs = srcs
  78. assert args.mode == 'test' or args.test_srcs is None and args.xtest_srcs is None
  79. # add lexical oreder by basename for go sources
  80. args.srcs.sort(key=lambda x: os.path.basename(x))
  81. if args.test_srcs:
  82. args.srcs += sorted(args.test_srcs, key=lambda x: os.path.basename(x))
  83. del args.test_srcs
  84. if args.xtest_srcs:
  85. args.xtest_srcs.sort(key=lambda x: os.path.basename(x))
  86. # compute root relative module dir path
  87. assert args.output is None or args.output_root == os.path.dirname(args.output)
  88. assert args.output_root.startswith(args.build_root_dir)
  89. args.module_path = args.output_root[len(args.build_root_dir) :]
  90. args.source_module_dir = os.path.join(args.source_root, args.test_import_path or args.module_path) + os.path.sep
  91. assert len(args.module_path) > 0
  92. args.import_path, args.is_std = get_import_path(args.module_path)
  93. assert args.asmhdr is None or args.word == 'go'
  94. srcs = []
  95. for f in args.srcs:
  96. if f.endswith(FIXED_CGO1_SUFFIX) and f.startswith(args.build_root_dir):
  97. path = os.path.join(args.output_root, '{}.cgo1.go'.format(os.path.basename(f[: -len(FIXED_CGO1_SUFFIX)])))
  98. srcs.append(path)
  99. preprocess_cgo1(f, path, args.source_root)
  100. else:
  101. srcs.append(f)
  102. args.srcs = srcs
  103. if args.extldflags:
  104. tmp = [flag for flag in args.extldflags if flag not in IGNORED_FLAGS]
  105. args.extldflags = pwa.ProcessWholeArchiveOption(args.targ_os).construct_cmd(tmp)
  106. classify_srcs(args.srcs, args)
  107. def compare_versions(version1, version2):
  108. def last_index(version):
  109. index = version.find('beta')
  110. return len(version) if index < 0 else index
  111. v1 = tuple(x.zfill(8) for x in version1[: last_index(version1)].split('.'))
  112. v2 = tuple(x.zfill(8) for x in version2[: last_index(version2)].split('.'))
  113. if v1 == v2:
  114. return 0
  115. return 1 if v1 < v2 else -1
  116. def get_symlink_or_copyfile():
  117. os_symlink = getattr(os, 'symlink', None)
  118. if os_symlink is None or os.name == 'nt':
  119. os_symlink = shutil.copyfile
  120. return os_symlink
  121. def copy_args(args):
  122. return copy.copy(args)
  123. def get_vendor_index(import_path):
  124. index = import_path.rfind('/' + vendor_prefix)
  125. if index < 0:
  126. index = 0 if import_path.startswith(vendor_prefix) else index
  127. else:
  128. index = index + 1
  129. return index
  130. def get_import_path(module_path):
  131. assert len(module_path) > 0
  132. import_path = module_path.replace('\\', '/')
  133. is_std_module = import_path.startswith(std_lib_prefix)
  134. if is_std_module:
  135. import_path = import_path[len(std_lib_prefix) :]
  136. elif import_path.startswith(vendor_prefix):
  137. import_path = import_path[len(vendor_prefix) :]
  138. else:
  139. import_path = arc_project_prefix + import_path
  140. assert len(import_path) > 0
  141. return import_path, is_std_module
  142. def call(cmd, cwd, env=None):
  143. # sys.stderr.write('{}\n'.format(' '.join(cmd)))
  144. return subprocess.check_output(cmd, stdin=None, stderr=subprocess.STDOUT, cwd=cwd, env=env, text=True)
  145. def classify_srcs(srcs, args):
  146. args.go_srcs = [x for x in srcs if x.endswith('.go')]
  147. args.asm_srcs = [x for x in srcs if x.endswith('.s')]
  148. args.objects = [x for x in srcs if x.endswith('.o') or x.endswith('.obj')]
  149. args.symabis = [x for x in srcs if x.endswith('.symabis')]
  150. args.sysos = [x for x in srcs if x.endswith('.syso')]
  151. def get_import_config_info(peers, gen_importmap, import_map={}, module_map={}):
  152. info = {'importmap': [], 'packagefile': [], 'standard': {}}
  153. if gen_importmap:
  154. for key, value in import_map.items():
  155. info['importmap'].append((key, value))
  156. for peer in peers:
  157. peer_import_path, is_std = get_import_path(os.path.dirname(peer))
  158. if gen_importmap:
  159. index = get_vendor_index(peer_import_path)
  160. if index >= 0:
  161. index += len(vendor_prefix)
  162. info['importmap'].append((peer_import_path[index:], peer_import_path))
  163. info['packagefile'].append((peer_import_path, os.path.join(args.build_root, peer)))
  164. if is_std:
  165. info['standard'][peer_import_path] = True
  166. for key, value in module_map.items():
  167. info['packagefile'].append((key, value))
  168. return info
  169. def create_import_config(peers, gen_importmap, import_map={}, module_map={}):
  170. lines = []
  171. info = get_import_config_info(peers, gen_importmap, import_map, module_map)
  172. for key in ('importmap', 'packagefile'):
  173. for item in info[key]:
  174. lines.append('{} {}={}'.format(key, *item))
  175. if len(lines) > 0:
  176. lines.append('')
  177. content = '\n'.join(lines)
  178. # sys.stderr.writelines('{}\n'.format(l) for l in lines)
  179. with tempfile.NamedTemporaryFile(delete=False) as f:
  180. f.write(content.encode('UTF-8'))
  181. return f.name
  182. return None
  183. def create_embed_config(args):
  184. data = {
  185. 'Patterns': {},
  186. 'Files': {},
  187. }
  188. for info in args.embed:
  189. embed_dir = os.path.normpath(info[0])
  190. assert embed_dir == args.source_module_dir[:-1] or embed_dir.startswith(
  191. (args.source_module_dir, args.build_root)
  192. )
  193. pattern = info[1]
  194. if pattern.endswith('/**/*'):
  195. pattern = pattern[:-3]
  196. files = {os.path.relpath(f, embed_dir).replace('\\', '/'): f for f in info[2:]}
  197. data['Patterns'][pattern] = list(files.keys())
  198. data['Files'].update(files)
  199. # sys.stderr.write('{}\n'.format(json.dumps(data, indent=4)))
  200. with tempfile.NamedTemporaryFile(delete=False, suffix='.embedcfg') as f:
  201. f.write(json.dumps(data).encode('UTF-8'))
  202. return f.name
  203. def vet_info_output_name(path, ext=None):
  204. return '{}{}'.format(path, ext or vet_info_ext)
  205. def vet_report_output_name(path, ext=None):
  206. return '{}{}'.format(path, ext or vet_report_ext)
  207. def get_source_path(args):
  208. return args.test_import_path or args.module_path
  209. def gen_vet_info(args):
  210. import_path = args.real_import_path if hasattr(args, 'real_import_path') else args.import_path
  211. info = get_import_config_info(args.peers, True, args.import_map, args.module_map)
  212. import_map = dict(info['importmap'])
  213. # FIXME(snermolaev): it seems that adding import map for 'fake' package
  214. # does't make any harm (it needs to be revised later)
  215. import_map['unsafe'] = 'unsafe'
  216. for key, _ in info['packagefile']:
  217. if key not in import_map:
  218. import_map[key] = key
  219. data = {
  220. 'ID': import_path,
  221. 'Compiler': 'gc',
  222. 'Dir': os.path.join(args.source_root, get_source_path(args)),
  223. 'ImportPath': import_path,
  224. 'GoFiles': [x for x in args.go_srcs if x.endswith('.go')],
  225. 'NonGoFiles': [x for x in args.go_srcs if not x.endswith('.go')],
  226. 'ImportMap': import_map,
  227. 'PackageFile': dict(info['packagefile']),
  228. 'Standard': dict(info['standard']),
  229. 'PackageVetx': dict((key, vet_info_output_name(value)) for key, value in info['packagefile']),
  230. 'VetxOnly': False,
  231. 'VetxOutput': vet_info_output_name(args.output),
  232. 'SucceedOnTypecheckFailure': False,
  233. }
  234. # sys.stderr.write('{}\n'.format(json.dumps(data, indent=4)))
  235. return data
  236. def create_vet_config(args, info):
  237. with tempfile.NamedTemporaryFile(delete=False, suffix='.cfg') as f:
  238. f.write(json.dumps(info).encode('UTF-8'))
  239. return f.name
  240. def decode_vet_report(json_report):
  241. report = ''
  242. if json_report:
  243. json_report = json_report.decode('UTF-8')
  244. try:
  245. full_diags = json.JSONDecoder().decode(json_report)
  246. except ValueError:
  247. report = json_report
  248. else:
  249. messages = []
  250. for _, module_diags in full_diags.items():
  251. for _, type_diags in module_diags.items():
  252. for diag in type_diags:
  253. messages.append('{}: {}'.format(diag['posn'], json.dumps(diag['message'])))
  254. report = '\n'.join(messages)
  255. return report
  256. def dump_vet_report(args, report):
  257. if report:
  258. report = report.replace(args.build_root, '$B')
  259. report = report.replace(args.source_root, '$S')
  260. with open(args.vet_report_output, 'w') as f:
  261. f.write(report)
  262. def read_vet_report(args):
  263. assert args
  264. report = ''
  265. if os.path.exists(args.vet_report_output):
  266. with open(args.vet_report_output, 'r') as f:
  267. report += f.read()
  268. return report
  269. def dump_vet_report_for_tests(args, *test_args_list):
  270. dump_vet_report(args, reduce(lambda x, y: x + read_vet_report(y), [_f for _f in test_args_list if _f], ''))
  271. def do_vet(args):
  272. assert args.vet
  273. info = gen_vet_info(args)
  274. vet_config = create_vet_config(args, info)
  275. cmd = [args.go_vet, '-json']
  276. if args.vet_flags:
  277. cmd.extend(args.vet_flags)
  278. cmd.append(vet_config)
  279. # sys.stderr.write('>>>> [{}]\n'.format(' '.join(cmd)))
  280. p_vet = subprocess.Popen(cmd, stdin=None, stderr=subprocess.PIPE, stdout=subprocess.PIPE, cwd=args.source_root)
  281. vet_out, vet_err = p_vet.communicate()
  282. report = decode_vet_report(vet_out) if vet_out else ''
  283. dump_vet_report(args, report)
  284. if p_vet.returncode:
  285. raise subprocess.CalledProcessError(returncode=p_vet.returncode, cmd=cmd, output=vet_err)
  286. def _do_compile_go(args):
  287. import_path, is_std_module = args.import_path, args.is_std
  288. cmd = [
  289. args.go_compile,
  290. '-o',
  291. args.output,
  292. '-p',
  293. import_path if import_path != "unsafe" else "",
  294. '-D',
  295. '""',
  296. ]
  297. if args.lang:
  298. cmd.append('-lang=go{}'.format(args.lang))
  299. cmd.extend(get_trimpath_args(args))
  300. compiling_runtime = False
  301. if is_std_module:
  302. cmd.append('-std')
  303. if import_path in ('runtime', 'internal/abi', 'internal/bytealg', 'internal/cpu') or import_path.startswith(
  304. 'runtime/internal/'
  305. ):
  306. cmd.append('-+')
  307. compiling_runtime = True
  308. import_config_name = create_import_config(args.peers, True, args.import_map, args.module_map)
  309. if import_config_name:
  310. cmd += ['-importcfg', import_config_name]
  311. else:
  312. if import_path == 'unsafe' or len(args.objects) > 0 or args.asmhdr:
  313. pass
  314. else:
  315. cmd.append('-complete')
  316. # if compare_versions('1.16', args.goversion) >= 0:
  317. if args.embed:
  318. embed_config_name = create_embed_config(args)
  319. cmd.extend(['-embedcfg', embed_config_name])
  320. if args.asmhdr:
  321. cmd += ['-asmhdr', args.asmhdr]
  322. # Use .symabis (starting from 1.12 version)
  323. if args.symabis:
  324. cmd += ['-symabis'] + args.symabis
  325. # If 1.12 <= version < 1.13 we have to pass -allabis for 'runtime' and 'runtime/internal/atomic'
  326. # if compare_versions('1.13', args.goversion) >= 0:
  327. # pass
  328. # elif import_path in ('runtime', 'runtime/internal/atomic'):
  329. # cmd.append('-allabis')
  330. compile_workers = '4'
  331. if args.compile_flags:
  332. if compiling_runtime:
  333. cmd.extend(x for x in args.compile_flags if x not in COMPILE_OPTIMIZATION_FLAGS)
  334. else:
  335. cmd.extend(args.compile_flags)
  336. if any([x in ('-race', '-shared') for x in args.compile_flags]):
  337. compile_workers = '1'
  338. cmd += ['-pack', '-c={}'.format(compile_workers)]
  339. cmd += args.go_srcs
  340. call(cmd, args.build_root)
  341. class VetThread(threading.Thread):
  342. def __init__(self, target, args):
  343. super(VetThread, self).__init__(target=target, args=args)
  344. self.exc_info = None
  345. def run(self):
  346. try:
  347. super(VetThread, self).run()
  348. except:
  349. self.exc_info = sys.exc_info()
  350. def join_with_exception(self, reraise_exception):
  351. self.join()
  352. if reraise_exception and self.exc_info:
  353. raise self.exc_info[0].with_traceback(self.exc_info[1], self.exc_info[2])
  354. def do_compile_go(args):
  355. raise_exception_from_vet = False
  356. if args.vet:
  357. run_vet = VetThread(target=do_vet, args=(args,))
  358. run_vet.start()
  359. try:
  360. _do_compile_go(args)
  361. raise_exception_from_vet = True
  362. finally:
  363. if args.vet:
  364. run_vet.join_with_exception(raise_exception_from_vet)
  365. def do_compile_asm(args):
  366. assert len(args.srcs) == 1 and len(args.asm_srcs) == 1
  367. cmd = [args.go_asm]
  368. cmd += get_trimpath_args(args)
  369. cmd += ['-I', args.output_root, '-I', os.path.join(args.pkg_root, 'include')]
  370. cmd += ['-D', 'GOOS_' + args.targ_os, '-D', 'GOARCH_' + args.targ_arch, '-o', args.output]
  371. # if compare_versions('1.16', args.goversion) >= 0:
  372. cmd += ['-p', args.import_path]
  373. if args.asm_flags:
  374. cmd += args.asm_flags
  375. cmd += args.asm_srcs
  376. call(cmd, args.build_root)
  377. def do_link_lib(args):
  378. if len(args.asm_srcs) > 0:
  379. asmargs = copy_args(args)
  380. asmargs.asmhdr = os.path.join(asmargs.output_root, 'go_asm.h')
  381. do_compile_go(asmargs)
  382. for src in asmargs.asm_srcs:
  383. asmargs.srcs = [src]
  384. asmargs.asm_srcs = [src]
  385. asmargs.output = os.path.join(asmargs.output_root, os.path.basename(src) + '.o')
  386. do_compile_asm(asmargs)
  387. args.objects.append(asmargs.output)
  388. else:
  389. do_compile_go(args)
  390. if args.objects or args.sysos:
  391. cmd = [args.go_pack, 'r', args.output] + args.objects + args.sysos
  392. call(cmd, args.build_root)
  393. def do_link_exe(args):
  394. assert args.extld is not None
  395. assert args.non_local_peers is not None
  396. compile_args = copy_args(args)
  397. compile_args.output = os.path.join(args.output_root, 'main.a')
  398. compile_args.real_import_path = compile_args.import_path
  399. compile_args.import_path = 'main'
  400. if args.vcs and os.path.isfile(compile_args.vcs):
  401. build_info = os.path.join('library', 'go', 'core', 'buildinfo')
  402. if any([x.startswith(build_info) for x in compile_args.peers]):
  403. compile_args.go_srcs.append(compile_args.vcs)
  404. do_link_lib(compile_args)
  405. cmd = [args.go_link, '-o', args.output]
  406. import_config_name = create_import_config(
  407. args.peers + args.non_local_peers, False, args.import_map, args.module_map
  408. )
  409. if import_config_name:
  410. cmd += ['-importcfg', import_config_name]
  411. if args.link_flags:
  412. cmd += args.link_flags
  413. extldflags = []
  414. if args.buildmode:
  415. cmd.append('-buildmode={}'.format(args.buildmode))
  416. elif args.mode in ('exe', 'test'):
  417. cmd.append('-buildmode=exe')
  418. if 'ld.lld' in str(args):
  419. extldflags.append('-Wl,-no-pie')
  420. elif args.mode == 'dll':
  421. cmd.append('-buildmode=c-shared')
  422. else:
  423. assert False, 'Unexpected mode: {}'.format(args.mode)
  424. cmd.append('-extld={}'.format(args.extld))
  425. if args.extldflags is not None:
  426. filter_musl = bool
  427. if args.musl:
  428. cmd.append('-linkmode=external')
  429. extldflags.append('-static')
  430. filter_musl = lambda x: x not in ('-lc', '-ldl', '-lm', '-lpthread', '-lrt')
  431. extldflags += [x for x in args.extldflags if filter_musl(x)]
  432. cgo_peers = []
  433. if args.cgo_peers is not None and len(args.cgo_peers) > 0:
  434. is_group = args.targ_os == 'linux'
  435. if is_group:
  436. cgo_peers.append('-Wl,--start-group')
  437. cgo_peers.extend(args.cgo_peers)
  438. if is_group:
  439. cgo_peers.append('-Wl,--end-group')
  440. try:
  441. index = extldflags.index('--cgo-peers')
  442. extldflags = extldflags[:index] + cgo_peers + extldflags[index + 1 :]
  443. except ValueError:
  444. extldflags.extend(cgo_peers)
  445. if len(extldflags) > 0:
  446. cmd.append('-extldflags={}'.format(' '.join(extldflags)))
  447. cmd.append(compile_args.output)
  448. call(cmd, args.build_root)
  449. def gen_cover_info(args):
  450. lines = []
  451. lines.extend(
  452. [
  453. """
  454. var (
  455. coverCounters = make(map[string][]uint32)
  456. coverBlocks = make(map[string][]testing.CoverBlock)
  457. )
  458. """,
  459. 'func init() {',
  460. ]
  461. )
  462. for var, file in (x.split(':') for x in args.cover_info):
  463. lines.append(
  464. ' coverRegisterFile("{file}", _cover0.{var}.Count[:], _cover0.{var}.Pos[:], _cover0.{var}.NumStmt[:])'.format(
  465. file=file, var=var
  466. )
  467. )
  468. lines.extend(
  469. [
  470. '}',
  471. """
  472. func coverRegisterFile(fileName string, counter []uint32, pos []uint32, numStmts []uint16) {
  473. if 3*len(counter) != len(pos) || len(counter) != len(numStmts) {
  474. panic("coverage: mismatched sizes")
  475. }
  476. if coverCounters[fileName] != nil {
  477. // Already registered.
  478. return
  479. }
  480. coverCounters[fileName] = counter
  481. block := make([]testing.CoverBlock, len(counter))
  482. for i := range counter {
  483. block[i] = testing.CoverBlock{
  484. Line0: pos[3*i+0],
  485. Col0: uint16(pos[3*i+2]),
  486. Line1: pos[3*i+1],
  487. Col1: uint16(pos[3*i+2]>>16),
  488. Stmts: numStmts[i],
  489. }
  490. }
  491. coverBlocks[fileName] = block
  492. }
  493. """,
  494. ]
  495. )
  496. return lines
  497. def filter_out_skip_tests(tests, skip_tests):
  498. skip_set = set()
  499. star_skip_set = set()
  500. for t in skip_tests:
  501. work_set = star_skip_set if '*' in t else skip_set
  502. work_set.add(t)
  503. re_star_tests = None
  504. if len(star_skip_set) > 0:
  505. re_star_tests = re.compile(re.sub(r'(\*)+', r'.\1', '^({})$'.format('|'.join(star_skip_set))))
  506. return [x for x in tests if not (x in skip_tests or re_star_tests and re_star_tests.match(x))]
  507. @contextmanager
  508. def create_strip_symlink():
  509. # This function creates symlink of llvm-strip as strip for golink needs.
  510. # We believe that cc-binaries path is a first element in PATH enviroment variable.
  511. tmpdir = None
  512. if os.getenv("CC") == "clang":
  513. tmpdir = tempfile.mkdtemp()
  514. cc_path = os.getenv("PATH").split(os.pathsep)[0]
  515. os.environ["PATH"] += os.pathsep + tmpdir
  516. src_strip_path = os.path.join(cc_path, 'llvm-strip')
  517. dst_strip_path = os.path.join(tmpdir, 'strip')
  518. os.symlink(src_strip_path, dst_strip_path)
  519. try:
  520. yield
  521. finally:
  522. if tmpdir:
  523. shutil.rmtree(tmpdir)
  524. def gen_test_main(args, test_lib_args, xtest_lib_args):
  525. assert args and (test_lib_args or xtest_lib_args)
  526. test_miner = args.test_miner
  527. test_module_path = test_lib_args.import_path if test_lib_args else xtest_lib_args.import_path
  528. is_cover = args.cover_info and len(args.cover_info) > 0
  529. # Prepare GOPATH
  530. # $BINDIR
  531. # |- __go__
  532. # |- src
  533. # |- pkg
  534. # |- ${TARGET_OS}_${TARGET_ARCH}
  535. go_path_root = os.path.join(args.output_root, '__go__')
  536. test_src_dir = os.path.join(go_path_root, 'src')
  537. target_os_arch = '_'.join([args.targ_os, args.targ_arch])
  538. test_pkg_dir = os.path.join(go_path_root, 'pkg', target_os_arch, os.path.dirname(test_module_path))
  539. os.makedirs(test_pkg_dir)
  540. my_env = os.environ.copy()
  541. my_env['GOROOT'] = ''
  542. my_env['GOPATH'] = go_path_root
  543. my_env['GOARCH'] = args.targ_arch
  544. my_env['GOOS'] = args.targ_os
  545. tests = []
  546. xtests = []
  547. os_symlink = get_symlink_or_copyfile()
  548. # Get the list of "internal" tests
  549. if test_lib_args:
  550. os.makedirs(os.path.join(test_src_dir, test_module_path))
  551. os_symlink(test_lib_args.output, os.path.join(test_pkg_dir, os.path.basename(test_module_path) + '.a'))
  552. cmd = [test_miner, '-benchmarks', '-tests', test_module_path]
  553. tests = [x for x in (call(cmd, test_lib_args.output_root, my_env) or '').strip().split('\n') if len(x) > 0]
  554. if args.skip_tests:
  555. tests = filter_out_skip_tests(tests, args.skip_tests)
  556. test_main_found = '#TestMain' in tests
  557. # Get the list of "external" tests
  558. if xtest_lib_args:
  559. xtest_module_path = xtest_lib_args.import_path
  560. os.makedirs(os.path.join(test_src_dir, xtest_module_path))
  561. os_symlink(xtest_lib_args.output, os.path.join(test_pkg_dir, os.path.basename(xtest_module_path) + '.a'))
  562. cmd = [test_miner, '-benchmarks', '-tests', xtest_module_path]
  563. xtests = [x for x in (call(cmd, xtest_lib_args.output_root, my_env) or '').strip().split('\n') if len(x) > 0]
  564. if args.skip_tests:
  565. xtests = filter_out_skip_tests(xtests, args.skip_tests)
  566. xtest_main_found = '#TestMain' in xtests
  567. test_main_package = None
  568. if test_main_found and xtest_main_found:
  569. assert False, 'multiple definition of TestMain'
  570. elif test_main_found:
  571. test_main_package = '_test'
  572. elif xtest_main_found:
  573. test_main_package = '_xtest'
  574. shutil.rmtree(go_path_root)
  575. lines = ['package main', '', 'import (']
  576. if test_main_package is None:
  577. lines.append(' "os"')
  578. lines.extend([' "testing"', ' "testing/internal/testdeps"'])
  579. lines.extend([' _ "{}library/go/test/yatest"'.format(args.arc_project_prefix)])
  580. if len(tests) > 0:
  581. lines.append(' _test "{}"'.format(test_module_path))
  582. elif test_lib_args:
  583. lines.append(' _ "{}"'.format(test_module_path))
  584. if len(xtests) > 0:
  585. lines.append(' _xtest "{}"'.format(xtest_module_path))
  586. elif xtest_lib_args:
  587. lines.append(' _ "{}"'.format(xtest_module_path))
  588. if is_cover:
  589. lines.append(' _cover0 "{}"'.format(test_module_path))
  590. lines.extend([')', ''])
  591. if compare_versions('1.18', args.goversion) < 0:
  592. kinds = ['Test', 'Benchmark', 'Example']
  593. else:
  594. kinds = ['Test', 'Benchmark', 'FuzzTarget', 'Example']
  595. var_names = []
  596. for kind in kinds:
  597. var_name = '{}s'.format(kind.lower())
  598. var_names.append(var_name)
  599. lines.append('var {} = []testing.Internal{}{{'.format(var_name, kind))
  600. for test in [x for x in tests if x.startswith(kind)]:
  601. lines.append(' {{"{test}", _test.{test}}},'.format(test=test))
  602. for test in [x for x in xtests if x.startswith(kind)]:
  603. lines.append(' {{"{test}", _xtest.{test}}},'.format(test=test))
  604. lines.extend(['}', ''])
  605. if is_cover:
  606. lines.extend(gen_cover_info(args))
  607. lines.append('func main() {')
  608. if is_cover:
  609. lines.extend(
  610. [
  611. ' testing.RegisterCover(testing.Cover{',
  612. ' Mode: "set",',
  613. ' Counters: coverCounters,',
  614. ' Blocks: coverBlocks,',
  615. ' CoveredPackages: "",',
  616. ' })',
  617. ]
  618. )
  619. lines.extend(
  620. [
  621. ' m := testing.MainStart(testdeps.TestDeps{{}}, {})'.format(', '.join(var_names)),
  622. '',
  623. ]
  624. )
  625. if test_main_package:
  626. lines.append(' {}.TestMain(m)'.format(test_main_package))
  627. else:
  628. lines.append(' os.Exit(m.Run())')
  629. lines.extend(['}', ''])
  630. content = '\n'.join(lines)
  631. # sys.stderr.write('{}\n'.format(content))
  632. return content
  633. def do_link_test(args):
  634. assert args.srcs or args.xtest_srcs
  635. assert args.test_miner is not None
  636. test_module_path = get_source_path(args)
  637. test_import_path, _ = get_import_path(test_module_path)
  638. test_lib_args = copy_args(args) if args.srcs else None
  639. xtest_lib_args = copy_args(args) if args.xtest_srcs else None
  640. if xtest_lib_args is not None:
  641. xtest_lib_args.embed = args.embed_xtest if args.embed_xtest else None
  642. ydx_file_name = None
  643. xtest_ydx_file_name = None
  644. need_append_ydx = test_lib_args and xtest_lib_args and args.ydx_file and args.vet_flags
  645. if need_append_ydx:
  646. def find_ydx_file_name(name, flags):
  647. for i, elem in enumerate(flags):
  648. if elem.endswith(name):
  649. return (i, elem)
  650. assert False, 'Unreachable code'
  651. idx, ydx_file_name = find_ydx_file_name(xtest_lib_args.ydx_file, xtest_lib_args.vet_flags)
  652. xtest_ydx_file_name = '{}_xtest'.format(ydx_file_name)
  653. xtest_lib_args.vet_flags = copy.copy(xtest_lib_args.vet_flags)
  654. xtest_lib_args.vet_flags[idx] = xtest_ydx_file_name
  655. if test_lib_args:
  656. test_lib_args.output = os.path.join(args.output_root, 'test.a')
  657. test_lib_args.vet_report_output = vet_report_output_name(test_lib_args.output)
  658. test_lib_args.module_path = test_module_path
  659. test_lib_args.import_path = test_import_path
  660. do_link_lib(test_lib_args)
  661. if xtest_lib_args:
  662. xtest_lib_args.srcs = xtest_lib_args.xtest_srcs
  663. classify_srcs(xtest_lib_args.srcs, xtest_lib_args)
  664. xtest_lib_args.output = os.path.join(args.output_root, 'xtest.a')
  665. xtest_lib_args.vet_report_output = vet_report_output_name(xtest_lib_args.output)
  666. xtest_lib_args.module_path = test_module_path + '_test'
  667. xtest_lib_args.import_path = test_import_path + '_test'
  668. if test_lib_args:
  669. xtest_lib_args.module_map[test_import_path] = test_lib_args.output
  670. need_append_ydx = args.ydx_file and args.srcs and args.vet_flags
  671. do_link_lib(xtest_lib_args)
  672. if need_append_ydx:
  673. with open(os.path.join(args.build_root, ydx_file_name), 'ab') as dst_file:
  674. with open(os.path.join(args.build_root, xtest_ydx_file_name), 'rb') as src_file:
  675. dst_file.write(src_file.read())
  676. test_main_content = gen_test_main(args, test_lib_args, xtest_lib_args)
  677. test_main_name = os.path.join(args.output_root, '_test_main.go')
  678. with open(test_main_name, "w") as f:
  679. f.write(test_main_content)
  680. test_args = copy_args(args)
  681. test_args.embed = None
  682. test_args.srcs = [test_main_name]
  683. if test_args.test_import_path is None:
  684. # it seems that we can do it unconditionally, but this kind
  685. # of mangling doesn't really looks good to me and we leave it
  686. # for pure GO_TEST module
  687. test_args.module_path = test_args.module_path + '___test_main__'
  688. test_args.import_path = test_args.import_path + '___test_main__'
  689. classify_srcs(test_args.srcs, test_args)
  690. if test_lib_args:
  691. test_args.module_map[test_lib_args.import_path] = test_lib_args.output
  692. if xtest_lib_args:
  693. test_args.module_map[xtest_lib_args.import_path] = xtest_lib_args.output
  694. if args.vet:
  695. dump_vet_report_for_tests(test_args, test_lib_args, xtest_lib_args)
  696. test_args.vet = False
  697. do_link_exe(test_args)
  698. if __name__ == '__main__':
  699. args = pcf.get_args(sys.argv[1:])
  700. parser = argparse.ArgumentParser(prefix_chars='+')
  701. parser.add_argument('++mode', choices=['dll', 'exe', 'lib', 'test'], required=True)
  702. parser.add_argument('++buildmode', choices=['c-shared', 'exe', 'pie'])
  703. parser.add_argument('++srcs', nargs='*', required=True)
  704. parser.add_argument('++cgo-srcs', nargs='*')
  705. parser.add_argument('++test_srcs', nargs='*')
  706. parser.add_argument('++xtest_srcs', nargs='*')
  707. parser.add_argument('++cover_info', nargs='*')
  708. parser.add_argument('++output', nargs='?', default=None)
  709. parser.add_argument('++source-root', default=None)
  710. parser.add_argument('++build-root', required=True)
  711. parser.add_argument('++tools-root', default=None)
  712. parser.add_argument('++output-root', required=True)
  713. parser.add_argument('++toolchain-root', required=True)
  714. parser.add_argument('++host-os', choices=['linux', 'darwin', 'windows'], required=True)
  715. parser.add_argument('++host-arch', choices=['amd64', 'arm64'], required=True)
  716. parser.add_argument('++targ-os', choices=['linux', 'darwin', 'windows'], required=True)
  717. parser.add_argument('++targ-arch', choices=['amd64', 'x86', 'arm64'], required=True)
  718. parser.add_argument('++peers', nargs='*')
  719. parser.add_argument('++non-local-peers', nargs='*')
  720. parser.add_argument('++cgo-peers', nargs='*')
  721. parser.add_argument('++asmhdr', nargs='?', default=None)
  722. parser.add_argument('++test-import-path', nargs='?')
  723. parser.add_argument('++test-miner', nargs='?')
  724. parser.add_argument('++arc-project-prefix', nargs='?', default=arc_project_prefix)
  725. parser.add_argument('++std-lib-prefix', nargs='?', default=std_lib_prefix)
  726. parser.add_argument('++vendor-prefix', nargs='?', default=vendor_prefix)
  727. parser.add_argument('++extld', nargs='?', default=None)
  728. parser.add_argument('++extldflags', nargs='+', default=None)
  729. parser.add_argument('++goversion', required=True)
  730. parser.add_argument('++lang', nargs='?', default=None)
  731. parser.add_argument('++asm-flags', nargs='*')
  732. parser.add_argument('++compile-flags', nargs='*')
  733. parser.add_argument('++link-flags', nargs='*')
  734. parser.add_argument('++vcs', nargs='?', default=None)
  735. parser.add_argument('++vet', nargs='?', const=True, default=False)
  736. parser.add_argument('++vet-flags', nargs='*', default=None)
  737. parser.add_argument('++vet-info-ext', default=vet_info_ext)
  738. parser.add_argument('++vet-report-ext', default=vet_report_ext)
  739. parser.add_argument('++musl', action='store_true')
  740. parser.add_argument('++skip-tests', nargs='*', default=None)
  741. parser.add_argument('++ydx-file', default='')
  742. parser.add_argument('++debug-root-map', default=None)
  743. parser.add_argument('++embed', action='append', nargs='*')
  744. parser.add_argument('++embed_xtest', action='append', nargs='*')
  745. args = parser.parse_args(args)
  746. arc_project_prefix = args.arc_project_prefix
  747. std_lib_prefix = args.std_lib_prefix
  748. vendor_prefix = args.vendor_prefix
  749. vet_info_ext = args.vet_info_ext
  750. vet_report_ext = args.vet_report_ext
  751. preprocess_args(args)
  752. try:
  753. os.unlink(args.output)
  754. except OSError:
  755. pass
  756. # We are going to support only 'lib', 'exe' and 'cgo' build modes currently
  757. # and as a result we are going to generate only one build node per module
  758. # (or program)
  759. dispatch = {'exe': do_link_exe, 'dll': do_link_exe, 'lib': do_link_lib, 'test': do_link_test}
  760. exit_code = 1
  761. try:
  762. with create_strip_symlink():
  763. dispatch[args.mode](args)
  764. exit_code = 0
  765. except subprocess.CalledProcessError as e:
  766. sys.stderr.write('{} returned non-zero exit code {}.\n{}\n'.format(' '.join(e.cmd), e.returncode, e.output))
  767. exit_code = e.returncode
  768. sys.exit(exit_code)