Created
January 25, 2016 10:37
-
-
Save formula1/eeba31bd42d9edbb94dd to your computer and use it in GitHub Desktop.
__init__ to index
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
#!/usr/bin/env python | |
# Copyright (c) 2012 Google Inc. All rights reserved. | |
# Use of this source code is governed by a BSD-style license that can be | |
# found in the LICENSE file. | |
import copy | |
import gyp.input | |
import optparse | |
import os.path | |
import re | |
import shlex | |
import sys | |
import traceback | |
from gyp.common import GypError | |
# Default debug modes for GYP | |
debug = {} | |
# List of "official" debug modes, but you can use anything you like. | |
DEBUG_GENERAL = 'general' | |
DEBUG_VARIABLES = 'variables' | |
DEBUG_INCLUDES = 'includes' | |
def DebugOutput(mode, message, *args): | |
if 'all' in gyp.debug or mode in gyp.debug: | |
ctx = ('unknown', 0, 'unknown') | |
try: | |
f = traceback.extract_stack(limit=2) | |
if f: | |
ctx = f[0][:3] | |
except: | |
pass | |
if args: | |
message %= args | |
print '%s:%s:%d:%s %s' % (mode.upper(), os.path.basename(ctx[0]), | |
ctx[1], ctx[2], message) | |
def FindBuildFiles(): | |
extension = '.gyp' | |
files = os.listdir(os.getcwd()) | |
build_files = [] | |
for file in files: | |
if file.endswith(extension): | |
build_files.append(file) | |
return build_files | |
def Load(build_files, format, default_variables={}, | |
includes=[], depth='.', params=None, check=False, | |
circular_check=True, duplicate_basename_check=True): | |
""" | |
Loads one or more specified build files. | |
default_variables and includes will be copied before use. | |
Returns the generator for the specified format and the | |
data returned by loading the specified build files. | |
""" | |
if params is None: | |
params = {} | |
if '-' in format: | |
format, params['flavor'] = format.split('-', 1) | |
default_variables = copy.copy(default_variables) | |
# Default variables provided by this program and its modules should be | |
# named WITH_CAPITAL_LETTERS to provide a distinct "best practice" namespace, | |
# avoiding collisions with user and automatic variables. | |
default_variables['GENERATOR'] = format | |
default_variables['GENERATOR_FLAVOR'] = params.get('flavor', '') | |
# Format can be a custom python file, or by default the name of a module | |
# within gyp.generator. | |
if format.endswith('.py'): | |
generator_name = os.path.splitext(format)[0] | |
path, generator_name = os.path.split(generator_name) | |
# Make sure the path to the custom generator is in sys.path | |
# Don't worry about removing it once we are done. Keeping the path | |
# to each generator that is used in sys.path is likely harmless and | |
# arguably a good idea. | |
path = os.path.abspath(path) | |
if path not in sys.path: | |
sys.path.insert(0, path) | |
else: | |
generator_name = 'gyp.generator.' + format | |
# These parameters are passed in order (as opposed to by key) | |
# because ActivePython cannot handle key parameters to __import__. | |
generator = __import__(generator_name, globals(), locals(), generator_name) | |
for (key, val) in generator.generator_default_variables.items(): | |
default_variables.setdefault(key, val) | |
# Give the generator the opportunity to set additional variables based on | |
# the params it will receive in the output phase. | |
if getattr(generator, 'CalculateVariables', None): | |
generator.CalculateVariables(default_variables, params) | |
# Give the generator the opportunity to set generator_input_info based on | |
# the params it will receive in the output phase. | |
if getattr(generator, 'CalculateGeneratorInputInfo', None): | |
generator.CalculateGeneratorInputInfo(params) | |
# Fetch the generator specific info that gets fed to input, we use getattr | |
# so we can default things and the generators only have to provide what | |
# they need. | |
generator_input_info = { | |
'non_configuration_keys': | |
getattr(generator, 'generator_additional_non_configuration_keys', []), | |
'path_sections': | |
getattr(generator, 'generator_additional_path_sections', []), | |
'extra_sources_for_rules': | |
getattr(generator, 'generator_extra_sources_for_rules', []), | |
'generator_supports_multiple_toolsets': | |
getattr(generator, 'generator_supports_multiple_toolsets', False), | |
'generator_wants_static_library_dependencies_adjusted': | |
getattr(generator, | |
'generator_wants_static_library_dependencies_adjusted', True), | |
'generator_wants_sorted_dependencies': | |
getattr(generator, 'generator_wants_sorted_dependencies', False), | |
'generator_filelist_paths': | |
getattr(generator, 'generator_filelist_paths', None), | |
} | |
# Process the input specific to this generator. | |
result = gyp.input.Load(build_files, default_variables, includes[:], | |
depth, generator_input_info, check, circular_check, | |
duplicate_basename_check, | |
params['parallel'], params['root_targets']) | |
return [generator] + result | |
def NameValueListToDict(name_value_list): | |
""" | |
Takes an array of strings of the form 'NAME=VALUE' and creates a dictionary | |
of the pairs. If a string is simply NAME, then the value in the dictionary | |
is set to True. If VALUE can be converted to an integer, it is. | |
""" | |
result = { } | |
for item in name_value_list: | |
tokens = item.split('=', 1) | |
if len(tokens) == 2: | |
# If we can make it an int, use that, otherwise, use the string. | |
try: | |
token_value = int(tokens[1]) | |
except ValueError: | |
token_value = tokens[1] | |
# Set the variable to the supplied value. | |
result[tokens[0]] = token_value | |
else: | |
# No value supplied, treat it as a boolean and set it. | |
result[tokens[0]] = True | |
return result | |
def ShlexEnv(env_name): | |
flags = os.environ.get(env_name, []) | |
if flags: | |
flags = shlex.split(flags) | |
return flags | |
def FormatOpt(opt, value): | |
if opt.startswith('--'): | |
return '%s=%s' % (opt, value) | |
return opt + value | |
def RegenerateAppendFlag(flag, values, predicate, env_name, options): | |
"""Regenerate a list of command line flags, for an option of action='append'. | |
The |env_name|, if given, is checked in the environment and used to generate | |
an initial list of options, then the options that were specified on the | |
command line (given in |values|) are appended. This matches the handling of | |
environment variables and command line flags where command line flags override | |
the environment, while not requiring the environment to be set when the flags | |
are used again. | |
""" | |
flags = [] | |
if options.use_environment and env_name: | |
for flag_value in ShlexEnv(env_name): | |
value = FormatOpt(flag, predicate(flag_value)) | |
if value in flags: | |
flags.remove(value) | |
flags.append(value) | |
if values: | |
for flag_value in values: | |
flags.append(FormatOpt(flag, predicate(flag_value))) | |
return flags | |
def RegenerateFlags(options): | |
"""Given a parsed options object, and taking the environment variables into | |
account, returns a list of flags that should regenerate an equivalent options | |
object (even in the absence of the environment variables.) | |
Any path options will be normalized relative to depth. | |
The format flag is not included, as it is assumed the calling generator will | |
set that as appropriate. | |
""" | |
def FixPath(path): | |
path = gyp.common.FixIfRelativePath(path, options.depth) | |
if not path: | |
return os.path.curdir | |
return path | |
def Noop(value): | |
return value | |
# We always want to ignore the environment when regenerating, to avoid | |
# duplicate or changed flags in the environment at the time of regeneration. | |
flags = ['--ignore-environment'] | |
for name, metadata in options._regeneration_metadata.iteritems(): | |
opt = metadata['opt'] | |
value = getattr(options, name) | |
value_predicate = metadata['type'] == 'path' and FixPath or Noop | |
action = metadata['action'] | |
env_name = metadata['env_name'] | |
if action == 'append': | |
flags.extend(RegenerateAppendFlag(opt, value, value_predicate, | |
env_name, options)) | |
elif action in ('store', None): # None is a synonym for 'store'. | |
if value: | |
flags.append(FormatOpt(opt, value_predicate(value))) | |
elif options.use_environment and env_name and os.environ.get(env_name): | |
flags.append(FormatOpt(opt, value_predicate(os.environ.get(env_name)))) | |
elif action in ('store_true', 'store_false'): | |
if ((action == 'store_true' and value) or | |
(action == 'store_false' and not value)): | |
flags.append(opt) | |
elif options.use_environment and env_name: | |
print >>sys.stderr, ('Warning: environment regeneration unimplemented ' | |
'for %s flag %r env_name %r' % (action, opt, | |
env_name)) | |
else: | |
print >>sys.stderr, ('Warning: regeneration unimplemented for action %r ' | |
'flag %r' % (action, opt)) | |
return flags | |
class RegeneratableOptionParser(optparse.OptionParser): | |
def __init__(self): | |
self.__regeneratable_options = {} | |
optparse.OptionParser.__init__(self) | |
def add_option(self, *args, **kw): | |
"""Add an option to the parser. | |
This accepts the same arguments as OptionParser.add_option, plus the | |
following: | |
regenerate: can be set to False to prevent this option from being included | |
in regeneration. | |
env_name: name of environment variable that additional values for this | |
option come from. | |
type: adds type='path', to tell the regenerator that the values of | |
this option need to be made relative to options.depth | |
""" | |
env_name = kw.pop('env_name', None) | |
if 'dest' in kw and kw.pop('regenerate', True): | |
dest = kw['dest'] | |
# The path type is needed for regenerating, for optparse we can just treat | |
# it as a string. | |
type = kw.get('type') | |
if type == 'path': | |
kw['type'] = 'string' | |
self.__regeneratable_options[dest] = { | |
'action': kw.get('action'), | |
'type': type, | |
'env_name': env_name, | |
'opt': args[0], | |
} | |
optparse.OptionParser.add_option(self, *args, **kw) | |
def parse_args(self, *args): | |
values, args = optparse.OptionParser.parse_args(self, *args) | |
values._regeneration_metadata = self.__regeneratable_options | |
return values, args | |
def gyp_main(args): | |
my_name = os.path.basename(sys.argv[0]) | |
parser = RegeneratableOptionParser() | |
usage = 'usage: %s [options ...] [build_file ...]' | |
parser.set_usage(usage.replace('%s', '%prog')) | |
parser.add_option('--build', dest='configs', action='append', | |
help='configuration for build after project generation') | |
parser.add_option('--check', dest='check', action='store_true', | |
help='check format of gyp files') | |
parser.add_option('--config-dir', dest='config_dir', action='store', | |
env_name='GYP_CONFIG_DIR', default=None, | |
help='The location for configuration files like ' | |
'include.gypi.') | |
parser.add_option('-d', '--debug', dest='debug', metavar='DEBUGMODE', | |
action='append', default=[], help='turn on a debugging ' | |
'mode for debugging GYP. Supported modes are "variables", ' | |
'"includes" and "general" or "all" for all of them.') | |
parser.add_option('-D', dest='defines', action='append', metavar='VAR=VAL', | |
env_name='GYP_DEFINES', | |
help='sets variable VAR to value VAL') | |
parser.add_option('--depth', dest='depth', metavar='PATH', type='path', | |
help='set DEPTH gyp variable to a relative path to PATH') | |
parser.add_option('-f', '--format', dest='formats', action='append', | |
env_name='GYP_GENERATORS', regenerate=False, | |
help='output formats to generate') | |
parser.add_option('-G', dest='generator_flags', action='append', default=[], | |
metavar='FLAG=VAL', env_name='GYP_GENERATOR_FLAGS', | |
help='sets generator flag FLAG to VAL') | |
parser.add_option('--generator-output', dest='generator_output', | |
action='store', default=None, metavar='DIR', type='path', | |
env_name='GYP_GENERATOR_OUTPUT', | |
help='puts generated build files under DIR') | |
parser.add_option('--ignore-environment', dest='use_environment', | |
action='store_false', default=True, regenerate=False, | |
help='do not read options from environment variables') | |
parser.add_option('-I', '--include', dest='includes', action='append', | |
metavar='INCLUDE', type='path', | |
help='files to include in all loaded .gyp files') | |
# --no-circular-check disables the check for circular relationships between | |
# .gyp files. These relationships should not exist, but they've only been | |
# observed to be harmful with the Xcode generator. Chromium's .gyp files | |
# currently have some circular relationships on non-Mac platforms, so this | |
# option allows the strict behavior to be used on Macs and the lenient | |
# behavior to be used elsewhere. | |
# TODO(mark): Remove this option when http://crbug.com/35878 is fixed. | |
parser.add_option('--no-circular-check', dest='circular_check', | |
action='store_false', default=True, regenerate=False, | |
help="don't check for circular relationships between files") | |
# --no-duplicate-basename-check disables the check for duplicate basenames | |
# in a static_library/shared_library project. Visual C++ 2008 generator | |
# doesn't support this configuration. Libtool on Mac also generates warnings | |
# when duplicate basenames are passed into Make generator on Mac. | |
# TODO(yukawa): Remove this option when these legacy generators are | |
# deprecated. | |
parser.add_option('--no-duplicate-basename-check', | |
dest='duplicate_basename_check', action='store_false', | |
default=True, regenerate=False, | |
help="don't check for duplicate basenames") | |
parser.add_option('--no-parallel', action='store_true', default=False, | |
help='Disable multiprocessing') | |
parser.add_option('-S', '--suffix', dest='suffix', default='', | |
help='suffix to add to generated files') | |
parser.add_option('--toplevel-dir', dest='toplevel_dir', action='store', | |
default=None, metavar='DIR', type='path', | |
help='directory to use as the root of the source tree') | |
parser.add_option('-R', '--root-target', dest='root_targets', | |
action='append', metavar='TARGET', | |
help='include only TARGET and its deep dependencies') | |
options, build_files_arg = parser.parse_args(args) | |
build_files = build_files_arg | |
# Set up the configuration directory (defaults to ~/.gyp) | |
if not options.config_dir: | |
home = None | |
home_dot_gyp = None | |
if options.use_environment: | |
home_dot_gyp = os.environ.get('GYP_CONFIG_DIR', None) | |
if home_dot_gyp: | |
home_dot_gyp = os.path.expanduser(home_dot_gyp) | |
if not home_dot_gyp: | |
home_vars = ['HOME'] | |
if sys.platform in ('cygwin', 'win32'): | |
home_vars.append('USERPROFILE') | |
for home_var in home_vars: | |
home = os.getenv(home_var) | |
if home != None: | |
home_dot_gyp = os.path.join(home, '.gyp') | |
if not os.path.exists(home_dot_gyp): | |
home_dot_gyp = None | |
else: | |
break | |
else: | |
home_dot_gyp = os.path.expanduser(options.config_dir) | |
if home_dot_gyp and not os.path.exists(home_dot_gyp): | |
home_dot_gyp = None | |
if not options.formats: | |
# If no format was given on the command line, then check the env variable. | |
generate_formats = [] | |
if options.use_environment: | |
generate_formats = os.environ.get('GYP_GENERATORS', []) | |
if generate_formats: | |
generate_formats = re.split(r'[\s,]', generate_formats) | |
if generate_formats: | |
options.formats = generate_formats | |
else: | |
# Nothing in the variable, default based on platform. | |
if sys.platform == 'darwin': | |
options.formats = ['xcode'] | |
elif sys.platform in ('win32', 'cygwin'): | |
options.formats = ['msvs'] | |
else: | |
options.formats = ['make'] | |
if not options.generator_output and options.use_environment: | |
g_o = os.environ.get('GYP_GENERATOR_OUTPUT') | |
if g_o: | |
options.generator_output = g_o | |
options.parallel = not options.no_parallel | |
for mode in options.debug: | |
gyp.debug[mode] = 1 | |
# Do an extra check to avoid work when we're not debugging. | |
if DEBUG_GENERAL in gyp.debug: | |
DebugOutput(DEBUG_GENERAL, 'running with these options:') | |
for option, value in sorted(options.__dict__.items()): | |
if option[0] == '_': | |
continue | |
if isinstance(value, basestring): | |
DebugOutput(DEBUG_GENERAL, " %s: '%s'", option, value) | |
else: | |
DebugOutput(DEBUG_GENERAL, " %s: %s", option, value) | |
if not build_files: | |
build_files = FindBuildFiles() | |
if not build_files: | |
raise GypError((usage + '\n\n%s: error: no build_file') % | |
(my_name, my_name)) | |
# TODO(mark): Chromium-specific hack! | |
# For Chromium, the gyp "depth" variable should always be a relative path | |
# to Chromium's top-level "src" directory. If no depth variable was set | |
# on the command line, try to find a "src" directory by looking at the | |
# absolute path to each build file's directory. The first "src" component | |
# found will be treated as though it were the path used for --depth. | |
if not options.depth: | |
for build_file in build_files: | |
build_file_dir = os.path.abspath(os.path.dirname(build_file)) | |
build_file_dir_components = build_file_dir.split(os.path.sep) | |
components_len = len(build_file_dir_components) | |
for index in xrange(components_len - 1, -1, -1): | |
if build_file_dir_components[index] == 'src': | |
options.depth = os.path.sep.join(build_file_dir_components) | |
break | |
del build_file_dir_components[index] | |
# If the inner loop found something, break without advancing to another | |
# build file. | |
if options.depth: | |
break | |
if not options.depth: | |
raise GypError('Could not automatically locate src directory. This is' | |
'a temporary Chromium feature that will be removed. Use' | |
'--depth as a workaround.') | |
# If toplevel-dir is not set, we assume that depth is the root of our source | |
# tree. | |
if not options.toplevel_dir: | |
options.toplevel_dir = options.depth | |
# -D on the command line sets variable defaults - D isn't just for define, | |
# it's for default. Perhaps there should be a way to force (-F?) a | |
# variable's value so that it can't be overridden by anything else. | |
cmdline_default_variables = {} | |
defines = [] | |
if options.use_environment: | |
defines += ShlexEnv('GYP_DEFINES') | |
if options.defines: | |
defines += options.defines | |
cmdline_default_variables = NameValueListToDict(defines) | |
if DEBUG_GENERAL in gyp.debug: | |
DebugOutput(DEBUG_GENERAL, | |
"cmdline_default_variables: %s", cmdline_default_variables) | |
# Set up includes. | |
includes = [] | |
# If ~/.gyp/include.gypi exists, it'll be forcibly included into every | |
# .gyp file that's loaded, before anything else is included. | |
if home_dot_gyp != None: | |
default_include = os.path.join(home_dot_gyp, 'include.gypi') | |
if os.path.exists(default_include): | |
print 'Using overrides found in ' + default_include | |
includes.append(default_include) | |
# Command-line --include files come after the default include. | |
if options.includes: | |
includes.extend(options.includes) | |
# Generator flags should be prefixed with the target generator since they | |
# are global across all generator runs. | |
gen_flags = [] | |
if options.use_environment: | |
gen_flags += ShlexEnv('GYP_GENERATOR_FLAGS') | |
if options.generator_flags: | |
gen_flags += options.generator_flags | |
generator_flags = NameValueListToDict(gen_flags) | |
if DEBUG_GENERAL in gyp.debug.keys(): | |
DebugOutput(DEBUG_GENERAL, "generator_flags: %s", generator_flags) | |
# Generate all requested formats (use a set in case we got one format request | |
# twice) | |
for format in set(options.formats): | |
params = {'options': options, | |
'build_files': build_files, | |
'generator_flags': generator_flags, | |
'cwd': os.getcwd(), | |
'build_files_arg': build_files_arg, | |
'gyp_binary': sys.argv[0], | |
'home_dot_gyp': home_dot_gyp, | |
'parallel': options.parallel, | |
'root_targets': options.root_targets, | |
'target_arch': cmdline_default_variables.get('target_arch', '')} | |
# Start with the default variables from the command line. | |
[generator, flat_list, targets, data] = Load( | |
build_files, format, cmdline_default_variables, includes, options.depth, | |
params, options.check, options.circular_check, | |
options.duplicate_basename_check) | |
# TODO(mark): Pass |data| for now because the generator needs a list of | |
# build files that came in. In the future, maybe it should just accept | |
# a list, and not the whole data dict. | |
# NOTE: flat_list is the flattened dependency graph specifying the order | |
# that targets may be built. Build systems that operate serially or that | |
# need to have dependencies defined before dependents reference them should | |
# generate targets in the order specified in flat_list. | |
generator.GenerateOutput(flat_list, targets, data, params) | |
if options.configs: | |
valid_configs = targets[flat_list[0]]['configurations'].keys() | |
for conf in options.configs: | |
if conf not in valid_configs: | |
raise GypError('Invalid config specified via --build: %s' % conf) | |
generator.PerformBuild(data, options.configs, params) | |
# Done | |
return 0 | |
def main(args): | |
try: | |
return gyp_main(args) | |
except GypError, e: | |
sys.stderr.write("gyp: %s\n" % e) | |
return 1 | |
# NOTE: setuptools generated console_scripts calls function with no arguments | |
def script_main(): | |
return main(sys.argv[1:]) | |
if __name__ == '__main__': | |
sys.exit(script_main()) |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
//#!/usr/bin/env python | |
// Copyright (c) 2012 Google Inc. All rights reserved. | |
// Use of this source code is governed by a BSD-style license that can be | |
// found in the LICENSE file. | |
// import copy | |
// import gyp.input | |
// import re | |
// import shlex | |
// import sys | |
// import traceback | |
// from gyp.common import GypError | |
var input = require('./input'); | |
var os = require('os'); | |
var util = require('util'); | |
var path = require('path'); | |
var fs = require('fs'); | |
var shlex = require('shell-quote'); | |
var RegeneratableOptionParser = require('./RegeneratableOptionParser'); | |
var TraceBack = require('./traceback'); | |
// Default debug modes for GYP | |
var debug = {}; | |
var traceback = new TraceBack(); | |
// List of "official" debug modes, but you can use anything you like. | |
const DEBUG_GENERAL = 'general'; | |
const DEBUG_VARIABLES = 'variables'; | |
const DEBUG_INCLUDES = 'includes'; | |
function DebugOutput(mode, message){ | |
var args = Array.prototype.slice.apply(arguments, 2); | |
if('all' in debug || mode in debug){ | |
var ctx = ['unknown', 0, 'unknown']; | |
try{ | |
var f = traceback.extract_stack(2); | |
if(f) ctx = f[0].slice(0, 3); | |
}catch(e){} | |
if(args) message += util.inspect(args); | |
console.log(`${mode.toUpperCase()}:${path.basename(ctx[0])}:${ctx[1]}:${ctx[2]},${message}`); | |
} | |
} | |
function FindBuildFiles(){ | |
var extension = /\.gyp$/; | |
var files = fs.readdirSync(process.cwd()); | |
return file.filter(function(file){ | |
return extension.test(file); | |
}); | |
} | |
function Load(build_files, format, default_variables, | |
includes, depth, params, check, | |
circular_check, duplicate_basename_check){ | |
if(arguments.length < 9) duplicate_basename_check = true; | |
if(arguments.length < 8) circular_check = true; | |
if(arguments.length < 7) check = false; | |
if(arguments.length < 6) params = {}; | |
if(arguments.length < 5) depth = '.'; | |
if(arguments.length < 4) includes = []; | |
if(arguments.length < 3) default_variables = {}; | |
/* | |
Loads one or more specified build files. | |
default_variables and includes will be copied before use. | |
Returns the generator for the specified format and the | |
data returned by loading the specified build files. | |
*/ | |
if(format.indexOf('-') > -1){ | |
var f = format.split('-'); | |
format = f[0]; | |
params.flavor = f.slice(1).join('-'); | |
} | |
default_variables = JSON.parse(JSON.stringify((default_variables))) | |
// Default variables provided by this program and its modules should be | |
// named WITH_CAPITAL_LETTERS to provide a distinct "best practice" namespace, | |
// avoiding collisions with user and automatic variables. | |
default_variables.GENERATOR = format | |
default_variables.GENERATOR_FLAVOR = params.flavor || ''; | |
var generator_name; | |
// Format can be a custom python file, or by default the name of a module | |
// within gyp.generator. | |
if(/\.py$/.test(format)){ | |
var filepath = path.dirnam(format); | |
generator_name = path.basename(format, '.py'); | |
// Make sure the path to the custom generator is in sys.path | |
// Don't worry about removing it once we are done. Keeping the path | |
// to each generator that is used in sys.path is likely harmless and | |
// arguably a good idea. | |
filepath = path.resolve(process.cwd(), filepath); | |
if(sys.path.indexOf(filepath) == -1) | |
sys.path.push(filepath) | |
} else { | |
generator_name = 'gyp.generator.' + format | |
} | |
// These parameters are passed in order (as opposed to by key) | |
// because ActivePython cannot handle key parameters to __import__. | |
var generator = require(generator_name) //, globals(), locals(), generator_name) TODO: This is still relevent | |
var items = generator.generator_default_variables.items(); | |
for(var key in items){ | |
default_variables.setdefault(key, items[key]); | |
} | |
// Give the generator the opportunity to set additional variables based on | |
// the params it will receive in the output phase. | |
if('CalculateVariables' in generator){ | |
generator.CalculateVariables(default_variables, params) | |
} | |
// Give the generator the opportunity to set generator_input_info based on | |
// the params it will receive in the output phase. | |
if('CalculateGeneratorInputInfo' in generator){ | |
generator.CalculateGeneratorInputInfo(params) | |
} | |
// Fetch the generator specific info that gets fed to input, we use getattr | |
// so we can default things and the generators only have to provide what | |
// they need. | |
generator_input_info = { | |
'non_configuration_keys': | |
'generator_additional_non_configuration_keys' in generator ? | |
generator.generator_additional_non_configuration_keys : [], | |
'path_sections': | |
'generator_additional_path_sections' in generator ? | |
generator.generator_additional_path_sections : [], | |
'extra_sources_for_rules': | |
'generator_extra_sources_for_rules' in generator ? | |
generator.generator_extra_sources_for_rules : [], | |
'generator_supports_multiple_toolsets': | |
'generator_supports_multiple_toolsets' in generator ? | |
generator.generator_supports_multiple_toolsets : false, | |
'generator_wants_static_library_dependencies_adjusted': | |
'generator_wants_static_library_dependencies_adjusted' in generator ? | |
generator.generator_wants_static_library_dependencies_adjusted : true, | |
'generator_wants_sorted_dependencies': | |
'generator_wants_sorted_dependencies' in generator ? | |
generator.generator_wants_sorted_dependencies : false, | |
'generator_filelist_paths': | |
'generator_filelist_paths' in generator? | |
generator.generator_filelist_paths : void 0, | |
}; | |
// Process the input specific to this generator. | |
var result = input.Load( | |
build_files, default_variables, includes.slice(0), | |
depth, generator_input_info, check, circular_check, | |
duplicate_basename_check, | |
params['parallel'], params['root_targets'] | |
); | |
return [generator, result]; | |
} | |
function NameValueListToDict(name_value_list){ | |
/* | |
Takes an array of strings of the form 'NAME=VALUE' and creates a dictionary | |
of the pairs. If a string is simply NAME, then the value in the dictionary | |
is set to True. If VALUE can be converted to an integer, it is. | |
*/ | |
var result = {} | |
for(var key in name_value_list){ | |
var item = name_value_list[key]; | |
var tokens = item.split('=', 1) | |
var token_value; | |
if(tokens.length == 2){ | |
// If we can make it an int, use that, otherwise, use the string. | |
try{ | |
token_value = parseInt(tokens[1]) | |
}catch(e){ | |
token_value = tokens[1]; | |
} | |
// Set the variable to the supplied value. | |
result[tokens[0]] = token_value | |
}else{ | |
// No value supplied, treat it as a boolean and set it. | |
result[tokens[0]] = true | |
} | |
} | |
return result | |
} | |
function ShlexEnv(env_name){ | |
var flags = process.env[env_name] || []; | |
if(flags.length) | |
flags = shlex.parse(flags) | |
return flags | |
} | |
function FormatOpt(opt, value){ | |
if(/^\-\-/.test(opt)) | |
return `${opt}=${value}` | |
return opt + value | |
} | |
function RegenerateAppendFlag(flag, values, predicate, env_name, options){ | |
/*Regenerate a list of command line flags, for an option of action='append' | |
The |env_name|, if given, is checked in the environment and used to generate | |
an initial list of options, then the options that were specified on the | |
command line (given in |values|) are appended. This matches the handling of | |
environment variables and command line flags where command line flags override | |
the environment, while not requiring the environment to be set when the flags | |
are used again. | |
*/ | |
flags = [] | |
if(options.use_environment && env_name){ | |
var array = ShlexEnv(env_name); | |
for(var key in array){ | |
value = FormatOpt(flag, predicate(array[key])) | |
if(flags.indexOf(value) > -1) continue; | |
flags.append(value) | |
} | |
} | |
if(values.length) | |
for(var key in values){ | |
flags.append(FormatOpt(flag, predicate(values[key]))) | |
} | |
return flags | |
} | |
function RegenerateFlags(options){ | |
/*Given a parsed options object, and taking the environment variables into | |
account, returns a list of flags that should regenerate an equivalent options | |
object (even in the absence of the environment variables.) | |
Any path options will be normalized relative to depth. | |
The format flag is not included, as it is assumed the calling generator will | |
set that as appropriate. | |
*/ | |
function FixPath(path){ | |
path = gyp.common.FixIfRelativePath(path, options.depth); | |
if(!path) | |
return __dirname; | |
return path | |
} | |
function Noop(value){ | |
return value | |
} | |
// We always want to ignore the environment when regenerating, to avoid | |
// duplicate or changed flags in the environment at the time of regeneration. | |
flags = ['--ignore-environment'] | |
var metaiter = options._regeneration_metadata; | |
for(var name in metaiter){ | |
var metadata = metaiter[name] | |
var opt = metadata['opt'] | |
var value = options[name]; | |
var value_predicate = metadata['type'] == 'path' ? FixPath : Noop | |
var action = metadata['action'] | |
var env_name = metadata['env_name'] | |
if(action == 'append'){ | |
flags = flags.concat(RegenerateAppendFlag(opt, value, value_predicate, | |
env_name, options)) | |
}else if(!action || 'store' === action){ | |
if(value) | |
flags.append(FormatOpt(opt, value_predicate(value))) | |
else if(options.use_environment && env_name && process.env[env_name]) | |
flags.append(FormatOpt(opt, value_predicate(process.env[(env_name)]))); | |
}else if(['store_true', 'store_false'].indexOf(action) > -1){ | |
if ((action == 'store_true' && value) || | |
(action == 'store_false' && !value)){ | |
flags.append(opt) | |
}else if(options.use_environment && env_name) | |
console.error(`Warning: environment regeneration unimplemented for ${action} flag ${opt} env_name ${env_name}`); | |
}else | |
console.error(`Warning: regeneration unimplemented for action ${action} flag ${opt}`); | |
return flags | |
} | |
// TODO: reimplement this as commander | |
function gyp_main(args){ | |
var my_name = path.basename(process.argv[0]); | |
var parser = new RegeneratableOptionParser(); | |
var usage = 'usage: %s [options ...] [build_file ...]' | |
parser.set_usage(usage.replace('%s', '%prog')) | |
parser.add_option('--build', /*dest=*/'configs', /*action=*/'append', | |
/*help=*/'configuration for build after project generation') | |
parser.add_option('--check', /*dest=*/'check', /*action=*/'store_true', | |
/*help=*/'check format of gyp files') | |
parser.add_option('--config-dir', /*dest=*/'config_dir', /*action=*/'store', | |
/*help=*/'The location for configuration files like include.gypi.', | |
/*env_name=*/'GYP_CONFIG_DIR', /*default=*/ void 0 | |
) | |
parser.add_option('-d', '--debug', /*dest=*/'debug', /*metavar=*/'DEBUGMODE', | |
/*action=*/'append',/* default=*/[], | |
/*help=*/'turn on a debugging mode for debugging GYP. Supported modes are "variables", "includes" and "general" or "all" for all of them.' | |
) | |
parser.add_option('-D', /*dest=*/'defines', /*action=*/'append', /*metavar=*/'VAR=VAL', | |
/*env_name=*/'GYP_DEFINES', | |
/*help=*/'sets variable VAR to value VAL') | |
parser.add_option('--depth', /*dest=*/'depth', /*metavar=*/'PATH', /*type=*/'path', | |
/*help=*/'set DEPTH gyp variable to a relative path to PATH') | |
parser.add_option('-f', '--format', /*dest=*/'formats', /*action=*/'append', | |
/*env_name=*/'GYP_GENERATORS', /*regenerate=*/false, | |
/*help=*/'output formats to generate') | |
parser.add_option('-G', /*dest=*/'generator_flags', /*action=*/'append', /*default=*/[], | |
/*metavar=*/'FLAG=VAL', /*env_name=*/'GYP_GENERATOR_FLAGS', | |
/*help=*/'sets generator flag FLAG to VAL') | |
parser.add_option('--generator-output', dest='generator_output', | |
/*action=*/'store', /*default=*/void 0, /*metavar=*/'DIR', /*type=*/'path', | |
/*env_name=&/'GYP_GENERATOR_OUTPUT', | |
/*help=*/'puts generated build files under DIR') | |
parser.add_option('--ignore-environment', /*dest=*/'use_environment', | |
/*action=*/'store_false', /*default=*/true, /*regenerate=*/False, | |
/*help=*/'do not read options from environment variables') | |
parser.add_option('-I', '--include', /*dest=*/'includes', /*action=*/'append', | |
/*metavar=*/'INCLUDE', type='path', | |
/*help=*/'files to include in all loaded .gyp files') | |
// --no-circular-check disables the check for circular relationships between | |
// .gyp files. These relationships should not exist, but they've only been | |
// observed to be harmful with the Xcode generator. Chromium's .gyp files | |
// currently have some circular relationships on non-Mac platforms, so this | |
// option allows the strict behavior to be used on Macs and the lenient | |
// behavior to be used elsewhere. | |
// TODO(mark): Remove this option when http://crbug.com/35878 is fixed. | |
parser.add_option('--no-circular-check', /*dest=*/'circular_check', | |
/*action=*/'store_false', /*default=*/True, /*regenerate=*/False, | |
/*help=*/"don't check for circular relationships between files" | |
) | |
// --no-duplicate-basename-check disables the check for duplicate basenames | |
// in a static_library/shared_library project. Visual C++ 2008 generator | |
// doesn't support this configuration. Libtool on Mac also generates warnings | |
// when duplicate basenames are passed into Make generator on Mac. | |
// TODO(yukawa): Remove this option when these legacy generators are | |
// deprecated. | |
parser.add_option('--no-duplicate-basename-check', | |
/*dest=*/'duplicate_basename_check', /*action=*/'store_false', | |
/*default=*/True, /*regenerate=*/False, | |
/*help=*/"don't check for duplicate basenames") | |
parser.add_option('--no-parallel', /*action=*/'store_true', /*default=*/False, | |
/*help=*/'Disable multiprocessing') | |
parser.add_option('-S', '--suffix', /*dest=*/'suffix', /*default=*/'', | |
/*help=*/'suffix to add to generated files') | |
parser.add_option('--toplevel-dir', dest='toplevel_dir', action='store', | |
/*default=*/None, /*metavar=*/'DIR', /*type=*/'path', | |
/*help=*/'directory to use as the root of the source tree') | |
parser.add_option('-R', '--root-target', dest='root_targets', | |
/*action=*/'append', /*metavar=*/'TARGET', | |
/*help=*/'include only TARGET and its deep dependencies') | |
var parsed = parser.parse_args(args) | |
var options = parsed.options; | |
var build_files_arg = parsed.build_files_arg; | |
var build_files = build_files_arg | |
// Set up the configuration directory (defaults to ~/.gyp) | |
var home = void 0; | |
var home_dot_gyp = void 0; | |
if(!options.config_dir){ | |
if(options.use_environment) | |
home_dot_gyp = process.env['GYP_CONFIG_DIR'] || void 0; | |
if(home_dot_gyp) | |
home_dot_gyp = path.resolve(os.homedir(), options.config_dir); | |
if(!home_dot_gyp) | |
home_vars = ['HOME'] | |
if(['cygwin', 'win32'].indexOf(sys.platform) > -1) | |
home_vars.push('USERPROFILE') | |
for(var key in home_vars){ | |
var home_var = home_vars[key]; | |
home = process.env[home_var]; | |
if(!!home){ | |
home_dot_gyp = path.join(home, '.gyp') | |
if(!fs.existsSync(home_dot_gyp)) | |
home_dot_gyp = void 0; | |
else | |
break | |
} | |
} | |
}else | |
home_dot_gyp = path.resolve(os.homedir(), options.config_dir); | |
if(home_dot_gyp && !fs.existsSync(home_dot_gyp)) | |
home_dot_gyp = void 0; | |
if(! options.formats){ | |
// If no format was given on the command line, then check the env variable. | |
generate_formats = [] | |
if(options.use_environment) | |
generate_formats = process.env['GYP_GENERATORS'] || []; | |
if(generate_formats.length) | |
generate_formats = generate_formats.split(/[\s,]/g); | |
if(generate_formats.length) | |
options.formats = generate_formats | |
else{ | |
// Nothing in the variable, default based on platform. | |
if(os.platform() == 'darwin') | |
options.formats = ['xcode'] | |
else if(['win32', 'cygwin'].indexOf(os.platform()) > -1) | |
options.formats = ['msvs'] | |
else | |
options.formats = ['make'] | |
} | |
} | |
if(!options.generator_output && options.use_environment){ | |
var g_o = process.env['GYP_GENERATOR_OUTPUT'] | |
if(g_o) | |
options.generator_output = g_o | |
} | |
options.parallel = !options.no_parallel | |
for(var i in options.debug){ | |
gyp.debug[options.debug[i]] = 1 | |
} | |
// Do an extra check to avoid work when we're not debugging. | |
if(gyp.debug.indexOf(DEBUG_GENERAL) !== -1) | |
DebugOutput(DEBUG_GENERAL, 'running with these options:') | |
options.__dict__.items.sort(); | |
for(var option in options.__dict__.items){ | |
var value = options.__dict__.items[option]; | |
if(option.charAt(0) == '_') continue; | |
if(typeof value == string) | |
DebugOutput(DEBUG_GENERAL, ` ${option}: '${value}'`) | |
else | |
DebugOutput(DEBUG_GENERAL, ` ${option}: ${value}`); | |
} | |
} | |
if(!build_files) | |
build_files = FindBuildFiles(); | |
if(!build_files){ | |
throw new Error(usage + my_name + `\n\n${my_name}: error: no build_file`); | |
} | |
// TODO(mark): Chromium-specific hack! | |
// For Chromium, the gyp "depth" variable should always be a relative path | |
// to Chromium's top-level "src" directory. If no depth variable was set | |
// on the command line, try to find a "src" directory by looking at the | |
// absolute path to each build file's directory. The first "src" component | |
// found will be treated as though it were the path used for --depth. | |
if(!options.depth){ | |
for(var key in build_files){ | |
var build_file = build_files[key]; | |
var build_file_dir = path.resolve(process.cwd(), path.dirname(build_file)); | |
var build_file_dir_components = build_file_dir.split(path.sep); | |
var components_len = build_file_dir_components.length; | |
for(var index = components_len; index > -1; index--){ | |
if(build_file_dir_components[index] == 'src'){ | |
options.depth = build_file_dir_components.join(path.sep); | |
break | |
} | |
delete build_file_dir_components[index] | |
} | |
// If the inner loop found something, break without advancing to another | |
// build file. | |
if(options.depth) break; | |
} | |
if(!options.depth) | |
throw new Error(`Could not automatically locate src directory. This is | |
a temporary Chromium feature that will be removed. Use | |
--depth as a workaround. `) | |
} | |
// If toplevel-dir is not set, we assume that depth is the root of our source | |
// tree. | |
if(!options.toplevel_dir) | |
options.toplevel_dir = options.depth | |
// -D on the command line sets variable defaults - D isn't just for define, | |
// it's for default. Perhaps there should be a way to force (-F?) a | |
// variable's value so that it can't be overridden by anything else. | |
var cmdline_default_variables = {} | |
var defines = [] | |
if(options.use_environment) | |
defines = defines.concat(ShlexEnv('GYP_DEFINES')) | |
if(options.defines) | |
defines = defines.concat(options.defines); | |
var cmdline_default_variables = NameValueListToDict(defines) | |
if(DEBUG_GENERAL in debug){ | |
DebugOutput( | |
DEBUG_GENERAL, | |
`cmdline_default_variables: ${cmdline_default_variables}` | |
); | |
} | |
// Set up includes. | |
var includes = [] | |
var default_include; | |
// If ~/.gyp/include.gypi exists, it'll be forcibly included into every | |
// .gyp file that's loaded, before anything else is included. | |
if(!!home_dot_gyp){ | |
default_include = path.join(home_dot_gyp, 'include.gypi'); | |
if(fs.existsSync(default_include)){ | |
console.log('Using overrides found in ' + default_include); | |
includes.push(default_include); | |
} | |
} | |
//Command-line --include files come after the default include. | |
if(options.includes){ | |
for(var i in options.includes){ | |
if(i in includes) continue; | |
includes[i] = options.includes[i]; | |
} | |
} | |
// Generator flags should be prefixed with the target generator since they | |
// are global across all generator runs. | |
var gen_flags = [] | |
if(options.use_environment) | |
gen_flags = gen_flags.concat(ShlexEnv('GYP_GENERATOR_FLAGS')); | |
if(options.generator_flags) | |
gen_flags = gen_flags.concat(options.generator_flags); | |
generator_flags = NameValueListToDict(gen_flags); | |
if(DEBUG_GENERAL in debug){ | |
DebugOutput(DEBUG_GENERAL, `generator_flags: ${generator_flags}`) | |
} | |
// Generate all requested formats (use a set in case we got one format request | |
// twice) | |
var unique = []; | |
options.formats.forEach(function(format){ | |
if(unique.indexOf(format) > -1) return; | |
unique.push(format); | |
}) | |
for(var i in unique){ | |
var format = unique[i]; | |
var params = { | |
'options': options, | |
'build_files': build_files, | |
'generator_flags': generator_flags, | |
'cwd': process.cwd(), | |
'build_files_arg': build_files_arg, | |
'gyp_binary': process.argv[0], | |
'home_dot_gyp': home_dot_gyp, | |
'parallel': options.parallel, | |
'root_targets': options.root_targets, | |
'target_arch': cmdline_default_variables['target_arch'] || '' | |
} | |
// Start with the default variables from the command line. | |
var ret = Load( | |
build_files, format, cmdline_default_variables, includes, options.depth, | |
params, options.check, options.circular_check, | |
options.duplicate_basename_check); | |
var generator = ret.generator; | |
var flat_list = ret.flat_list; | |
var targets = ret.targets; | |
var data = ret.data; | |
// TODO(mark): Pass |data| for now because the generator needs a list of | |
// build files that came in. In the future, maybe it should just accept | |
// a list, and not the whole data dict. | |
// NOTE: flat_list is the flattened dependency graph specifying the order | |
// that targets may be built. Build systems that operate serially or that | |
// need to have dependencies defined before dependents reference them should | |
// generate targets in the order specified in flat_list. | |
generator.GenerateOutput(flat_list, targets, data, params) | |
if(options.configs){ | |
valid_configs = targets[flat_list[0]]['configurations'].keys() | |
for(var key in options.configs){ | |
if(valid_configs.indexOf(options.configs[key]) == -1) | |
throw new Error(`Invalid config specified via --build: ${conf}`); | |
} | |
generator.PerformBuild(data, options.configs, params) | |
} | |
} | |
// Done | |
return 0 | |
} | |
function main(args){ | |
try{ | |
return gyp_main(args) | |
}catch(e){ | |
console.error(`gyp: ${e.message}\n`); | |
return 1 | |
} | |
} | |
// NOTE: setuptools generated console_scripts calls function with no arguments | |
function script_main(){ | |
return main(process.argv.slice(1)); | |
} | |
if(!module.parent){ | |
script_main(); | |
process.exit(); | |
} |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
{ | |
"name": "node-gyp", | |
"description": "Node.js native addon build tool", | |
"keywords": [ | |
"native", | |
"addon", | |
"module", | |
"c", | |
"c++", | |
"bindings", | |
"gyp" | |
], | |
"version": "1.0.2", | |
"installVersion": 9, | |
"author": "Nathan Rajlich <[email protected]> (http://tootallnate.net)", | |
"repository": { | |
"type": "git", | |
"url": "git://github.com/TooTallNate/node-gyp.git" | |
}, | |
"preferGlobal": true, | |
"bin": "./bin/node-gyp.js", | |
"main": "./lib/node-gyp.js", | |
"dependencies": { | |
"shell-quote": "latest", | |
"commander": "latest" | |
}, | |
"engines": { | |
"node": ">= 0.8.0" | |
} | |
} |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
// Would REALLY Like to switch over to commander | |
var RegeneratableOptionParser; | |
// import optparse | |
var optparse = require('./optparse'); | |
module.exports = RegeneratableOptionParser = function(optparse){ | |
self.__regeneratable_options = {} | |
optparse.OptionParser.__init__(self) | |
this.add_option = function(){ | |
var self = this; | |
var args = Array.prototype.slice.apply(arguments, 1, arguments.length - 1); | |
var kw = arguments[arguments.length - 1]; | |
/*Add an option to the parser. | |
This accepts the same arguments as OptionParser.add_option, plus the | |
following: | |
regenerate: can be set to False to prevent this option from being included | |
in regeneration. | |
env_name: name of environment variable that additional values for this | |
option come from. | |
type: adds type='path', to tell the regenerator that the values of | |
this option need to be made relative to options.depth | |
*/ | |
var env_name = kw['env_name']; | |
delete kw['env_name']; | |
var regen = 'regnerate' in kw? kw['regenerate'] : true; | |
delete kw['regenerate']; | |
if('dest' in kw && regen){ | |
var dest = kw['dest'] | |
// The path type is needed for regenerating, for optparse we can just treat | |
// it as a string. | |
var type = kw['type']; | |
if(type == 'path') kw['type'] = 'string' | |
self.__regeneratable_options[dest] = { | |
'action': kw['action'], | |
'type': type, | |
'env_name': env_name, | |
'opt': args[0], | |
} | |
} | |
optparse.OptionParser.add_option.apply(self, (args).concat([kw])); | |
} | |
this.parse_args = function(){ | |
self = this; | |
var args = Array.prototype.slice.apply(arguments, 1); | |
var ret = optparse.OptionParser.parse_args.apply(self, args); | |
var values = ret[0]; | |
args = ret[1]; | |
values._regeneration_metadata = self.__regeneratable_options | |
return [values].concat(args); | |
} | |
} |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
var TraceBack; | |
module.exports = TraceBack = function(){}; | |
TraceBack.prototype.extract_stack = function(limit){ | |
return this.stack.slice(0, 2) | |
}; |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment