genrandconfig 18 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454
  1. #!/usr/bin/env python3
  2. # Copyright (C) 2014 by Thomas Petazzoni <thomas.petazzoni@free-electrons.com>
  3. #
  4. # This program is free software; you can redistribute it and/or modify
  5. # it under the terms of the GNU General Public License as published by
  6. # the Free Software Foundation; either version 2 of the License, or
  7. # (at your option) any later version.
  8. #
  9. # This program is distributed in the hope that it will be useful,
  10. # but WITHOUT ANY WARRANTY; without even the implied warranty of
  11. # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU
  12. # General Public License for more details.
  13. #
  14. # You should have received a copy of the GNU General Public License
  15. # along with this program; if not, write to the Free Software
  16. # Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307 USA
  17. # This script generates a random configuration for testing Buildroot.
  18. import contextlib
  19. import csv
  20. import os
  21. from random import randint
  22. import subprocess
  23. import sys
  24. from distutils.version import StrictVersion
  25. import platform
  26. if sys.hexversion >= 0x3000000:
  27. import urllib.request as _urllib
  28. else:
  29. import urllib2 as _urllib
  30. def urlopen_closing(uri):
  31. return contextlib.closing(_urllib.urlopen(uri))
  32. class SystemInfo:
  33. DEFAULT_NEEDED_PROGS = ["make", "git", "gcc", "timeout"]
  34. DEFAULT_OPTIONAL_PROGS = ["bzr", "java", "javac", "jar", "diffoscope"]
  35. def __init__(self):
  36. self.needed_progs = list(self.__class__.DEFAULT_NEEDED_PROGS)
  37. self.optional_progs = list(self.__class__.DEFAULT_OPTIONAL_PROGS)
  38. self.progs = {}
  39. def find_prog(self, name, flags=os.X_OK, env=os.environ):
  40. if not name or name[0] == os.sep:
  41. raise ValueError(name)
  42. prog_path = env.get("PATH", None)
  43. # for windows compatibility, we'd need to take PATHEXT into account
  44. if prog_path:
  45. for prog_dir in filter(None, prog_path.split(os.pathsep)):
  46. # os.join() not necessary: non-empty prog_dir
  47. # and name[0] != os.sep
  48. prog = prog_dir + os.sep + name
  49. if os.access(prog, flags):
  50. return prog
  51. # --
  52. return None
  53. def has(self, prog):
  54. """Checks whether a program is available.
  55. Lazily evaluates missing entries.
  56. Returns: None if prog not found, else path to the program [evaluates
  57. to True]
  58. """
  59. try:
  60. return self.progs[prog]
  61. except KeyError:
  62. pass
  63. have_it = self.find_prog(prog)
  64. # java[c] needs special care
  65. if have_it and prog in ('java', 'javac'):
  66. with open(os.devnull, "w") as devnull:
  67. if subprocess.call("%s -version | grep gcj" % prog,
  68. shell=True,
  69. stdout=devnull, stderr=devnull) != 1:
  70. have_it = False
  71. # --
  72. self.progs[prog] = have_it
  73. return have_it
  74. def check_requirements(self):
  75. """Checks program dependencies.
  76. Returns: True if all mandatory programs are present, else False.
  77. """
  78. do_check_has_prog = self.has
  79. missing_requirements = False
  80. for prog in self.needed_progs:
  81. if not do_check_has_prog(prog):
  82. print("ERROR: your system lacks the '%s' program" % prog)
  83. missing_requirements = True
  84. # check optional programs here,
  85. # else they'd get checked by each worker instance
  86. for prog in self.optional_progs:
  87. do_check_has_prog(prog)
  88. return not missing_requirements
  89. def get_toolchain_configs(toolchains_csv, buildrootdir):
  90. """Fetch and return the possible toolchain configurations
  91. This function returns an array of toolchain configurations. Each
  92. toolchain configuration is itself an array of lines of the defconfig.
  93. """
  94. with open(toolchains_csv) as r:
  95. # filter empty lines and comments
  96. lines = [t for t in r.readlines() if len(t.strip()) > 0 and t[0] != '#']
  97. toolchains = lines
  98. configs = []
  99. (_, _, _, _, hostarch) = os.uname()
  100. # ~2015 distros report x86 when on a 32bit install
  101. if hostarch == 'i686' or hostarch == 'i386' or hostarch == 'x86':
  102. hostarch = 'x86'
  103. for row in csv.reader(toolchains):
  104. config = {}
  105. configfile = row[0]
  106. config_hostarch = row[1]
  107. keep = False
  108. # Keep all toolchain configs that work regardless of the host
  109. # architecture
  110. if config_hostarch == "any":
  111. keep = True
  112. # Keep all toolchain configs that can work on the current host
  113. # architecture
  114. if hostarch == config_hostarch:
  115. keep = True
  116. # Assume that x86 32 bits toolchains work on x86_64 build
  117. # machines
  118. if hostarch == 'x86_64' and config_hostarch == "x86":
  119. keep = True
  120. if not keep:
  121. continue
  122. if not os.path.isabs(configfile):
  123. configfile = os.path.join(buildrootdir, configfile)
  124. with open(configfile) as r:
  125. config = r.readlines()
  126. configs.append(config)
  127. return configs
  128. def is_toolchain_usable(configfile, config):
  129. """Check if the toolchain is actually usable."""
  130. with open(configfile) as configf:
  131. configlines = configf.readlines()
  132. # Check that the toolchain configuration is still present
  133. for toolchainline in config:
  134. if toolchainline not in configlines:
  135. print("WARN: toolchain can't be used", file=sys.stderr)
  136. print(" Missing: %s" % toolchainline.strip(), file=sys.stderr)
  137. return False
  138. # The latest Linaro toolchains on x86-64 hosts requires glibc
  139. # 2.14+ on the host.
  140. if platform.machine() == 'x86_64':
  141. if 'BR2_TOOLCHAIN_EXTERNAL_LINARO_ARM=y\n' in configlines or \
  142. 'BR2_TOOLCHAIN_EXTERNAL_LINARO_AARCH64=y\n' in configlines or \
  143. 'BR2_TOOLCHAIN_EXTERNAL_LINARO_AARCH64_BE=y\n' in configlines or \
  144. 'BR2_TOOLCHAIN_EXTERNAL_LINARO_ARMEB=y\n' in configlines:
  145. ldd_version_output = subprocess.check_output(['ldd', '--version'])
  146. glibc_version = ldd_version_output.splitlines()[0].split()[-1]
  147. if StrictVersion('2.14') > StrictVersion(glibc_version):
  148. print("WARN: ignoring the Linaro ARM toolchains because too old host glibc", file=sys.stderr)
  149. return False
  150. return True
  151. def fixup_config(sysinfo, configfile):
  152. """Finalize the configuration and reject any problematic combinations
  153. This function returns 'True' when the configuration has been
  154. accepted, and 'False' when the configuration has not been accepted because
  155. it is known to fail (in which case another random configuration will be
  156. generated).
  157. """
  158. with open(configfile) as configf:
  159. configlines = configf.readlines()
  160. BR2_TOOLCHAIN_EXTERNAL_URL = 'BR2_TOOLCHAIN_EXTERNAL_URL="http://autobuild.buildroot.org/toolchains/tarballs/'
  161. if "BR2_NEEDS_HOST_JAVA=y\n" in configlines and not sysinfo.has("java"):
  162. return False
  163. # The ctng toolchain is affected by PR58854
  164. if 'BR2_PACKAGE_LTTNG_TOOLS=y\n' in configlines and \
  165. BR2_TOOLCHAIN_EXTERNAL_URL + 'armv5-ctng-linux-gnueabi.tar.xz"\n' in configlines:
  166. return False
  167. # The ctng toolchain tigger an assembler error with guile package when compiled with -Os (same issue as for CS ARM 2014.05-29)
  168. if 'BR2_PACKAGE_GUILE=y\n' in configlines and \
  169. 'BR2_OPTIMIZE_S=y\n' in configlines and \
  170. BR2_TOOLCHAIN_EXTERNAL_URL + 'armv5-ctng-linux-gnueabi.tar.xz"\n' in configlines:
  171. return False
  172. # The ctng toolchain is affected by PR58854
  173. if 'BR2_PACKAGE_LTTNG_TOOLS=y\n' in configlines and \
  174. BR2_TOOLCHAIN_EXTERNAL_URL + 'armv6-ctng-linux-uclibcgnueabi.tar.xz"\n' in configlines:
  175. return False
  176. # The ctng toolchain is affected by PR58854
  177. if 'BR2_PACKAGE_LTTNG_TOOLS=y\n' in configlines and \
  178. BR2_TOOLCHAIN_EXTERNAL_URL + 'armv7-ctng-linux-gnueabihf.tar.xz"\n' in configlines:
  179. return False
  180. # The ctng toolchain is affected by PR60155
  181. if 'BR2_PACKAGE_SDL=y\n' in configlines and \
  182. BR2_TOOLCHAIN_EXTERNAL_URL + 'powerpc-ctng-linux-uclibc.tar.xz"\n' in configlines:
  183. return False
  184. # The ctng toolchain is affected by PR60155
  185. if 'BR2_PACKAGE_LIBMPEG2=y\n' in configlines and \
  186. BR2_TOOLCHAIN_EXTERNAL_URL + 'powerpc-ctng-linux-uclibc.tar.xz"\n' in configlines:
  187. return False
  188. # This MIPS toolchain uses eglibc-2.18 which lacks SYS_getdents64
  189. if 'BR2_PACKAGE_STRONGSWAN=y\n' in configlines and \
  190. BR2_TOOLCHAIN_EXTERNAL_URL + 'mips64el-ctng_n64-linux-gnu.tar.xz"\n' in configlines:
  191. return False
  192. # This MIPS toolchain uses eglibc-2.18 which lacks SYS_getdents64
  193. if 'BR2_PACKAGE_PYTHON3=y\n' in configlines and \
  194. BR2_TOOLCHAIN_EXTERNAL_URL + 'mips64el-ctng_n64-linux-gnu.tar.xz"\n' in configlines:
  195. return False
  196. # libffi not available on sh2a and ARMv7-M, but propagating libffi
  197. # arch dependencies in Buildroot is really too much work, so we
  198. # handle this here.
  199. if 'BR2_sh2a=y\n' in configlines and \
  200. 'BR2_PACKAGE_LIBFFI=y\n' in configlines:
  201. return False
  202. if 'BR2_ARM_CPU_ARMV7M=y\n' in configlines and \
  203. 'BR2_PACKAGE_LIBFFI=y\n' in configlines:
  204. return False
  205. if 'BR2_nds32=y\n' in configlines and \
  206. 'BR2_PACKAGE_LIBFFI=y\n' in configlines:
  207. return False
  208. if 'BR2_PACKAGE_SUNXI_BOARDS=y\n' in configlines:
  209. configlines.remove('BR2_PACKAGE_SUNXI_BOARDS_FEX_FILE=""\n')
  210. configlines.append('BR2_PACKAGE_SUNXI_BOARDS_FEX_FILE="a10/hackberry.fex"\n')
  211. # This MIPS uClibc toolchain fails to build the gdb package
  212. if 'BR2_PACKAGE_GDB=y\n' in configlines and \
  213. BR2_TOOLCHAIN_EXTERNAL_URL + 'mipsel-ctng-linux-uclibc.tar.xz"\n' in configlines:
  214. return False
  215. # This MIPS uClibc toolchain fails to build the rt-tests package
  216. if 'BR2_PACKAGE_RT_TESTS=y\n' in configlines and \
  217. BR2_TOOLCHAIN_EXTERNAL_URL + 'mipsel-ctng-linux-uclibc.tar.xz"\n' in configlines:
  218. return False
  219. # This MIPS uClibc toolchain fails to build the civetweb package
  220. if 'BR2_PACKAGE_CIVETWEB=y\n' in configlines and \
  221. BR2_TOOLCHAIN_EXTERNAL_URL + 'mipsel-ctng-linux-uclibc.tar.xz"\n' in configlines:
  222. return False
  223. # This MIPS ctng toolchain fails to build the python3 package
  224. if 'BR2_PACKAGE_PYTHON3=y\n' in configlines and \
  225. BR2_TOOLCHAIN_EXTERNAL_URL + 'mips64el-ctng_n64-linux-gnu.tar.xz"\n' in configlines:
  226. return False
  227. # This MIPS uClibc toolchain fails to build the strace package
  228. if 'BR2_PACKAGE_STRACE=y\n' in configlines and \
  229. BR2_TOOLCHAIN_EXTERNAL_URL + 'mipsel-ctng-linux-uclibc.tar.xz"\n' in configlines:
  230. return False
  231. # This MIPS uClibc toolchain fails to build the cdrkit package
  232. if 'BR2_PACKAGE_CDRKIT=y\n' in configlines and \
  233. 'BR2_STATIC_LIBS=y\n' in configlines and \
  234. BR2_TOOLCHAIN_EXTERNAL_URL + 'mipsel-ctng-linux-uclibc.tar.xz"\n' in configlines:
  235. return False
  236. # uClibc vfork static linking issue
  237. if 'BR2_PACKAGE_ALSA_LIB=y\n' in configlines and \
  238. 'BR2_STATIC_LIBS=y\n' in configlines and \
  239. BR2_TOOLCHAIN_EXTERNAL_URL + 'i486-ctng-linux-uclibc.tar.xz"\n' in configlines:
  240. return False
  241. # This MIPS uClibc toolchain fails to build the weston package
  242. if 'BR2_PACKAGE_WESTON=y\n' in configlines and \
  243. BR2_TOOLCHAIN_EXTERNAL_URL + 'mipsel-ctng-linux-uclibc.tar.xz"\n' in configlines:
  244. return False
  245. # The cs nios2 2017.02 toolchain is affected by binutils PR19405
  246. if 'BR2_TOOLCHAIN_EXTERNAL_CODESOURCERY_NIOSII=y\n' in configlines and \
  247. 'BR2_PACKAGE_BOOST=y\n' in configlines:
  248. return False
  249. # The cs nios2 2017.02 toolchain is affected by binutils PR19405
  250. if 'BR2_TOOLCHAIN_EXTERNAL_CODESOURCERY_NIOSII=y\n' in configlines and \
  251. 'BR2_PACKAGE_QT5BASE_GUI=y\n' in configlines:
  252. return False
  253. # The cs nios2 2017.02 toolchain is affected by binutils PR19405
  254. if 'BR2_TOOLCHAIN_EXTERNAL_CODESOURCERY_NIOSII=y\n' in configlines and \
  255. 'BR2_PACKAGE_FLANN=y\n' in configlines:
  256. return False
  257. if 'BR2_PACKAGE_HOST_UBOOT_TOOLS_ENVIMAGE=y\n' in configlines:
  258. bootenv = os.path.join(args.outputdir, "boot_env.txt")
  259. with open(bootenv, "w+") as bootenvf:
  260. bootenvf.write("prop=value")
  261. configlines.remove('BR2_PACKAGE_HOST_UBOOT_TOOLS_ENVIMAGE_SOURCE=""\n')
  262. configlines.append('BR2_PACKAGE_HOST_UBOOT_TOOLS_ENVIMAGE_SOURCE="%s"\n' % bootenv)
  263. configlines.remove('BR2_PACKAGE_HOST_UBOOT_TOOLS_ENVIMAGE_SIZE=""\n')
  264. configlines.append('BR2_PACKAGE_HOST_UBOOT_TOOLS_ENVIMAGE_SIZE="0x1000"\n')
  265. if 'BR2_PACKAGE_HOST_UBOOT_TOOLS_BOOT_SCRIPT=y\n' in configlines:
  266. bootscr = os.path.join(args.outputdir, "boot_script.txt")
  267. with open(bootscr, "w+") as bootscrf:
  268. bootscrf.write("prop=value")
  269. configlines.remove('BR2_PACKAGE_HOST_UBOOT_TOOLS_BOOT_SCRIPT_SOURCE=""\n')
  270. configlines.append('BR2_PACKAGE_HOST_UBOOT_TOOLS_BOOT_SCRIPT_SOURCE="%s"\n' % bootscr)
  271. with open(configfile, "w+") as configf:
  272. configf.writelines(configlines)
  273. return True
  274. def gen_config(args):
  275. """Generate a new random configuration
  276. This function generates the configuration, by choosing a random
  277. toolchain configuration and then generating a random selection of
  278. packages.
  279. """
  280. sysinfo = SystemInfo()
  281. # Select a random toolchain configuration
  282. configs = get_toolchain_configs(args.toolchains_csv, args.buildrootdir)
  283. i = randint(0, len(configs) - 1)
  284. toolchainconfig = configs[i]
  285. configlines = list(toolchainconfig)
  286. # Combine with the minimal configuration
  287. minimalconfigfile = os.path.join(args.buildrootdir,
  288. 'support/config-fragments/minimal.config')
  289. with open(minimalconfigfile) as minimalf:
  290. configlines += minimalf.readlines()
  291. # Allow hosts with old certificates to download over https
  292. configlines.append("BR2_WGET=\"wget --passive-ftp -nd -t 3 --no-check-certificate\"\n")
  293. # Per-package folder
  294. if randint(0, 15) == 0:
  295. configlines.append("BR2_PER_PACKAGE_DIRECTORIES=y\n")
  296. # Amend the configuration with a few things.
  297. if randint(0, 20) == 0:
  298. configlines.append("BR2_ENABLE_DEBUG=y\n")
  299. if randint(0, 20) == 0:
  300. configlines.append("BR2_ENABLE_RUNTIME_DEBUG=y\n")
  301. if randint(0, 1) == 0:
  302. configlines.append("BR2_INIT_BUSYBOX=y\n")
  303. elif randint(0, 15) == 0:
  304. configlines.append("BR2_INIT_SYSTEMD=y\n")
  305. elif randint(0, 10) == 0:
  306. configlines.append("BR2_ROOTFS_DEVICE_CREATION_DYNAMIC_EUDEV=y\n")
  307. if randint(0, 20) == 0:
  308. configlines.append("BR2_STATIC_LIBS=y\n")
  309. if randint(0, 20) == 0:
  310. configlines.append("BR2_PACKAGE_PYTHON_PY_ONLY=y\n")
  311. if randint(0, 20) == 0:
  312. configlines.append("BR2_PACKAGE_PYTHON3_PY_ONLY=y\n")
  313. if randint(0, 5) == 0:
  314. configlines.append("BR2_OPTIMIZE_2=y\n")
  315. if randint(0, 4) == 0:
  316. configlines.append("BR2_SYSTEM_ENABLE_NLS=y\n")
  317. if randint(0, 4) == 0:
  318. configlines.append("BR2_FORTIFY_SOURCE_2=y\n")
  319. # Randomly enable BR2_REPRODUCIBLE 10% of times
  320. # also enable tar filesystem images for testing
  321. if sysinfo.has("diffoscope") and randint(0, 10) == 0:
  322. configlines.append("BR2_REPRODUCIBLE=y\n")
  323. configlines.append("BR2_TARGET_ROOTFS_TAR=y\n")
  324. # Write out the configuration file
  325. if not os.path.exists(args.outputdir):
  326. os.makedirs(args.outputdir)
  327. if args.outputdir == os.path.abspath(os.path.join(args.buildrootdir, "output")):
  328. configfile = os.path.join(args.buildrootdir, ".config")
  329. else:
  330. configfile = os.path.join(args.outputdir, ".config")
  331. with open(configfile, "w+") as configf:
  332. configf.writelines(configlines)
  333. subprocess.check_call(["make", "O=%s" % args.outputdir, "-C", args.buildrootdir,
  334. "olddefconfig"])
  335. if not is_toolchain_usable(configfile, toolchainconfig):
  336. return 2
  337. # Now, generate the random selection of packages, and fixup
  338. # things if needed.
  339. # Safe-guard, in case we can not quickly come to a valid
  340. # configuration: allow at most 100 (arbitrary) iterations.
  341. bounded_loop = 100
  342. while True:
  343. if bounded_loop == 0:
  344. print("ERROR: cannot generate random configuration after 100 iterations",
  345. file=sys.stderr)
  346. return 1
  347. bounded_loop -= 1
  348. subprocess.check_call(["make", "O=%s" % args.outputdir, "-C", args.buildrootdir,
  349. "KCONFIG_PROBABILITY=%d" % randint(1, 20),
  350. "randpackageconfig"])
  351. if fixup_config(sysinfo, configfile):
  352. break
  353. subprocess.check_call(["make", "O=%s" % args.outputdir, "-C", args.buildrootdir,
  354. "olddefconfig"])
  355. subprocess.check_call(["make", "O=%s" % args.outputdir, "-C", args.buildrootdir,
  356. "savedefconfig"])
  357. return subprocess.call(["make", "O=%s" % args.outputdir, "-C", args.buildrootdir,
  358. "dependencies"])
  359. if __name__ == '__main__':
  360. import argparse
  361. parser = argparse.ArgumentParser(description="Generate a random configuration")
  362. parser.add_argument("--outputdir", "-o",
  363. help="Output directory (relative to current directory)",
  364. type=str, default='output')
  365. parser.add_argument("--buildrootdir", "-b",
  366. help="Buildroot directory (relative to current directory)",
  367. type=str, default='.')
  368. parser.add_argument("--toolchains-csv",
  369. help="Path of the toolchain configuration file",
  370. type=str,
  371. default="support/config-fragments/autobuild/toolchain-configs.csv")
  372. args = parser.parse_args()
  373. # We need the absolute path to use with O=, because the relative
  374. # path to the output directory here is not relative to the
  375. # Buildroot sources, but to the current directory.
  376. args.outputdir = os.path.abspath(args.outputdir)
  377. try:
  378. ret = gen_config(args)
  379. except Exception as e:
  380. print(str(e), file=sys.stderr)
  381. parser.exit(1)
  382. parser.exit(ret)