• Home
  • Line#
  • Scopes#
  • Navigate#
  • Raw
  • Download
1# Copyright 2016 The Chromium Embedded Framework Authors. Portions copyright
2# 2012 Google Inc. All rights reserved. Use of this source code is governed by
3# a BSD-style license that can be found in the LICENSE file.
4
5# This script determines the contents of the per-configuration `args.gn` files
6# that are used to build CEF/Chromium with GN. See comments in CEF's top-level
7# BUILD.gn file for general GN usage instructions.
8#
9# This script performs the following tasks:
10#
11# - Defines CEF's default and required arg values in cases where they differ
12#   from Chromium's.
13# - Accepts user-defined arg values via the GN_DEFINES environment variable.
14# - Verifies that user-defined arg values do not conflict with CEF's
15#   requirements.
16# - Generates multiple configurations by combining user-defined arg values with
17#   CEF's default and required values.
18#
19# Before adding a new arg value in this script determine the following:
20#
21# - Chromium's default value. Default values are defined in the declare_args()
22#   sections of *.gni files.
23# - Chromium's value requirements. Check for assert()s related to the value in
24#   Chromium code.
25# - Whether a particular value is optional or required for CEF.
26# - Under what conditions a particular value is required for CEF (platform,
27#   build type, CPU architecture, etc).
28#
29# If CEF can use Chromium's default value and has no additional validation
30# requirements then do nothing.
31#
32# If CEF can use Chromium's default value but would like to enforce additional
33# validation requirements then go to 3B.
34#
35# If CEF cannot or should not use Chromium's default value then choose one of
36# the following:
37#
38# 1. If CEF requires a different value either globally or based on the platform:
39#  - Add an assert() for the value in CEF's top-level BUILD.gn file.
40#  - Add the required value in GetRequiredArgs().
41#  - Result: CEF's required value will be used. The user cannot override the
42#    value via GN_DEFINES.
43#
44# 2. If CEF requires a different value based on the build type or CPU
45#    architecture:
46#  - Add an assert() for the value in CEF's top-level BUILD.gn file.
47#  - Add the required value in GetConfigArgs().
48#  - Result: CEF's required value will be used. The user cannot override the
49#    value via GN_DEFINES.
50#
51# 3. If CEF recommends (but does not require) a different value either globally
52#    or based on the platform:
53#    A. Set the default value:
54#     - Add the recommended value in GetRecommendedDefaultArgs().
55#     - Result: CEF's recommended value will be used by default. The user can
56#       override the value via GN_DEFINES.
57#
58#    B. If CEF has additional validation requirements:
59#     - Add the default Chromium value in GetChromiumDefaultArgs().
60#     - Perform validation in ValidateArgs().
61#     - Result: An AssertionError will be thrown if validation fails.
62
63from __future__ import absolute_import
64from __future__ import print_function
65import os
66import platform as python_platform
67import shlex
68import sys
69
70# The CEF directory is the parent directory of _this_ script.
71cef_dir = os.path.abspath(os.path.join(os.path.dirname(__file__), os.pardir))
72# The src directory is the parent directory of the CEF directory.
73src_dir = os.path.abspath(os.path.join(cef_dir, os.pardir))
74
75# Determine the platform.
76if sys.platform == 'win32':
77  platform = 'windows'
78  # Windows machines report 'ARM64' or 'AMD64'.
79  machine = 'arm64' if python_platform.machine() == 'ARM64' else 'amd64'
80elif sys.platform == 'darwin':
81  platform = 'mac'
82  # Mac machines report 'arm64' or 'x86_64'.
83  machine = 'arm64' if python_platform.machine() == 'arm64' else 'amd64'
84elif sys.platform.startswith('linux'):
85  platform = 'linux'
86else:
87  print('Unknown operating system platform')
88  sys.exit()
89
90
91def msg(msg):
92  print('NOTE: ' + msg)
93
94
95def NameValueListToDict(name_value_list):
96  """
97  Takes an array of strings of the form 'NAME=VALUE' and creates a dictionary
98  of the pairs. If a string is simply NAME, then the value in the dictionary
99  is set to True. If VALUE can be converted to a boolean or integer, it is.
100  """
101  result = {}
102  for item in name_value_list:
103    tokens = item.split('=', 1)
104    if len(tokens) == 2:
105      token_value = tokens[1]
106      if token_value.lower() == 'true':
107        token_value = True
108      elif token_value.lower() == 'false':
109        token_value = False
110      else:
111        # If we can make it an int, use that, otherwise, use the string.
112        try:
113          token_value = int(token_value)
114        except ValueError:
115          pass
116      # Set the variable to the supplied value.
117      result[tokens[0]] = token_value
118    else:
119      # No value supplied, treat it as a boolean and set it.
120      result[tokens[0]] = True
121  return result
122
123
124def ShlexEnv(env_name):
125  """
126  Split an environment variable using shell-like syntax.
127  """
128  flags = os.environ.get(env_name, [])
129  if flags:
130    flags = shlex.split(flags)
131  return flags
132
133
134def MergeDicts(*dict_args):
135  """
136  Given any number of dicts, shallow copy and merge into a new dict.
137  Precedence goes to key value pairs in latter dicts.
138  """
139  result = {}
140  for dictionary in dict_args:
141    result.update(dictionary)
142  return result
143
144
145def GetValueString(val):
146  """
147  Return the string representation of |val| expected by GN.
148  """
149  if isinstance(val, bool):
150    if val:
151      return 'true'
152    else:
153      return 'false'
154  elif isinstance(val, int):
155    return val
156  else:
157    return '"%s"' % val
158  return val
159
160
161def GetChromiumDefaultArgs():
162  """
163  Return default GN args. These must match the Chromium defaults.
164  Only args that may be retrieved via GetArgValue() need to be specified here.
165  """
166  # Search for these values in declare_args() sections of *.gni files to find
167  # the defaults.
168
169  defaults = {
170      'dcheck_always_on': False,
171      'is_asan': False,
172      'is_debug': True,
173      'is_official_build': False,
174      'target_cpu': 'x64',
175  }
176
177  if platform == 'linux':
178    defaults['use_sysroot'] = True
179
180  if platform == 'windows':
181    defaults['is_win_fastlink'] = False
182    defaults['visual_studio_path'] = ''
183    defaults['visual_studio_version'] = ''
184    defaults['visual_studio_runtime_dirs'] = ''
185    defaults['windows_sdk_path'] = ''
186
187  return defaults
188
189
190def GetArgValue(args, key):
191  """
192  Return an existing GN arg value or the Chromium default.
193  """
194  defaults = GetChromiumDefaultArgs()
195  assert key in defaults, "No default Chromium value specified for %s" % key
196  return args.get(key, defaults[key])
197
198
199def GetRecommendedDefaultArgs():
200  """
201  Return recommended default GN args that differ from Chromium defaults.
202  """
203  # Search for these values in declare_args() sections of *.gni files to find
204  # the defaults.
205
206  result = {
207      # Enable NaCL. Default is true. False is recommended for faster builds.
208      'enable_nacl': False,
209
210      # Disable component builds. Default depends on the platform. True results
211      # in faster local builds but False is required to create a CEF binary
212      # distribution.
213      'is_component_build': False,
214
215      # Specify the current PGO phase. Default is 0 (turned off) for normal
216      # builds and 2 (used during the optimization phase) for official Windows
217      # and macOS builds. Currently turned off for CEF because it requires
218      # additional setup and is not yet tested. See issue #2956.
219      'chrome_pgo_phase': 0,
220
221      # Disable support for background apps, which don't make sense with CEF.
222      # Default is enabled on desktop platforms. This feature was also causing
223      # strange shutdown crashes when using the Chrome runtime with a Debug
224      # component build on Windows.
225      'enable_background_mode': False,
226
227      # Disable support for resource allowlist generation. When enabled this
228      # introduces a Windows official build dependency on the
229      # "//chrome:chrome_dll" target, which will fail to build with CEF.
230      'enable_resource_allowlist_generation': False,
231  }
232
233  if platform != 'windows':
234    # Only allow non-component Debug builds on non-Windows platforms. These
235    # builds will fail on Windows due to linker issues (running out of memory,
236    # etc). See https://bitbucket.org/chromiumembedded/cef/issues/2679.
237    result['forbid_non_component_debug_builds'] = False
238
239  if platform == 'mac':
240    # Use the system allocator on Mac. Default is 'partition' (PartitionAlloc)
241    # with the allocator shim enabled. See issue #3061.
242    result['use_allocator'] = 'none'
243    result['use_allocator_shim'] = False
244
245  if platform == 'linux':
246    # Use a sysroot environment. Default is true. False is recommended for local
247    # builds.
248    # Run the following commands to download the sysroot environment:
249    # x86 build only:   $ export GYP_DEFINES='target_arch=ia32'
250    # x86 or x64 build: $ gclient runhooks
251    result['use_sysroot'] = False
252
253    # Don't add the `-Wl,--fatal-warnings` linker flag when building on Ubuntu
254    # 14 (Trusty) host systems. It results in errors like the following:
255    # ld.lld: error: found local symbol '__bss_start' in global part of symbol
256    # table in file /usr/lib/x86_64-linux-gnu/libGL.so
257    # TODO(cef): Remove this flag once we require a newer host system.
258    result['fatal_linker_warnings'] = False
259
260  return result
261
262
263def GetGNEnvArgs():
264  """
265  Return GN args specified via the GN_DEFINES env variable.
266  """
267  return NameValueListToDict(ShlexEnv('GN_DEFINES'))
268
269
270def GetRequiredArgs():
271  """
272  Return required GN args. Also enforced by assert() in //cef/BUILD.gn.
273  """
274  result = {
275      # Set ENABLE_PRINTING=1 ENABLE_BASIC_PRINTING=1.
276      'enable_basic_printing': True,
277      # ENABLE_SERVICE_DISCOVERY=0 for print preview support
278      'enable_print_preview': True,
279      'optimize_webui': True,
280      # Enable support for Widevine CDM.
281      'enable_widevine': True,
282
283      # Don't use the chrome style plugin.
284      'clang_use_chrome_plugins': False,
285  }
286
287  if platform == 'linux':
288    # Don't generate Chromium installer packages. This avoids GN dependency
289    # errors with CEF (see issue #2301).
290    # Due to the way this variable is declared in chrome/installer/BUILD.gn it
291    # can't be enforced by assert().
292    result['enable_linux_installer'] = False
293
294  return result
295
296
297def GetMergedArgs(build_args):
298  """
299  Return merged GN args.
300  """
301  dict = MergeDicts(GetRecommendedDefaultArgs(), GetGNEnvArgs(), build_args)
302
303  # Verify that the user is not trying to override required args.
304  required = GetRequiredArgs()
305  for key in required.keys():
306    if key in dict:
307      assert dict[key] == required[key], \
308          "%s=%s is required" % (key, GetValueString(required[key]))
309
310  return MergeDicts(dict, required)
311
312
313def ValidateArgs(args):
314  """
315  Validate GN arg combinations that we know about. Also provide suggestions
316  where appropriate.
317  """
318  dcheck_always_on = GetArgValue(args, 'dcheck_always_on')
319  is_asan = GetArgValue(args, 'is_asan')
320  is_debug = GetArgValue(args, 'is_debug')
321  is_official_build = GetArgValue(args, 'is_official_build')
322  target_cpu = GetArgValue(args, 'target_cpu')
323
324  if platform == 'linux':
325    use_sysroot = GetArgValue(args, 'use_sysroot')
326
327  if platform == 'windows':
328    is_win_fastlink = GetArgValue(args, 'is_win_fastlink')
329    visual_studio_path = GetArgValue(args, 'visual_studio_path')
330    visual_studio_version = GetArgValue(args, 'visual_studio_version')
331    visual_studio_runtime_dirs = GetArgValue(args, 'visual_studio_runtime_dirs')
332    windows_sdk_path = GetArgValue(args, 'windows_sdk_path')
333
334  # Target CPU architecture.
335  # - Windows supports "x86", "x64" and "arm64".
336  # - Mac supports "x64" and "arm64".
337  # - Linux supports only "x64" unless using a sysroot environment.
338  if platform == 'mac':
339    assert target_cpu in ('x64', 'arm64'), 'target_cpu must be "x64" or "arm64"'
340  elif platform == 'windows':
341    assert target_cpu in ('x86', 'x64',
342                          'arm64'), 'target_cpu must be "x86", "x64" or "arm64"'
343  elif platform == 'linux':
344    assert target_cpu in (
345        'x86', 'x64', 'arm',
346        'arm64'), 'target_cpu must be "x86", "x64", "arm" or "arm64"'
347
348  if platform == 'linux':
349    if target_cpu == 'x86':
350      assert use_sysroot, 'target_cpu="x86" requires use_sysroot=true'
351    elif target_cpu == 'arm':
352      assert use_sysroot, 'target_cpu="arm" requires use_sysroot=true'
353    elif target_cpu == 'arm64':
354      assert use_sysroot, 'target_cpu="arm64" requires use_sysroot=true'
355
356  # ASAN requires Release builds.
357  if is_asan:
358    assert not is_debug, "is_asan=true requires is_debug=false"
359    if not dcheck_always_on:
360      msg('is_asan=true recommends dcheck_always_on=true')
361
362  # Official build requires Release builds.
363  if is_official_build:
364    assert not is_debug, "is_official_build=true requires is_debug=false"
365
366  if platform == 'windows':
367    # Official builds should not use /DEBUG:FASTLINK.
368    if is_official_build:
369      assert not is_win_fastlink, "is_official_build=true precludes is_win_fastlink=true"
370
371    # Windows custom toolchain requirements.
372    #
373    # Required GN arguments:
374    #   visual_studio_path="<path to VS root>"
375    #     The directory that contains Visual Studio. For example, a subset of
376    #     "C:\Program Files (x86)\Microsoft Visual Studio 14.0".
377    #   visual_studio_version="<VS version>"
378    #     The VS version. For example, "2015".
379    #   visual_studio_runtime_dirs="<path to VS CRT>"
380    #     The directory that contains the VS CRT. For example, the contents of
381    #     "C:\Program Files (x86)\Windows Kits\10\Redist\ucrt\DLLs\x64" plus
382    #     "C:\Windows\System32\ucrtbased.dll"
383    #   windows_sdk_path="<path to WinSDK>"
384    #     The directory that contains the Win SDK. For example, a subset of
385    #     "C:\Program Files (x86)\Windows Kits\10".
386    #
387    # Required environment variables:
388    #   DEPOT_TOOLS_WIN_TOOLCHAIN=0
389    #   GYP_MSVS_OVERRIDE_PATH=<path to VS root, must match visual_studio_path>
390    #   GYP_MSVS_VERSION=<VS version, must match visual_studio_version>
391    #   CEF_VCVARS=none
392    #
393    # Optional environment variables (required if vcvarsall.bat does not exist):
394    #   INCLUDE=<VS include paths>
395    #   LIB=<VS library paths>
396    #   PATH=<VS executable paths>
397    #
398    # See comments in gclient_hook.py for environment variable usage.
399    #
400    if visual_studio_path != '':
401      assert visual_studio_version != '', 'visual_studio_path requires visual_studio_version'
402      assert visual_studio_runtime_dirs != '', 'visual_studio_path requires visual_studio_runtime_dirs'
403      assert windows_sdk_path != '', 'visual_studio_path requires windows_sdk_path'
404
405      assert os.environ.get('DEPOT_TOOLS_WIN_TOOLCHAIN', '') == '0', \
406        "visual_studio_path requires DEPOT_TOOLS_WIN_TOOLCHAIN=0 env variable"
407
408      msvs_path = os.environ.get('GYP_MSVS_OVERRIDE_PATH', '')
409      assert msvs_path == visual_studio_path and os.path.exists(msvs_path), \
410        "visual_studio_path requires matching GYP_MSVS_OVERRIDE_PATH env variable"
411
412      msvs_version = os.environ.get('GYP_MSVS_VERSION', '')
413      assert msvs_version == visual_studio_version, \
414        "visual_studio_version requires matching GYP_MSVS_VERSION env variable"
415
416      assert os.environ.get('CEF_VCVARS', '') == 'none', \
417        "visual_studio_path requires CEF_VCVARS=none env variable"
418
419      # If vcvarsall.bat exists then environment variables will be derived from
420      # there and any specified INCLUDE/LIB values will be ignored by Chromium
421      # (PATH is retained because it might contain required VS runtime
422      # libraries). If this file does not exist then the INCLUDE/LIB/PATH values
423      # are also required by Chromium.
424      vcvars_path = os.path.join(msvs_path, 'VC', 'vcvarsall.bat')
425      if not os.path.exists(vcvars_path):
426        vcvars_path = os.path.join(msvs_path, 'VC', 'Auxiliary', 'Build',
427                                   'vcvarsall.bat')
428      if os.path.exists(vcvars_path):
429        if 'INCLUDE' in os.environ:
430          del os.environ['INCLUDE']
431        if 'LIB' in os.environ:
432          del os.environ['LIB']
433        if 'LIBPATH' in os.environ:
434          del os.environ['LIBPATH']
435      else:
436        assert 'INCLUDE' in os.environ \
437          and 'LIB' in os.environ \
438          and 'PATH' in os.environ, \
439          "visual_studio_path requires INCLUDE, LIB and PATH env variables"
440
441
442def GetConfigArgs(args, is_debug, cpu):
443  """
444  Return merged GN args for the configuration and validate.
445  """
446  add_args = {}
447
448  # Cannot create is_official_build=true is_debug=true builds.
449  # This restriction is enforced in //build/config/BUILDCONFIG.gn.
450  # Instead, our "official Debug" build is a Release build with dchecks and
451  # symbols. Symbols will be generated by default for official builds; see the
452  # definition of 'symbol_level' in //build/config/compiler/compiler.gni.
453  if is_debug and GetArgValue(args, 'is_official_build'):
454    is_debug = False
455    add_args['dcheck_always_on'] = True
456
457  result = MergeDicts(args, add_args, {
458      'is_debug': is_debug,
459      'target_cpu': cpu,
460  })
461
462  if platform == 'linux' and not cpu.startswith('arm'):
463    # Remove any arm-related values from non-arm configs.
464    for key in result.keys():
465      if key.startswith('arm_'):
466        del result[key]
467
468  ValidateArgs(result)
469  return result
470
471
472def GetConfigArgsSandbox(platform, args, is_debug, cpu):
473  """
474  Return merged GN args for the cef_sandbox configuration and validate.
475  """
476  add_args = {
477      # Avoid libucrt.lib linker errors.
478      'use_allocator_shim': False,
479
480      # PartitionAlloc is selected as the default allocator in some cases.
481      # We can't use it because it requires use_allocator_shim=true.
482      'use_allocator': "none",
483
484      # Avoid /LTCG linker warnings and generate smaller lib files.
485      'is_official_build': False,
486
487      # Enable base target customizations necessary for distribution of the
488      # cef_sandbox static library.
489      'is_cef_sandbox_build': True,
490  }
491
492  if platform == 'windows':
493    # Avoid Debug build linker errors caused by custom libc++.
494    add_args['use_custom_libcxx'] = False
495
496    # Avoid dependency on //third_party/perfetto:libperfetto which fails to
497    # build with MSVC libc++.
498    add_args['enable_base_tracing'] = False
499
500    # Don't enable -Wmax-tokens in combination with MSVC libc++.
501    add_args['enable_wmax_tokens'] = False
502
503    # Allow non-component Debug builds for the sandbox.
504    add_args['forbid_non_component_debug_builds'] = False
505
506  if not is_debug:
507    # Disable DCHECKs in Release builds.
508    add_args['dcheck_always_on'] = False
509
510  result = MergeDicts(args, add_args, {
511      'is_debug': is_debug,
512      'target_cpu': cpu,
513  })
514
515  ValidateArgs(result)
516  return result
517
518
519def LinuxSysrootExists(cpu):
520  """
521  Returns true if the sysroot for the specified |cpu| architecture exists.
522  """
523  # Directory that contains sysroots.
524  sysroot_root = os.path.join(src_dir, 'build', 'linux')
525  # CPU-specific sysroot directory names.
526  # Should match the values in build/config/sysroot.gni.
527  if cpu == 'x86':
528    sysroot_name = 'debian_sid_i386-sysroot'
529  elif cpu == 'x64':
530    sysroot_name = 'debian_sid_amd64-sysroot'
531  elif cpu == 'arm':
532    sysroot_name = 'debian_sid_arm-sysroot'
533  elif cpu == 'arm64':
534    sysroot_name = 'debian_sid_arm64-sysroot'
535  else:
536    raise Exception('Unrecognized sysroot CPU: %s' % cpu)
537
538  return os.path.isdir(os.path.join(sysroot_root, sysroot_name))
539
540
541def GetAllPlatformConfigs(build_args):
542  """
543  Return a map of directory name to GN args for the current platform.
544  """
545  result = {}
546
547  # Merged args without validation.
548  args = GetMergedArgs(build_args)
549
550  create_debug = True
551
552  # Don't create debug directories for asan builds.
553  if GetArgValue(args, 'is_asan'):
554    create_debug = False
555    msg('Not generating Debug configuration due to is_asan=true')
556
557  supported_cpus = []
558
559  if platform == 'linux':
560    use_sysroot = GetArgValue(args, 'use_sysroot')
561    if use_sysroot:
562      # Only generate configurations for sysroots that have been installed.
563      for cpu in ('x86', 'x64', 'arm', 'arm64'):
564        if LinuxSysrootExists(cpu):
565          supported_cpus.append(cpu)
566        else:
567          msg('Not generating %s configuration due to missing sysroot directory'
568              % cpu)
569    else:
570      supported_cpus = ['x64']
571  elif platform in ('windows', 'mac'):
572    if machine == 'amd64' or os.environ.get('CEF_ENABLE_AMD64', '') == '1':
573      supported_cpus.append('x64')
574      if platform == 'windows':
575        supported_cpus.append('x86')
576    if machine == 'arm64' or os.environ.get('CEF_ENABLE_ARM64', '') == '1':
577      supported_cpus.append('arm64')
578  else:
579    raise Exception('Unsupported platform')
580
581  if len(supported_cpus) == 0:
582    raise Exception('No supported architectures')
583
584  for cpu in supported_cpus:
585    if create_debug:
586      result['Debug_GN_' + cpu] = GetConfigArgs(args, True, cpu)
587    result['Release_GN_' + cpu] = GetConfigArgs(args, False, cpu)
588
589    if platform in ('windows', 'mac') and GetArgValue(args,
590                                                      'is_official_build'):
591      # Build cef_sandbox.lib with a different configuration.
592      if create_debug:
593        result['Debug_GN_' + cpu + '_sandbox'] = GetConfigArgsSandbox(
594            platform, args, True, cpu)
595      result['Release_GN_' + cpu + '_sandbox'] = GetConfigArgsSandbox(
596          platform, args, False, cpu)
597
598  return result
599
600
601def GetConfigFileContents(args):
602  """
603  Generate config file contents for the arguments.
604  """
605  pairs = []
606  for k in sorted(args.keys()):
607    pairs.append("%s=%s" % (k, GetValueString(args[k])))
608  return "\n".join(pairs)
609
610
611# Program entry point.
612if __name__ == '__main__':
613  import sys
614
615  # Allow override of the platform via the command-line for testing.
616  if len(sys.argv) > 1:
617    platform = sys.argv[1]
618    if not platform in ('linux', 'mac', 'windows'):
619      sys.stderr.write('Usage: %s <platform>\n' % sys.argv[0])
620      sys.exit()
621
622  print('Platform: %s' % platform)
623
624  # Dump the configuration based on platform and environment.
625  configs = GetAllPlatformConfigs({})
626  for dir, config in configs.items():
627    print('\n\nout/%s:\n' % dir)
628    print(GetConfigFileContents(config))
629