| |
| ### |
| |
| class InvalidArgumentsError(ValueError): |
| """InvalidArgumentsError - The driver arguments are invalid or |
| inconsistent.""" |
| |
| class MissingArgumentError(ValueError): |
| """MissingArgumentError - An option required an argument but none |
| was given.""" |
| |
| ### |
| |
| class Option(object): |
| """Option - Root option class.""" |
| |
| def __init__(self, name, group=None, isLinkerInput=False, noOptAsInput=False): |
| assert group is None or isinstance(group, OptionGroup) |
| self.name = name |
| self.group = group |
| self.isLinkerInput = isLinkerInput |
| self.noOptAsInput = noOptAsInput |
| |
| def matches(self, opt): |
| """matches(opt) -> bool |
| |
| Predicate for whether this option is part of the given option |
| (which may be a group).""" |
| if self is opt: |
| return True |
| elif self.group: |
| return self.group.matches(opt) |
| else: |
| return False |
| |
| def accept(self, index, arg, it): |
| """accept(index, arg, iterator) -> Arg or None |
| |
| Accept the argument at the given index, returning an Arg, or |
| return None if the option does not accept this argument. |
| |
| May raise MissingArgumentError. |
| """ |
| abstract |
| |
| def __repr__(self): |
| return '<%s name=%r>' % (self.__class__.__name__, |
| self.name) |
| |
| def forwardToGCC(self): |
| # FIXME: Get rid of this hack. |
| if self.name == '<input>': |
| return False |
| |
| if self.isLinkerInput: |
| return False |
| |
| return self.name not in ('-E', '-S', '-c', |
| '-arch', '-fsyntax-only', '-combine', '-x', |
| '-###') |
| |
| class OptionGroup(Option): |
| """OptionGroup - A fake option class used to group options so that |
| the driver can efficiently refer to an entire set of options.""" |
| |
| def __init__(self, name, group=None): |
| super(OptionGroup, self).__init__(name, group) |
| |
| def accept(self, index, arg, it): |
| raise RuntimeError,"accept() should never be called on an OptionGroup" |
| |
| # Dummy options |
| |
| class InputOption(Option): |
| def __init__(self): |
| super(InputOption, self).__init__('<input>') |
| |
| def accept(self): |
| raise RuntimeError,"accept() should never be used on InputOption instance." |
| |
| class UnknownOption(Option): |
| def __init__(self): |
| super(UnknownOption, self).__init__('<unknown>') |
| |
| def accept(self): |
| raise RuntimeError,"accept() should never be used on UnknownOption instance." |
| |
| # Normal options |
| |
| class FlagOption(Option): |
| """An option which takes no arguments.""" |
| |
| def accept(self, index, arg, it): |
| if arg == self.name: |
| return Arg(index, self) |
| |
| class JoinedOption(Option): |
| """An option which literally prefixes its argument.""" |
| |
| def accept(self, index, arg, it): |
| if arg.startswith(self.name): |
| return JoinedValueArg(index, self) |
| |
| class CommaJoinedOption(Option): |
| """An option which literally prefixs its argument, but which |
| conceptually may have an arbitrary number of arguments which are |
| separated by commas.""" |
| |
| def accept(self, index, arg, it): |
| if arg.startswith(self.name): |
| return CommaJoinedValuesArg(index, self) |
| |
| class SeparateOption(Option): |
| """An option which is followed by its value.""" |
| |
| def accept(self, index, arg, it): |
| if arg == self.name: |
| try: |
| _,value = it.next() |
| except StopIteration: |
| raise MissingArgumentError,self |
| return SeparateValueArg(index, self) |
| |
| class MultiArgOption(Option): |
| """An option which takes multiple arguments.""" |
| |
| def __init__(self, name, numArgs): |
| assert numArgs > 1 |
| super(MultiArgOption, self).__init__(name) |
| self.numArgs = numArgs |
| |
| def accept(self, index, arg, it): |
| if arg == self.name: |
| try: |
| values = [it.next()[1] for i in range(self.numArgs)] |
| except StopIteration: |
| raise MissingArgumentError,self |
| return MultipleValuesArg(index, self) |
| |
| class JoinedOrSeparateOption(Option): |
| """An option which either literally prefixes its value or is |
| followed by an value.""" |
| |
| def accept(self, index, arg, it): |
| if arg.startswith(self.name): |
| if len(arg) != len(self.name): # Joined case |
| return JoinedValueArg(index, self) |
| else: |
| try: |
| _,value = it.next() |
| except StopIteration: |
| raise MissingArgumentError,self |
| return SeparateValueArg(index, self) |
| |
| class JoinedAndSeparateOption(Option): |
| """An option which literally prefixes its value and is followed by |
| an value.""" |
| |
| def accept(self, index, arg, it): |
| if arg.startswith(self.name): |
| try: |
| _,value = it.next() |
| except StopIteration: |
| raise MissingArgumentError,self |
| return JoinedAndSeparateValuesArg(index, self) |
| |
| ### |
| |
| class Arg(object): |
| """Arg - Base class for actual driver arguments.""" |
| def __init__(self, index, opt): |
| assert opt is not None |
| self.index = index |
| self.opt = opt |
| |
| def __repr__(self): |
| return '<%s index=%r opt=%r>' % (self.__class__.__name__, |
| self.index, |
| self.opt) |
| |
| def render(self, args): |
| """render(args) -> [str] |
| |
| Map the argument into a list of actual program arguments, |
| given the source argument array.""" |
| assert self.opt |
| return [self.opt.name] |
| |
| def renderAsInput(self, args): |
| return self.render(args) |
| |
| class ValueArg(Arg): |
| """ValueArg - An instance of an option which has an argument.""" |
| |
| def getValue(self, args): |
| abstract |
| |
| def getValues(self, args): |
| return [self.getValue(args)] |
| |
| class PositionalArg(ValueArg): |
| """PositionalArg - A simple positional argument.""" |
| |
| def getValue(self, args): |
| return args.getInputString(self.index) |
| |
| def render(self, args): |
| return [args.getInputString(self.index)] |
| |
| class JoinedValueArg(ValueArg): |
| """JoinedValueArg - A single value argument where the value is |
| joined (suffixed) to the option.""" |
| |
| def getValue(self, args): |
| return args.getInputString(self.index)[len(self.opt.name):] |
| |
| def render(self, args): |
| return [self.opt.name + self.getValue(args)] |
| |
| def renderAsInput(self, args): |
| if self.opt.noOptAsInput: |
| return [self.getValue(args)] |
| return self.render(args) |
| |
| class SeparateValueArg(ValueArg): |
| """SeparateValueArg - A single value argument where the value |
| follows the option in the argument vector.""" |
| |
| def getValue(self, args): |
| return args.getInputString(self.index, offset=1) |
| |
| def render(self, args): |
| return [self.opt.name, self.getValue(args)] |
| |
| def renderAsInput(self, args): |
| if self.opt.noOptAsInput: |
| return [self.getValue(args)] |
| return self.render(args) |
| |
| class MultipleValuesArg(Arg): |
| """MultipleValuesArg - An argument with multiple values which |
| follow the option in the argument vector.""" |
| |
| # FIXME: Should we unify this with SeparateValueArg? |
| |
| def getValues(self, args): |
| return [args.getInputString(self.index, offset=1+i) |
| for i in range(self.opt.numArgs)] |
| |
| def render(self, args): |
| return [self.opt.name] + self.getValues(args) |
| |
| class CommaJoinedValuesArg(Arg): |
| """CommaJoinedValuesArg - An argument with multiple values joined |
| by commas and joined (suffixed) to the option. |
| |
| The key point of this arg is that it renders its values into |
| separate arguments, which allows it to be used as a generic |
| mechanism for passing arguments through to tools.""" |
| |
| def getValues(self, args): |
| return args.getInputString(self.index)[len(self.opt.name):].split(',') |
| |
| def render(self, args): |
| return [self.opt.name + ','.join(self.getValues(args))] |
| |
| def renderAsInput(self, args): |
| return self.getValues(args) |
| |
| # FIXME: Man, this is lame. It is only used by -Xarch. Maybe easier to |
| # just special case? |
| class JoinedAndSeparateValuesArg(Arg): |
| """JoinedAndSeparateValuesArg - An argument with both joined and |
| separate values.""" |
| |
| def getJoinedValue(self, args): |
| return args.getInputString(self.index)[len(self.opt.name):] |
| |
| def getSeparateValue(self, args): |
| return args.getInputString(self.index, offset=1) |
| |
| def render(self, args): |
| return ([self.opt.name + self.getJoinedValue(args)] + |
| [self.getSeparateValue(args)]) |
| |
| ### |
| |
| class InputIndex: |
| def __init__(self, sourceId, pos): |
| self.sourceId = sourceId |
| self.pos = pos |
| |
| def __repr__(self): |
| return 'InputIndex(%d, %d)' % (self.sourceId, self.pos) |
| |
| class ArgList(object): |
| """ArgList - Collect an input argument vector along with a set of |
| parsed Args and supporting information.""" |
| |
| def __init__(self, parser, argv): |
| self.parser = parser |
| self.argv = list(argv) |
| self.syntheticArgv = [] |
| self.lastArgs = {} |
| self.args = [] |
| |
| def getArgs(self, option): |
| # FIXME: How efficient do we want to make this. One reasonable |
| # solution would be to embed a linked list inside each arg and |
| # automatically chain them (with pointers to head and |
| # tail). This gives us efficient access to the (first, last, |
| # all) arg(s) with little overhead. |
| for arg in self.args: |
| if arg.opt.matches(option): |
| yield arg |
| |
| def getArgs2(self, optionA, optionB): |
| """getArgs2 - Iterate over all arguments for two options, in |
| the order they were specified.""" |
| # As long as getArgs is efficient, we can easily make this |
| # efficient by iterating both at once and always taking the |
| # earlier arg. |
| for arg in self.args: |
| if (arg.opt.matches(optionA) or |
| arg.opt.matches(optionB)): |
| yield arg |
| |
| def getArgs3(self, optionA, optionB, optionC): |
| """getArgs3 - Iterate over all arguments for three options, in |
| the order they were specified.""" |
| for arg in self.args: |
| if (arg.opt.matches(optionA) or |
| arg.opt.matches(optionB) or |
| arg.opt.matches(optionC)): |
| yield arg |
| |
| def getLastArg(self, option): |
| return self.lastArgs.get(option) |
| |
| def getInputString(self, index, offset=0): |
| # Source 0 is argv. |
| if index.sourceId == 0: |
| return self.argv[index.pos + offset] |
| |
| # Source 1 is synthetic argv. |
| if index.sourceId == 1: |
| return self.syntheticArgv[index.pos + offset] |
| |
| raise RuntimeError,'Unknown source ID for index.' |
| |
| def addLastArg(self, output, option): |
| """addLastArgs - Extend the given output vector with the last |
| instance of a given option.""" |
| arg = self.getLastArg(option) |
| if arg: |
| output.extend(self.render(arg)) |
| |
| def addAllArgs(self, output, option): |
| """addAllArgs - Extend the given output vector with all |
| instances of a given option.""" |
| for arg in self.getArgs(option): |
| output.extend(self.render(arg)) |
| |
| def addAllArgs2(self, output, optionA, optionB): |
| """addAllArgs2 - Extend the given output vector with all |
| instances of two given option, with relative order preserved.""" |
| for arg in self.getArgs2(optionA, optionB): |
| output.extend(self.render(arg)) |
| |
| def addAllArgs3(self, output, optionA, optionB, optionC): |
| """addAllArgs3 - Extend the given output vector with all |
| instances of three given option, with relative order preserved.""" |
| for arg in self.getArgs3(optionA, optionB, optionC): |
| output.extend(self.render(arg)) |
| |
| def addAllArgsTranslated(self, output, option, translation): |
| """addAllArgsTranslated - Extend the given output vector with |
| all instances of a given option, rendered as separate |
| arguments with the actual option name translated to a user |
| specified string. For example, '-foox' will be render as |
| ['-bar', 'x'] if '-foo' was the option and '-bar' was the |
| translation. |
| |
| This routine expects that the option can only yield ValueArg |
| instances.""" |
| for arg in self.getArgs(option): |
| assert isinstance(arg, ValueArg) |
| output.append(translation) |
| output.append(self.getValue(arg)) |
| |
| def makeIndex(self, *strings): |
| pos = len(self.syntheticArgv) |
| self.syntheticArgv.extend(strings) |
| return InputIndex(1, pos) |
| |
| def makeFlagArg(self, option): |
| return Arg(self.makeIndex(option.name), |
| option) |
| |
| def makeInputArg(self, string): |
| return PositionalArg(self.makeIndex(string), |
| self.parser.inputOption) |
| |
| def makeUnknownArg(self, string): |
| return PositionalArg(self.makeIndex(string), |
| self.parser.unknownOption) |
| |
| def makeSeparateArg(self, string, option): |
| return SeparateValueArg(self.makeIndex(option.name, string), |
| option) |
| |
| def makeJoinedArg(self, string, option): |
| return JoinedValueArg(self.makeIndex(option.name + string), |
| option) |
| |
| # Support use as a simple arg list. |
| |
| def __iter__(self): |
| return iter(self.args) |
| |
| def append(self, arg): |
| self.args.append(arg) |
| self.lastArgs[arg.opt] = arg |
| if arg.opt.group is not None: |
| self.lastArgs[arg.opt.group] = arg |
| |
| # Forwarding methods. |
| # |
| # FIXME: Clean this up once restructuring is done. |
| |
| def render(self, arg): |
| return arg.render(self) |
| |
| def renderAsInput(self, arg): |
| return arg.renderAsInput(self) |
| |
| def getValue(self, arg): |
| return arg.getValue(self) |
| |
| def getValues(self, arg): |
| return arg.getValues(self) |
| |
| def getSeparateValue(self, arg): |
| return arg.getSeparateValue(self) |
| |
| def getJoinedValue(self, arg): |
| return arg.getJoinedValue(self) |
| |
| class DerivedArgList(ArgList): |
| def __init__(self, args): |
| super(DerivedArgList, self).__init__(args.parser, args.argv) |
| self.parser = args.parser |
| self.argv = args.argv |
| self.syntheticArgv = args.syntheticArgv |
| self.lastArgs = {} |
| self.args = [] |
| |
| ### |
| |
| class OptionParser: |
| def __init__(self): |
| self.options = [] |
| self.inputOption = InputOption() |
| self.unknownOption = UnknownOption() |
| |
| # Driver driver options |
| self.archOption = self.addOption(SeparateOption('-arch')) |
| |
| # Misc driver options |
| self.addOption(FlagOption('-pass-exit-codes')) |
| self.addOption(FlagOption('--help')) |
| self.addOption(FlagOption('--target-help')) |
| |
| self.dumpspecsOption = self.addOption(FlagOption('-dumpspecs')) |
| self.dumpversionOption = self.addOption(FlagOption('-dumpversion')) |
| self.dumpmachineOption = self.addOption(FlagOption('-dumpmachine')) |
| self.printSearchDirsOption = self.addOption(FlagOption('-print-search-dirs')) |
| self.printLibgccFilenameOption = self.addOption(FlagOption('-print-libgcc-file-name')) |
| # FIXME: Hrm, where does this come from? It isn't always true that |
| # we take both - and --. For example, gcc --S ... ends up sending |
| # -fS to cc1. Investigate. |
| # |
| # FIXME: Need to implement some form of alias support inside |
| # getLastOption to handle this. |
| self.printLibgccFileNameOption2 = self.addOption(FlagOption('--print-libgcc-file-name')) |
| self.printFileNameOption = self.addOption(JoinedOption('-print-file-name=')) |
| self.printProgNameOption = self.addOption(JoinedOption('-print-prog-name=')) |
| self.printProgNameOption2 = self.addOption(JoinedOption('--print-prog-name=')) |
| self.printMultiDirectoryOption = self.addOption(FlagOption('-print-multi-directory')) |
| self.printMultiLibOption = self.addOption(FlagOption('-print-multi-lib')) |
| self.addOption(FlagOption('-print-multi-os-directory')) |
| |
| # Hmmm, who really takes this? |
| self.addOption(FlagOption('--version')) |
| |
| # Pipeline control |
| self.hashHashHashOption = self.addOption(FlagOption('-###')) |
| self.EOption = self.addOption(FlagOption('-E')) |
| self.SOption = self.addOption(FlagOption('-S')) |
| self.cOption = self.addOption(FlagOption('-c')) |
| self.combineOption = self.addOption(FlagOption('-combine')) |
| self.noIntegratedCPPOption = self.addOption(FlagOption('-no-integrated-cpp')) |
| self.pipeOption = self.addOption(FlagOption('-pipe')) |
| self.saveTempsOption = self.addOption(FlagOption('-save-temps')) |
| self.saveTempsOption2 = self.addOption(FlagOption('--save-temps')) |
| # FIXME: Error out if this is used. |
| self.addOption(JoinedOption('-specs=')) |
| # FIXME: Implement. |
| self.addOption(FlagOption('-time')) |
| # FIXME: Implement. |
| self.vOption = self.addOption(FlagOption('-v')) |
| |
| # Input/output stuff |
| self.oOption = self.addOption(JoinedOrSeparateOption('-o', noOptAsInput=True)) |
| self.xOption = self.addOption(JoinedOrSeparateOption('-x')) |
| |
| self.ObjCOption = self.addOption(FlagOption('-ObjC')) |
| self.ObjCXXOption = self.addOption(FlagOption('-ObjC++')) |
| |
| # FIXME: Weird, gcc claims this here in help but I'm not sure why; |
| # perhaps interaction with preprocessor? Investigate. |
| |
| # FIXME: This is broken in Darwin cc1, it wants std* and this |
| # is std=. May need an option group for this as well. |
| self.stdOption = self.addOption(JoinedOption('-std=')) |
| self.addOption(JoinedOrSeparateOption('--sysroot')) |
| |
| # Blanket pass-through options. |
| |
| self.WAOption = self.addOption(CommaJoinedOption('-WA,')) |
| |
| self.WaOption = self.addOption(CommaJoinedOption('-Wa,')) |
| self.XassemblerOption = self.addOption(SeparateOption('-Xassembler')) |
| |
| self.WpOption = self.addOption(CommaJoinedOption('-Wp,')) |
| self.XpreprocessorOption = self.addOption(SeparateOption('-Xpreprocessor')) |
| |
| self.addOption(CommaJoinedOption('-Wl,', isLinkerInput=True)) |
| self.addOption(SeparateOption('-Xlinker', isLinkerInput=True, noOptAsInput=True)) |
| |
| #### |
| # Bring on the random garbage. |
| |
| self.MGroup = OptionGroup('-M') |
| self.MOption = self.addOption(FlagOption('-M', self.MGroup)) |
| self.MDOption = self.addOption(FlagOption('-MD', self.MGroup)) |
| self.MGOption = self.addOption(FlagOption('-MG', self.MGroup)) |
| self.MMDOption = self.addOption(FlagOption('-MMD', self.MGroup)) |
| self.MPOption = self.addOption(FlagOption('-MP', self.MGroup)) |
| self.MMOption = self.addOption(FlagOption('-MM', self.MGroup)) |
| self.MFOption = self.addOption(JoinedOrSeparateOption('-MF', self.MGroup)) |
| self.MTOption = self.addOption(JoinedOrSeparateOption('-MT', self.MGroup)) |
| self.MQOption = self.addOption(JoinedOrSeparateOption('-MQ', self.MGroup)) |
| self.MachOption = self.addOption(FlagOption('-Mach')) |
| self.uGroup = OptionGroup('-u') |
| self.undefOption = self.addOption(FlagOption('-undef', self.uGroup)) |
| |
| self.wOption = self.addOption(FlagOption('-w')) |
| self.bundle_loaderOption = self.addOption(SeparateOption('-bundle_loader')) |
| self.bundleOption = self.addOption(FlagOption('-bundle')) |
| self.client_nameOption = self.addOption(JoinedOrSeparateOption('-client_name')) |
| self.compatibility_versionOption = self.addOption(JoinedOrSeparateOption('-compatibility_version')) |
| self.current_versionOption = self.addOption(JoinedOrSeparateOption('-current_version')) |
| self.dependencyFileOption = self.addOption(SeparateOption('-dependency-file')) |
| self.dynamiclibOption = self.addOption(FlagOption('-dynamiclib')) |
| self.dynamicOption = self.addOption(FlagOption('-dynamic')) |
| self.dylinker_install_nameOption = self.addOption(JoinedOrSeparateOption('-dylinker_install_name')) |
| self.dylinkerOption = self.addOption(FlagOption('-dylinker')) |
| |
| self.iGroup = OptionGroup('-i') |
| self.addOption(JoinedOrSeparateOption('-idirafter', self.iGroup)) |
| self.addOption(JoinedOrSeparateOption('-iquote', self.iGroup)) |
| self.isysrootOption = self.addOption(JoinedOrSeparateOption('-isysroot', self.iGroup)) |
| self.includeOption = self.addOption(JoinedOrSeparateOption('-include', self.iGroup)) |
| |
| self.keep_private_externsOption = self.addOption(JoinedOrSeparateOption('-keep_private_externs')) |
| self.private_bundleOption = self.addOption(FlagOption('-private_bundle')) |
| self.seg1addrOption = self.addOption(JoinedOrSeparateOption('-seg1addr')) |
| self.segprotOption = self.addOption(JoinedOrSeparateOption('-segprot')) |
| self.sub_libraryOption = self.addOption(JoinedOrSeparateOption('-sub_library')) |
| self.sub_umbrellaOption = self.addOption(JoinedOrSeparateOption('-sub_umbrella')) |
| self.umbrellaOption = self.addOption(SeparateOption('-umbrella', self.uGroup)) |
| self.undefinedOption = self.addOption(JoinedOrSeparateOption('-undefined', self.uGroup)) |
| self.headerpad_max_install_namesOption = self.addOption(JoinedOption('-headerpad_max_install_names')) |
| self.twolevel_namespaceOption = self.addOption(FlagOption('-twolevel_namespace')) |
| self.twolevel_namespace_hintsOption = self.addOption(FlagOption('-twolevel_namespace_hints')) |
| self.prebindOption = self.addOption(FlagOption('-prebind')) |
| self.noprebindOption = self.addOption(FlagOption('-noprebind')) |
| self.nofixprebindingOption = self.addOption(FlagOption('-nofixprebinding')) |
| self.prebind_all_twolevel_modulesOption = self.addOption(FlagOption('-prebind_all_twolevel_modules')) |
| self.remapOption = self.addOption(FlagOption('-remap')) |
| self.read_only_relocsOption = self.addOption(SeparateOption('-read_only_relocs')) |
| self.nomultidefsOption = self.addOption(FlagOption('-nomultidefs')) |
| self.nostartfilesOption = self.addOption(FlagOption('-nostartfiles')) |
| self.nodefaultlibsOption = self.addOption(FlagOption('-nodefaultlibs')) |
| self.nostdlibOption = self.addOption(FlagOption('-nostdlib')) |
| self.nostdincOption = self.addOption(FlagOption('-nostdinc')) |
| self.objectOption = self.addOption(FlagOption('-object')) |
| self.preloadOption = self.addOption(FlagOption('-preload')) |
| self.staticOption = self.addOption(FlagOption('-static')) |
| self.pagezero_sizeOption = self.addOption(FlagOption('-pagezero_size')) |
| self.addOption(FlagOption('-shared')) |
| self.staticLibgccOption = self.addOption(FlagOption('-static-libgcc')) |
| self.sharedLibgccOption = self.addOption(FlagOption('-shared-libgcc')) |
| self.COption = self.addOption(FlagOption('-C')) |
| self.CCOption = self.addOption(FlagOption('-CC')) |
| self.HOption = self.addOption(FlagOption('-H')) |
| self.addOption(FlagOption('-R')) |
| self.POption = self.addOption(FlagOption('-P')) |
| self.QOption = self.addOption(FlagOption('-Q')) |
| self.QnOption = self.addOption(FlagOption('-Qn')) |
| self.addOption(FlagOption('--constant-cfstrings')) |
| self.traditionalOption = self.addOption(FlagOption('-traditional')) |
| self.traditionalCPPOption = self.addOption(FlagOption('-traditional-cpp')) |
| # FIXME: Alias. |
| self.addOption(FlagOption('--traditional')) |
| self.no_dead_strip_inits_and_termsOption = self.addOption(FlagOption('-no_dead_strip_inits_and_terms')) |
| self.addOption(JoinedOption('-weak-l', isLinkerInput=True)) |
| self.addOption(SeparateOption('-weak_framework', isLinkerInput=True)) |
| self.addOption(SeparateOption('-weak_library', isLinkerInput=True)) |
| self.whyloadOption = self.addOption(FlagOption('-whyload')) |
| self.whatsloadedOption = self.addOption(FlagOption('-whatsloaded')) |
| self.sectalignOption = self.addOption(MultiArgOption('-sectalign', numArgs=3)) |
| self.sectobjectsymbolsOption = self.addOption(MultiArgOption('-sectobjectsymbols', numArgs=2)) |
| self.segcreateOption = self.addOption(MultiArgOption('-segcreate', numArgs=3)) |
| self.seglinkeditOption = self.addOption(FlagOption('-seglinkedit')) |
| self.noseglinkeditOption = self.addOption(FlagOption('-noseglinkedit')) |
| self.sectcreateOption = self.addOption(MultiArgOption('-sectcreate', numArgs=3)) |
| self.sectorderOption = self.addOption(MultiArgOption('-sectorder', numArgs=3)) |
| |
| self.all_loadOption = self.addOption(FlagOption('-all_load')) |
| self.allowable_clientOption = self.addOption(SeparateOption('-allowable_client')) |
| self.bind_at_loadOption = self.addOption(FlagOption('-bind_at_load')) |
| self.dead_stripOption = self.addOption(FlagOption('-dead_strip')) |
| self.dylib_fileOption = self.addOption(SeparateOption('-dylib_file')) |
| self.exported_symbols_listOption = self.addOption(SeparateOption('-exported_symbols_list')) |
| self.flat_namespaceOption = self.addOption(FlagOption('-flat_namespace')) |
| self.force_cpusubtype_ALLOption = self.addOption(FlagOption('-force_cpusubtype_ALL')) |
| self.force_flat_namespaceOption = self.addOption(FlagOption('-force_flat_namespace')) |
| self.image_baseOption = self.addOption(FlagOption('-image_base')) |
| self.initOption = self.addOption(SeparateOption('-init')) |
| self.install_nameOption = self.addOption(SeparateOption('-install_name')) |
| self.multi_moduleOption = self.addOption(FlagOption('-multi_module')) |
| self.multiply_definedOption = self.addOption(SeparateOption('-multiply_defined')) |
| self.multiply_defined_unusedOption = self.addOption(SeparateOption('-multiply_defined_unused')) |
| self.seg_addr_table_filenameOption = self.addOption(SeparateOption('-seg_addr_table_filename')) |
| self.seg_addr_tableOption = self.addOption(SeparateOption('-seg_addr_table')) |
| self.segaddrOption = self.addOption(SeparateOption('-segaddr')) |
| self.segs_read_only_addrOption = self.addOption(SeparateOption('-segs_read_only_addr')) |
| self.segs_read_write_addrOption = self.addOption(SeparateOption('-segs_read_write_addr')) |
| # FIXME: This probably isn't necessary. |
| self.segs_read_Option = self.addOption(JoinedOption('-segs_read_')) |
| self.single_moduleOption = self.addOption(FlagOption('-single_module')) |
| self.unexported_symbols_listOption = self.addOption(SeparateOption('-unexported_symbols_list', self.uGroup)) |
| self.weak_reference_mismatchesOption = self.addOption(SeparateOption('-weak_reference_mismatches')) |
| |
| self.addOption(SeparateOption('-filelist', isLinkerInput=True)) |
| self.addOption(SeparateOption('-framework', isLinkerInput=True)) |
| |
| self.addOption(JoinedOption('-i', self.iGroup)) |
| |
| # Where are these coming from? I can't find them... |
| self.eOption = self.addOption(JoinedOrSeparateOption('-e')) |
| self.rOption = self.addOption(JoinedOrSeparateOption('-r')) |
| |
| self.pgOption = self.addOption(FlagOption('-pg')) |
| self.pOption = self.addOption(FlagOption('-p')) |
| |
| doNotReallySupport = 1 |
| if doNotReallySupport: |
| # Archaic gcc option. |
| self.addOption(FlagOption('-cpp-precomp')) |
| self.addOption(FlagOption('-no-cpp-precomp')) |
| |
| # C options for testing |
| |
| self.trigraphsOption = self.addOption(FlagOption('-trigraphs')) |
| |
| # FIXME: This is broken, we need -A as a single option to send |
| # stuff to cc1, but the way the ld spec is constructed it |
| # wants to see -A options but only as a separate arg. |
| self.AOption = self.addOption(JoinedOrSeparateOption('-A')) |
| self.DOption = self.addOption(JoinedOrSeparateOption('-D')) |
| self.FOption = self.addOption(JoinedOrSeparateOption('-F')) |
| self.IOption = self.addOption(JoinedOrSeparateOption('-I')) |
| self.LOption = self.addOption(JoinedOrSeparateOption('-L')) |
| self.TOption = self.addOption(JoinedOrSeparateOption('-T')) |
| self.UOption = self.addOption(JoinedOrSeparateOption('-U')) |
| self.ZOption = self.addOption(JoinedOrSeparateOption('-Z')) |
| |
| self.addOption(JoinedOrSeparateOption('-l', isLinkerInput=True)) |
| self.uOption = self.addOption(JoinedOrSeparateOption('-u', self.uGroup)) |
| self.tOption = self.addOption(JoinedOrSeparateOption('-t')) |
| self.yOption = self.addOption(JoinedOption('-y')) |
| |
| # FIXME: What is going on here? '-X' goes to linker, and -X ... goes nowhere? |
| self.XOption = self.addOption(FlagOption('-X')) |
| # Not exactly sure how to decompose this. I split out -Xarch_ |
| # because we need to recognize that in the driver driver part. |
| # FIXME: Man, this is lame it needs its own option. |
| self.XarchOption = self.addOption(JoinedAndSeparateOption('-Xarch_')) |
| self.addOption(JoinedOption('-X')) |
| |
| # The driver needs to know about this flag. |
| self.syntaxOnlyOption = self.addOption(FlagOption('-fsyntax-only')) |
| |
| # FIXME: Wrong? |
| # FIXME: What to do about the ambiguity of options like |
| # -dumpspecs? How is this handled in gcc? |
| # FIXME: Naming convention. |
| self.dOption = self.addOption(FlagOption('-d')) |
| |
| # Use a group for this in anticipation of adding more -d |
| # options explicitly. Note that we don't put many -d things in |
| # the -d group (like -dylinker, or '-d' by itself) because it |
| # is really a gcc bug that it ships these to cc1. |
| self.dGroup = OptionGroup('-d') |
| self.addOption(JoinedOption('-d', group=self.dGroup)) |
| |
| self.gGroup = OptionGroup('-g') |
| self.gfullOption = self.addOption(JoinedOption('-gfull', self.gGroup)) |
| self.gusedOption = self.addOption(JoinedOption('-gused', self.gGroup)) |
| self.gstabsOption = self.addOption(JoinedOption('-gstabs', self.gGroup)) |
| self.g0Option = self.addOption(JoinedOption('-g0', self.gGroup)) |
| self.g3Option = self.addOption(JoinedOption('-g3', self.gGroup)) |
| # FIXME: Naming. |
| self.gOption = self.addOption(FlagOption('-g', self.gGroup)) |
| self.addOption(JoinedOption('-g', self.gGroup)) |
| |
| # FIXME: How should we handle clang specific options? Do we |
| # want to avoid passing them to gcc/cc1 (which will generally |
| # not eat them), or should we let the user sort it out. |
| |
| self.fGroup = OptionGroup('-f') |
| self.fastOption = self.addOption(FlagOption('-fast', self.fGroup)) |
| self.fastfOption = self.addOption(FlagOption('-fastf', self.fGroup)) |
| self.fastcpOption = self.addOption(FlagOption('-fastcp', self.fGroup)) |
| |
| self.f_appleKextOption = self.addOption(FlagOption('-fapple-kext', self.fGroup)) |
| self.f_constantCfstringsOption = self.addOption(FlagOption('-fconstant-cfstrings', self.fGroup)) |
| self.f_createProfileOption = self.addOption(FlagOption('-fcreate-profile', self.fGroup)) |
| self.f_eliminateUnusedDebugSymbolsOption = self.addOption(FlagOption('-feliminate-unused-debug-symbols', self.fGroup)) |
| self.f_exceptionsOption = self.addOption(FlagOption('-fexceptions', self.fGroup)) |
| self.f_gnuRuntimeOption = self.addOption(FlagOption('-fgnu-runtime', self.fGroup)) |
| self.f_gnuRuntimeOption = self.addOption(FlagOption('-fgnu-runtime', self.fGroup)) |
| self.f_indirectVirtualCallsOption = self.addOption(FlagOption('-findirect-virtual-calls', self.fGroup)) |
| self.f_laxVectorConversionsOption = self.addOption(FlagOption('-flax-vector-conversions', self.fGroup)) |
| self.f_msExtensionsOption = self.addOption(FlagOption('-fms-extensions', self.fGroup)) |
| self.f_mudflapOption = self.addOption(FlagOption('-fmudflap', self.fGroup)) |
| self.f_mudflapthOption = self.addOption(FlagOption('-fmudflapth', self.fGroup)) |
| self.f_nestedFunctionsOption = self.addOption(FlagOption('-fnested-functions', self.fGroup)) |
| self.f_nextRuntimeOption = self.addOption(FlagOption('-fnext-runtime', self.fGroup)) |
| self.f_noCaretDiagnosticsOption = self.addOption(FlagOption('-fno-caret-diagnostics', self.fGroup)) |
| self.f_noConstantCfstringsOption = self.addOption(FlagOption('-fno-constant-cfstrings', self.fGroup)) |
| self.f_noEliminateUnusedDebugSymbolsOption = self.addOption(FlagOption('-fno-eliminate-unused-debug-symbols', self.fGroup)) |
| self.f_noPascalStringsOption = self.addOption(FlagOption('-fno-pascal-strings', self.fGroup)) |
| self.f_noShowColumnOption = self.addOption(FlagOption('-fno-show-column', self.fGroup)) |
| self.f_noWorkingDirectoryOption = self.addOption(FlagOption('-fno-working-directory', self.fGroup)) |
| self.f_objcGcOnlyOption = self.addOption(FlagOption('-fobjc-gc-only', self.fGroup)) |
| self.f_objcGcOption = self.addOption(FlagOption('-fobjc-gc', self.fGroup)) |
| self.f_objcOption = self.addOption(FlagOption('-fobjc', self.fGroup)) |
| self.f_openmpOption = self.addOption(FlagOption('-fopenmp', self.fGroup)) |
| self.f_pascalStringsOption = self.addOption(FlagOption('-fpascal-strings', self.fGroup)) |
| self.f_pieOption = self.addOption(FlagOption('-fpie', self.fGroup)) |
| self.f_profileArcsOption = self.addOption(FlagOption('-fprofile-arcs', self.fGroup)) |
| self.f_profileGenerateOption = self.addOption(FlagOption('-fprofile-generate', self.fGroup)) |
| self.f_terminatedVtablesOption = self.addOption(FlagOption('-fterminated-vtables', self.fGroup)) |
| self.f_traditionalOption = self.addOption(FlagOption('-ftraditional', self.fGroup)) |
| self.f_writableStringsOption = self.addOption(FlagOption('-fwritable-strings', self.fGroup)) |
| self.addOption(JoinedOption('-f', self.fGroup)) |
| |
| self.coverageOption = self.addOption(FlagOption('-coverage')) |
| self.coverageOption2 = self.addOption(FlagOption('--coverage')) |
| |
| self.mGroup = OptionGroup('-m') |
| self.m_32Option = self.addOption(FlagOption('-m32', self.mGroup)) |
| self.m_64Option = self.addOption(FlagOption('-m64', self.mGroup)) |
| self.m_dynamicNoPicOption = self.addOption(JoinedOption('-mdynamic-no-pic', self.mGroup)) |
| self.m_iphoneosVersionMinOption = self.addOption(JoinedOption('-miphoneos-version-min=', self.mGroup)) |
| self.m_kernelOption = self.addOption(FlagOption('-mkernel', self.mGroup)) |
| self.m_macosxVersionMinOption = self.addOption(JoinedOption('-mmacosx-version-min=', self.mGroup)) |
| self.m_constantCfstringsOption = self.addOption(FlagOption('-mconstant-cfstrings', self.mGroup)) |
| self.m_noConstantCfstringsOption = self.addOption(FlagOption('-mno-constant-cfstrings', self.mGroup)) |
| self.m_warnNonportableCfstringsOption = self.addOption(FlagOption('-mwarn-nonportable-cfstrings', self.mGroup)) |
| self.m_noWarnNonportableCfstringsOption = self.addOption(FlagOption('-mno-warn-nonportable-cfstrings', self.mGroup)) |
| self.m_pascalStringsOption = self.addOption(FlagOption('-mpascal-strings', self.mGroup)) |
| self.m_noPascalStringsOption = self.addOption(FlagOption('-mno-pascal-strings', self.mGroup)) |
| self.m_tuneOption = self.addOption(JoinedOption('-mtune=', self.mGroup)) |
| |
| # Ugh. Need to disambiguate our naming convetion. -m x goes to |
| # the linker sometimes, wheres -mxxxx is used for a variety of |
| # other things. |
| self.mOption = self.addOption(SeparateOption('-m')) |
| self.addOption(JoinedOption('-m', self.mGroup)) |
| |
| # FIXME: Why does Darwin send -a* to cc1? |
| self.aGroup = OptionGroup('-a') |
| self.ansiOption = self.addOption(FlagOption('-ansi', self.aGroup)) |
| self.aOption = self.addOption(JoinedOption('-a', self.aGroup)) |
| |
| self.pedanticGroup = OptionGroup('-pedantic') |
| self.pedanticOption = self.addOption(FlagOption('-pedantic', self.pedanticGroup)) |
| self.pedanticErrorsOption = self.addOption(FlagOption('-pedantic-errors', self.pedanticGroup)) |
| self.OOption = self.addOption(JoinedOption('-O')) |
| |
| self.WGroup = OptionGroup('-W') |
| self.ClangWGroup = OptionGroup('-W', self.WGroup) |
| |
| self.addOption(JoinedOption('-Wunused-macros', self.ClangWGroup)) |
| self.addOption(JoinedOption('-Wfloat-equal', self.ClangWGroup)) |
| self.addOption(JoinedOption('-Wreadonly-setter-attrs', self.ClangWGroup)) |
| self.addOption(JoinedOption('-Wno-format-nonliteral', self.ClangWGroup)) |
| self.addOption(JoinedOption('-Wundef', self.ClangWGroup)) |
| self.addOption(JoinedOption('-Wimplicit-function-declaration', self.ClangWGroup)) |
| self.addOption(JoinedOption('-Wno-strict-selector-match', self.ClangWGroup)) |
| |
| self.WnonportableCfstringsOption = self.addOption(JoinedOption('-Wnonportable-cfstrings', self.WGroup)) |
| self.WnoNonportableCfstringsOption = self.addOption(JoinedOption('-Wno-nonportable-cfstrings', self.WGroup)) |
| self.WOption = self.addOption(JoinedOption('-W', self.WGroup)) |
| |
| # FIXME: Weird. This option isn't really separate, --param=a=b |
| # works. There is something else going on which interprets the |
| # '='. |
| self._paramOption = self.addOption(SeparateOption('--param')) |
| |
| # FIXME: What is this? I think only one is valid, but have a |
| # log that uses both. |
| self.pthreadOption = self.addOption(FlagOption('-pthread')) |
| self.addOption(FlagOption('-pthreads')) |
| |
| # Version control |
| self.addOption(JoinedOrSeparateOption('-B')) |
| self.addOption(JoinedOrSeparateOption('-V')) |
| self.addOption(JoinedOrSeparateOption('-b')) |
| |
| # Clang static analyzer options (also see -WA,). |
| self.analyzeOption = self.addOption(FlagOption('--analyze')) |
| |
| def addOption(self, opt): |
| self.options.append(opt) |
| return opt |
| |
| def parseArgs(self, argv): |
| """ |
| parseArgs([str]) -> ArgList |
| |
| Parse command line into individual option instances. |
| """ |
| |
| iargs = enumerate(argv) |
| it = iter(iargs) |
| args = ArgList(self, argv) |
| for pos,a in it: |
| i = InputIndex(0, pos) |
| # FIXME: Handle '@' |
| if not a: |
| # gcc's handling of empty arguments doesn't make |
| # sense, but this is not a common use case. :) |
| # |
| # We just ignore them here (note that other things may |
| # still take them as arguments). |
| pass |
| elif a[0] == '-' and a != '-': |
| args.append(self.lookupOptForArg(i, a, it)) |
| else: |
| args.append(PositionalArg(i, self.inputOption)) |
| return args |
| |
| def lookupOptForArg(self, i, string, it): |
| for o in self.options: |
| arg = o.accept(i, string, it) |
| if arg is not None: |
| return arg |
| return PositionalArg(i, self.unknownOption) |