methods.py 36 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699700701702703704705706707708709710711712713714715716717718719720721722723724725726727728729730731732733734735736737738739740741742743744745746747748749750751752753754755756757758759760761762763764765766767768769770771772773774775776777778779780781782783784785786787788789790791792793794795796797798799800801802803804805806807808809810811812813814815816817818819820821822823824825826827828829830831832833834835836837838839840841842843844845846847848849850851852853854855856857858859860861862863864865866867868869870871872873874875876877878879880881882883884885886887888889890891892893894895896897898899900901902903904905906907908909910911912913914915916917918919920921922923924925926927928929930931932933934935936937938939940941942943944945946947948949950951952953954955956957958959960961962963964965966967968969970971972973974975976977978979980981982983984985986
  1. import os
  2. import re
  3. import glob
  4. import subprocess
  5. from collections import OrderedDict
  6. from compat import iteritems, isbasestring, open_utf8, decode_utf8, qualname
  7. from SCons import Node
  8. from SCons.Script import ARGUMENTS
  9. from SCons.Script import Glob
  10. from SCons.Variables.BoolVariable import _text2bool
  11. def add_source_files(self, sources, files, warn_duplicates=True):
  12. # Convert string to list of absolute paths (including expanding wildcard)
  13. if isbasestring(files):
  14. # Keep SCons project-absolute path as they are (no wildcard support)
  15. if files.startswith("#"):
  16. if "*" in files:
  17. print("ERROR: Wildcards can't be expanded in SCons project-absolute path: '{}'".format(files))
  18. return
  19. files = [files]
  20. else:
  21. dir_path = self.Dir(".").abspath
  22. files = sorted(glob.glob(dir_path + "/" + files))
  23. # Add each path as compiled Object following environment (self) configuration
  24. for path in files:
  25. obj = self.Object(path)
  26. if obj in sources:
  27. if warn_duplicates:
  28. print('WARNING: Object "{}" already included in environment sources.'.format(obj))
  29. else:
  30. continue
  31. sources.append(obj)
  32. def disable_warnings(self):
  33. # 'self' is the environment
  34. if self.msvc:
  35. # We have to remove existing warning level defines before appending /w,
  36. # otherwise we get: "warning D9025 : overriding '/W3' with '/w'"
  37. warn_flags = ["/Wall", "/W4", "/W3", "/W2", "/W1", "/WX"]
  38. self.Append(CCFLAGS=["/w"])
  39. self.Append(CFLAGS=["/w"])
  40. self.Append(CXXFLAGS=["/w"])
  41. self["CCFLAGS"] = [x for x in self["CCFLAGS"] if not x in warn_flags]
  42. self["CFLAGS"] = [x for x in self["CFLAGS"] if not x in warn_flags]
  43. self["CXXFLAGS"] = [x for x in self["CXXFLAGS"] if not x in warn_flags]
  44. else:
  45. self.Append(CCFLAGS=["-w"])
  46. self.Append(CFLAGS=["-w"])
  47. self.Append(CXXFLAGS=["-w"])
  48. def add_module_version_string(self, s):
  49. self.module_version_string += "." + s
  50. def update_version(module_version_string=""):
  51. build_name = "custom_build"
  52. if os.getenv("BUILD_NAME") != None:
  53. build_name = str(os.getenv("BUILD_NAME"))
  54. print("Using custom build name: " + build_name)
  55. import version
  56. # NOTE: It is safe to generate this file here, since this is still executed serially
  57. f = open("core/version_generated.gen.h", "w")
  58. f.write('#define VERSION_SHORT_NAME "' + str(version.short_name) + '"\n')
  59. f.write('#define VERSION_NAME "' + str(version.name) + '"\n')
  60. f.write("#define VERSION_MAJOR " + str(version.major) + "\n")
  61. f.write("#define VERSION_MINOR " + str(version.minor) + "\n")
  62. f.write("#define VERSION_PATCH " + str(version.patch) + "\n")
  63. # For dev snapshots (alpha, beta, RC, etc.) we do not commit status change to Git,
  64. # so this define provides a way to override it without having to modify the source.
  65. godot_status = str(version.status)
  66. if os.getenv("GODOT_VERSION_STATUS") != None:
  67. godot_status = str(os.getenv("GODOT_VERSION_STATUS"))
  68. print("Using version status '{}', overriding the original '{}'.".format(godot_status, str(version.status)))
  69. f.write('#define VERSION_STATUS "' + godot_status + '"\n')
  70. f.write('#define VERSION_BUILD "' + str(build_name) + '"\n')
  71. f.write('#define VERSION_MODULE_CONFIG "' + str(version.module_config) + module_version_string + '"\n')
  72. f.write("#define VERSION_YEAR " + str(version.year) + "\n")
  73. f.write('#define VERSION_WEBSITE "' + str(version.website) + '"\n')
  74. f.close()
  75. # NOTE: It is safe to generate this file here, since this is still executed serially
  76. fhash = open("core/version_hash.gen.h", "w")
  77. githash = ""
  78. gitfolder = ".git"
  79. if os.path.isfile(".git"):
  80. module_folder = open(".git", "r").readline().strip()
  81. if module_folder.startswith("gitdir: "):
  82. gitfolder = module_folder[8:]
  83. if os.path.isfile(os.path.join(gitfolder, "HEAD")):
  84. head = open_utf8(os.path.join(gitfolder, "HEAD"), "r").readline().strip()
  85. if head.startswith("ref: "):
  86. head = os.path.join(gitfolder, head[5:])
  87. if os.path.isfile(head):
  88. githash = open(head, "r").readline().strip()
  89. else:
  90. githash = head
  91. fhash.write('#define VERSION_HASH "' + githash + '"')
  92. fhash.close()
  93. def parse_cg_file(fname, uniforms, sizes, conditionals):
  94. fs = open(fname, "r")
  95. line = fs.readline()
  96. while line:
  97. if re.match(r"^\s*uniform", line):
  98. res = re.match(r"uniform ([\d\w]*) ([\d\w]*)")
  99. type = res.groups(1)
  100. name = res.groups(2)
  101. uniforms.append(name)
  102. if type.find("texobj") != -1:
  103. sizes.append(1)
  104. else:
  105. t = re.match(r"float(\d)x(\d)", type)
  106. if t:
  107. sizes.append(int(t.groups(1)) * int(t.groups(2)))
  108. else:
  109. t = re.match(r"float(\d)", type)
  110. sizes.append(int(t.groups(1)))
  111. if line.find("[branch]") != -1:
  112. conditionals.append(name)
  113. line = fs.readline()
  114. fs.close()
  115. def get_cmdline_bool(option, default):
  116. """We use `ARGUMENTS.get()` to check if options were manually overridden on the command line,
  117. and SCons' _text2bool helper to convert them to booleans, otherwise they're handled as strings.
  118. """
  119. cmdline_val = ARGUMENTS.get(option)
  120. if cmdline_val is not None:
  121. return _text2bool(cmdline_val)
  122. else:
  123. return default
  124. def detect_modules(search_path, recursive=False):
  125. """Detects and collects a list of C++ modules at specified path
  126. `search_path` - a directory path containing modules. The path may point to
  127. a single module, which may have other nested modules. A module must have
  128. "register_types.h", "SCsub", "config.py" files created to be detected.
  129. `recursive` - if `True`, then all subdirectories are searched for modules as
  130. specified by the `search_path`, otherwise collects all modules under the
  131. `search_path` directory. If the `search_path` is a module, it is collected
  132. in all cases.
  133. Returns an `OrderedDict` with module names as keys, and directory paths as
  134. values. If a path is relative, then it is a built-in module. If a path is
  135. absolute, then it is a custom module collected outside of the engine source.
  136. """
  137. modules = OrderedDict()
  138. def add_module(path):
  139. module_name = os.path.basename(path)
  140. module_path = path.replace("\\", "/") # win32
  141. modules[module_name] = module_path
  142. def is_engine(path):
  143. # Prevent recursively detecting modules in self and other
  144. # Godot sources when using `custom_modules` build option.
  145. version_path = os.path.join(path, "version.py")
  146. if os.path.exists(version_path):
  147. with open(version_path) as f:
  148. if 'short_name = "godot"' in f.read():
  149. return True
  150. return False
  151. def get_files(path):
  152. files = glob.glob(os.path.join(path, "*"))
  153. # Sort so that `register_module_types` does not change that often,
  154. # and plugins are registered in alphabetic order as well.
  155. files.sort()
  156. return files
  157. if not recursive:
  158. if is_module(search_path):
  159. add_module(search_path)
  160. for path in get_files(search_path):
  161. if is_engine(path):
  162. continue
  163. if is_module(path):
  164. add_module(path)
  165. else:
  166. to_search = [search_path]
  167. while to_search:
  168. path = to_search.pop()
  169. if is_module(path):
  170. add_module(path)
  171. for child in get_files(path):
  172. if not os.path.isdir(child):
  173. continue
  174. if is_engine(child):
  175. continue
  176. to_search.insert(0, child)
  177. return modules
  178. def is_module(path):
  179. if not os.path.isdir(path):
  180. return False
  181. must_exist = ["register_types.h", "SCsub", "config.py"]
  182. for f in must_exist:
  183. if not os.path.exists(os.path.join(path, f)):
  184. return False
  185. return True
  186. def write_modules(modules):
  187. includes_cpp = ""
  188. register_cpp = ""
  189. unregister_cpp = ""
  190. for name, path in modules.items():
  191. try:
  192. with open(os.path.join(path, "register_types.h")):
  193. includes_cpp += '#include "' + path + '/register_types.h"\n'
  194. register_cpp += "#ifdef MODULE_" + name.upper() + "_ENABLED\n"
  195. register_cpp += "\tregister_" + name + "_types();\n"
  196. register_cpp += "#endif\n"
  197. unregister_cpp += "#ifdef MODULE_" + name.upper() + "_ENABLED\n"
  198. unregister_cpp += "\tunregister_" + name + "_types();\n"
  199. unregister_cpp += "#endif\n"
  200. except IOError:
  201. pass
  202. modules_cpp = (
  203. """
  204. // modules.cpp - THIS FILE IS GENERATED, DO NOT EDIT!!!!!!!
  205. #include "register_module_types.h"
  206. """
  207. + includes_cpp
  208. + """
  209. void register_module_types() {
  210. """
  211. + register_cpp
  212. + """
  213. }
  214. void unregister_module_types() {
  215. """
  216. + unregister_cpp
  217. + """
  218. }
  219. """
  220. )
  221. # NOTE: It is safe to generate this file here, since this is still executed serially
  222. with open("modules/register_module_types.gen.cpp", "w") as f:
  223. f.write(modules_cpp)
  224. def convert_custom_modules_path(path):
  225. if not path:
  226. return path
  227. path = os.path.realpath(os.path.expanduser(os.path.expandvars(path)))
  228. err_msg = "Build option 'custom_modules' must %s"
  229. if not os.path.isdir(path):
  230. raise ValueError(err_msg % "point to an existing directory.")
  231. if path == os.path.realpath("modules"):
  232. raise ValueError(err_msg % "be a directory other than built-in `modules` directory.")
  233. return path
  234. def disable_module(self):
  235. self.disabled_modules.append(self.current_module)
  236. def use_windows_spawn_fix(self, platform=None):
  237. if os.name != "nt":
  238. return # not needed, only for windows
  239. # On Windows, due to the limited command line length, when creating a static library
  240. # from a very high number of objects SCons will invoke "ar" once per object file;
  241. # that makes object files with same names to be overwritten so the last wins and
  242. # the library looses symbols defined by overwritten objects.
  243. # By enabling quick append instead of the default mode (replacing), libraries will
  244. # got built correctly regardless the invocation strategy.
  245. # Furthermore, since SCons will rebuild the library from scratch when an object file
  246. # changes, no multiple versions of the same object file will be present.
  247. self.Replace(ARFLAGS="q")
  248. def mySubProcess(cmdline, env):
  249. startupinfo = subprocess.STARTUPINFO()
  250. startupinfo.dwFlags |= subprocess.STARTF_USESHOWWINDOW
  251. proc = subprocess.Popen(
  252. cmdline,
  253. stdin=subprocess.PIPE,
  254. stdout=subprocess.PIPE,
  255. stderr=subprocess.PIPE,
  256. startupinfo=startupinfo,
  257. shell=False,
  258. env=env,
  259. )
  260. _, err = proc.communicate()
  261. rv = proc.wait()
  262. if rv:
  263. print("=====")
  264. print(err)
  265. print("=====")
  266. return rv
  267. def mySpawn(sh, escape, cmd, args, env):
  268. newargs = " ".join(args[1:])
  269. cmdline = cmd + " " + newargs
  270. rv = 0
  271. env = {str(key): str(value) for key, value in iteritems(env)}
  272. if len(cmdline) > 32000 and cmd.endswith("ar"):
  273. cmdline = cmd + " " + args[1] + " " + args[2] + " "
  274. for i in range(3, len(args)):
  275. rv = mySubProcess(cmdline + args[i], env)
  276. if rv:
  277. break
  278. else:
  279. rv = mySubProcess(cmdline, env)
  280. return rv
  281. self["SPAWN"] = mySpawn
  282. def split_lib(self, libname, src_list=None, env_lib=None):
  283. env = self
  284. num = 0
  285. cur_base = ""
  286. max_src = 64
  287. list = []
  288. lib_list = []
  289. if src_list is None:
  290. src_list = getattr(env, libname + "_sources")
  291. if type(env_lib) == type(None):
  292. env_lib = env
  293. for f in src_list:
  294. fname = ""
  295. if type(f) == type(""):
  296. fname = env.File(f).path
  297. else:
  298. fname = env.File(f)[0].path
  299. fname = fname.replace("\\", "/")
  300. base = "/".join(fname.split("/")[:2])
  301. if base != cur_base and len(list) > max_src:
  302. if num > 0:
  303. lib = env_lib.add_library(libname + str(num), list)
  304. lib_list.append(lib)
  305. list = []
  306. num = num + 1
  307. cur_base = base
  308. list.append(f)
  309. lib = env_lib.add_library(libname + str(num), list)
  310. lib_list.append(lib)
  311. lib_base = []
  312. env_lib.add_source_files(lib_base, "*.cpp")
  313. lib = env_lib.add_library(libname, lib_base)
  314. lib_list.insert(0, lib)
  315. env.Prepend(LIBS=lib_list)
  316. # When we split modules into arbitrary chunks, we end up with linking issues
  317. # due to symbol dependencies split over several libs, which may not be linked
  318. # in the required order. We use --start-group and --end-group to tell the
  319. # linker that those archives should be searched repeatedly to resolve all
  320. # undefined references.
  321. # As SCons doesn't give us much control over how inserting libs in LIBS
  322. # impacts the linker call, we need to hack our way into the linking commands
  323. # LINKCOM and SHLINKCOM to set those flags.
  324. if "-Wl,--start-group" in env["LINKCOM"] and "-Wl,--start-group" in env["SHLINKCOM"]:
  325. # Already added by a previous call, skip.
  326. return
  327. env["LINKCOM"] = str(env["LINKCOM"]).replace("$_LIBFLAGS", "-Wl,--start-group $_LIBFLAGS -Wl,--end-group")
  328. env["SHLINKCOM"] = str(env["LINKCOM"]).replace("$_LIBFLAGS", "-Wl,--start-group $_LIBFLAGS -Wl,--end-group")
  329. def save_active_platforms(apnames, ap):
  330. for x in ap:
  331. names = ["logo"]
  332. if os.path.isfile(x + "/run_icon.png"):
  333. names.append("run_icon")
  334. for name in names:
  335. pngf = open(x + "/" + name + ".png", "rb")
  336. b = pngf.read(1)
  337. str = " /* AUTOGENERATED FILE, DO NOT EDIT */ \n"
  338. str += " static const unsigned char _" + x[9:] + "_" + name + "[]={"
  339. while len(b) == 1:
  340. str += hex(ord(b))
  341. b = pngf.read(1)
  342. if len(b) == 1:
  343. str += ","
  344. str += "};\n"
  345. pngf.close()
  346. # NOTE: It is safe to generate this file here, since this is still executed serially
  347. wf = x + "/" + name + ".gen.h"
  348. with open(wf, "w") as pngw:
  349. pngw.write(str)
  350. def no_verbose(sys, env):
  351. colors = {}
  352. # Colors are disabled in non-TTY environments such as pipes. This means
  353. # that if output is redirected to a file, it will not contain color codes
  354. if sys.stdout.isatty():
  355. colors["cyan"] = "\033[96m"
  356. colors["purple"] = "\033[95m"
  357. colors["blue"] = "\033[94m"
  358. colors["green"] = "\033[92m"
  359. colors["yellow"] = "\033[93m"
  360. colors["red"] = "\033[91m"
  361. colors["end"] = "\033[0m"
  362. else:
  363. colors["cyan"] = ""
  364. colors["purple"] = ""
  365. colors["blue"] = ""
  366. colors["green"] = ""
  367. colors["yellow"] = ""
  368. colors["red"] = ""
  369. colors["end"] = ""
  370. compile_source_message = "%sCompiling %s==> %s$SOURCE%s" % (
  371. colors["blue"],
  372. colors["purple"],
  373. colors["yellow"],
  374. colors["end"],
  375. )
  376. java_compile_source_message = "%sCompiling %s==> %s$SOURCE%s" % (
  377. colors["blue"],
  378. colors["purple"],
  379. colors["yellow"],
  380. colors["end"],
  381. )
  382. compile_shared_source_message = "%sCompiling shared %s==> %s$SOURCE%s" % (
  383. colors["blue"],
  384. colors["purple"],
  385. colors["yellow"],
  386. colors["end"],
  387. )
  388. link_program_message = "%sLinking Program %s==> %s$TARGET%s" % (
  389. colors["red"],
  390. colors["purple"],
  391. colors["yellow"],
  392. colors["end"],
  393. )
  394. link_library_message = "%sLinking Static Library %s==> %s$TARGET%s" % (
  395. colors["red"],
  396. colors["purple"],
  397. colors["yellow"],
  398. colors["end"],
  399. )
  400. ranlib_library_message = "%sRanlib Library %s==> %s$TARGET%s" % (
  401. colors["red"],
  402. colors["purple"],
  403. colors["yellow"],
  404. colors["end"],
  405. )
  406. link_shared_library_message = "%sLinking Shared Library %s==> %s$TARGET%s" % (
  407. colors["red"],
  408. colors["purple"],
  409. colors["yellow"],
  410. colors["end"],
  411. )
  412. java_library_message = "%sCreating Java Archive %s==> %s$TARGET%s" % (
  413. colors["red"],
  414. colors["purple"],
  415. colors["yellow"],
  416. colors["end"],
  417. )
  418. env.Append(CXXCOMSTR=[compile_source_message])
  419. env.Append(CCCOMSTR=[compile_source_message])
  420. env.Append(SHCCCOMSTR=[compile_shared_source_message])
  421. env.Append(SHCXXCOMSTR=[compile_shared_source_message])
  422. env.Append(ARCOMSTR=[link_library_message])
  423. env.Append(RANLIBCOMSTR=[ranlib_library_message])
  424. env.Append(SHLINKCOMSTR=[link_shared_library_message])
  425. env.Append(LINKCOMSTR=[link_program_message])
  426. env.Append(JARCOMSTR=[java_library_message])
  427. env.Append(JAVACCOMSTR=[java_compile_source_message])
  428. def detect_visual_c_compiler_version(tools_env):
  429. # tools_env is the variable scons uses to call tools that execute tasks, SCons's env['ENV'] that executes tasks...
  430. # (see the SCons documentation for more information on what it does)...
  431. # in order for this function to be well encapsulated i choose to force it to receive SCons's TOOLS env (env['ENV']
  432. # and not scons setup environment (env)... so make sure you call the right environment on it or it will fail to detect
  433. # the proper vc version that will be called
  434. # There is no flag to give to visual c compilers to set the architecture, ie scons bits argument (32,64,ARM etc)
  435. # There are many different cl.exe files that are run, and each one compiles & links to a different architecture
  436. # As far as I know, the only way to figure out what compiler will be run when Scons calls cl.exe via Program()
  437. # is to check the PATH variable and figure out which one will be called first. Code below does that and returns:
  438. # the following string values:
  439. # "" Compiler not detected
  440. # "amd64" Native 64 bit compiler
  441. # "amd64_x86" 64 bit Cross Compiler for 32 bit
  442. # "x86" Native 32 bit compiler
  443. # "x86_amd64" 32 bit Cross Compiler for 64 bit
  444. # There are other architectures, but Godot does not support them currently, so this function does not detect arm/amd64_arm
  445. # and similar architectures/compilers
  446. # Set chosen compiler to "not detected"
  447. vc_chosen_compiler_index = -1
  448. vc_chosen_compiler_str = ""
  449. # Start with Pre VS 2017 checks which uses VCINSTALLDIR:
  450. if "VCINSTALLDIR" in tools_env:
  451. # print("Checking VCINSTALLDIR")
  452. # find() works with -1 so big ifs below are needed... the simplest solution, in fact
  453. # First test if amd64 and amd64_x86 compilers are present in the path
  454. vc_amd64_compiler_detection_index = tools_env["PATH"].find(tools_env["VCINSTALLDIR"] + "BIN\\amd64;")
  455. if vc_amd64_compiler_detection_index > -1:
  456. vc_chosen_compiler_index = vc_amd64_compiler_detection_index
  457. vc_chosen_compiler_str = "amd64"
  458. vc_amd64_x86_compiler_detection_index = tools_env["PATH"].find(tools_env["VCINSTALLDIR"] + "BIN\\amd64_x86;")
  459. if vc_amd64_x86_compiler_detection_index > -1 and (
  460. vc_chosen_compiler_index == -1 or vc_chosen_compiler_index > vc_amd64_x86_compiler_detection_index
  461. ):
  462. vc_chosen_compiler_index = vc_amd64_x86_compiler_detection_index
  463. vc_chosen_compiler_str = "amd64_x86"
  464. # Now check the 32 bit compilers
  465. vc_x86_compiler_detection_index = tools_env["PATH"].find(tools_env["VCINSTALLDIR"] + "BIN;")
  466. if vc_x86_compiler_detection_index > -1 and (
  467. vc_chosen_compiler_index == -1 or vc_chosen_compiler_index > vc_x86_compiler_detection_index
  468. ):
  469. vc_chosen_compiler_index = vc_x86_compiler_detection_index
  470. vc_chosen_compiler_str = "x86"
  471. vc_x86_amd64_compiler_detection_index = tools_env["PATH"].find(tools_env["VCINSTALLDIR"] + "BIN\\x86_amd64;")
  472. if vc_x86_amd64_compiler_detection_index > -1 and (
  473. vc_chosen_compiler_index == -1 or vc_chosen_compiler_index > vc_x86_amd64_compiler_detection_index
  474. ):
  475. vc_chosen_compiler_index = vc_x86_amd64_compiler_detection_index
  476. vc_chosen_compiler_str = "x86_amd64"
  477. # and for VS 2017 and newer we check VCTOOLSINSTALLDIR:
  478. if "VCTOOLSINSTALLDIR" in tools_env:
  479. # Newer versions have a different path available
  480. vc_amd64_compiler_detection_index = (
  481. tools_env["PATH"].upper().find(tools_env["VCTOOLSINSTALLDIR"].upper() + "BIN\\HOSTX64\\X64;")
  482. )
  483. if vc_amd64_compiler_detection_index > -1:
  484. vc_chosen_compiler_index = vc_amd64_compiler_detection_index
  485. vc_chosen_compiler_str = "amd64"
  486. vc_amd64_x86_compiler_detection_index = (
  487. tools_env["PATH"].upper().find(tools_env["VCTOOLSINSTALLDIR"].upper() + "BIN\\HOSTX64\\X86;")
  488. )
  489. if vc_amd64_x86_compiler_detection_index > -1 and (
  490. vc_chosen_compiler_index == -1 or vc_chosen_compiler_index > vc_amd64_x86_compiler_detection_index
  491. ):
  492. vc_chosen_compiler_index = vc_amd64_x86_compiler_detection_index
  493. vc_chosen_compiler_str = "amd64_x86"
  494. vc_x86_compiler_detection_index = (
  495. tools_env["PATH"].upper().find(tools_env["VCTOOLSINSTALLDIR"].upper() + "BIN\\HOSTX86\\X86;")
  496. )
  497. if vc_x86_compiler_detection_index > -1 and (
  498. vc_chosen_compiler_index == -1 or vc_chosen_compiler_index > vc_x86_compiler_detection_index
  499. ):
  500. vc_chosen_compiler_index = vc_x86_compiler_detection_index
  501. vc_chosen_compiler_str = "x86"
  502. vc_x86_amd64_compiler_detection_index = (
  503. tools_env["PATH"].upper().find(tools_env["VCTOOLSINSTALLDIR"].upper() + "BIN\\HOSTX86\\X64;")
  504. )
  505. if vc_x86_amd64_compiler_detection_index > -1 and (
  506. vc_chosen_compiler_index == -1 or vc_chosen_compiler_index > vc_x86_amd64_compiler_detection_index
  507. ):
  508. vc_chosen_compiler_index = vc_x86_amd64_compiler_detection_index
  509. vc_chosen_compiler_str = "x86_amd64"
  510. return vc_chosen_compiler_str
  511. def find_visual_c_batch_file(env):
  512. from SCons.Tool.MSCommon.vc import get_default_version, get_host_target, find_batch_file
  513. version = get_default_version(env)
  514. (host_platform, target_platform, _) = get_host_target(env)
  515. return find_batch_file(env, version, host_platform, target_platform)[0]
  516. def generate_cpp_hint_file(filename):
  517. if os.path.isfile(filename):
  518. # Don't overwrite an existing hint file since the user may have customized it.
  519. pass
  520. else:
  521. try:
  522. with open(filename, "w") as fd:
  523. fd.write("#define GDCLASS(m_class, m_inherits)\n")
  524. except IOError:
  525. print("Could not write cpp.hint file.")
  526. def glob_recursive(pattern, node="."):
  527. results = []
  528. for f in Glob(str(node) + "/*", source=True):
  529. if type(f) is Node.FS.Dir:
  530. results += glob_recursive(pattern, f)
  531. results += Glob(str(node) + "/" + pattern, source=True)
  532. return results
  533. def add_to_vs_project(env, sources):
  534. for x in sources:
  535. if type(x) == type(""):
  536. fname = env.File(x).path
  537. else:
  538. fname = env.File(x)[0].path
  539. pieces = fname.split(".")
  540. if len(pieces) > 0:
  541. basename = pieces[0]
  542. basename = basename.replace("\\\\", "/")
  543. if os.path.isfile(basename + ".h"):
  544. env.vs_incs += [basename + ".h"]
  545. elif os.path.isfile(basename + ".hpp"):
  546. env.vs_incs += [basename + ".hpp"]
  547. if os.path.isfile(basename + ".c"):
  548. env.vs_srcs += [basename + ".c"]
  549. elif os.path.isfile(basename + ".cpp"):
  550. env.vs_srcs += [basename + ".cpp"]
  551. def generate_vs_project(env, num_jobs):
  552. batch_file = find_visual_c_batch_file(env)
  553. if batch_file:
  554. def build_commandline(commands):
  555. common_build_prefix = [
  556. 'cmd /V /C set "plat=$(PlatformTarget)"',
  557. '(if "$(PlatformTarget)"=="x64" (set "plat=x86_amd64"))',
  558. 'set "tools=%s"' % env["tools"],
  559. '(if "$(Configuration)"=="release" (set "tools=no"))',
  560. 'call "' + batch_file + '" !plat!',
  561. ]
  562. # windows allows us to have spaces in paths, so we need
  563. # to double quote off the directory. However, the path ends
  564. # in a backslash, so we need to remove this, lest it escape the
  565. # last double quote off, confusing MSBuild
  566. common_build_postfix = [
  567. "--directory=\"$(ProjectDir.TrimEnd('\\'))\"",
  568. "platform=windows",
  569. "target=$(Configuration)",
  570. "progress=no",
  571. "tools=!tools!",
  572. "-j%s" % num_jobs,
  573. ]
  574. if env["custom_modules"]:
  575. common_build_postfix.append("custom_modules=%s" % env["custom_modules"])
  576. result = " ^& ".join(common_build_prefix + [" ".join([commands] + common_build_postfix)])
  577. return result
  578. add_to_vs_project(env, env.core_sources)
  579. add_to_vs_project(env, env.drivers_sources)
  580. add_to_vs_project(env, env.main_sources)
  581. add_to_vs_project(env, env.modules_sources)
  582. add_to_vs_project(env, env.scene_sources)
  583. add_to_vs_project(env, env.servers_sources)
  584. add_to_vs_project(env, env.editor_sources)
  585. for header in glob_recursive("**/*.h"):
  586. env.vs_incs.append(str(header))
  587. env["MSVSBUILDCOM"] = build_commandline("scons")
  588. env["MSVSREBUILDCOM"] = build_commandline("scons vsproj=yes")
  589. env["MSVSCLEANCOM"] = build_commandline("scons --clean")
  590. # This version information (Win32, x64, Debug, Release, Release_Debug seems to be
  591. # required for Visual Studio to understand that it needs to generate an NMAKE
  592. # project. Do not modify without knowing what you are doing.
  593. debug_variants = ["debug|Win32"] + ["debug|x64"]
  594. release_variants = ["release|Win32"] + ["release|x64"]
  595. release_debug_variants = ["release_debug|Win32"] + ["release_debug|x64"]
  596. variants = debug_variants + release_variants + release_debug_variants
  597. debug_targets = ["bin\\godot.windows.tools.32.exe"] + ["bin\\godot.windows.tools.64.exe"]
  598. release_targets = ["bin\\godot.windows.opt.32.exe"] + ["bin\\godot.windows.opt.64.exe"]
  599. release_debug_targets = ["bin\\godot.windows.opt.tools.32.exe"] + ["bin\\godot.windows.opt.tools.64.exe"]
  600. targets = debug_targets + release_targets + release_debug_targets
  601. if not env.get("MSVS"):
  602. env["MSVS"]["PROJECTSUFFIX"] = ".vcxproj"
  603. env["MSVS"]["SOLUTIONSUFFIX"] = ".sln"
  604. env.MSVSProject(
  605. target=["#godot" + env["MSVSPROJECTSUFFIX"]],
  606. incs=env.vs_incs,
  607. srcs=env.vs_srcs,
  608. runfile=targets,
  609. buildtarget=targets,
  610. auto_build_solution=1,
  611. variant=variants,
  612. )
  613. else:
  614. print(
  615. "Could not locate Visual Studio batch file for setting up the build environment. Not generating VS project."
  616. )
  617. def precious_program(env, program, sources, **args):
  618. program = env.ProgramOriginal(program, sources, **args)
  619. env.Precious(program)
  620. return program
  621. def add_shared_library(env, name, sources, **args):
  622. library = env.SharedLibrary(name, sources, **args)
  623. env.NoCache(library)
  624. return library
  625. def add_library(env, name, sources, **args):
  626. library = env.Library(name, sources, **args)
  627. env.NoCache(library)
  628. return library
  629. def add_program(env, name, sources, **args):
  630. program = env.Program(name, sources, **args)
  631. env.NoCache(program)
  632. return program
  633. def CommandNoCache(env, target, sources, command, **args):
  634. result = env.Command(target, sources, command, **args)
  635. env.NoCache(result)
  636. return result
  637. def get_darwin_sdk_version(platform):
  638. sdk_name = ""
  639. if platform == "osx":
  640. sdk_name = "macosx"
  641. elif platform == "iphone":
  642. sdk_name = "iphoneos"
  643. elif platform == "iphonesimulator":
  644. sdk_name = "iphonesimulator"
  645. else:
  646. raise Exception("Invalid platform argument passed to get_darwin_sdk_version")
  647. try:
  648. return float(decode_utf8(subprocess.check_output(["xcrun", "--sdk", sdk_name, "--show-sdk-version"]).strip()))
  649. except (subprocess.CalledProcessError, OSError):
  650. print("Failed to find SDK version while running xcrun --sdk {} --show-sdk-version.".format(sdk_name))
  651. return 0.0
  652. def detect_darwin_sdk_path(platform, env):
  653. sdk_name = ""
  654. if platform == "osx":
  655. sdk_name = "macosx"
  656. var_name = "MACOS_SDK_PATH"
  657. elif platform == "iphone":
  658. sdk_name = "iphoneos"
  659. var_name = "IPHONESDK"
  660. elif platform == "iphonesimulator":
  661. sdk_name = "iphonesimulator"
  662. var_name = "IPHONESDK"
  663. else:
  664. raise Exception("Invalid platform argument passed to detect_darwin_sdk_path")
  665. if not env[var_name]:
  666. try:
  667. sdk_path = decode_utf8(subprocess.check_output(["xcrun", "--sdk", sdk_name, "--show-sdk-path"]).strip())
  668. if sdk_path:
  669. env[var_name] = sdk_path
  670. except (subprocess.CalledProcessError, OSError):
  671. print("Failed to find SDK path while running xcrun --sdk {} --show-sdk-path.".format(sdk_name))
  672. raise
  673. def get_compiler_version(env):
  674. """
  675. Returns an array of version numbers as ints: [major, minor, patch].
  676. The return array should have at least two values (major, minor).
  677. """
  678. if not env.msvc:
  679. # Not using -dumpversion as some GCC distros only return major, and
  680. # Clang used to return hardcoded 4.2.1: # https://reviews.llvm.org/D56803
  681. try:
  682. version = decode_utf8(subprocess.check_output([env.subst(env["CXX"]), "--version"]).strip())
  683. except (subprocess.CalledProcessError, OSError):
  684. print("Couldn't parse CXX environment variable to infer compiler version.")
  685. return None
  686. else: # TODO: Implement for MSVC
  687. return None
  688. match = re.search("[0-9]+\.[0-9.]+", version)
  689. if match is not None:
  690. return list(map(int, match.group().split(".")))
  691. else:
  692. return None
  693. def using_gcc(env):
  694. return "gcc" in os.path.basename(env["CC"])
  695. def using_clang(env):
  696. return "clang" in os.path.basename(env["CC"])
  697. def using_emcc(env):
  698. return "emcc" in os.path.basename(env["CC"])
  699. def show_progress(env):
  700. import sys
  701. from SCons.Script import Progress, Command, AlwaysBuild
  702. screen = sys.stdout
  703. # Progress reporting is not available in non-TTY environments since it
  704. # messes with the output (for example, when writing to a file)
  705. show_progress = env["progress"] and sys.stdout.isatty()
  706. node_count_data = {
  707. "count": 0,
  708. "max": 0,
  709. "interval": 1,
  710. "fname": str(env.Dir("#")) + "/.scons_node_count",
  711. }
  712. import time, math
  713. class cache_progress:
  714. # The default is 1 GB cache and 12 hours half life
  715. def __init__(self, path=None, limit=1073741824, half_life=43200):
  716. self.path = path
  717. self.limit = limit
  718. self.exponent_scale = math.log(2) / half_life
  719. if env["verbose"] and path != None:
  720. screen.write(
  721. "Current cache limit is {} (used: {})\n".format(
  722. self.convert_size(limit), self.convert_size(self.get_size(path))
  723. )
  724. )
  725. self.delete(self.file_list())
  726. def __call__(self, node, *args, **kw):
  727. if show_progress:
  728. # Print the progress percentage
  729. node_count_data["count"] += node_count_data["interval"]
  730. node_count = node_count_data["count"]
  731. node_count_max = node_count_data["max"]
  732. if node_count_max > 0 and node_count <= node_count_max:
  733. screen.write("\r[%3d%%] " % (node_count * 100 / node_count_max))
  734. screen.flush()
  735. elif node_count_max > 0 and node_count > node_count_max:
  736. screen.write("\r[100%] ")
  737. screen.flush()
  738. else:
  739. screen.write("\r[Initial build] ")
  740. screen.flush()
  741. def delete(self, files):
  742. if len(files) == 0:
  743. return
  744. if env["verbose"]:
  745. # Utter something
  746. screen.write("\rPurging %d %s from cache...\n" % (len(files), len(files) > 1 and "files" or "file"))
  747. [os.remove(f) for f in files]
  748. def file_list(self):
  749. if self.path is None:
  750. # Nothing to do
  751. return []
  752. # Gather a list of (filename, (size, atime)) within the
  753. # cache directory
  754. file_stat = [(x, os.stat(x)[6:8]) for x in glob.glob(os.path.join(self.path, "*", "*"))]
  755. if file_stat == []:
  756. # Nothing to do
  757. return []
  758. # Weight the cache files by size (assumed to be roughly
  759. # proportional to the recompilation time) times an exponential
  760. # decay since the ctime, and return a list with the entries
  761. # (filename, size, weight).
  762. current_time = time.time()
  763. file_stat = [(x[0], x[1][0], (current_time - x[1][1])) for x in file_stat]
  764. # Sort by the most recently accessed files (most sensible to keep) first
  765. file_stat.sort(key=lambda x: x[2])
  766. # Search for the first entry where the storage limit is
  767. # reached
  768. sum, mark = 0, None
  769. for i, x in enumerate(file_stat):
  770. sum += x[1]
  771. if sum > self.limit:
  772. mark = i
  773. break
  774. if mark is None:
  775. return []
  776. else:
  777. return [x[0] for x in file_stat[mark:]]
  778. def convert_size(self, size_bytes):
  779. if size_bytes == 0:
  780. return "0 bytes"
  781. size_name = ("bytes", "KB", "MB", "GB", "TB", "PB", "EB", "ZB", "YB")
  782. i = int(math.floor(math.log(size_bytes, 1024)))
  783. p = math.pow(1024, i)
  784. s = round(size_bytes / p, 2)
  785. return "%s %s" % (int(s) if i == 0 else s, size_name[i])
  786. def get_size(self, start_path="."):
  787. total_size = 0
  788. for dirpath, dirnames, filenames in os.walk(start_path):
  789. for f in filenames:
  790. fp = os.path.join(dirpath, f)
  791. total_size += os.path.getsize(fp)
  792. return total_size
  793. def progress_finish(target, source, env):
  794. try:
  795. with open(node_count_data["fname"], "w") as f:
  796. f.write("%d\n" % node_count_data["count"])
  797. progressor.delete(progressor.file_list())
  798. except Exception:
  799. pass
  800. try:
  801. with open(node_count_data["fname"]) as f:
  802. node_count_data["max"] = int(f.readline())
  803. except Exception:
  804. pass
  805. cache_directory = os.environ.get("SCONS_CACHE")
  806. # Simple cache pruning, attached to SCons' progress callback. Trim the
  807. # cache directory to a size not larger than cache_limit.
  808. cache_limit = float(os.getenv("SCONS_CACHE_LIMIT", 1024)) * 1024 * 1024
  809. progressor = cache_progress(cache_directory, cache_limit)
  810. Progress(progressor, interval=node_count_data["interval"])
  811. progress_finish_command = Command("progress_finish", [], progress_finish)
  812. AlwaysBuild(progress_finish_command)
  813. def dump(env):
  814. # Dumps latest build information for debugging purposes and external tools.
  815. from json import dump
  816. def non_serializable(obj):
  817. return "<<non-serializable: %s>>" % (qualname(type(obj)))
  818. with open(".scons_env.json", "w") as f:
  819. dump(env.Dictionary(), f, indent=4, default=non_serializable)