当前位置: 首页>>代码示例>>Python>>正文


Python file_in.error_msg函数代码示例

本文整理汇总了Python中quex.frs_py.file_in.error_msg函数的典型用法代码示例。如果您正苦于以下问题:Python error_msg函数的具体用法?Python error_msg怎么用?Python error_msg使用的例子?那么恭喜您, 这里精选的函数代码示例或许可以为您提供帮助。


在下文中一共展示了error_msg函数的15个代码示例,这些例子默认根据受欢迎程度排序。您可以为喜欢或者感觉有用的代码点赞,您的评价将有助于系统推荐出更棒的Python代码示例。

示例1: add_match_deletion

    def add_match_deletion(self, Pattern, PatternStateMachine, FileName, LineN):
        if self.__matches.has_key(Pattern):
            error_msg("Deletion of '%s' which appeared before in same mode.\n" % Pattern + \
                      "Deletion of pattern.", FileName, LineN)

        PatternStateMachine = transformation.do(PatternStateMachine)
        self.__deletion_db[Pattern] = [PatternStateMachine, FileName, LineN]
开发者ID:jirkamarsik,项目名称:quex,代码行数:7,代码来源:lexer_mode.py

示例2: add_match_priority

    def add_match_priority(self, Pattern, PatternStateMachine, PatternIdx, FileName, LineN):
        if self.__matches.has_key(Pattern):
            error_msg("Pattern '%s' appeared twice in mode definition.\n" % Pattern + \
                      "Only this priority mark is considered.", FileName, LineN)

        PatternStateMachine = transformation.do(PatternStateMachine)
        self.__repriorization_db[Pattern] = [PatternStateMachine, FileName, LineN, PatternIdx]
开发者ID:jirkamarsik,项目名称:quex,代码行数:7,代码来源:lexer_mode.py

示例3: __start_mode

def __start_mode(applicable_mode_name_list, mode_name_list):
    """If more then one mode is defined, then that requires an explicit 
       definition 'start = mode'.
    """
    assert len(applicable_mode_name_list) != 0

    start_mode = lexer_mode.initial_mode.get_pure_code()
    if start_mode == "":
        # Choose an applicable mode as start mode
        start_mode              = applicable_mode_name_list[0]
        lexer_mode.initial_mode = CodeFragment(start_mode)
        if len(applicable_mode_name_list) > 1:
            error_msg("No initial mode defined via 'start' while more than one applicable mode exists.\n" + \
                      "Use for example 'start = %s;' in the quex source file to define an initial mode." \
                      % start_mode)
        # This Branch: start mode is applicable and present

    else: 
        FileName = lexer_mode.initial_mode.filename
        LineN    = lexer_mode.initial_mode.line_n
        # Start mode present and applicable?
        verify_word_in_list(start_mode, mode_name_list,
                            "Start mode '%s' is not defined." % start_mode,
                            FileName, LineN)
        verify_word_in_list(start_mode, applicable_mode_name_list,
                            "Start mode '%s' is inheritable only and cannot be instantiated." % start_mode,
                            FileName, LineN)
开发者ID:jirkamarsik,项目名称:quex,代码行数:27,代码来源:consistency_check.py

示例4: __check_file_name

def __check_file_name(setup, Candidate, Name):
    value             = setup.__dict__[Candidate]
    CommandLineOption = SETUP_INFO[Candidate][0]

    if value == "": return

    if type(value) == list:
        for name in value:
            if name != "" and name[0] == "-": 
                error_msg("Quex refuses to work with file names that start with '-' (minus).\n"  + \
                          "Received '%s' for %s (%s)" % (value, name, repr(CommandLineOption)[1:-1]))
            if os.access(name, os.F_OK) == False:
                # error_msg("File %s (%s)\ncannot be found." % (name, Name))
                error_msg_file_not_found(name, Name)
    else:
        if value == "" or value[0] == "-":              return
        if os.access(value, os.F_OK):                   return
        if os.access(QUEX_PATH + "/" + value, os.F_OK): return
        if     os.access(os.path.dirname(value), os.F_OK) == False \
           and os.access(QUEX_PATH + "/" + os.path.dirname(value), os.F_OK) == False:
            error_msg("File '%s' is supposed to be located in directory '%s' or\n" % \
                      (os.path.basename(value), os.path.dirname(value)) + \
                      "'%s'. No such directories exist." % \
                      (QUEX_PATH + "/" + os.path.dirname(value)))
        error_msg_file_not_found(value, Name)
开发者ID:jirkamarsik,项目名称:quex,代码行数:25,代码来源:setup_validation.py

示例5: __check_on_orphan_states

 def __check_on_orphan_states(Place, sm):
     orphan_state_list = sm.get_orphaned_state_index_list()
     if orphan_state_list == []: return
     error_msg("After '%s'" % Place + "\n" + \
               "Orphaned state(s) detected in regular expression (optimization lack).\n" + \
               "Please, log a defect at the projects website quex.sourceforge.net.\n"    + \
               "Orphan state(s) = " + repr(orphan_state_list)                       + "\n") 
开发者ID:jirkamarsik,项目名称:quex,代码行数:7,代码来源:base.py

示例6: __search_circular_inheritance

def __search_circular_inheritance(ModeDB, mode, inheritance_path):
    
    def __report_error(mode, inheritance_path):
        assert inheritance_path != []
        msg = ""
        previous = mode.name
        inheritance_path.reverse()
        for mode_name in inheritance_path:
            msg += "mode '%s' is a base of mode '%s'.\n" % (previous, mode_name)
            previous = mode_name

        error_msg("circular inheritance detected:\n" + msg, mode.filename, mode.line_n)

    for base_mode_name in mode.base_modes:
        # -- does base mode exist?
        if ModeDB.has_key(base_mode_name) == False:
            error_msg("mode '%s' is derived from mode a '%s'\n" % (mode.name, base_mode_name) + \
                      "but no such mode '%s' actually exists!" % base_mode_name,
                      mode.filename, mode.line_n)

        # -- did mode appear in the path of deriving modes
        base_mode = ModeDB[base_mode_name]
        if base_mode.name in inheritance_path: __report_error(base_mode, inheritance_path)

        __search_circular_inheritance(ModeDB, base_mode, inheritance_path + [mode.name])
开发者ID:AugustoMoura,项目名称:GritEnginePR,代码行数:25,代码来源:consistency_check.py

示例7: parse_character_set

def parse_character_set(Txt_or_File, PatternStringF=False):

    if Txt_or_File.__class__ in [file, StringIO]:
        sh       = Txt_or_File
        sh_ref   = sh
        position = sh.tell()
    else:
        sh     = StringIO(Txt_or_File)
        sh_ref = -1

    start_position = sh.tell()

    try:
        # -- parse regular expression, build state machine
        character_set = charset_expression.snap_set_expression(sh)

        if character_set == None:
            error_msg("No valid regular character set expression detected.", sh_ref)

        # -- character set is not supposed to contain buffer limit code
        if character_set.contains(Setup.buffer_limit_code):
            character_set.cut_interval(Interval(Setup.buffer_limit_code, Setup.buffer_limit_code))

    except RegularExpressionException, x:
        error_msg("Regular expression parsing:\n" + x.message, sh_ref)
开发者ID:AugustoMoura,项目名称:GritEnginePR,代码行数:25,代码来源:regular_expression.py

示例8: __handle_property_match

def __handle_property_match(cl):
    property_follower = cl.follow("", "--property-match")
    sys.stderr.write("(please, wait for database parsing to complete)\n")

    if property_follower == "":
        return

    fields = map(lambda x: x.strip(), property_follower.split("="))
    if len(fields) != 2:
        error_msg("Wrong property setting '%s'." % result)

    # -- determine name and value
    name                 = fields[0]
    wild_card_expression = fields[1]

    # -- get the property from the database
    property = __get_property(name)
    if property == None: 
        return True

    # -- find the character set for the given expression
    if property.type == "Binary":
        error_msg("Binary property '%s' is not subject to value wild card matching.\n" % property.name)

    for value in property.get_wildcard_value_matches(wild_card_expression):
        print value
开发者ID:jirkamarsik,项目名称:quex,代码行数:26,代码来源:query.py

示例9: do

def do(ARGV):
    """Performs a query based on the given command line arguments.
       RETURNS: True if a query was performed.
                False if not query was requested.
    """
    cl = GetPot(ARGV, SectionsEnabledF=False)

    success_f = False

    # Regular Expressions extract the BufferLimitCode and the PathTerminatorCode
    # from the sets. So let us define them outside the normal range.
    backup_buffer_limit_code = Setup.buffer_limit_code
    backup_path_limit_code   = Setup.path_limit_code
    Setup.buffer_limit_code = -1
    Setup.path_limit_code   = -1

    try:
        success_f = True
        if   search_and_validate(cl, "--codec-info"):         __handle_codec(cl)
        elif search_and_validate(cl, "--codec-for-language"): __handle_codec_for_language(cl)
        elif search_and_validate(cl, "--property"):           __handle_property(cl)
        elif search_and_validate(cl, "--set-by-property"):    __handle_set_by_property(cl)
        elif search_and_validate(cl, "--set-by-expression"):  __handle_set_by_expression(cl)
        elif search_and_validate(cl, "--property-match"):     __handle_property_match(cl)
        else:                                                 success_f = False

    except RegularExpressionException, x:
        error_msg(x.message)
开发者ID:jirkamarsik,项目名称:quex,代码行数:28,代码来源:query.py

示例10: __get_float

def __get_float(MemberName):
    ValueStr = setup.__dict__[MemberName]
    if type(ValueStr) == float: return ValueStr
    try:
        return float(ValueStr)
    except:
        option_name = repr(SETUP_INFO[MemberName][0])[1:-1]
        error_msg("Cannot convert '%s' into an floating point number for '%s'" % (ValueStr, option_name))
开发者ID:jirkamarsik,项目名称:quex,代码行数:8,代码来源:setup_parser.py

示例11: __check_identifier

def __check_identifier(setup, Candidate, Name):
    value = setup.__dict__[Candidate]
    if is_identifier(value): return

    CommandLineOption = SETUP_INFO[Candidate][0]

    error_msg("%s must be a valid identifier (%s).\n" % (Name, repr(CommandLineOption)[1:-1]) + \
              "Received: '%s'" % value)
开发者ID:jirkamarsik,项目名称:quex,代码行数:8,代码来源:setup_validation.py

示例12: set

 def set(self, Value, fh):
     if self.__value != None:
         error_msg("%s has been defined more than once.\n" % self.name, fh, DontExitF=True)
         error_msg("previous definition has been here.\n", self.file_name, self.line_n)
                   
     self.__value   = Value
     self.file_name = fh.name
     self.line_n    = get_current_line_info_number(fh)
开发者ID:jirkamarsik,项目名称:quex,代码行数:8,代码来源:lexer_mode.py

示例13: get_supported_graphic_formats

def get_supported_graphic_formats():
    reply_str = _call_dot("", "?", "", GetStdErrF=True)

    list_start_i = reply_str.rfind(":")
    if list_start_i == -1 or list_start_i == len(reply_str)-1:
        error_msg("Graphviz was asked to report supported graphic formats, but\n" + \
                  "reply was incomprehensible.")

    return reply_str[list_start_i+1:].split()
开发者ID:jirkamarsik,项目名称:quex,代码行数:9,代码来源:interface.py

示例14: __get_integer

def __get_integer(code, option_name):
    try:
        if   type(code) == int: return code
        elif len(code) > 2:
            if   code[:2] == "0x": return int(code, 16)
            elif code[:2] == "0o": return int(code, 8)
        return int(code)
    except:
        error_msg("Cannot convert '%s' into an integer for '%s'" % (code, option_name))
开发者ID:AugustoMoura,项目名称:GritEnginePR,代码行数:9,代码来源:setup_parser.py

示例15: __validate_marks

 def __validate_marks(DB, DoneDB, CommentStr):
     ok_f = True
     for pattern, info in DB.items():
         if DoneDB.has_key(pattern): continue
         ok_f = False
         error_msg("Pattern '%s' was marked %s but does not\n" % (pattern, CommentStr) + \
                   "exist in any base mode of mode '%s'." % self.name,
                   info[1], info[2], DontExitF=True, WarningF=False)
     return ok_f
开发者ID:jirkamarsik,项目名称:quex,代码行数:9,代码来源:lexer_mode.py


注:本文中的quex.frs_py.file_in.error_msg函数示例由纯净天空整理自Github/MSDocs等开源代码及文档管理平台,相关代码片段筛选自各路编程大神贡献的开源项目,源码版权归原作者所有,传播和使用请参考对应项目的License;未经允许,请勿转载。