PKLSOo5]]flake8_tabs.py""" Tab (or Spaces) indentation style checker for flake8 """ __version__ = "2.2.1" import collections import re import tokenize import flake8.checker import flake8.processor from flake8.processor import NEWLINE, count_parentheses # List of keywords in Python as of Python 3.7.2rc1 that can be at start of line # See: https://docs.python.org/3/reference/lexical_analysis.html#keywords (update as needed) KEYWORDS_STATEMENT = frozenset({ 'else', 'import', 'pass', 'break', 'except', 'raise', 'class', 'finally', 'return', 'continue', 'for', 'try', 'def', 'from', 'nonlocal', 'while', 'assert', 'del', 'global', 'with', 'async', 'elif', 'if' }) # List of keywords that start a new definition (function or class) KEYWORDS_DEFINITION = frozenset({'async', 'def', 'class'}) NEWLINE_CLOSE = NEWLINE | {tokenize.OP} class Indent(collections.namedtuple("Indent", ("tabs", "spaces"))): """ Convience class representing the combined indentation of tabs and spaces with vector-style math """ def __bool__(self): return self.tabs != 0 or self.spaces != 0 def __pos__(self): return self def __neg__(self): return Indent(-self.tabs, -self.spaces) def __add__(self, other): return Indent(self.tabs + other[0], self.spaces + other[1]) def __sub__(self, other): return Indent(self.tabs - other[0], self.spaces - other[1]) def __mul__(self, other): return Indent(self.tabs * other[0], self.spaces * other[1]) def __div__(self, other): return Indent(self.tabs / other[0], self.spaces / other[1]) Indent.null = Indent(0, 0) class FileChecker(flake8.checker.FileChecker): """ Blacklist some `pycodestyle` checks that our plugin will implement instead """ BLACKLIST = frozenset({ # E101 indentation contains mixed spaces and tabs # – Incorrectly reports cases of using tabs for indentation but spaces for alignment # (We have our own checks for cases where the two are mixed, which is still an error.) "pycodestyle.tabs_or_spaces", # E121 continuation line under-indented for hanging indent # E122 continuation line missing indentation or outdented # E123 closing bracket does not match indentation of opening bracket’s line # E126 continuation line over-indented for hanging indent # E127 continuation line over-indented for visual indent # E128 continuation line under-indented for visual indent # – We handle these ourselves: That's what this checker is about after all # E124 closing bracket does not match visual indentation # E125 continuation line with same indent as next logical line # E129 visually indented line with same indent as next logical line # E131 continuation line unaligned for hanging indent # E133 closing bracket is missing indentation # – These aren't handled yet but cannot be disabled separately "pycodestyle.continued_indentation", # W191 indentation contains tabs # – Not applicable since we love tabs 🙂️ "pycodestyle.tabs_obsolete", # W291 trailing whitespace # W293 blank line contains whitespace # – Implemented by `BlankLinesChecker` with more options and saner defaults "pycodestyle.trailing_whitespace", }) def __init__(self, filename, checks, options): if not IndentationChecker.USE_PYCODESTYLE_INDENT: for checks_type in checks: checks[checks_type] = list(filter( lambda c: c["name"] not in self.BLACKLIST, checks[checks_type] )) super().__init__(filename, checks, options) def _code2text(code): return "ET{0} (flake8-tabs)".format(code) def expand_indent(line): r"""Return the amount of indentation (patched function for `flake8`) Tabs are expanded to the next multiple of the current tab size. >>> expand_indent(' ') 4 >>> expand_indent('\t') 4 >>> expand_indent(' \t') 4 >>> expand_indent(' \t') 8 """ if "\t" not in line: return len(line) - len(line.lstrip()) result = 0 for char in line: if char == "\t": result = result // IndentationChecker.TAB_WIDTH * IndentationChecker.TAB_WIDTH result += IndentationChecker.TAB_WIDTH elif char == " ": result += 1 else: break return result def patch_flake8(): flake8.checker.FileChecker = FileChecker flake8.processor.expand_indent = expand_indent class BlankLinesChecker: """ Checks indentation in blank lines to match the next line if there happens to be any """ name = "flake8-tabs" version = __version__ REGEXP = re.compile(r"([ \t\v]*).*?([ \t\v]*)([\r\x0C]*\n?)$") DEFAULT_MODE = "maybe" MODE = DEFAULT_MODE @classmethod def add_options(cls, option_manager): # Indentation style options MODE_CHOICES = ("maybe", "always", "never") option_manager.add_option( "--blank-lines-indent", type="choice", choices=MODE_CHOICES, metavar="MODE", default=cls.DEFAULT_MODE, parse_from_config=True, help=("Whether there should be, properly aligned, indentation in blank lines; " "\"always\" forces this, \"never\" disallows this (Default: %default)") ) @classmethod def parse_options(cls, option_manager, options, extra_args): cls.MODE = options.blank_lines_indent def __new__(cls, physical_line, lines, line_number): indent, trailing, crlf = cls.REGEXP.match(physical_line).groups() if len(physical_line) - len(crlf) < 1: # Totally blank line if cls.MODE != "always": return # Otherwise check whether the next non-blank line is also unindented elif len(indent) + len(crlf) == len(physical_line): if cls.MODE == "never": # Cannot have indented blank line in this mode return (0, "WT293 (flake8-tabs) blank line contains whitespace") else: # Not a blank line with whitespace if len(trailing) > 0: return ( len(physical_line) - len(trailing) - len(crlf), "WT291 (flake8-tabs) trailing whitespace" ) return # Confusingly using `lines[line_number]` does not yield the current line # but the line *after* that, so use the following variable to make it # more obvious what is happening in the following code line_idx = line_number - 1 # Scan for previous non-blank line expected_indent_prev = "" for idx in range(line_idx - 1, -1, -1): line_indent, _, line_crlf = cls.REGEXP.match(lines[idx]).groups() if len(line_indent) + len(line_crlf) != len(lines[idx]): expected_indent_prev = line_indent break # Scan for next non-blank line expected_indent_next = "" for idx in range(line_idx + 1, len(lines), +1): line_indent, _, line_crlf = cls.REGEXP.match(lines[idx]).groups() if len(line_indent) + len(line_crlf) != len(lines[idx]): expected_indent_next = line_indent break # Choose the shorter indentation of the two if expand_indent(expected_indent_prev) < expand_indent(expected_indent_next): expected_indent = expected_indent_prev else: expected_indent = expected_indent_next # Compare the two indents if indent != expected_indent: return (0, "WT293 (flake8-tabs) blank line contains unaligned whitespace") def __init__(self, physical_line, lines, line_number): pass class IndentationChecker: """ Checks indentation within braces with a “tabs for indentation, spaces for alignment” kind of mindset """ name = "flake8-tabs" version = __version__ # Tab width: Used when requiring further indentation after we already have alignment DEFAULT_TAB_WIDTH = 4 TAB_WIDTH = DEFAULT_TAB_WIDTH DEFAULT_USE_FLAKE8_TABS = False DEFAULT_USE_PYCODESTYLE_INDENT = None USE_FLAKE8_TABS = DEFAULT_USE_FLAKE8_TABS USE_PYCODESTYLE_INDENT = DEFAULT_USE_PYCODESTYLE_INDENT # Indentation tabs: The number of tabs, when indenting, to require for the # first level of indentation of functions calls, # function/class definitions and other expressions DEFAULT_INDENT_TABS_CALL = 1 DEFAULT_INDENT_TABS_DEF = 2 # PEP-8 requires indentation to be destingishable DEFAULT_INDENT_TABS_EXPR = 1 INDENT_TABS_CALL = DEFAULT_INDENT_TABS_CALL INDENT_TABS_DEF = DEFAULT_INDENT_TABS_DEF INDENT_TABS_EXPR = DEFAULT_INDENT_TABS_EXPR # Continuation line style: Which indentation style to allow on continuation lines # * “aligned” means that follow-up lines should be indented by the exact # number of extra spaces required to align them if the previous line's # final opening brace # * “hanging” means that follow-up lines should be indented by a tab # * “both” chooses the allowed indentation style based on whether the # first lines contains any relevant values after the final opening brace DEFAULT_CONTINUATION_STYLE = "both" CONTINUATION_STYLE = DEFAULT_CONTINUATION_STYLE @classmethod def add_options(cls, option_manager): patch_flake8() # Patcher options option_manager.add_option( "--use-flake8-tabs", action="store_true", default=cls.DEFAULT_USE_FLAKE8_TABS, parse_from_config=True, help=("Use flake8-tabs instead for indentation checking? " "Enabling this will disable PyCodeStyle's indentation checks " "unless you override that behaviour; by default (if this " "option is not used) only minimal checking will be performed") ) option_manager.add_option( "--use-pycodestyle-indent", action="store_true", default=cls.DEFAULT_USE_PYCODESTYLE_INDENT, parse_from_config=True, help=("Force the use of PyCodeStyle's indentation checks even if " "flake8-tabs is enabled") ) # First-indentation tab number options option_manager.add_option( "--indent-tabs-call", type="int", metavar="TABS", default=cls.DEFAULT_INDENT_TABS_CALL, parse_from_config=True, help=("Number of tabs to indent on the first level of indentation within a function/" "method call (Default: %default)") ) option_manager.add_option( "--indent-tabs-def", type="int", metavar="TABS", default=cls.DEFAULT_INDENT_TABS_DEF, parse_from_config=True, help=("Number of tabs to indent on the first level of indentation within a class/" "function definition (Default: %default)") ) option_manager.add_option( "--indent-tabs-expr", type="int", metavar="TABS", default=cls.DEFAULT_INDENT_TABS_EXPR, parse_from_config=True, help=("Number of tabs to indent on the first level of indentation within an " "expression (Default: %default)") ) # More rigid style enforcing options CONTINUATION_STYLE_CHOICES = ("aligned", "hanging", "both") option_manager.add_option( "--continuation-style", type="choice", choices=CONTINUATION_STYLE_CHOICES, metavar="STYLE", default=cls.DEFAULT_CONTINUATION_STYLE, parse_from_config=True, help=("Which continuation line style to enforce; \"hanging\" means " "that no values should be present after the final opening " "brace and further lines should be indented; \"aligned\" " "means that there should be values present after the final " "opening brace and further lines should be aligned to match " "the starting column of these values (Default: %default)") ) # Prevent conflict with other plugins registering `--tab-width` as well for option in option_manager.options: if option.dest == "tab_width": return option_manager.add_option( "--tab-width", type="int", metavar="n", default=cls.DEFAULT_TAB_WIDTH, parse_from_config=True, help="Number of spaces per tab character for line length checking (Default: %default)", ) @classmethod def parse_options(cls, option_manager, options, extra_args): if options.use_pycodestyle_indent is not cls.DEFAULT_USE_PYCODESTYLE_INDENT: cls.USE_PYCODESTYLE_INDENT = options.use_pycodestyle_indent else: cls.USE_PYCODESTYLE_INDENT = not options.use_flake8_tabs cls.USE_FLAKE8_TABS = options.use_flake8_tabs cls.INDENT_TABS_CALL = options.indent_tabs_call cls.INDENT_TABS_DEF = options.indent_tabs_def cls.INDENT_TABS_EXPR = options.indent_tabs_expr cls.CONTINUATION_STYLE = options.continuation_style cls.TAB_WIDTH = options.tab_width @classmethod def _parse_line_indent(cls, line): """ Count number of tabs at start of line followed by number of spaces at start of line """ tabs = 0 spaces = 0 expect_tab = True for char in line: if expect_tab and char == '\t': tabs += 1 elif expect_tab and char == ' ': spaces += 1 expect_tab = False elif not expect_tab and char == ' ': spaces += 1 elif not expect_tab and char == '\t': raise ValueError("Mixed tabs and spaces in indentation") else: break return Indent(tabs, spaces) @classmethod def _group_tokens_by_physical_line(cls, tokens): idx_last = len(tokens) - 1 current = [] for idx, token in enumerate(tokens): current.append(token) if idx >= idx_last or token.end[0] < tokens[idx + 1].start[0]: next_line = None if idx < idx_last: next_line = tokens[idx + 1].line yield tuple(current), next_line current.clear() def __init__(self, logical_line, indent_char, line_number, noqa, tokens): self.messages = [] # We only care about non-empty non-noqa-marked lines if not self.USE_FLAKE8_TABS or len(tokens) < 1 or noqa: return # Detect which general category the given set of tokens belongs to tokens = list(tokens) # Assume first line to be correctly indented try: first_indent = current_indent = self._parse_line_indent(tokens[0].line) except ValueError: # mixed tabs and spaces – report error and abort this logical line self.messages.append(( tokens[0].start, "ET101 (flake8-tabs) indentation contains mixed spaces and tabs" )) return # Category stack: Keeps track which indentation style we should expect at this level category_stack = ["expression"] next_category = "expression" # Identation stack: Keeps track of the indentation `(tabs, spaces)` # caused by each brace # Item 0 represents the base indentation we got above, item 1 represents # indentation gained because of continuation lines indent_stack = [current_indent, Indent.null] prev_braces_count = 0 for token_set, next_line in self._group_tokens_by_physical_line(tokens): assert len(token_set) >= 1 try: line_indent = self._parse_line_indent(token_set[0].line) except ValueError: # mixed tabs and spaces – report error and abort this logical line self.messages.append(( tokens[0].start, "ET101 (flake8-tabs) indentation contains mixed spaces and tabs" )) return # Parse indentation of the following line (if any), in case we # really and truely cannot predict which indentation it should have # and therefor need to actually peak at what is actually there next_indent = Indent.null try: if next_line is not None: next_indent = self._parse_line_indent(next_line) except ValueError: pass # +-------------------------------------+ # # | Parse line indentation and category | # # +-------------------------------------+ # # Count parentheses, number of characters in inital keywords (such # as `assert`, `with`, …) and detect the category (definition, # function call or expression) that we're currently in keyword_indent = Indent.null keyword_at_start = True braces_count = prev_braces_count brace_offsets = [] brace_at_end = False braces_closing_at_start = True braces_closed_indent_start = Indent.null braces_closed_indent_total = Indent.null for token in token_set: if token.type in NEWLINE or token.type == tokenize.COMMENT: continue brace_at_end = False if token.type == tokenize.OP: keyword_at_start = False last_braces_count = braces_count braces_count = count_parentheses(braces_count, token.string) if last_braces_count < braces_count: braces_closing_at_start = False # Opening parathese: Push latest expected category on stack category_stack.append(next_category) # Since this parenthesis has not caused any indent yet, # push dummy value indent_stack.append(Indent.null) # Record character offset of opened brace # Opened braces that are closed on the same line will be # poped again, telling us how many spaces to add should # we chose alignment brace_offsets.append(token.end[1] - line_indent.tabs - line_indent.spaces) # This will be overwritten if the last token in the line # wasn't an opening parenthese brace_at_end = True elif last_braces_count > braces_count: # Closing parenthese: Remove last category from stack category_stack.pop() if len(brace_offsets) > 0: brace_offsets.pop() indent_popped = indent_stack.pop() # Add up all the removed indentation thanks to closing # parenthesis (remember that most will be `(0, 0)`!) braces_closed_indent_total += indent_popped # Add up all the removed indentation that happened # before any other indentation to find the proper level # of outdenting if braces_closing_at_start: braces_closed_indent_start += indent_popped else: braces_closing_at_start = False elif token.type == tokenize.NAME: braces_closing_at_start = False # Count number of characters (including a following space) # of any keywords at the start of the line if keyword_at_start and token.string in KEYWORDS_STATEMENT: keyword_indent += Indent(0, len(token.string) + 1) keyword_at_start = False if token.string in KEYWORDS_DEFINITION: # Definition keyword for class or function # (If it's not a definition it'd have be a syntax error.) next_category = "definition" continue elif token.string not in KEYWORDS_STATEMENT and next_category != "definition": # Non-keyword name not preceeded by definition: Probably a function call next_category = "call" continue elif token.string not in KEYWORDS_STATEMENT: continue elif token.type not in NEWLINE: braces_closing_at_start = False # Catch-all for cases other than the two above next_category = "expression" assert braces_count == len(category_stack) - 1 category = category_stack[-1] # +----------------------------------------------+ # # | Determine expected indentation for next line | # # +----------------------------------------------+ # # Choose expected indentation style for the following lines based on # the innermost active category indent_tabs = self.INDENT_TABS_EXPR if category == "call": indent_tabs = self.INDENT_TABS_CALL elif category == "definition": indent_tabs = self.INDENT_TABS_DEF # Calculate new expected indentation # (both for this and the following lines) current_indent_delta = Indent.null if braces_count > prev_braces_count: if brace_at_end: # Expect next line indented if self.CONTINUATION_STYLE == "aligned": self.messages.append(( token_set[0].start, "{0} option continuation-style=aligned does not " "allow use of hanging indentation".format( _code2text(113) ) )) # Expect one extra level of indentation for each line that # left some braces open in the following lines, except for # the first level which has a configurable increase per type tabs = indent_tabs if prev_braces_count == 0 else 1 # Do not increase number of tabs after having added spaces for any reason # (including lines that are indented with spaces entirely!) expand_tabs = False if current_indent.spaces - braces_closed_indent_total.spaces > 0: expand_tabs = True elif current_indent.tabs < 1 and braces_closed_indent_total.tabs < 1: # There were neither tabs nor spaces yet, meaning we're # no seeing our first indentation on a top-level scope, # so we “expect” the indentation style actually used on # the next line, erring on the side of tabs if the next # line wasn't indented either (which will then result in # an error) expand_tabs = next_indent.tabs < 1 and next_indent.spaces > 0 if expand_tabs: current_indent_delta += (0, tabs * self.TAB_WIDTH) else: current_indent_delta += (tabs, 0) else: # Expect next line aligned to innermost brace if self.CONTINUATION_STYLE == "hanging": self.messages.append(( token_set[0].start, "{0} option continuation-style=hanging does not " "allow use of alignment as indentation".format( _code2text(113) ) )) current_indent_delta += (0, brace_offsets[-1] if len(brace_offsets) > 0 else 0) # +-----------------------------------------------+ # # | Compare found indentation with expected value | # # +-----------------------------------------------+ # # Update indent stack entry to attach the diff from above to the # last opened brace indent_stack[-1] = indent_stack[-1] + current_indent_delta # Apply indentation changes caused by closed braces current_indent_delta -= braces_closed_indent_total # Expect the closing braces that come before any content on the # this line to be on the new level already if braces_count < prev_braces_count: current_indent -= braces_closed_indent_start current_indent_delta += braces_closed_indent_start # If there are no open braces after the end of the current line, # expect the next line to be indented by the size of any leading # keyword (useful for `assert`, `with`, … – see the OK example file) if braces_count == 0 and keyword_indent: current_indent -= indent_stack[1] current_indent_delta += keyword_indent indent_stack[1] = keyword_indent # Compare settings on current line if line_indent != current_indent: # Find error code similar to `pycodestyle` code_text = _code2text(112) if line_indent == first_indent: code_text = _code2text(122) elif current_indent.spaces == line_indent.spaces == 0: if line_indent.tabs < current_indent.tabs: code_text = _code2text(121) else: code_text = _code2text(126) else: if line_indent.spaces > current_indent.spaces: code_text = _code2text(127) else: code_text = _code2text(128) # Generate and store error message if current_indent.spaces == line_indent.spaces: self.messages.append(( token_set[0].start, "{0} unexpected number of tabs at start of {1} line " "(expected {2.tabs}, got {3.tabs})".format( code_text, category, current_indent, line_indent ) )) elif current_indent.tabs == line_indent.tabs: self.messages.append(( token_set[0].start, "{0} unexpected number of spaces at start of {1} line " "(expected {2.spaces}, got {3.spaces})".format( code_text, category, current_indent, line_indent ) )) else: self.messages.append(( token_set[0].start, "{0} unexpected number of tabs and spaces at start of {1} line " "(expected {2.tabs} tabs and {2.spaces} spaces, " "got {3.tabs} tabs and {3.spaces} spaces)".format( code_text, category, current_indent, line_indent, ) )) # +-----------------------+ # # | Prepare for next line | # # +-----------------------+ # # Apply deltas current_indent += current_indent_delta assert sum(indent_stack, Indent.null) == current_indent # Remember stuff for next iteration prev_braces_count = braces_count # All parentheses that were opened must have been closed again assert prev_braces_count == 0 def __iter__(self): return iter(self.messages) PK!HcLs,flake8_tabs-2.2.1.dist-info/entry_points.txtNINK(I+ϋ*IL*KIK-([9}@٩Ey)y%%@P{"aPK J>K1&flake8_tabs-2.2.1.dist-info/LICENSE.md### GNU LESSER GENERAL PUBLIC LICENSE Version 3, 29 June 2007 Copyright (C) 2007 Free Software Foundation, Inc. Everyone is permitted to copy and distribute verbatim copies of this license document, but changing it is not allowed. This version of the GNU Lesser General Public License incorporates the terms and conditions of version 3 of the GNU General Public License, supplemented by the additional permissions listed below. #### 0. Additional Definitions. As used herein, "this License" refers to version 3 of the GNU Lesser General Public License, and the "GNU GPL" refers to version 3 of the GNU General Public License. "The Library" refers to a covered work governed by this License, other than an Application or a Combined Work as defined below. An "Application" is any work that makes use of an interface provided by the Library, but which is not otherwise based on the Library. Defining a subclass of a class defined by the Library is deemed a mode of using an interface provided by the Library. A "Combined Work" is a work produced by combining or linking an Application with the Library. The particular version of the Library with which the Combined Work was made is also called the "Linked Version". The "Minimal Corresponding Source" for a Combined Work means the Corresponding Source for the Combined Work, excluding any source code for portions of the Combined Work that, considered in isolation, are based on the Application, and not on the Linked Version. The "Corresponding Application Code" for a Combined Work means the object code and/or source code for the Application, including any data and utility programs needed for reproducing the Combined Work from the Application, but excluding the System Libraries of the Combined Work. #### 1. Exception to Section 3 of the GNU GPL. You may convey a covered work under sections 3 and 4 of this License without being bound by section 3 of the GNU GPL. #### 2. Conveying Modified Versions. If you modify a copy of the Library, and, in your modifications, a facility refers to a function or data to be supplied by an Application that uses the facility (other than as an argument passed when the facility is invoked), then you may convey a copy of the modified version: - a) under this License, provided that you make a good faith effort to ensure that, in the event an Application does not supply the function or data, the facility still operates, and performs whatever part of its purpose remains meaningful, or - b) under the GNU GPL, with none of the additional permissions of this License applicable to that copy. #### 3. Object Code Incorporating Material from Library Header Files. The object code form of an Application may incorporate material from a header file that is part of the Library. You may convey such object code under terms of your choice, provided that, if the incorporated material is not limited to numerical parameters, data structure layouts and accessors, or small macros, inline functions and templates (ten or fewer lines in length), you do both of the following: - a) Give prominent notice with each copy of the object code that the Library is used in it and that the Library and its use are covered by this License. - b) Accompany the object code with a copy of the GNU GPL and this license document. #### 4. Combined Works. You may convey a Combined Work under terms of your choice that, taken together, effectively do not restrict modification of the portions of the Library contained in the Combined Work and reverse engineering for debugging such modifications, if you also do each of the following: - a) Give prominent notice with each copy of the Combined Work that the Library is used in it and that the Library and its use are covered by this License. - b) Accompany the Combined Work with a copy of the GNU GPL and this license document. - c) For a Combined Work that displays copyright notices during execution, include the copyright notice for the Library among these notices, as well as a reference directing the user to the copies of the GNU GPL and this license document. - d) Do one of the following: - 0) Convey the Minimal Corresponding Source under the terms of this License, and the Corresponding Application Code in a form suitable for, and under terms that permit, the user to recombine or relink the Application with a modified version of the Linked Version to produce a modified Combined Work, in the manner specified by section 6 of the GNU GPL for conveying Corresponding Source. - 1) Use a suitable shared library mechanism for linking with the Library. A suitable mechanism is one that (a) uses at run time a copy of the Library already present on the user's computer system, and (b) will operate properly with a modified version of the Library that is interface-compatible with the Linked Version. - e) Provide Installation Information, but only if you would otherwise be required to provide such information under section 6 of the GNU GPL, and only to the extent that such information is necessary to install and execute a modified version of the Combined Work produced by recombining or relinking the Application with a modified version of the Linked Version. (If you use option 4d0, the Installation Information must accompany the Minimal Corresponding Source and Corresponding Application Code. If you use option 4d1, you must provide the Installation Information in the manner specified by section 6 of the GNU GPL for conveying Corresponding Source.) #### 5. Combined Libraries. You may place library facilities that are a work based on the Library side by side in a single library together with other library facilities that are not Applications and are not covered by this License, and convey such a combined library under terms of your choice, if you do both of the following: - a) Accompany the combined library with a copy of the same work based on the Library, uncombined with any other library facilities, conveyed under the terms of this License. - b) Give prominent notice with the combined library that part of it is a work based on the Library, and explaining where to find the accompanying uncombined form of the same work. #### 6. Revised Versions of the GNU Lesser General Public License. The Free Software Foundation may publish revised and/or new versions of the GNU Lesser General Public License from time to time. Such new versions will be similar in spirit to the present version, but may differ in detail to address new problems or concerns. Each version is given a distinguishing version number. If the Library as you received it specifies that a certain numbered version of the GNU Lesser General Public License "or any later version" applies to it, you have the option of following the terms and conditions either of that published version or of any later version published by the Free Software Foundation. If the Library as you received it does not specify a version number of the GNU Lesser General Public License, you may choose any version of the GNU Lesser General Public License ever published by the Free Software Foundation. If the Library as you received it specifies that a proxy can decide whether future versions of the GNU Lesser General Public License shall apply, that proxy's public statement of acceptance of any version is permanent authorization for you to choose that version for the Library. PK!HMuSa!flake8_tabs-2.2.1.dist-info/WHEEL HM K-*ϳR03rOK-J,/RH,szd&Y)r$[)T&UD"PK!Hȉ0! $flake8_tabs-2.2.1.dist-info/METADATAYr>"$KR;JJ,+\O'ӑ\z:y~,8f&(.vws~nJROd gtF=u3yo̓I:yE$XR4 uhܐl%+ױpiSDyIб,vwu0 d7-S~wOmhRξ8{LU2+ft; \ƺ'hH7&||S¸'3ipgrΡ4w.ܾU9;V|Z `x'OXLd":"kgY "Y9& m_\Q-gg8|fRSΫ a{X28Þ"[Ħ :BXO_f9LE6/W0=gZPב<ظ&JǶ\ӑsU? /֮4%70yf]}Ln?uҦw' txH;Qlץqew˶Iߊmr) ] m5kcI6cV1#|ou*W;ʩ- )K{cP:*uI#PTe:48-f\. q յsA_FG /f-r-͘U@$0#zOXNB9x/+/v=CBp& CO@7z`M*.I;Z8OM(0Ю<6%]K^L:BJd?Qǿ~_*+=hDWC \`QѽZm"IpqoJ/Ms'Ȗ}anM4٪Em|9&#liMuMьt!÷uV'A?*MxM S ah+<ᶮ/3E^93b0]zfJш:_4uz4+^1yǙ{ ,@Sy'O.I4'9+J( =H# EdXYaȒ>N笢P@C#_ t&X>+/ùg'Az91 |}ZsN>?AM ֡kbRt7l?oqP#/>ܫ g esiB u%aj)+p[l"Ri.5;>BX>ǁx{N6وҬD<+6w7iEzsח>J[L3fx1G<8<#kr4BE$Fftx̿#?{`*BvpYcQO#ڽS 㐡ysjV@$FINjWaD't-hiLCǽ@cwcI#~0="c~ 77j~ !0)a[[+yan-#OOit>,V<np!`6L؅AHՐ9?><4>ʙI1f`;3ⵣ4/<*ʌuI͠ wq0CtG/>V)FEfUyAP4v/"J'm UO`c&K[X7>'_`pʌ"YK׸A[X4Y7j)yw)&6U!":A:B2Sٴn5_2uzh4s/|Ls aJ[3Nj_y}Ը4,`m.%י5 J.;'>qC~qp<(h,ޫDNy0 `6Pbi\j*W.qFOVwm?h7 C̙Mv[aaOS[WCFp sk]PRDJaMݡÊߎNP w<߾.#MhiӦcei)Zj0p:莎hN8÷A)2fi><ֿڢq~iէ߽@N5GW 4E4eQVmS۴wSC(\Xڀ)D?YC ޚɲxl9Uv}}H _̀9(ͦL.ߓKmR]11B,[a[": )%j!2]ۨ_wAh41yeܿT[cR H㞥yfB9* ΀hf+Dũܖ|'x~anq"c=Sʼh p[o=55ЗIA,bތ;Eq|<6rdF^;:8CYW) r&}ڱoa0[ܛ9WsohGbÒθ jGƨL=)jAyp/~Y颁C62۔F'~=tMCg?<51Q,'/c [YqEڴ0Tm@Z/C!5`PҷH45ܒXT/q{uRl.X޿ y sѾ0FV$td%\oe a-s*LROFN!SPK!HDz-"flake8_tabs-2.2.1.dist-info/RECORD}vC@} #Yt0"jGjxM+;?poV%%4~FژXp _WXw &>wr4O[1`&wXҢldnh7Ť-sM@4Gv;7~r36p?[mr<)Wa=3jaa>?ᧁ9<@HP|#d. X%v[<硷vX2iյ///4=ߗ5IX2MjMVh__SHX]80?PKLSOo5]]flake8_tabs.pyPK!HcLs,4]flake8_tabs-2.2.1.dist-info/entry_points.txtPK J>K1&]flake8_tabs-2.2.1.dist-info/LICENSE.mdPK!HMuSa!{flake8_tabs-2.2.1.dist-info/WHEELPK!Hȉ0! $z|flake8_tabs-2.2.1.dist-info/METADATAPK!HDz-"݇flake8_tabs-2.2.1.dist-info/RECORDPKJ