Thu, 14 Feb 2019 18:58:22 +0100
Merged with default branch.
--- a/Plugins/CheckerPlugins/SyntaxChecker/pyflakes/__init__.py Wed Feb 13 20:41:45 2019 +0100 +++ b/Plugins/CheckerPlugins/SyntaxChecker/pyflakes/__init__.py Thu Feb 14 18:58:22 2019 +0100 @@ -31,9 +31,31 @@ WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. """ -__version__ = '2.0.0+' +__version__ = '2.1.0+' """ Changes +2.1.0 (2019-01-23) + +- Allow intentional assignment to variables named ``_`` +- Recognize ``__module__`` as a valid name in class scope +- ``pyflakes.checker.Checker`` supports checking of partial ``ast`` trees +- Detect assign-before-use for local variables which shadow builtin names +- Detect invalid ``print`` syntax using ``>>`` operator +- Treat ``async for`` the same as a ``for`` loop for introducing variables +- Add detection for list concatenation in ``__all__`` +- Exempt ``@typing.overload`` from duplicate function declaration +- Importing a submodule of an ``as``-aliased ``import``-import is marked as + used +- Report undefined names from ``__all__`` as possibly coming from a ``*`` + import +- Add support for changes in Python 3.8-dev +- Add support for PEP 563 (``from __future__ import annotations``) +- Include Python version and platform information in ``pyflakes --version`` +- Recognize ``__annotations__`` as a valid magic global in Python 3.6+ +- Mark names used in PEP 484 ``# type: ...`` comments as used +- Add check for use of ``is`` operator with ``str``, ``bytes``, and ``int`` + literals + 2.0.0 (2018-05-20) - Drop support for EOL Python <2.7 and 3.2-3.3 - Check for unused exception binding in `except:` block
--- a/Plugins/CheckerPlugins/SyntaxChecker/pyflakes/checker.py Wed Feb 13 20:41:45 2019 +0100 +++ b/Plugins/CheckerPlugins/SyntaxChecker/pyflakes/checker.py Thu Feb 14 18:58:22 2019 +0100 @@ -13,12 +13,21 @@ """ import __future__ import ast +import bisect +import collections import doctest +import functools import os +import re import sys +import tokenize + +from . import messages PY2 = sys.version_info < (3, 0) -PY34 = sys.version_info < (3, 5) # Python 2.7 to 3.4 +PY35_PLUS = sys.version_info >= (3, 5) # Python 3.5 and above +PY36_PLUS = sys.version_info >= (3, 6) # Python 3.6 and above +PY38_PLUS = sys.version_info >= (3, 8) try: sys.pypy_version_info PYPY = True @@ -27,8 +36,10 @@ builtin_vars = dir(__import__('__builtin__' if PY2 else 'builtins')) -from . import messages - +if PY2: + tokenize_tokenize = tokenize.generate_tokens +else: + tokenize_tokenize = tokenize.tokenize if PY2: def getNodeType(node_class): @@ -62,10 +73,19 @@ if isinstance(n, ast.Try): return [n.body + n.orelse] + [[hdl] for hdl in n.handlers] -if PY34: +if PY35_PLUS: + FOR_TYPES = (ast.For, ast.AsyncFor) + LOOP_TYPES = (ast.While, ast.For, ast.AsyncFor) +else: + FOR_TYPES = (ast.For,) LOOP_TYPES = (ast.While, ast.For) -else: - LOOP_TYPES = (ast.While, ast.For, ast.AsyncFor) + +# https://github.com/python/typed_ast/blob/55420396/ast27/Parser/tokenizer.c#L102-L104 +TYPE_COMMENT_RE = re.compile(r'^#\s*type:\s*') +# https://github.com/python/typed_ast/blob/55420396/ast27/Parser/tokenizer.c#L1400 +TYPE_IGNORE_RE = re.compile(TYPE_COMMENT_RE.pattern + r'ignore\s*(#|$)') +# https://github.com/python/typed_ast/blob/55420396/ast27/Grammar/Grammar#L147 +TYPE_FUNC_RE = re.compile(r'^(\(.*?\))\s*->\s*(.*)$') class _FieldsOrder(dict): @@ -102,9 +122,15 @@ """ Yield all direct child nodes of *node*, that is, all fields that are nodes and all items of fields that are lists of nodes. + + :param node: AST node to be iterated upon + :param omit: String or tuple of strings denoting the + attributes of the node to be omitted from + further parsing + :param _fields_order: Order of AST node fields """ for name in _fields_order[node.__class__]: - if name == omit: + if omit and name in omit: continue field = getattr(node, name, None) if isinstance(field, ast.AST): @@ -181,6 +207,18 @@ """ +class Builtin(Definition): + """A definition created for all Python builtins.""" + + def __init__(self, name): + super(Builtin, self).__init__(name, None) + + def __repr__(self): + return '<%s object %r at 0x%x>' % (self.__class__.__name__, + self.name, + id(self)) + + class UnhandledKeyType(object): """ A dictionary key of a type that we cannot or do not check for duplicates. @@ -198,8 +236,8 @@ def __eq__(self, compare): return ( - compare.__class__ == self.__class__ - and compare.name == self.name + compare.__class__ == self.__class__ and + compare.name == self.name ) def __hash__(self): @@ -377,10 +415,10 @@ can be determined statically, they will be treated as names for export and additional checking applied to them. - The only C{__all__} assignment that can be recognized is one which takes - the value of a literal list containing literal strings. For example:: + The only recognized C{__all__} assignment via list concatenation is in the + following format: - __all__ = ["foo", "bar"] + __all__ = ['a'] + ['b'] + ['c'] Names which are imported and not otherwise used but appear in the value of C{__all__} will not have an unused import warning reported for them. @@ -391,10 +429,32 @@ self.names = list(scope['__all__'].names) else: self.names = [] - if isinstance(source.value, (ast.List, ast.Tuple)): - for node in source.value.elts: + + def _add_to_names(container): + for node in container.elts: if isinstance(node, ast.Str): self.names.append(node.s) + + if isinstance(source.value, (ast.List, ast.Tuple)): + _add_to_names(source.value) + # If concatenating lists + elif isinstance(source.value, ast.BinOp): + currentValue = source.value + while isinstance(currentValue.right, ast.List): + left = currentValue.left + right = currentValue.right + _add_to_names(right) + # If more lists are being added + if isinstance(left, ast.BinOp): + currentValue = left + # If just two lists are being added + elif isinstance(left, ast.List): + _add_to_names(left) + # All lists accounted for - done + break + # If not list concatenation + else: + break super(ExportBinding, self).__init__(name, source) @@ -432,9 +492,11 @@ Return a generator for the assignments which have not been used. """ for name, binding in self.items(): - if (not binding.used and name not in self.globals - and not self.usesLocals - and isinstance(binding, Assignment)): + if (not binding.used and + name != '_' and # see issue #202 + name not in self.globals and + not self.usesLocals and + isinstance(binding, Assignment)): yield name, binding @@ -445,6 +507,7 @@ class ModuleScope(Scope): """Scope for a module.""" _futures_allowed = True + _annotations_future_enabled = False class DoctestScope(ModuleScope): @@ -454,6 +517,9 @@ # Globally defined names which are not attributes of the builtins module, or # are only present on some platforms. _MAGIC_GLOBALS = ['__file__', '__builtins__', 'WindowsError'] +# module scope annotation will store in `__annotations__`, see also PEP 526. +if PY36_PLUS: + _MAGIC_GLOBALS.append('__annotations__') def getNodeName(node): @@ -464,6 +530,85 @@ return node.name +def is_typing_overload(value, scope): + def is_typing_overload_decorator(node): + return ( + ( + isinstance(node, ast.Name) and + node.id in scope and + scope[node.id].fullName == 'typing.overload' + ) or ( + isinstance(node, ast.Attribute) and + isinstance(node.value, ast.Name) and + node.value.id == 'typing' and + node.attr == 'overload' + ) + ) + + return ( + isinstance(value.source, ast.FunctionDef) and + len(value.source.decorator_list) == 1 and + is_typing_overload_decorator(value.source.decorator_list[0]) + ) + + +def make_tokens(code): + # PY3: tokenize.tokenize requires readline of bytes + if not isinstance(code, bytes): + code = code.encode('UTF-8') + lines = iter(code.splitlines(True)) + # next(lines, b'') is to prevent an error in pypy3 + return tuple(tokenize_tokenize(lambda: next(lines, b''))) + + +class _TypeableVisitor(ast.NodeVisitor): + """Collect the line number and nodes which are deemed typeable by + PEP 484 + + https://www.python.org/dev/peps/pep-0484/#type-comments + """ + def __init__(self): + self.typeable_lines = [] # type: List[int] + self.typeable_nodes = {} # type: Dict[int, ast.AST] + + def _typeable(self, node): + # if there is more than one typeable thing on a line last one wins + self.typeable_lines.append(node.lineno) + self.typeable_nodes[node.lineno] = node + + self.generic_visit(node) + + visit_Assign = visit_For = visit_FunctionDef = visit_With = _typeable + visit_AsyncFor = visit_AsyncFunctionDef = visit_AsyncWith = _typeable + + +def _collect_type_comments(tree, tokens): + visitor = _TypeableVisitor() + visitor.visit(tree) + + type_comments = collections.defaultdict(list) + for tp, text, start, _, _ in tokens: + if ( + tp != tokenize.COMMENT or # skip non comments + not TYPE_COMMENT_RE.match(text) or # skip non-type comments + TYPE_IGNORE_RE.match(text) # skip ignores + ): + continue + + # search for the typeable node at or before the line number of the + # type comment. + # if the bisection insertion point is before any nodes this is an + # invalid type comment which is ignored. + lineno, _ = start + idx = bisect.bisect_right(visitor.typeable_lines, lineno) + if idx == 0: + continue + node = visitor.typeable_nodes[visitor.typeable_lines[idx - 1]] + type_comments[node].append((start, text)) + + return type_comments + + class Checker(object): """ I check the cleanliness and sanity of Python code. @@ -477,6 +622,19 @@ callables which are deferred assignment checks. """ + _ast_node_scope = { + ast.Module: ModuleScope, + ast.ClassDef: ClassScope, + ast.FunctionDef: FunctionScope, + ast.Lambda: FunctionScope, + ast.ListComp: GeneratorScope, + ast.SetComp: GeneratorScope, + ast.GeneratorExp: GeneratorScope, + ast.DictComp: GeneratorScope, + } + if PY35_PLUS: + _ast_node_scope[ast.AsyncFunctionDef] = FunctionScope, + nodeDepth = 0 offset = None traceTree = False @@ -487,8 +645,11 @@ builtIns.update(_customBuiltIns.split(',')) del _customBuiltIns + # TODO: file_tokens= is required to perform checks on type comments, + # eventually make this a required positional argument. For now it + # is defaulted to `()` for api compatibility. def __init__(self, tree, filename='(none)', builtins=None, - withDoctest='PYFLAKES_DOCTEST' in os.environ): + withDoctest='PYFLAKES_DOCTEST' in os.environ, file_tokens=()): self._nodeHandlers = {} self._deferredFunctions = [] self._deferredAssignments = [] @@ -498,9 +659,15 @@ if builtins: self.builtIns = self.builtIns.union(builtins) self.withDoctest = withDoctest - self.scopeStack = [ModuleScope()] + try: + self.scopeStack = [Checker._ast_node_scope[type(tree)]()] + except KeyError: + raise RuntimeError('No scope implemented for the node %r' % tree) self.exceptHandlers = [()] self.root = tree + self._type_comments = _collect_type_comments(tree, file_tokens) + for builtin in self.builtIns: + self.addBinding(None, Builtin(builtin)) self.handleChildren(tree) self.runDeferred(self._deferredFunctions) # Set _deferredFunctions to None so that deferFunction will fail @@ -560,6 +727,19 @@ self.scope._futures_allowed = False @property + def annotationsFutureEnabled(self): + scope = self.scopeStack[0] + if not isinstance(scope, ModuleScope): + return False + return scope._annotations_future_enabled + + @annotationsFutureEnabled.setter + def annotationsFutureEnabled(self, value): + assert value is True + assert isinstance(self.scope, ModuleScope) + self.scope._annotations_future_enabled = True + + @property def scope(self): return self.scopeStack[-1] @@ -596,9 +776,16 @@ # mark all import '*' as used by the undefined in __all__ if scope.importStarred: + from_list = [] for binding in scope.values(): if isinstance(binding, StarImportation): binding.used = all_binding + from_list.append(binding.fullName) + # report * usage, with a list of possible sources + from_list = ', '.join(sorted(from_list)) + for name in undefined: + self.report(messages.ImportStarUsage, + scope['__all__'].source, name, from_list) # Look for imported names that aren't used. for value in scope.values(): @@ -608,7 +795,7 @@ messg = messages.UnusedImport self.report(messg, value.source, str(value)) for node in value.redefined: - if isinstance(self.getParent(node), ast.For): + if isinstance(self.getParent(node), FOR_TYPES): messg = messages.ImportShadowedByLoopVar elif used: continue @@ -648,6 +835,18 @@ return True return False + def _getAncestor(self, node, ancestor_type): + parent = node + while True: + if parent is self.root: + return None + parent = self.getParent(parent) + if isinstance(parent, ancestor_type): + return parent + + def getScopeNode(self, node): + return self._getAncestor(node, tuple(Checker._ast_node_scope.keys())) + def differentForks(self, lnode, rnode): """True, if lnode and rnode are located on different forks of IF/TRY""" ancestor = self.getCommonAncestor(lnode, rnode, self.root) @@ -672,23 +871,25 @@ break existing = scope.get(value.name) - if existing and not self.differentForks(node, existing.source): + if (existing and not isinstance(existing, Builtin) and + not self.differentForks(node, existing.source)): parent_stmt = self.getParent(value.source) - if isinstance(existing, Importation) and isinstance(parent_stmt, ast.For): + if isinstance(existing, Importation) and isinstance(parent_stmt, FOR_TYPES): self.report(messages.ImportShadowedByLoopVar, node, value.name, existing.source) elif scope is self.scope: if (isinstance(parent_stmt, ast.comprehension) and not isinstance(self.getParent(existing.source), - (ast.For, ast.comprehension))): + (FOR_TYPES, ast.comprehension))): self.report(messages.RedefinedInListComp, node, value.name, existing.source) elif not existing.used and value.redefines(existing): if value.name != '_' or isinstance(existing, Importation): - self.report(messages.RedefinedWhileUnused, - node, value.name, existing.source) + if not is_typing_overload(existing, self.scope): + self.report(messages.RedefinedWhileUnused, + node, value.name, existing.source) elif isinstance(existing, Importation) and value.redefines(existing): existing.redefined.append(node) @@ -726,8 +927,25 @@ # iteration continue + if (name == 'print' and + isinstance(scope.get(name, None), Builtin)): + parent = self.getParent(node) + if (isinstance(parent, ast.BinOp) and + isinstance(parent.op, ast.RShift)): + self.report(messages.InvalidPrintSyntax, node) + try: scope[name].used = (self.scope, node) + + # if the name of SubImportation is same as + # alias of other Importation and the alias + # is used, SubImportation also should be marked as used. + n = scope[name] + if isinstance(n, Importation) and n._has_alias(): + try: + scope[n.fullName].used = (self.scope, node) + except KeyError: + pass except KeyError: pass else: @@ -738,10 +956,6 @@ if in_generators is not False: in_generators = isinstance(scope, GeneratorScope) - # look in the built-ins - if name in self.builtIns: - return - if importStarred: from_list = [] @@ -761,6 +975,9 @@ # the special name __path__ is valid only in packages return + if name == '__module__' and isinstance(self.scope, ClassScope): + return + # protected with a NameError handler? if 'NameError' not in self.exceptHandlers[-1]: self.report(messages.UndefinedName, node, name) @@ -786,12 +1003,14 @@ break parent_stmt = self.getParent(node) - if isinstance(parent_stmt, (ast.For, ast.comprehension)) or ( + if isinstance(parent_stmt, (FOR_TYPES, ast.comprehension)) or ( parent_stmt != node.parent and not self.isLiteralTupleUnpacking(parent_stmt)): binding = Binding(name, node) elif name == '__all__' and isinstance(self.scope, ModuleScope): binding = ExportBinding(name, node.parent, self.scope) + elif isinstance(getattr(node, 'ctx', None), ast.Param): + binding = Argument(name, self.getScopeNode(node)) else: binding = Assignment(name, node) self.addBinding(node, binding) @@ -826,7 +1045,29 @@ except KeyError: self.report(messages.UndefinedName, node, name) + def _handle_type_comments(self, node): + for (lineno, col_offset), comment in self._type_comments.get(node, ()): + comment = comment.split(':', 1)[1].strip() + func_match = TYPE_FUNC_RE.match(comment) + if func_match: + parts = ( + func_match.group(1).replace('*', ''), + func_match.group(2).strip(), + ) + else: + parts = (comment,) + + for part in parts: + if PY2: + part = part.replace('...', 'Ellipsis') + self.deferFunction(functools.partial( + self.handleStringAnnotation, + part, node, lineno, col_offset, + messages.CommentAnnotationSyntaxError, + )) + def handleChildren(self, tree, omit=None): + self._handle_type_comments(tree) for node in iter_child_nodes(tree, omit=omit): self.handleNode(node, tree) @@ -851,7 +1092,7 @@ if not isinstance(node, ast.Str): return (None, None) - if PYPY: + if PYPY or PY38_PLUS: doctest_lineno = node.lineno - 1 else: # Computed incorrectly if the docstring has backslash @@ -911,12 +1152,10 @@ self.scopeStack = [self.scopeStack[0]] node_offset = self.offset or (0, 0) self.pushScope(DoctestScope) - underscore_in_builtins = '_' in self.builtIns - if not underscore_in_builtins: - self.builtIns.add('_') + self.addBinding(None, Builtin('_')) for example in examples: try: - tree = compile(example.source, "<doctest>", "exec", ast.PyCF_ONLY_AST) + tree = ast.parse(example.source, "<doctest>") except SyntaxError: e = sys.exc_info()[1] if PYPY: @@ -929,41 +1168,45 @@ node_offset[1] + example.indent + 4) self.handleChildren(tree) self.offset = node_offset - if not underscore_in_builtins: - self.builtIns.remove('_') self.popScope() self.scopeStack = saved_stack + def handleStringAnnotation(self, s, node, ref_lineno, ref_col_offset, err): + try: + tree = ast.parse(s) + except SyntaxError: + self.report(err, node, s) + return + + body = tree.body + if len(body) != 1 or not isinstance(body[0], ast.Expr): + self.report(err, node, s) + return + + parsed_annotation = tree.body[0].value + for descendant in ast.walk(parsed_annotation): + if ( + 'lineno' in descendant._attributes and + 'col_offset' in descendant._attributes + ): + descendant.lineno = ref_lineno + descendant.col_offset = ref_col_offset + + self.handleNode(parsed_annotation, node) + def handleAnnotation(self, annotation, node): if isinstance(annotation, ast.Str): # Defer handling forward annotation. - def handleForwardAnnotation(): - try: - tree = ast.parse(annotation.s) - except SyntaxError: - self.report( - messages.ForwardAnnotationSyntaxError, - node, - annotation.s, - ) - return - - body = tree.body - if len(body) != 1 or not isinstance(body[0], ast.Expr): - self.report( - messages.ForwardAnnotationSyntaxError, - node, - annotation.s, - ) - return - - parsed_annotation = tree.body[0].value - for descendant in ast.walk(parsed_annotation): - ast.copy_location(descendant, annotation) - - self.handleNode(parsed_annotation, node) - - self.deferFunction(handleForwardAnnotation) + self.deferFunction(functools.partial( + self.handleStringAnnotation, + annotation.s, + node, + annotation.lineno, + annotation.col_offset, + messages.ForwardAnnotationSyntaxError, + )) + elif self.annotationsFutureEnabled: + self.deferFunction(lambda: self.handleNode(annotation, node)) else: self.handleNode(annotation, node) @@ -979,10 +1222,10 @@ # "expr" type nodes BOOLOP = BINOP = UNARYOP = IFEXP = SET = \ - COMPARE = CALL = REPR = ATTRIBUTE = SUBSCRIPT = \ + CALL = REPR = ATTRIBUTE = SUBSCRIPT = \ STARRED = NAMECONSTANT = handleChildren - NUM = STR = BYTES = ELLIPSIS = ignore + NUM = STR = BYTES = ELLIPSIS = CONSTANT = ignore # "slice" type nodes SLICE = EXTSLICE = INDEX = handleChildren @@ -1101,17 +1344,16 @@ # Locate the name in locals / function / globals scopes. if isinstance(node.ctx, (ast.Load, ast.AugLoad)): self.handleNodeLoad(node) - if (node.id == 'locals' and isinstance(self.scope, FunctionScope) - and isinstance(node.parent, ast.Call)): + if (node.id == 'locals' and isinstance(self.scope, FunctionScope) and + isinstance(node.parent, ast.Call)): # we are doing locals() call in current scope self.scope.usesLocals = True - elif isinstance(node.ctx, (ast.Store, ast.AugStore)): + elif isinstance(node.ctx, (ast.Store, ast.AugStore, ast.Param)): self.handleNodeStore(node) elif isinstance(node.ctx, ast.Del): self.handleNodeDelete(node) else: - # must be a Param context -- this only happens for names in function - # arguments, but these aren't dispatched through here + # Unknown context raise RuntimeError("Got impossible expression context: %r" % (node.ctx,)) def CONTINUE(self, node): @@ -1227,15 +1469,8 @@ def runFunction(): self.pushScope() - for name in args: - self.addBinding(node, Argument(name, node)) - if isinstance(node.body, list): - # case for FunctionDefs - for stmt in node.body: - self.handleNode(stmt, node) - else: - # case for Lambdas - self.handleNode(node.body, node) + + self.handleChildren(node, omit='decorator_list') def checkUnusedAssignments(): """ @@ -1259,6 +1494,18 @@ self.deferFunction(runFunction) + def ARGUMENTS(self, node): + self.handleChildren(node, omit=('defaults', 'kw_defaults')) + if PY2: + scope_node = self.getScopeNode(node) + if node.vararg: + self.addBinding(node, Argument(node.vararg, scope_node)) + if node.kwarg: + self.addBinding(node, Argument(node.kwarg, scope_node)) + + def ARG(self, node): + self.addBinding(node, Argument(node.arg, self.getScopeNode(node))) + def CLASSDEF(self, node): """ Check names used in a class definition, including its decorators, base @@ -1340,6 +1587,8 @@ if alias.name not in __future__.all_feature_names: self.report(messages.FutureFeatureNotDefined, node, alias.name) + if alias.name == 'annotations': + self.annotationsFutureEnabled = True elif alias.name == '*': # Only Python 2, local import * is a SyntaxWarning if not PY2 and not isinstance(self.scope, ModuleScope): @@ -1393,15 +1642,9 @@ # to more accurately determine if the name is used in the except: # block. - for scope in self.scopeStack[::-1]: - try: - binding = scope.pop(node.name) - except KeyError: - pass - else: - prev_definition = scope, binding - break - else: + try: + prev_definition = self.scope.pop(node.name) + except KeyError: prev_definition = None self.handleNodeStore(node) @@ -1426,8 +1669,7 @@ # Restore. if prev_definition: - scope, binding = prev_definition - scope[node.name] = binding + self.scope[node.name] = prev_definition def ANNASSIGN(self, node): if node.value: @@ -1440,6 +1682,20 @@ # If the assignment has value, handle the *value* now. self.handleNode(node.value, node) + def COMPARE(self, node): + literals = (ast.Str, ast.Num) + if not PY2: + literals += (ast.Bytes,) + + left = node.left + for op, right in zip(node.ops, node.comparators): + if (isinstance(op, (ast.Is, ast.IsNot)) and + (isinstance(left, literals) or isinstance(right, literals))): + self.report(messages.IsLiteral, node) + left = right + + self.handleChildren(node) + # -# eflag: noqa = M702 +# eflag: noqa = M702 \ No newline at end of file
--- a/Plugins/CheckerPlugins/SyntaxChecker/pyflakes/messages.py Wed Feb 13 20:41:45 2019 +0100 +++ b/Plugins/CheckerPlugins/SyntaxChecker/pyflakes/messages.py Thu Feb 14 18:58:22 2019 +0100 @@ -252,8 +252,10 @@ Class defining the "Undefined Local Variable" message. """ message_id = 'F07' - message = ('local variable %r (defined in enclosing scope on line %r) ' - 'referenced before assignment') + message = 'local variable %r {0} referenced before assignment' + + default = 'defined in enclosing scope on line %r' + builtin = 'defined as a builtin' def __init__(self, filename, loc, name, orig_loc): """ @@ -265,7 +267,14 @@ @param orig_loc location of the variable definition """ Message.__init__(self, filename, loc) - self.message_args = (name, orig_loc.lineno) + if orig_loc is None: + self.message = self.message.format(self.builtin) + self.message_args = (name,) + self.message_id = 'F07B' + else: + self.message = self.message.format(self.default) + self.message_args = (name, orig_loc.lineno) + self.message_id = 'F07A' class DuplicateArgument(Message): @@ -508,6 +517,20 @@ self.message_args = (annotation,) +class CommentAnnotationSyntaxError(Message): + """ + Class defining the "Comment Annotation Syntax Error" message. + + Indicates a syntax error in a type comment. + """ + message_id = 'F31' + message = 'syntax error in type comment %r' + + def __init__(self, filename, loc, annotation): + Message.__init__(self, filename, loc) + self.message_args = (annotation,) + + class RaiseNotImplemented(Message): """ Class defining the "raise not implemented" message. @@ -517,5 +540,25 @@ message_id = 'F30' message = "'raise NotImplemented' should be 'raise NotImplementedError'" + +class InvalidPrintSyntax(Message): + """ + Class defining the "Invalid Print Syntax" message. + + Indicates the use of >> with a print function. + """ + message_id = 'F32' + message = 'use of >> is invalid with print function' + + +class IsLiteral(Message): + """ + Class defining the "Is Literal" message. + + Indicates the use of "is" or "is not" against str, int and bytes. + """ + message_id = 'F33' + message = 'use ==/!= to compare str, bytes, and int literals' + # # eflag: noqa = M702
--- a/Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py Wed Feb 13 20:41:45 2019 +0100 +++ b/Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py Thu Feb 14 18:58:22 2019 +0100 @@ -32,10 +32,14 @@ 'F06': QCoreApplication.translate( 'pyFlakes', 'Undefined name {0!r} in __all__.'), - 'F07': QCoreApplication.translate( + 'F07A': QCoreApplication.translate( 'pyFlakes', "Local variable {0!r} (defined in enclosing scope on line {1!r})" " referenced before assignment."), + 'F07B': QCoreApplication.translate( + 'pyFlakes', + "Local variable {0!r} (defined as a builtin)" + " referenced before assignment."), 'F08': QCoreApplication.translate( 'pyFlakes', 'Duplicate argument {0!r} in function definition.'), @@ -105,6 +109,15 @@ 'F30': QCoreApplication.translate( 'pyFlakes', "'raise NotImplemented' should be 'raise NotImplementedError'"), + 'F31': QCoreApplication.translate( + 'pyFlakes', + "syntax error in type comment {0!r}"), + 'F32': QCoreApplication.translate( + 'pyFlakes', + "use of >> is invalid with print function"), + 'F33': QCoreApplication.translate( + 'pyFlakes', + "use ==/!= to compare str, bytes, and int literals"), }
--- a/Plugins/PluginPipInterface.py Wed Feb 13 20:41:45 2019 +0100 +++ b/Plugins/PluginPipInterface.py Thu Feb 14 18:58:22 2019 +0100 @@ -93,7 +93,7 @@ "pipPage": [ QCoreApplication.translate( "PipInterfacePlugin", "Python Package Management"), - "preferences-python.png", + "pypi.png", createPipPage, None, None ], }
--- a/Plugins/UiExtensionPlugins/PipInterface/Pip.py Wed Feb 13 20:41:45 2019 +0100 +++ b/Plugins/UiExtensionPlugins/PipInterface/Pip.py Thu Feb 14 18:58:22 2019 +0100 @@ -29,6 +29,8 @@ import Preferences import Globals +import UI.PixmapCache + class Pip(QObject): """ @@ -367,6 +369,8 @@ menu = QMenu(self.tr('P&ython Package Management'), self.__ui) menu.setTearOffEnabled(True) + menu.setIcon(UI.PixmapCache.getIcon("pypi.png"), + ) menu.addAction(self.selectEnvironmentAct) menu.addSeparator()
--- a/changelog Wed Feb 13 20:41:45 2019 +0100 +++ b/changelog Thu Feb 14 18:58:22 2019 +0100 @@ -12,6 +12,7 @@ via the site info widget) - Third Party packages -- updated pycodestyle to 2.5.0 + -- upgraded pyflakes to 2.1.0 Version 19.02: - bug fixes
--- a/i18n/eric6_cs.ts Wed Feb 13 20:41:45 2019 +0100 +++ b/i18n/eric6_cs.ts Thu Feb 14 18:58:22 2019 +0100 @@ -3684,142 +3684,142 @@ <context> <name>CodeStyleFixer</name> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="639"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="645"/> <source>Triple single quotes converted to triple double quotes.</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="642"/> - <source>Introductory quotes corrected to be {0}"""</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="645"/> - <source>Single line docstring put on one line.</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="648"/> - <source>Period added to summary line.</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="675"/> - <source>Blank line before function/method docstring removed.</source> + <source>Introductory quotes corrected to be {0}"""</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="651"/> + <source>Single line docstring put on one line.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="654"/> - <source>Blank line inserted before class docstring.</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="657"/> - <source>Blank line inserted after class docstring.</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="660"/> - <source>Blank line inserted after docstring summary.</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="663"/> - <source>Blank line inserted after last paragraph of docstring.</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="666"/> - <source>Leading quotes put on separate line.</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="669"/> - <source>Trailing quotes put on separate line.</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="672"/> - <source>Blank line before class docstring removed.</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="678"/> - <source>Blank line after class docstring removed.</source> + <source>Period added to summary line.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="681"/> - <source>Blank line after function/method docstring removed.</source> + <source>Blank line before function/method docstring removed.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="660"/> + <source>Blank line inserted before class docstring.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="663"/> + <source>Blank line inserted after class docstring.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="666"/> + <source>Blank line inserted after docstring summary.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="669"/> + <source>Blank line inserted after last paragraph of docstring.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="672"/> + <source>Leading quotes put on separate line.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="675"/> + <source>Trailing quotes put on separate line.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="678"/> + <source>Blank line before class docstring removed.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="684"/> - <source>Blank line after last paragraph removed.</source> + <source>Blank line after class docstring removed.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="687"/> - <source>Tab converted to 4 spaces.</source> + <source>Blank line after function/method docstring removed.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="690"/> - <source>Indentation adjusted to be a multiple of four.</source> + <source>Blank line after last paragraph removed.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="693"/> - <source>Indentation of continuation line corrected.</source> + <source>Tab converted to 4 spaces.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="696"/> - <source>Indentation of closing bracket corrected.</source> + <source>Indentation adjusted to be a multiple of four.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="699"/> - <source>Missing indentation of continuation line corrected.</source> + <source>Indentation of continuation line corrected.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="702"/> - <source>Closing bracket aligned to opening bracket.</source> + <source>Indentation of closing bracket corrected.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="705"/> - <source>Indentation level changed.</source> + <source>Missing indentation of continuation line corrected.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="708"/> - <source>Indentation level of hanging indentation changed.</source> + <source>Closing bracket aligned to opening bracket.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="711"/> + <source>Indentation level changed.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="714"/> + <source>Indentation level of hanging indentation changed.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="717"/> <source>Visual indentation corrected.</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="726"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="732"/> <source>Extraneous whitespace removed.</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="723"/> - <source>Missing whitespace added.</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="729"/> + <source>Missing whitespace added.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="735"/> <source>Whitespace around comment sign corrected.</source> <translation type="unfinished"></translation> </message> <message numerus="yes"> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="733"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="739"/> <source>%n blank line(s) inserted.</source> <translation type="unfinished"> <numerusform></numerusform> @@ -3828,7 +3828,7 @@ </translation> </message> <message numerus="yes"> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="736"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="742"/> <source>%n superfluous lines removed</source> <translation type="unfinished"> <numerusform></numerusform> @@ -3837,77 +3837,77 @@ </translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="740"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="746"/> <source>Superfluous blank lines removed.</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="743"/> - <source>Superfluous blank lines after function decorator removed.</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="746"/> - <source>Imports were put on separate lines.</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="749"/> - <source>Long lines have been shortened.</source> + <source>Superfluous blank lines after function decorator removed.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="752"/> - <source>Redundant backslash in brackets removed.</source> + <source>Imports were put on separate lines.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="755"/> + <source>Long lines have been shortened.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="758"/> - <source>Compound statement corrected.</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="761"/> - <source>Comparison to None/True/False corrected.</source> + <source>Redundant backslash in brackets removed.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="764"/> - <source>'{0}' argument added.</source> + <source>Compound statement corrected.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="767"/> - <source>'{0}' argument removed.</source> + <source>Comparison to None/True/False corrected.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="770"/> - <source>Whitespace stripped from end of line.</source> + <source>'{0}' argument added.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="773"/> - <source>newline added to end of file.</source> + <source>'{0}' argument removed.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="776"/> - <source>Superfluous trailing blank lines removed from end of file.</source> + <source>Whitespace stripped from end of line.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="779"/> + <source>newline added to end of file.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="782"/> + <source>Superfluous trailing blank lines removed from end of file.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="785"/> <source>'<>' replaced by '!='.</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="783"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="789"/> <source>Could not save the file! Skipping it. Reason: {0}</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="872"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="879"/> <source> no message defined for code '{0}'</source> <translation type="unfinished"></translation> </message> @@ -4391,22 +4391,22 @@ <context> <name>ComplexityChecker</name> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="465"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="471"/> <source>'{0}' is too complex ({1})</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="467"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="473"/> <source>source code line is too complex ({0})</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="469"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="475"/> <source>overall source code line complexity is too high ({0})</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="472"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="478"/> <source>{0}: {1}</source> <translation type="unfinished"></translation> </message> @@ -7366,242 +7366,242 @@ <context> <name>DocStyleChecker</name> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="278"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="284"/> <source>module is missing a docstring</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="280"/> - <source>public function/method is missing a docstring</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="283"/> - <source>private function/method may be missing a docstring</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="286"/> - <source>public class is missing a docstring</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="288"/> - <source>private class may be missing a docstring</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="290"/> - <source>docstring not surrounded by """</source> + <source>public function/method is missing a docstring</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="289"/> + <source>private function/method may be missing a docstring</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="292"/> - <source>docstring containing \ not surrounded by r"""</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="295"/> - <source>docstring containing unicode character not surrounded by u"""</source> + <source>public class is missing a docstring</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="294"/> + <source>private class may be missing a docstring</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="296"/> + <source>docstring not surrounded by """</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="298"/> + <source>docstring containing \ not surrounded by r"""</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="301"/> + <source>docstring containing unicode character not surrounded by u"""</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="304"/> <source>one-liner docstring on multiple lines</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="300"/> - <source>docstring has wrong indentation</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="349"/> - <source>docstring summary does not end with a period</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="306"/> + <source>docstring has wrong indentation</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="355"/> + <source>docstring summary does not end with a period</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="312"/> <source>docstring summary is not in imperative mood (Does instead of Do)</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="310"/> - <source>docstring summary looks like a function's/method's signature</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="313"/> - <source>docstring does not mention the return value type</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="316"/> - <source>function/method docstring is separated by a blank line</source> + <source>docstring summary looks like a function's/method's signature</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="319"/> - <source>class docstring is not preceded by a blank line</source> + <source>docstring does not mention the return value type</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="322"/> - <source>class docstring is not followed by a blank line</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="383"/> - <source>docstring summary is not followed by a blank line</source> + <source>function/method docstring is separated by a blank line</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="325"/> + <source>class docstring is not preceded by a blank line</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="328"/> + <source>class docstring is not followed by a blank line</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="389"/> + <source>docstring summary is not followed by a blank line</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="334"/> <source>last paragraph of docstring is not followed by a blank line</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="336"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="342"/> <source>private function/method is missing a docstring</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="339"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="345"/> <source>private class is missing a docstring</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="343"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="349"/> <source>leading quotes of docstring not on separate line</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="346"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="352"/> <source>trailing quotes of docstring not on separate line</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="353"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="359"/> <source>docstring does not contain a @return line but function/method returns something</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="357"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="363"/> <source>docstring contains a @return line but function/method doesn't return anything</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="361"/> - <source>docstring does not contain enough @param/@keyparam lines</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="364"/> - <source>docstring contains too many @param/@keyparam lines</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="367"/> - <source>keyword only arguments must be documented with @keyparam lines</source> + <source>docstring does not contain enough @param/@keyparam lines</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="370"/> - <source>order of @param/@keyparam lines does not match the function/method signature</source> + <source>docstring contains too many @param/@keyparam lines</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="373"/> + <source>keyword only arguments must be documented with @keyparam lines</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="376"/> + <source>order of @param/@keyparam lines does not match the function/method signature</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="379"/> <source>class docstring is preceded by a blank line</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="375"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="381"/> <source>class docstring is followed by a blank line</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="377"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="383"/> <source>function/method docstring is preceded by a blank line</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="380"/> - <source>function/method docstring is followed by a blank line</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="386"/> + <source>function/method docstring is followed by a blank line</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="392"/> <source>last paragraph of docstring is followed by a blank line</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="389"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="395"/> <source>docstring does not contain a @exception line but function/method raises an exception</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="393"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="399"/> <source>docstring contains a @exception line but function/method doesn't raise an exception</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="416"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="422"/> <source>{0}: {1}</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="302"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="308"/> <source>docstring does not contain a summary</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="351"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="357"/> <source>docstring summary does not start with '{0}'</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="397"/> - <source>raised exception '{0}' is not documented in docstring</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="400"/> - <source>documented exception '{0}' is not raised</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="403"/> - <source>docstring does not contain a @signal line but class defines signals</source> + <source>raised exception '{0}' is not documented in docstring</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="406"/> - <source>docstring contains a @signal line but class doesn't define signals</source> + <source>documented exception '{0}' is not raised</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="409"/> - <source>defined signal '{0}' is not documented in docstring</source> + <source>docstring does not contain a @signal line but class defines signals</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="412"/> + <source>docstring contains a @signal line but class doesn't define signals</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="415"/> + <source>defined signal '{0}' is not documented in docstring</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="418"/> <source>documented signal '{0}' is not defined</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="341"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="347"/> <source>class docstring is still a default string</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="334"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="340"/> <source>function docstring is still a default string</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="332"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="338"/> <source>module docstring is still a default string</source> <translation type="unfinished"></translation> </message> @@ -9909,562 +9909,562 @@ <context> <name>Editor</name> <message> - <location filename="../QScintilla/Editor.py" line="2946"/> + <location filename="../QScintilla/Editor.py" line="2940"/> <source>Open File</source> <translation>Otevřít soubor</translation> </message> <message> + <location filename="../QScintilla/Editor.py" line="744"/> + <source>Undo</source> + <translation>Vrátit</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="747"/> + <source>Redo</source> + <translation>Znovu použít</translation> + </message> + <message> <location filename="../QScintilla/Editor.py" line="750"/> - <source>Undo</source> - <translation>Vrátit</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="753"/> - <source>Redo</source> - <translation>Znovu použít</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="756"/> <source>Revert to last saved state</source> <translation>Vrátit k poslednímu uloženému stavu</translation> </message> <message> + <location filename="../QScintilla/Editor.py" line="754"/> + <source>Cut</source> + <translation>Vyjmout</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="757"/> + <source>Copy</source> + <translation>Kopírovat</translation> + </message> + <message> <location filename="../QScintilla/Editor.py" line="760"/> - <source>Cut</source> - <translation>Vyjmout</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="763"/> - <source>Copy</source> - <translation>Kopírovat</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="766"/> <source>Paste</source> <translation>Vložit</translation> </message> <message> + <location filename="../QScintilla/Editor.py" line="768"/> + <source>Indent</source> + <translation>Odsadit</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="771"/> + <source>Unindent</source> + <translation>Zrušit odsazení</translation> + </message> + <message> <location filename="../QScintilla/Editor.py" line="774"/> - <source>Indent</source> - <translation>Odsadit</translation> + <source>Comment</source> + <translation>Vytvořit komentář</translation> </message> <message> <location filename="../QScintilla/Editor.py" line="777"/> - <source>Unindent</source> - <translation>Zrušit odsazení</translation> + <source>Uncomment</source> + <translation>Zrušit komentář</translation> </message> <message> <location filename="../QScintilla/Editor.py" line="780"/> - <source>Comment</source> - <translation>Vytvořit komentář</translation> + <source>Stream Comment</source> + <translation>Proudový komentář</translation> </message> <message> <location filename="../QScintilla/Editor.py" line="783"/> - <source>Uncomment</source> - <translation>Zrušit komentář</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="786"/> - <source>Stream Comment</source> - <translation>Proudový komentář</translation> + <source>Box Comment</source> + <translation>Obdélníkový komentář</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="787"/> + <source>Select to brace</source> + <translation>Vybrat až po závorku</translation> </message> <message> <location filename="../QScintilla/Editor.py" line="789"/> - <source>Box Comment</source> - <translation>Obdélníkový komentář</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="793"/> - <source>Select to brace</source> - <translation>Vybrat až po závorku</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="795"/> <source>Select all</source> <translation>Vybrat vše</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="796"/> + <location filename="../QScintilla/Editor.py" line="790"/> <source>Deselect all</source> <translation>Zrušit celý výběr</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="812"/> + <location filename="../QScintilla/Editor.py" line="806"/> <source>Shorten empty lines</source> <translation>Zkrátit prázdné řádky</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="819"/> + <location filename="../QScintilla/Editor.py" line="813"/> <source>Use Monospaced Font</source> <translation>Použít neporoporcionální font</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="824"/> + <location filename="../QScintilla/Editor.py" line="818"/> <source>Autosave enabled</source> <translation>Zapnout autosave</translation> </message> <message> + <location filename="../QScintilla/Editor.py" line="861"/> + <source>Close</source> + <translation>Zavřít</translation> + </message> + <message> <location filename="../QScintilla/Editor.py" line="867"/> - <source>Close</source> - <translation>Zavřít</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="873"/> <source>Save</source> <translation>Uložit</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="876"/> + <location filename="../QScintilla/Editor.py" line="870"/> <source>Save As...</source> <translation>Uložit jako...</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="892"/> + <location filename="../QScintilla/Editor.py" line="886"/> <source>Print</source> <translation>Tisk</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="921"/> + <location filename="../QScintilla/Editor.py" line="915"/> <source>Complete from Document</source> <translation type="unfinished">z dokumentu</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="923"/> + <location filename="../QScintilla/Editor.py" line="917"/> <source>Complete from APIs</source> <translation type="unfinished">z API</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="925"/> + <location filename="../QScintilla/Editor.py" line="919"/> <source>Complete from Document and APIs</source> <translation type="unfinished">z dokumentu a API</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="939"/> + <location filename="../QScintilla/Editor.py" line="933"/> <source>Check</source> <translation>Zkontrolovat</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="959"/> + <location filename="../QScintilla/Editor.py" line="953"/> <source>Show</source> <translation>Zobrazit</translation> </message> <message> + <location filename="../QScintilla/Editor.py" line="955"/> + <source>Code metrics...</source> + <translation>Metrika kódu...</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="956"/> + <source>Code coverage...</source> + <translation>Pokrytí kódu...</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="958"/> + <source>Show code coverage annotations</source> + <translation>Zobrazit poznámky pokrytí kódu</translation> + </message> + <message> <location filename="../QScintilla/Editor.py" line="961"/> - <source>Code metrics...</source> - <translation>Metrika kódu...</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="962"/> - <source>Code coverage...</source> - <translation>Pokrytí kódu...</translation> + <source>Hide code coverage annotations</source> + <translation>Skrýt poznámky pokrytí kódu</translation> </message> <message> <location filename="../QScintilla/Editor.py" line="964"/> - <source>Show code coverage annotations</source> - <translation>Zobrazit poznámky pokrytí kódu</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="967"/> - <source>Hide code coverage annotations</source> - <translation>Skrýt poznámky pokrytí kódu</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="970"/> <source>Profile data...</source> <translation>Profilovat data...</translation> </message> <message> + <location filename="../QScintilla/Editor.py" line="977"/> + <source>Diagrams</source> + <translation>Diagramy</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="979"/> + <source>Class Diagram...</source> + <translation>Diagram třídy...</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="981"/> + <source>Package Diagram...</source> + <translation>Diagram balíčku...</translation> + </message> + <message> <location filename="../QScintilla/Editor.py" line="983"/> - <source>Diagrams</source> - <translation>Diagramy</translation> + <source>Imports Diagram...</source> + <translation>Diagram importů...</translation> </message> <message> <location filename="../QScintilla/Editor.py" line="985"/> - <source>Class Diagram...</source> - <translation>Diagram třídy...</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="987"/> - <source>Package Diagram...</source> - <translation>Diagram balíčku...</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="989"/> - <source>Imports Diagram...</source> - <translation>Diagram importů...</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="991"/> <source>Application Diagram...</source> <translation>Diagram aplikace...</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1009"/> + <location filename="../QScintilla/Editor.py" line="1003"/> <source>Languages</source> <translation>Jazyky</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1012"/> + <location filename="../QScintilla/Editor.py" line="1006"/> <source>No Language</source> <translation>Žádný jazyk</translation> </message> <message> + <location filename="../QScintilla/Editor.py" line="1150"/> + <source>Toggle bookmark</source> + <translation>Přepnout záložku</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="1152"/> + <source>Next bookmark</source> + <translation>Následující záložka</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="1154"/> + <source>Previous bookmark</source> + <translation>Předchozí záložka</translation> + </message> + <message> <location filename="../QScintilla/Editor.py" line="1156"/> - <source>Toggle bookmark</source> - <translation>Přepnout záložku</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1158"/> - <source>Next bookmark</source> - <translation>Následující záložka</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1160"/> - <source>Previous bookmark</source> - <translation>Předchozí záložka</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1162"/> <source>Clear all bookmarks</source> <translation>Zrušit všechny záložky</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1230"/> + <location filename="../QScintilla/Editor.py" line="1224"/> <source>Goto syntax error</source> <translation>Jít na chybu syntaxe</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1233"/> + <location filename="../QScintilla/Editor.py" line="1227"/> <source>Show syntax error message</source> <translation>Zobrazit hlášení syntaktické chyby</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1237"/> + <location filename="../QScintilla/Editor.py" line="1231"/> <source>Clear syntax error</source> <translation>Zrušit chybu syntaxe</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1171"/> + <location filename="../QScintilla/Editor.py" line="1165"/> <source>Toggle breakpoint</source> <translation>Přepnout breakpoint</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1173"/> + <location filename="../QScintilla/Editor.py" line="1167"/> <source>Toggle temporary breakpoint</source> <translation>Přepnout dočasný breakpoint</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1176"/> + <location filename="../QScintilla/Editor.py" line="1170"/> <source>Edit breakpoint...</source> <translation>Editovat breakpoint...</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="5316"/> + <location filename="../QScintilla/Editor.py" line="5310"/> <source>Enable breakpoint</source> <translation>Aktivovat breakpoint</translation> </message> <message> + <location filename="../QScintilla/Editor.py" line="1175"/> + <source>Next breakpoint</source> + <translation>Následující breakpoint</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="1178"/> + <source>Previous breakpoint</source> + <translation>Předchozí breakpoint</translation> + </message> + <message> <location filename="../QScintilla/Editor.py" line="1181"/> - <source>Next breakpoint</source> - <translation>Následující breakpoint</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1184"/> - <source>Previous breakpoint</source> - <translation>Předchozí breakpoint</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1187"/> <source>Clear all breakpoints</source> <translation>Zrušit všechny breakpointy</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1254"/> + <location filename="../QScintilla/Editor.py" line="1248"/> <source>Next uncovered line</source> <translation>Následující odkrytá řádka</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1257"/> + <location filename="../QScintilla/Editor.py" line="1251"/> <source>Previous uncovered line</source> <translation>Předchozí odkrytá řádka</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1261"/> + <location filename="../QScintilla/Editor.py" line="1255"/> <source>Next task</source> <translation>Následující úloha</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1264"/> + <location filename="../QScintilla/Editor.py" line="1258"/> <source>Previous task</source> <translation>Předchozí úloha</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1816"/> + <location filename="../QScintilla/Editor.py" line="1810"/> <source>Modification of Read Only file</source> <translation>Modifikace souboru otevřeného jen pro čtení</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1816"/> + <location filename="../QScintilla/Editor.py" line="1810"/> <source>You are attempting to change a read only file. Please save to a different file first.</source> <translation>Pokoušíte se změnit soubor, který je otevřen jen pro čtení. Prosím, uložte jej nejdříve do jiného souboru.</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="2502"/> + <location filename="../QScintilla/Editor.py" line="2496"/> <source>Printing...</source> <translation>Tisk...</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="2519"/> + <location filename="../QScintilla/Editor.py" line="2513"/> <source>Printing completed</source> <translation>Tisk je hotov</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="2521"/> + <location filename="../QScintilla/Editor.py" line="2515"/> <source>Error while printing</source> <translation>Chyba během tisku</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="2524"/> + <location filename="../QScintilla/Editor.py" line="2518"/> <source>Printing aborted</source> <translation>Tisk byl zrušen</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="3119"/> + <location filename="../QScintilla/Editor.py" line="3113"/> <source>Save File</source> <translation>Uložit soubor</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="2886"/> + <location filename="../QScintilla/Editor.py" line="2880"/> <source>File Modified</source> <translation>Soubor je modifikován</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="4522"/> + <location filename="../QScintilla/Editor.py" line="4516"/> <source>Autocompletion</source> <translation>Autodoplňování</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="4522"/> + <location filename="../QScintilla/Editor.py" line="4516"/> <source>Autocompletion is not available because there is no autocompletion source set.</source> <translation>Autodoplňování není dostupné protože zdrojová část autodoplňování nebyla nalezena.</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="5319"/> + <location filename="../QScintilla/Editor.py" line="5313"/> <source>Disable breakpoint</source> <translation>Deaktivovat breakpoint</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="5676"/> + <location filename="../QScintilla/Editor.py" line="5670"/> <source>Code Coverage</source> <translation>Pokrytí kódu</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="5676"/> + <location filename="../QScintilla/Editor.py" line="5670"/> <source>Please select a coverage file</source> <translation>Prosím, vyberte soubor s pokrytím kódu</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="5739"/> + <location filename="../QScintilla/Editor.py" line="5733"/> <source>Show Code Coverage Annotations</source> <translation>Zobrazit poznámky pokrytí kódu</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="5732"/> + <location filename="../QScintilla/Editor.py" line="5726"/> <source>All lines have been covered.</source> <translation>Všechny řádky byly pokryty.</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="5739"/> + <location filename="../QScintilla/Editor.py" line="5733"/> <source>There is no coverage file available.</source> <translation>Soubor s pokrytím není dostupný.</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="5854"/> + <location filename="../QScintilla/Editor.py" line="5848"/> <source>Profile Data</source> <translation>Profilovat data</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="5854"/> + <location filename="../QScintilla/Editor.py" line="5848"/> <source>Please select a profile file</source> <translation>Prosím, vyberte soubor s profilem</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6014"/> + <location filename="../QScintilla/Editor.py" line="6008"/> <source>Syntax Error</source> <translation>Chyba syntaxe</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6014"/> + <location filename="../QScintilla/Editor.py" line="6008"/> <source>No syntax error message available.</source> <translation>Hlášení syntaktické chyby není dostupné.</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6400"/> + <location filename="../QScintilla/Editor.py" line="6394"/> <source>Macro Name</source> <translation>Název makra</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6400"/> + <location filename="../QScintilla/Editor.py" line="6394"/> <source>Select a macro name:</source> <translation>Vyberte název makra:</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6428"/> + <location filename="../QScintilla/Editor.py" line="6422"/> <source>Load macro file</source> <translation>Načíst soubor makra</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6471"/> + <location filename="../QScintilla/Editor.py" line="6465"/> <source>Macro files (*.macro)</source> <translation>Macro soubory (*.macro)</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6451"/> + <location filename="../QScintilla/Editor.py" line="6445"/> <source>Error loading macro</source> <translation>Chyba při načítání makra</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6471"/> + <location filename="../QScintilla/Editor.py" line="6465"/> <source>Save macro file</source> <translation>Uložit soubor s makrem</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6488"/> + <location filename="../QScintilla/Editor.py" line="6482"/> <source>Save macro</source> <translation>Uložit makro</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6504"/> + <location filename="../QScintilla/Editor.py" line="6498"/> <source>Error saving macro</source> <translation>Chyba při ukládání makra</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6517"/> + <location filename="../QScintilla/Editor.py" line="6511"/> <source>Start Macro Recording</source> <translation>Spustit záznam makra</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6517"/> + <location filename="../QScintilla/Editor.py" line="6511"/> <source>Macro recording is already active. Start new?</source> <translation>Nahrávání makra již probíhá. Spustit nové?</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6543"/> + <location filename="../QScintilla/Editor.py" line="6537"/> <source>Macro Recording</source> <translation>Záznam makra</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6543"/> + <location filename="../QScintilla/Editor.py" line="6537"/> <source>Enter name of the macro:</source> <translation>Vložte název makra:</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6681"/> + <location filename="../QScintilla/Editor.py" line="6675"/> <source>File changed</source> <translation>Soubor změněn</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6985"/> + <location filename="../QScintilla/Editor.py" line="6979"/> <source>Drop Error</source> <translation>Zahodit chybu</translation> </message> <message> + <location filename="../QScintilla/Editor.py" line="7000"/> + <source>Resources</source> + <translation>Zdroje</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="7002"/> + <source>Add file...</source> + <translation>Přidat soubor...</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="7004"/> + <source>Add files...</source> + <translation>Přidat soubory...</translation> + </message> + <message> <location filename="../QScintilla/Editor.py" line="7006"/> - <source>Resources</source> - <translation>Zdroje</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="7008"/> - <source>Add file...</source> - <translation>Přidat soubor...</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="7010"/> - <source>Add files...</source> - <translation>Přidat soubory...</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="7012"/> <source>Add aliased file...</source> <translation>Přidat zástupce souboru...</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7015"/> + <location filename="../QScintilla/Editor.py" line="7009"/> <source>Add localized resource...</source> <translation>Přidat lokalizované resource...</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7019"/> + <location filename="../QScintilla/Editor.py" line="7013"/> <source>Add resource frame</source> <translation>Přidat resource frame</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7038"/> + <location filename="../QScintilla/Editor.py" line="7032"/> <source>Add file resource</source> <translation>Přidat soubor resource</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7054"/> + <location filename="../QScintilla/Editor.py" line="7048"/> <source>Add file resources</source> <translation>Přidat soubory resource</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7082"/> + <location filename="../QScintilla/Editor.py" line="7076"/> <source>Add aliased file resource</source> <translation>Přidat zástupce souboru resource</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7146"/> + <location filename="../QScintilla/Editor.py" line="7140"/> <source>Package Diagram</source> <translation>Diagram balíčku</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7146"/> + <location filename="../QScintilla/Editor.py" line="7140"/> <source>Include class attributes?</source> <translation>Včetně atributů třídy?</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7180"/> + <location filename="../QScintilla/Editor.py" line="7174"/> <source>Application Diagram</source> <translation>Diagram aplikace</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7180"/> + <location filename="../QScintilla/Editor.py" line="7174"/> <source>Include module names?</source> <translation>Včetně jmen modulů?</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1134"/> + <location filename="../QScintilla/Editor.py" line="1128"/> <source>Export as</source> <translation>Exportovat jako</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1309"/> + <location filename="../QScintilla/Editor.py" line="1303"/> <source>Export source</source> <translation>Export zdroj</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1309"/> + <location filename="../QScintilla/Editor.py" line="1303"/> <source>No export format given. Aborting...</source> <translation>Nebyl zadán forám exportu. Zrušeno....</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7166"/> + <location filename="../QScintilla/Editor.py" line="7160"/> <source>Imports Diagram</source> <translation>Importovat diagram</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7166"/> + <location filename="../QScintilla/Editor.py" line="7160"/> <source>Include imports from external modules?</source> <translation>Zahrnout importy z externích modulů?</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="843"/> + <location filename="../QScintilla/Editor.py" line="837"/> <source>Calltip</source> <translation>Rychlé tipy</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="889"/> + <location filename="../QScintilla/Editor.py" line="883"/> <source>Print Preview</source> <translation>Náhled tisku</translation> </message> @@ -10474,77 +10474,77 @@ <translation><b>Okno editoru zdrojového kódu</b><p>V tomto okně se zobrazuje a edituje soubor se zdrojovým kódem. Můžete otevřít oken podle libosti. Jméno souboru se zobrazuje v titlebaru okna.</p><p>Kliknutím do prostoru mezi čísly řádku a značkami skládání nastavíte breakpoint. Přes kontextové menu je pak lze editovat.</p><p>Záložka se vkládá kliknutím na stejné místo se stisknutou klávesou Shift.</p><p>Tyto akce mohou být navráceny zpět i opětovným kliknutím nebo přes kontextové menu.</p></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="828"/> + <location filename="../QScintilla/Editor.py" line="822"/> <source>Typing aids enabled</source> <translation>Pomůcky při psaní zapnuty</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1098"/> + <location filename="../QScintilla/Editor.py" line="1092"/> <source>End-of-Line Type</source> <translation>Typ Konec-řádku</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1102"/> + <location filename="../QScintilla/Editor.py" line="1096"/> <source>Unix</source> <translation>Unix</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1109"/> + <location filename="../QScintilla/Editor.py" line="1103"/> <source>Windows</source> <translation></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1116"/> + <location filename="../QScintilla/Editor.py" line="1110"/> <source>Macintosh</source> <translation>Macintosh</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1057"/> + <location filename="../QScintilla/Editor.py" line="1051"/> <source>Encodings</source> <translation>Kódování</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1037"/> + <location filename="../QScintilla/Editor.py" line="1031"/> <source>Guessed</source> <translation>Odhadem</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1324"/> + <location filename="../QScintilla/Editor.py" line="1318"/> <source>Alternatives</source> <translation>Alternativy</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1340"/> + <location filename="../QScintilla/Editor.py" line="1334"/> <source>Pygments Lexer</source> <translation></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1340"/> + <location filename="../QScintilla/Editor.py" line="1334"/> <source>Select the Pygments lexer to apply.</source> <translation>Použít Pygments lexer.</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7473"/> + <location filename="../QScintilla/Editor.py" line="7467"/> <source>Check spelling...</source> <translation>Zatrhnout kontrolu...</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="804"/> + <location filename="../QScintilla/Editor.py" line="798"/> <source>Check spelling of selection...</source> <translation>Zatrhnout výběr kontroly...</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7476"/> + <location filename="../QScintilla/Editor.py" line="7470"/> <source>Add to dictionary</source> <translation>Přidat do slovníku</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7478"/> + <location filename="../QScintilla/Editor.py" line="7472"/> <source>Ignore All</source> <translation>Ignorovat vše</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="808"/> + <location filename="../QScintilla/Editor.py" line="802"/> <source>Remove from dictionary</source> <translation>Odebrat ze slovníku</translation> </message> @@ -10554,277 +10554,277 @@ <translation><p>Velikost souboru <b>{0}</b> je <b>{1} KB</b>. Opravdu jej chcete načíst?</p></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1301"/> + <location filename="../QScintilla/Editor.py" line="1295"/> <source><p>No exporter available for the export format <b>{0}</b>. Aborting...</p></source> <translation><p>Pro formát exportu <b>{0}</b> není exportér dostupný. Zrušeno.</p></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1320"/> + <location filename="../QScintilla/Editor.py" line="1314"/> <source>Alternatives ({0})</source> <translation>Alternativy ({0})</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="2886"/> + <location filename="../QScintilla/Editor.py" line="2880"/> <source><p>The file <b>{0}</b> has unsaved changes.</p></source> <translation><p>Soubor <b>{0}</b> obsahuje neuložené změny.</p></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="2946"/> + <location filename="../QScintilla/Editor.py" line="2940"/> <source><p>The file <b>{0}</b> could not be opened.</p><p>Reason: {1}</p></source> <translation><p>Soubor <b>{0}</b> nemůže být přejmenován.<br />Důvod: {1}</p></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="3060"/> + <location filename="../QScintilla/Editor.py" line="3054"/> <source><p>The file <b>{0}</b> could not be saved.<br/>Reason: {1}</p></source> <translation><p>Soubor <b>{0}</b> nemůže být přejmenován.<br />Důvod: {1}</p></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6442"/> + <location filename="../QScintilla/Editor.py" line="6436"/> <source><p>The macro file <b>{0}</b> could not be read.</p></source> <translation><p>Soubor s makrem <b>{0}</b> nelze načíst.</p></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6451"/> + <location filename="../QScintilla/Editor.py" line="6445"/> <source><p>The macro file <b>{0}</b> is corrupt.</p></source> <translation><p>Soubor s makrem <b>{0}</b> je poškozen.</p></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6504"/> + <location filename="../QScintilla/Editor.py" line="6498"/> <source><p>The macro file <b>{0}</b> could not be written.</p></source> <translation><p>So souboru s makrem <b>{0}</b> nelze zapisovat.</p></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6845"/> + <location filename="../QScintilla/Editor.py" line="6839"/> <source>{0} (ro)</source> <translation>{0} (ro)</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6985"/> + <location filename="../QScintilla/Editor.py" line="6979"/> <source><p><b>{0}</b> is not a file.</p></source> <translation><p><b>{0}</b> není soubor.</p></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7082"/> + <location filename="../QScintilla/Editor.py" line="7076"/> <source>Alias for file <b>{0}</b>:</source> <translation>Zástupce pro soubor <b>{0}</b>:</translation> </message> <message> + <location filename="../QScintilla/Editor.py" line="1235"/> + <source>Next warning</source> + <translation>Následující varování</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="1238"/> + <source>Previous warning</source> + <translation>Předchozí varování</translation> + </message> + <message> <location filename="../QScintilla/Editor.py" line="1241"/> - <source>Next warning</source> - <translation>Následující varování</translation> + <source>Show warning message</source> + <translation>Zobrazit varování</translation> </message> <message> <location filename="../QScintilla/Editor.py" line="1244"/> - <source>Previous warning</source> - <translation>Předchozí varování</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1247"/> - <source>Show warning message</source> - <translation>Zobrazit varování</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1250"/> <source>Clear warnings</source> <translation>Vyčistit varování</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="3119"/> + <location filename="../QScintilla/Editor.py" line="3113"/> <source><p>The file <b>{0}</b> already exists. Overwrite it?</p></source> <translation type="unfinished"><p>Soubor <b>{0}</b> již existuje.</p><p>Má se přepsat?</p></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6488"/> + <location filename="../QScintilla/Editor.py" line="6482"/> <source><p>The macro file <b>{0}</b> already exists. Overwrite it?</p></source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6290"/> + <location filename="../QScintilla/Editor.py" line="6284"/> <source>Warning: {0}</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6297"/> + <location filename="../QScintilla/Editor.py" line="6291"/> <source>Error: {0}</source> <translation type="unfinished">Chyby: {0}</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6677"/> + <location filename="../QScintilla/Editor.py" line="6671"/> <source><br><b>Warning:</b> You will lose your changes upon reopening it.</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="885"/> + <location filename="../QScintilla/Editor.py" line="879"/> <source>Open 'rejection' file</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="995"/> + <location filename="../QScintilla/Editor.py" line="989"/> <source>Load Diagram...</source> <translation type="unfinished"></translation> </message> <message> + <location filename="../QScintilla/Editor.py" line="1262"/> + <source>Next change</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="1265"/> + <source>Previous change</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="7884"/> + <source>Sort Lines</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="7884"/> + <source>The selection contains illegal data for a numerical sort.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="6220"/> + <source>Warning</source> + <translation type="unfinished">Varování</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="6220"/> + <source>No warning messages available.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="6281"/> + <source>Style: {0}</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="853"/> + <source>New Document View</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="856"/> + <source>New Document View (with new split)</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="943"/> + <source>Tools</source> + <translation type="unfinished">Nástroje</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="1073"/> + <source>Re-Open With Encoding</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="6665"/> + <source><p>The file <b>{0}</b> has been changed while it was opened in eric6. Reread it?</p></source> + <translation type="unfinished"><p>Soubor <b>{0}</b> byl změněn po té co již byl načten do eric5. Znovu načíst?</p> {0}?} {6.?}</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="829"/> + <source>Automatic Completion enabled</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="909"/> + <source>Complete</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="4641"/> + <source>Auto-Completion Provider</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="4641"/> + <source>The completion list provider '{0}' was already registered. Ignoring duplicate request.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="4895"/> + <source>Call-Tips Provider</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="4895"/> + <source>The call-tips provider '{0}' was already registered. Ignoring duplicate request.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="7971"/> + <source>Register Mouse Click Handler</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="7971"/> + <source>A mouse click handler for "{0}" was already registered by "{1}". Aborting request by "{2}"...</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="873"/> + <source>Save Copy...</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="912"/> + <source>Clear Completions Cache</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="839"/> + <source>Code Info</source> + <translation type="unfinished"></translation> + </message> + <message> <location filename="../QScintilla/Editor.py" line="1268"/> - <source>Next change</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1271"/> - <source>Previous change</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="7890"/> - <source>Sort Lines</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="7890"/> - <source>The selection contains illegal data for a numerical sort.</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="6226"/> - <source>Warning</source> - <translation type="unfinished">Varování</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="6226"/> - <source>No warning messages available.</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="6287"/> - <source>Style: {0}</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="859"/> - <source>New Document View</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="862"/> - <source>New Document View (with new split)</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="949"/> - <source>Tools</source> - <translation type="unfinished">Nástroje</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1079"/> - <source>Re-Open With Encoding</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="6671"/> - <source><p>The file <b>{0}</b> has been changed while it was opened in eric6. Reread it?</p></source> - <translation type="unfinished"><p>Soubor <b>{0}</b> byl změněn po té co již byl načten do eric5. Znovu načíst?</p> {0}?} {6.?}</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="835"/> - <source>Automatic Completion enabled</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="915"/> - <source>Complete</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="4647"/> - <source>Auto-Completion Provider</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="4647"/> - <source>The completion list provider '{0}' was already registered. Ignoring duplicate request.</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="4901"/> - <source>Call-Tips Provider</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="4901"/> - <source>The call-tips provider '{0}' was already registered. Ignoring duplicate request.</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="7977"/> - <source>Register Mouse Click Handler</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="7977"/> - <source>A mouse click handler for "{0}" was already registered by "{1}". Aborting request by "{2}"...</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="879"/> - <source>Save Copy...</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="918"/> - <source>Clear Completions Cache</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="845"/> - <source>Code Info</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1274"/> <source>Clear changes</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="770"/> + <location filename="../QScintilla/Editor.py" line="764"/> <source>Execute Selection In Console</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="8098"/> + <location filename="../QScintilla/Editor.py" line="8092"/> <source>EditorConfig Properties</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="8098"/> + <location filename="../QScintilla/Editor.py" line="8092"/> <source><p>The EditorConfig properties for file <b>{0}</b> could not be loaded.</p></source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1197"/> + <location filename="../QScintilla/Editor.py" line="1191"/> <source>Toggle all folds</source> <translation type="unfinished">Složit/rozložit všechna skládání</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1201"/> + <location filename="../QScintilla/Editor.py" line="1195"/> <source>Toggle all folds (including children)</source> <translation type="unfinished">Složit/rozložit všechna skládání (i s podsložkami)</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1205"/> + <location filename="../QScintilla/Editor.py" line="1199"/> <source>Toggle current fold</source> <translation type="unfinished">Složit/rozložit aktuální složený blok</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1210"/> + <location filename="../QScintilla/Editor.py" line="1204"/> <source>Expand (including children)</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1214"/> + <location filename="../QScintilla/Editor.py" line="1208"/> <source>Collapse (including children)</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1219"/> + <location filename="../QScintilla/Editor.py" line="1213"/> <source>Clear all folds</source> <translation type="unfinished"></translation> </message> @@ -45494,12 +45494,12 @@ <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/MiniEditor.py" line="3401"/> + <location filename="../QScintilla/MiniEditor.py" line="3405"/> <source>EditorConfig Properties</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/MiniEditor.py" line="3401"/> + <location filename="../QScintilla/MiniEditor.py" line="3405"/> <source><p>The EditorConfig properties for file <b>{0}</b> could not be loaded.</p></source> <translation type="unfinished"></translation> </message> @@ -45512,252 +45512,252 @@ <context> <name>MiscellaneousChecker</name> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="476"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="482"/> <source>coding magic comment not found</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="479"/> - <source>unknown encoding ({0}) found in coding magic comment</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="482"/> - <source>copyright notice not present</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="485"/> + <source>unknown encoding ({0}) found in coding magic comment</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="488"/> + <source>copyright notice not present</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="491"/> <source>copyright notice contains invalid author</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="562"/> - <source>found {0} formatter</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="565"/> - <source>format string does contain unindexed parameters</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="568"/> - <source>docstring does contain unindexed parameters</source> + <source>found {0} formatter</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="571"/> - <source>other string does contain unindexed parameters</source> + <source>format string does contain unindexed parameters</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="574"/> - <source>format call uses too large index ({0})</source> + <source>docstring does contain unindexed parameters</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="577"/> - <source>format call uses missing keyword ({0})</source> + <source>other string does contain unindexed parameters</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="580"/> - <source>format call uses keyword arguments but no named entries</source> + <source>format call uses too large index ({0})</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="583"/> - <source>format call uses variable arguments but no numbered entries</source> + <source>format call uses missing keyword ({0})</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="586"/> - <source>format call uses implicit and explicit indexes together</source> + <source>format call uses keyword arguments but no named entries</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="589"/> - <source>format call provides unused index ({0})</source> + <source>format call uses variable arguments but no numbered entries</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="592"/> + <source>format call uses implicit and explicit indexes together</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="595"/> + <source>format call provides unused index ({0})</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="598"/> <source>format call provides unused keyword ({0})</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="610"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="616"/> <source>expected these __future__ imports: {0}; but only got: {1}</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="613"/> - <source>expected these __future__ imports: {0}; but got none</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="619"/> + <source>expected these __future__ imports: {0}; but got none</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="625"/> <source>print statement found</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="622"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="628"/> <source>one element tuple found</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="634"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="640"/> <source>{0}: {1}</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="488"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="494"/> <source>"{0}" is a Python builtin and is being shadowed; consider renaming the variable</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="492"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="498"/> <source>"{0}" is used as an argument and thus shadows a Python builtin; consider renaming the argument</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="496"/> - <source>unnecessary generator - rewrite as a list comprehension</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="499"/> - <source>unnecessary generator - rewrite as a set comprehension</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="502"/> - <source>unnecessary generator - rewrite as a dict comprehension</source> + <source>unnecessary generator - rewrite as a list comprehension</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="505"/> - <source>unnecessary list comprehension - rewrite as a set comprehension</source> + <source>unnecessary generator - rewrite as a set comprehension</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="508"/> - <source>unnecessary list comprehension - rewrite as a dict comprehension</source> + <source>unnecessary generator - rewrite as a dict comprehension</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="511"/> - <source>unnecessary list literal - rewrite as a set literal</source> + <source>unnecessary list comprehension - rewrite as a set comprehension</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="514"/> - <source>unnecessary list literal - rewrite as a dict literal</source> + <source>unnecessary list comprehension - rewrite as a dict comprehension</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="517"/> - <source>unnecessary list comprehension - "{0}" can take a generator</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="628"/> - <source>mutable default argument of type {0}</source> + <source>unnecessary list literal - rewrite as a set literal</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="520"/> + <source>unnecessary list literal - rewrite as a dict literal</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="523"/> + <source>unnecessary list comprehension - "{0}" can take a generator</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="634"/> + <source>mutable default argument of type {0}</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="526"/> <source>sort keys - '{0}' should be before '{1}'</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="598"/> - <source>logging statement uses '%'</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="604"/> + <source>logging statement uses '%'</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="610"/> <source>logging statement uses f-string</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="607"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="613"/> <source>logging statement uses 'warn' instead of 'warning'</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="595"/> - <source>logging statement uses string.format()</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="601"/> + <source>logging statement uses string.format()</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="607"/> <source>logging statement uses '+'</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="616"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="622"/> <source>gettext import with alias _ found: {0}</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="523"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="529"/> <source>Python does not support the unary prefix increment</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="533"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="539"/> <source>'sys.maxint' is not defined in Python 3 - use 'sys.maxsize'</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="536"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="542"/> <source>'BaseException.message' has been deprecated as of Python 2.6 and is removed in Python 3 - use 'str(e)'</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="540"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="546"/> <source>assigning to 'os.environ' does not clear the environment - use 'os.environ.clear()'</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="548"/> - <source>Python 3 does not include '.iter*' methods on dictionaries</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="551"/> - <source>Python 3 does not include '.view*' methods on dictionaries</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="554"/> - <source>'.next()' does not exist in Python 3</source> + <source>Python 3 does not include '.iter*' methods on dictionaries</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="557"/> + <source>Python 3 does not include '.view*' methods on dictionaries</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="560"/> + <source>'.next()' does not exist in Python 3</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="563"/> <source>'__metaclass__' does nothing on Python 3 - use 'class MyClass(BaseClass, metaclass=...)'</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="631"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="637"/> <source>mutable default argument of function call '{0}'</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="526"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="532"/> <source>using .strip() with multi-character strings is misleading</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="529"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="535"/> <source>using 'hasattr(x, "__call__")' to test if 'x' is callable is unreliable</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="544"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="550"/> <source>loop control variable {0} not used within the loop body - start the name with an underscore</source> <translation type="unfinished"></translation> </message> @@ -46188,72 +46188,72 @@ <context> <name>NamingStyleChecker</name> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="420"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="426"/> <source>class names should use CapWords convention</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="423"/> - <source>function name should be lowercase</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="426"/> - <source>argument name should be lowercase</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="429"/> - <source>first argument of a class method should be named 'cls'</source> + <source>function name should be lowercase</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="432"/> - <source>first argument of a method should be named 'self'</source> + <source>argument name should be lowercase</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="435"/> + <source>first argument of a class method should be named 'cls'</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="438"/> + <source>first argument of a method should be named 'self'</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="441"/> <source>first argument of a static method should not be named 'self' or 'cls</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="439"/> - <source>module names should be lowercase</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="442"/> - <source>package names should be lowercase</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="445"/> - <source>constant imported as non constant</source> + <source>module names should be lowercase</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="448"/> - <source>lowercase imported as non lowercase</source> + <source>package names should be lowercase</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="451"/> - <source>camelcase imported as lowercase</source> + <source>constant imported as non constant</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="454"/> - <source>camelcase imported as constant</source> + <source>lowercase imported as non lowercase</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="457"/> - <source>variable in function should be lowercase</source> + <source>camelcase imported as lowercase</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="460"/> + <source>camelcase imported as constant</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="463"/> + <source>variable in function should be lowercase</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="466"/> <source>names 'l', 'O' and 'I' should be avoided</source> <translation type="unfinished"></translation> </message> @@ -86814,125 +86814,145 @@ <translation type="unfinished">Je odkazováno na lokální proměnnou {0!r} (definovaná v uzavřeném jmenném prostoru na řádce {1!r}) před tím než byla přiřazena.</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="39"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="43"/> <source>Duplicate argument {0!r} in function definition.</source> <translation type="unfinished">Duplicitní argument {0!r} v definici funkce.</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="45"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="49"/> <source>from __future__ imports must occur at the beginning of the file</source> <translation type="unfinished">Future import(y) {0!r} po ostatních výrazech.</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="48"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="52"/> <source>Local variable {0!r} is assigned to but never used.</source> <translation type="unfinished">Lokální proměnná {0!r} je přiřazena, ale nikde nepoužita.</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="42"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="46"/> <source>Redefinition of {0!r} from line {1!r}.</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="51"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="55"/> <source>List comprehension redefines {0!r} from line {1!r}.</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="54"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="58"/> <source>Syntax error detected in doctest.</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="126"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="139"/> <source>no message defined for code '{0}'</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="57"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="61"/> <source>'return' with argument inside generator</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="60"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="64"/> <source>'return' outside function</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="63"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="67"/> <source>'from {0} import *' only allowed at module level</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="66"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="70"/> <source>{0!r} may be undefined, or defined from star imports: {1}</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="69"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="73"/> <source>Dictionary key {0!r} repeated with different values</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="72"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="76"/> <source>Dictionary key variable {0} repeated with different values</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="75"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="79"/> <source>Future feature {0} is not defined</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="78"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="82"/> <source>'yield' outside function</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="84"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="88"/> <source>'break' outside loop</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="87"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="91"/> <source>'continue' not supported inside 'finally' clause</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="90"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="94"/> <source>Default 'except:' must be last</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="93"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="97"/> <source>Two starred expressions in assignment</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="96"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="100"/> <source>Too many expressions in star-unpacking assignment</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="99"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="103"/> <source>Assertion is always true, perhaps remove parentheses?</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="81"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="85"/> <source>'continue' not properly in loop</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="102"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="106"/> <source>syntax error in forward annotation {0!r}</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="105"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="109"/> <source>'raise NotImplemented' should be 'raise NotImplementedError'</source> <translation type="unfinished"></translation> </message> + <message> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="39"/> + <source>Local variable {0!r} (defined as a builtin) referenced before assignment.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="112"/> + <source>syntax error in type comment {0!r}</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="115"/> + <source>use of >> is invalid with print function</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="118"/> + <source>use ==/!= to compare str, bytes, and int literals</source> + <translation type="unfinished"></translation> + </message> </context> <context> <name>pycodestyle</name> @@ -86972,375 +86992,385 @@ <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="40"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="43"/> <source>continuation line indentation is not a multiple of four</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="43"/> - <source>continuation line missing indentation or outdented</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="46"/> + <source>continuation line missing indentation or outdented</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="49"/> <source>closing bracket does not match indentation of opening bracket's line</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="50"/> - <source>closing bracket does not match visual indentation</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="53"/> - <source>continuation line with same indent as next logical line</source> + <source>closing bracket does not match visual indentation</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="56"/> - <source>continuation line over-indented for hanging indent</source> + <source>continuation line with same indent as next logical line</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="59"/> - <source>continuation line over-indented for visual indent</source> + <source>continuation line over-indented for hanging indent</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="62"/> - <source>continuation line under-indented for visual indent</source> + <source>continuation line over-indented for visual indent</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="65"/> - <source>visually indented line with same indent as next logical line</source> + <source>continuation line under-indented for visual indent</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="68"/> - <source>continuation line unaligned for hanging indent</source> + <source>visually indented line with same indent as next logical line</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="71"/> - <source>closing bracket is missing indentation</source> + <source>continuation line unaligned for hanging indent</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="74"/> - <source>indentation contains tabs</source> + <source>closing bracket is missing indentation</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="77"/> + <source>indentation contains tabs</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="80"/> <source>whitespace after '{0}'</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="86"/> - <source>whitespace before '{0}'</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="89"/> - <source>multiple spaces before operator</source> + <source>whitespace before '{0}'</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="92"/> - <source>multiple spaces after operator</source> + <source>multiple spaces before operator</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="95"/> - <source>tab before operator</source> + <source>multiple spaces after operator</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="98"/> - <source>tab after operator</source> + <source>tab before operator</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="101"/> - <source>missing whitespace around operator</source> + <source>tab after operator</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="104"/> - <source>missing whitespace around arithmetic operator</source> + <source>missing whitespace around operator</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="107"/> - <source>missing whitespace around bitwise or shift operator</source> + <source>missing whitespace around arithmetic operator</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="110"/> - <source>missing whitespace around modulo operator</source> + <source>missing whitespace around bitwise or shift operator</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="113"/> - <source>missing whitespace after '{0}'</source> + <source>missing whitespace around modulo operator</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="116"/> - <source>multiple spaces after '{0}'</source> + <source>missing whitespace after '{0}'</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="119"/> - <source>tab after '{0}'</source> + <source>multiple spaces after '{0}'</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="122"/> + <source>tab after '{0}'</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="125"/> <source>unexpected spaces around keyword / parameter equals</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="128"/> - <source>at least two spaces before inline comment</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="131"/> - <source>inline comment should start with '# '</source> + <source>at least two spaces before inline comment</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="134"/> - <source>block comment should start with '# '</source> + <source>inline comment should start with '# '</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="137"/> - <source>too many leading '#' for block comment</source> + <source>block comment should start with '# '</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="140"/> - <source>multiple spaces after keyword</source> + <source>too many leading '#' for block comment</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="143"/> - <source>multiple spaces before keyword</source> + <source>multiple spaces after keyword</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="146"/> - <source>tab after keyword</source> + <source>multiple spaces before keyword</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="149"/> - <source>tab before keyword</source> + <source>tab after keyword</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="152"/> - <source>missing whitespace after keyword</source> + <source>tab before keyword</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="155"/> - <source>trailing whitespace</source> + <source>missing whitespace after keyword</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="158"/> - <source>no newline at end of file</source> + <source>trailing whitespace</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="161"/> + <source>no newline at end of file</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="164"/> <source>blank line contains whitespace</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="186"/> - <source>too many blank lines ({0})</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="173"/> - <source>blank lines found after function decorator</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="189"/> - <source>blank line at end of file</source> + <source>too many blank lines ({0})</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="176"/> + <source>blank lines found after function decorator</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="192"/> - <source>multiple imports on one line</source> + <source>blank line at end of file</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="195"/> - <source>module level import not at top of file</source> + <source>multiple imports on one line</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="198"/> - <source>line too long ({0} > {1} characters)</source> + <source>module level import not at top of file</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="201"/> - <source>the backslash is redundant between brackets</source> + <source>line too long ({0} > {1} characters)</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="204"/> + <source>the backslash is redundant between brackets</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="207"/> <source>line break before binary operator</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="210"/> - <source>.has_key() is deprecated, use 'in'</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="213"/> - <source>deprecated form of raising exception</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="216"/> - <source>'<>' is deprecated, use '!='</source> + <source>.has_key() is deprecated, use 'in'</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="219"/> + <source>deprecated form of raising exception</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="222"/> + <source>'<>' is deprecated, use '!='</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="225"/> <source>backticks are deprecated, use 'repr()'</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="228"/> - <source>multiple statements on one line (colon)</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="231"/> - <source>multiple statements on one line (semicolon)</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="234"/> - <source>statement ends with a semicolon</source> + <source>multiple statements on one line (colon)</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="237"/> - <source>multiple statements on one line (def)</source> + <source>multiple statements on one line (semicolon)</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="240"/> + <source>statement ends with a semicolon</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="243"/> - <source>comparison to {0} should be {1}</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="246"/> - <source>test for membership should be 'not in'</source> + <source>multiple statements on one line (def)</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="249"/> - <source>test for object identity should be 'is not'</source> + <source>comparison to {0} should be {1}</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="252"/> - <source>do not compare types, use 'isinstance()'</source> + <source>test for membership should be 'not in'</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="255"/> + <source>test for object identity should be 'is not'</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="258"/> - <source>do not assign a lambda expression, use a def</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="261"/> - <source>ambiguous variable name '{0}'</source> + <source>do not compare types, use 'isinstance()'</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="264"/> - <source>ambiguous class definition '{0}'</source> + <source>do not assign a lambda expression, use a def</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="267"/> - <source>ambiguous function definition '{0}'</source> + <source>ambiguous variable name '{0}'</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="270"/> - <source>{0}: {1}</source> + <source>ambiguous class definition '{0}'</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="273"/> + <source>ambiguous function definition '{0}'</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="276"/> + <source>{0}: {1}</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="279"/> <source>{0}</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="255"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="261"/> <source>do not use bare except</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="176"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="179"/> <source>expected {0} blank lines after class or function definition, found {1}</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="225"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="231"/> <source>'async' and 'await' are reserved keywords starting with Python 3.7</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="125"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="128"/> <source>missing whitespace around parameter equals</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="167"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="170"/> <source>expected {0} blank lines, found {1}</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="180"/> - <source>expected {0} blank lines before a nested definition, found {1}</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="207"/> - <source>line break after binary operator</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="222"/> - <source>invalid escape sequence '\{0}'</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="183"/> + <source>expected {0} blank lines before a nested definition, found {1}</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="210"/> + <source>line break after binary operator</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="228"/> + <source>invalid escape sequence '\{0}'</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="186"/> <source>too many blank lines ({0}) before a nested definition, expected {1}</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="170"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="173"/> <source>too many blank lines ({0}), expected {1}</source> <translation type="unfinished"></translation> </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="40"/> + <source>over-indented</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="213"/> + <source>doc line too long ({0} > {1} characters)</source> + <translation type="unfinished"></translation> + </message> </context> <context> <name>subversion</name>
--- a/i18n/eric6_de.ts Wed Feb 13 20:41:45 2019 +0100 +++ b/i18n/eric6_de.ts Thu Feb 14 18:58:22 2019 +0100 @@ -3706,142 +3706,142 @@ <context> <name>CodeStyleFixer</name> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="639"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="645"/> <source>Triple single quotes converted to triple double quotes.</source> <translation>Dreifache Einfachanführungszeichen in dreifache Doppelanführungszeichen umgewandelt.</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="642"/> - <source>Introductory quotes corrected to be {0}"""</source> - <translation>Einleitende Anführungszeichen in {0}""" korrigiert</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="645"/> - <source>Single line docstring put on one line.</source> - <translation>Einzeiligen Docstring auf eine Zeile gebracht.</translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="648"/> - <source>Period added to summary line.</source> - <translation>Punkt an die Zusammenfassungszeile angefügt.</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="675"/> - <source>Blank line before function/method docstring removed.</source> - <translation>Leerzeile vor Funktions-/Methodendocstring entfernt.</translation> + <source>Introductory quotes corrected to be {0}"""</source> + <translation>Einleitende Anführungszeichen in {0}""" korrigiert</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="651"/> + <source>Single line docstring put on one line.</source> + <translation>Einzeiligen Docstring auf eine Zeile gebracht.</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="654"/> - <source>Blank line inserted before class docstring.</source> - <translation>Leerzeile vor Klassendocstring eingefügt.</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="657"/> - <source>Blank line inserted after class docstring.</source> - <translation>Leerzeile nach Klassendocstring eingefügt.</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="660"/> - <source>Blank line inserted after docstring summary.</source> - <translation>Leerzeile nach Docstring Zusammenfassung eingefügt.</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="663"/> - <source>Blank line inserted after last paragraph of docstring.</source> - <translation>Leerzeile nach letztem Abschnitt des Docstring eingefügt.</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="666"/> - <source>Leading quotes put on separate line.</source> - <translation>Einleitende Anführungszeichen auf separate Zeile gesetzt.</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="669"/> - <source>Trailing quotes put on separate line.</source> - <translation>Schließende Anführungszeichen auf separate Zeile gesetzt.</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="672"/> - <source>Blank line before class docstring removed.</source> - <translation>Leerzeile vor Klassendocstring entfernt.</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="678"/> - <source>Blank line after class docstring removed.</source> - <translation>Leerzeile nach Klassendocstring entfernt.</translation> + <source>Period added to summary line.</source> + <translation>Punkt an die Zusammenfassungszeile angefügt.</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="681"/> - <source>Blank line after function/method docstring removed.</source> - <translation>Leerzeile nach Funktions-/Methodendocstring entfernt.</translation> + <source>Blank line before function/method docstring removed.</source> + <translation>Leerzeile vor Funktions-/Methodendocstring entfernt.</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="660"/> + <source>Blank line inserted before class docstring.</source> + <translation>Leerzeile vor Klassendocstring eingefügt.</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="663"/> + <source>Blank line inserted after class docstring.</source> + <translation>Leerzeile nach Klassendocstring eingefügt.</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="666"/> + <source>Blank line inserted after docstring summary.</source> + <translation>Leerzeile nach Docstring Zusammenfassung eingefügt.</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="669"/> + <source>Blank line inserted after last paragraph of docstring.</source> + <translation>Leerzeile nach letztem Abschnitt des Docstring eingefügt.</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="672"/> + <source>Leading quotes put on separate line.</source> + <translation>Einleitende Anführungszeichen auf separate Zeile gesetzt.</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="675"/> + <source>Trailing quotes put on separate line.</source> + <translation>Schließende Anführungszeichen auf separate Zeile gesetzt.</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="678"/> + <source>Blank line before class docstring removed.</source> + <translation>Leerzeile vor Klassendocstring entfernt.</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="684"/> - <source>Blank line after last paragraph removed.</source> - <translation>Leerzeile nach letzten Abschnitt entfernt.</translation> + <source>Blank line after class docstring removed.</source> + <translation>Leerzeile nach Klassendocstring entfernt.</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="687"/> - <source>Tab converted to 4 spaces.</source> - <translation>Tabulator in 4 Leerzeichen gewandelt.</translation> + <source>Blank line after function/method docstring removed.</source> + <translation>Leerzeile nach Funktions-/Methodendocstring entfernt.</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="690"/> - <source>Indentation adjusted to be a multiple of four.</source> - <translation>Einrückung auf ein Vielfaches von vier korrigiert.</translation> + <source>Blank line after last paragraph removed.</source> + <translation>Leerzeile nach letzten Abschnitt entfernt.</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="693"/> - <source>Indentation of continuation line corrected.</source> - <translation>Einrückung der Fortsetzungszeile korrigiert.</translation> + <source>Tab converted to 4 spaces.</source> + <translation>Tabulator in 4 Leerzeichen gewandelt.</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="696"/> - <source>Indentation of closing bracket corrected.</source> - <translation>Einrückung der schließenden Klammer korrigiert.</translation> + <source>Indentation adjusted to be a multiple of four.</source> + <translation>Einrückung auf ein Vielfaches von vier korrigiert.</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="699"/> - <source>Missing indentation of continuation line corrected.</source> - <translation>Fehlende Einrückung der Fortsetzungszeile korrigiert.</translation> + <source>Indentation of continuation line corrected.</source> + <translation>Einrückung der Fortsetzungszeile korrigiert.</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="702"/> - <source>Closing bracket aligned to opening bracket.</source> - <translation>Schließende Klammer an öffnender Klammer ausgerichtet.</translation> + <source>Indentation of closing bracket corrected.</source> + <translation>Einrückung der schließenden Klammer korrigiert.</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="705"/> - <source>Indentation level changed.</source> - <translation>Einrückungsebene geändert.</translation> + <source>Missing indentation of continuation line corrected.</source> + <translation>Fehlende Einrückung der Fortsetzungszeile korrigiert.</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="708"/> - <source>Indentation level of hanging indentation changed.</source> - <translation>Einrückungsebene der hängenden Einrückung geändert.</translation> + <source>Closing bracket aligned to opening bracket.</source> + <translation>Schließende Klammer an öffnender Klammer ausgerichtet.</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="711"/> + <source>Indentation level changed.</source> + <translation>Einrückungsebene geändert.</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="714"/> + <source>Indentation level of hanging indentation changed.</source> + <translation>Einrückungsebene der hängenden Einrückung geändert.</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="717"/> <source>Visual indentation corrected.</source> <translation>Visuelle Einrückung korrigiert.</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="726"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="732"/> <source>Extraneous whitespace removed.</source> <translation>Überzählige Leerzeichen gelöscht.</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="723"/> - <source>Missing whitespace added.</source> - <translation>Fehlende Leerzeichen eingefügt.</translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="729"/> + <source>Missing whitespace added.</source> + <translation>Fehlende Leerzeichen eingefügt.</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="735"/> <source>Whitespace around comment sign corrected.</source> <translation>Leerzeichen um Kommentarzeichen korrigiert.</translation> </message> <message numerus="yes"> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="733"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="739"/> <source>%n blank line(s) inserted.</source> <translation> <numerusform>Eine Leerzeile eingefügt.</numerusform> @@ -3849,7 +3849,7 @@ </translation> </message> <message numerus="yes"> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="736"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="742"/> <source>%n superfluous lines removed</source> <translation> <numerusform>Eine überflüssige Zeile gelöscht</numerusform> @@ -3857,77 +3857,77 @@ </translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="740"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="746"/> <source>Superfluous blank lines removed.</source> <translation>Überflüssige Leerzeilen gelöscht.</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="743"/> - <source>Superfluous blank lines after function decorator removed.</source> - <translation>Überflüssige Leerzeilen nach Funktionsdekorator gelöscht.</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="746"/> - <source>Imports were put on separate lines.</source> - <translation>Imports wurden auf separate Zeilen verteilt.</translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="749"/> - <source>Long lines have been shortened.</source> - <translation>Lange Zeilen wurden gekürzt.</translation> + <source>Superfluous blank lines after function decorator removed.</source> + <translation>Überflüssige Leerzeilen nach Funktionsdekorator gelöscht.</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="752"/> - <source>Redundant backslash in brackets removed.</source> - <translation>Redundante Backslashes in Klammern entfernt.</translation> + <source>Imports were put on separate lines.</source> + <translation>Imports wurden auf separate Zeilen verteilt.</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="755"/> + <source>Long lines have been shortened.</source> + <translation>Lange Zeilen wurden gekürzt.</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="758"/> - <source>Compound statement corrected.</source> - <translation>Compund Statement korrigiert.</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="761"/> - <source>Comparison to None/True/False corrected.</source> - <translation>Vergleich mit None/True/False korrigiert.</translation> + <source>Redundant backslash in brackets removed.</source> + <translation>Redundante Backslashes in Klammern entfernt.</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="764"/> - <source>'{0}' argument added.</source> - <translation>'{0}' Argument hinzugefügt.</translation> + <source>Compound statement corrected.</source> + <translation>Compund Statement korrigiert.</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="767"/> - <source>'{0}' argument removed.</source> - <translation>'{0}' Argument entfernt.</translation> + <source>Comparison to None/True/False corrected.</source> + <translation>Vergleich mit None/True/False korrigiert.</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="770"/> - <source>Whitespace stripped from end of line.</source> - <translation>Leerzeichen am Zeilenende entfernt.</translation> + <source>'{0}' argument added.</source> + <translation>'{0}' Argument hinzugefügt.</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="773"/> - <source>newline added to end of file.</source> - <translation>Zeilenvorschub am Dateiende angefügt.</translation> + <source>'{0}' argument removed.</source> + <translation>'{0}' Argument entfernt.</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="776"/> - <source>Superfluous trailing blank lines removed from end of file.</source> - <translation>Überflüssige Leerzeilen am Dateiende gelöscht.</translation> + <source>Whitespace stripped from end of line.</source> + <translation>Leerzeichen am Zeilenende entfernt.</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="779"/> + <source>newline added to end of file.</source> + <translation>Zeilenvorschub am Dateiende angefügt.</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="782"/> + <source>Superfluous trailing blank lines removed from end of file.</source> + <translation>Überflüssige Leerzeilen am Dateiende gelöscht.</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="785"/> <source>'<>' replaced by '!='.</source> <translation>„<>“ durch „!=“ ersetzt.</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="783"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="789"/> <source>Could not save the file! Skipping it. Reason: {0}</source> <translation>Datei konnte nicht gespeichert werden! Ursache: {0}</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="872"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="879"/> <source> no message defined for code '{0}'</source> <translation> keine Nachricht für '{0}' definiert</translation> </message> @@ -4405,22 +4405,22 @@ <context> <name>ComplexityChecker</name> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="465"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="471"/> <source>'{0}' is too complex ({1})</source> <translation>'{0}' ist zu komplex ({1})</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="467"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="473"/> <source>source code line is too complex ({0})</source> <translation>Quelltextzeile ist zu komplex ({0})</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="469"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="475"/> <source>overall source code line complexity is too high ({0})</source> <translation>mittlere Komplexität der Quelltextzeilen is zu hoch ({0})</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="472"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="478"/> <source>{0}: {1}</source> <translation>{0}: {1}</translation> </message> @@ -7403,242 +7403,242 @@ <context> <name>DocStyleChecker</name> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="278"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="284"/> <source>module is missing a docstring</source> <translation>Modul hat keinen Docstring</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="280"/> - <source>public function/method is missing a docstring</source> - <translation>Öffentliche Funktion/Methode hat keinen Docstring</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="283"/> - <source>private function/method may be missing a docstring</source> - <translation>Private Funktion/Methode hat keinen Docstring</translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="286"/> - <source>public class is missing a docstring</source> - <translation>Öffentliche Klasse hat keinen Docstring</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="288"/> - <source>private class may be missing a docstring</source> - <translation>Private Klasse hat keinen Docstring</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="290"/> - <source>docstring not surrounded by """</source> - <translation>Docstring nicht durch """ eingeschlossen</translation> + <source>public function/method is missing a docstring</source> + <translation>Öffentliche Funktion/Methode hat keinen Docstring</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="289"/> + <source>private function/method may be missing a docstring</source> + <translation>Private Funktion/Methode hat keinen Docstring</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="292"/> - <source>docstring containing \ not surrounded by r"""</source> - <translation>Docstring, der \ enthält, nicht durch r""" eingeschlossen</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="295"/> - <source>docstring containing unicode character not surrounded by u"""</source> - <translation>Docstring, der Unicode Zeichen enthält, nicht durch u""" eingeschlossen</translation> + <source>public class is missing a docstring</source> + <translation>Öffentliche Klasse hat keinen Docstring</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="294"/> + <source>private class may be missing a docstring</source> + <translation>Private Klasse hat keinen Docstring</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="296"/> + <source>docstring not surrounded by """</source> + <translation>Docstring nicht durch """ eingeschlossen</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="298"/> + <source>docstring containing \ not surrounded by r"""</source> + <translation>Docstring, der \ enthält, nicht durch r""" eingeschlossen</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="301"/> + <source>docstring containing unicode character not surrounded by u"""</source> + <translation>Docstring, der Unicode Zeichen enthält, nicht durch u""" eingeschlossen</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="304"/> <source>one-liner docstring on multiple lines</source> <translation>einzeiliger Docstring über mehrere Zeilen</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="300"/> - <source>docstring has wrong indentation</source> - <translation>Docstring hat falsche Einrückung</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="349"/> - <source>docstring summary does not end with a period</source> - <translation>Docstring Zusammenfassung endet nicht mit einem Punkt</translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="306"/> + <source>docstring has wrong indentation</source> + <translation>Docstring hat falsche Einrückung</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="355"/> + <source>docstring summary does not end with a period</source> + <translation>Docstring Zusammenfassung endet nicht mit einem Punkt</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="312"/> <source>docstring summary is not in imperative mood (Does instead of Do)</source> <translation>Docstring Zusammenfassung nicht im Imperativ (Tut anstelle Tue)</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="310"/> - <source>docstring summary looks like a function's/method's signature</source> - <translation>Docstring Zusammenfassung scheint Funktion-/Methodensignatur zu sein</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="313"/> - <source>docstring does not mention the return value type</source> - <translation>Docstring erwähnt nicht den Typ des Rückgabewertes</translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="316"/> - <source>function/method docstring is separated by a blank line</source> - <translation>Funktions-/Methodendocstring ist durch eine Leerzeile abgetrennt</translation> + <source>docstring summary looks like a function's/method's signature</source> + <translation>Docstring Zusammenfassung scheint Funktion-/Methodensignatur zu sein</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="319"/> - <source>class docstring is not preceded by a blank line</source> - <translation>Klassendocstring hat keine führende Leerzeile</translation> + <source>docstring does not mention the return value type</source> + <translation>Docstring erwähnt nicht den Typ des Rückgabewertes</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="322"/> - <source>class docstring is not followed by a blank line</source> - <translation>Klassendocstring hat keine nachfolgende Leerzeile</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="383"/> - <source>docstring summary is not followed by a blank line</source> - <translation>Docstring Zusammenfassung hat keine folgende Leerzeile</translation> + <source>function/method docstring is separated by a blank line</source> + <translation>Funktions-/Methodendocstring ist durch eine Leerzeile abgetrennt</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="325"/> + <source>class docstring is not preceded by a blank line</source> + <translation>Klassendocstring hat keine führende Leerzeile</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="328"/> + <source>class docstring is not followed by a blank line</source> + <translation>Klassendocstring hat keine nachfolgende Leerzeile</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="389"/> + <source>docstring summary is not followed by a blank line</source> + <translation>Docstring Zusammenfassung hat keine folgende Leerzeile</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="334"/> <source>last paragraph of docstring is not followed by a blank line</source> <translation>letzter Abschnitt des Docstring hat keine folgende Leerzeile</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="336"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="342"/> <source>private function/method is missing a docstring</source> <translation>Private Funktion/Methode hat keinen Docstring</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="339"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="345"/> <source>private class is missing a docstring</source> <translation>Private Klasse hat keinen Docstring</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="343"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="349"/> <source>leading quotes of docstring not on separate line</source> <translation>einleitende Anführungszeichen nicht auf separater Zeile</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="346"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="352"/> <source>trailing quotes of docstring not on separate line</source> <translation>schließende Anführungszeichen nicht auf separater Zeile</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="353"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="359"/> <source>docstring does not contain a @return line but function/method returns something</source> <translation>Docstring enthält keine @return Zeile obwohl die Funktion/Methode etwas zurückgibt</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="357"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="363"/> <source>docstring contains a @return line but function/method doesn't return anything</source> <translation>Docstring enthält eine @return Zeile obwohl die Funktion/Methode nichts zurückgibt</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="361"/> - <source>docstring does not contain enough @param/@keyparam lines</source> - <translation>Docstring enthält nicht genügend @param/@keyparam Zeilen</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="364"/> - <source>docstring contains too many @param/@keyparam lines</source> - <translation>Docstring enthält zu viele @param/@keyparam Zeilen</translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="367"/> - <source>keyword only arguments must be documented with @keyparam lines</source> - <translation>'keyword only' Argumente müssen mit @keyparam Zeilen dokumentiert werden</translation> + <source>docstring does not contain enough @param/@keyparam lines</source> + <translation>Docstring enthält nicht genügend @param/@keyparam Zeilen</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="370"/> - <source>order of @param/@keyparam lines does not match the function/method signature</source> - <translation>Reihenfolge der @param/@keyparam Zeilen stimmt nicht mit der Funktions-/Methodensignatur überein</translation> + <source>docstring contains too many @param/@keyparam lines</source> + <translation>Docstring enthält zu viele @param/@keyparam Zeilen</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="373"/> + <source>keyword only arguments must be documented with @keyparam lines</source> + <translation>'keyword only' Argumente müssen mit @keyparam Zeilen dokumentiert werden</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="376"/> + <source>order of @param/@keyparam lines does not match the function/method signature</source> + <translation>Reihenfolge der @param/@keyparam Zeilen stimmt nicht mit der Funktions-/Methodensignatur überein</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="379"/> <source>class docstring is preceded by a blank line</source> <translation>Klassendocstring hat eine führende Leerzeile</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="375"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="381"/> <source>class docstring is followed by a blank line</source> <translation>Klassendocstring hat eine nachfolgende Leerzeile</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="377"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="383"/> <source>function/method docstring is preceded by a blank line</source> <translation>Funktions-/Methodendocstring hat eine führende Leerzeile</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="380"/> - <source>function/method docstring is followed by a blank line</source> - <translation>Funktions-/Methodendocstring hat eine nachfolgende Leerzeile</translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="386"/> + <source>function/method docstring is followed by a blank line</source> + <translation>Funktions-/Methodendocstring hat eine nachfolgende Leerzeile</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="392"/> <source>last paragraph of docstring is followed by a blank line</source> <translation>letzter Abschnitt des Docstring hat eine folgende Leerzeile</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="389"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="395"/> <source>docstring does not contain a @exception line but function/method raises an exception</source> <translation>Docstring enthält keine @exception Zeile obwohl die Funktion/Methode eine Ausnahme erzeugt</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="393"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="399"/> <source>docstring contains a @exception line but function/method doesn't raise an exception</source> <translation>Docstring enthält eine @exception Zeile obwohl die Funktion/Methode keine Ausnahme erzeugt</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="416"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="422"/> <source>{0}: {1}</source> <translation>{0}: {1}</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="302"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="308"/> <source>docstring does not contain a summary</source> <translation>Docstring enthält keine Zusammenfassung</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="351"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="357"/> <source>docstring summary does not start with '{0}'</source> <translation>Docstring Zusammenfassung beginnt nicht mit '{0}'</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="397"/> - <source>raised exception '{0}' is not documented in docstring</source> - <translation>Ausnahme '{0}' wird geworfen, ist aber nicht dokumentiert</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="400"/> - <source>documented exception '{0}' is not raised</source> - <translation>dokumentierte Ausnahme '{0}' wird nicht geworfen</translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="403"/> - <source>docstring does not contain a @signal line but class defines signals</source> - <translation>Docstring enthält keine @signal Zeile obwohl die Klasse Signale definiert</translation> + <source>raised exception '{0}' is not documented in docstring</source> + <translation>Ausnahme '{0}' wird geworfen, ist aber nicht dokumentiert</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="406"/> - <source>docstring contains a @signal line but class doesn't define signals</source> - <translation>Docstring enthält eine @signal Zeile obwohl die Klasse keine Signale definiert</translation> + <source>documented exception '{0}' is not raised</source> + <translation>dokumentierte Ausnahme '{0}' wird nicht geworfen</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="409"/> - <source>defined signal '{0}' is not documented in docstring</source> - <translation>definiertes Signal '{0}' ist nicht dokumentiert</translation> + <source>docstring does not contain a @signal line but class defines signals</source> + <translation>Docstring enthält keine @signal Zeile obwohl die Klasse Signale definiert</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="412"/> + <source>docstring contains a @signal line but class doesn't define signals</source> + <translation>Docstring enthält eine @signal Zeile obwohl die Klasse keine Signale definiert</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="415"/> + <source>defined signal '{0}' is not documented in docstring</source> + <translation>definiertes Signal '{0}' ist nicht dokumentiert</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="418"/> <source>documented signal '{0}' is not defined</source> <translation>dokumentiertes Signal '{0}' ist nicht definiert</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="341"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="347"/> <source>class docstring is still a default string</source> <translation>Klassendocstring is noch immer ein Standardstring</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="334"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="340"/> <source>function docstring is still a default string</source> <translation>Funktionsdocstring is noch immer ein Standardstring</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="332"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="338"/> <source>module docstring is still a default string</source> <translation>Moduldocstring is noch immer ein Standardstring</translation> </message> @@ -9950,427 +9950,427 @@ <context> <name>Editor</name> <message> - <location filename="../QScintilla/Editor.py" line="2946"/> + <location filename="../QScintilla/Editor.py" line="2940"/> <source>Open File</source> <translation>Datei öffnen</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="3119"/> + <location filename="../QScintilla/Editor.py" line="3113"/> <source>Save File</source> <translation>Datei sichern</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="750"/> + <location filename="../QScintilla/Editor.py" line="744"/> <source>Undo</source> <translation>Rückgängig</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="753"/> + <location filename="../QScintilla/Editor.py" line="747"/> <source>Redo</source> <translation>Wiederherstellen</translation> </message> <message> + <location filename="../QScintilla/Editor.py" line="754"/> + <source>Cut</source> + <translation>Ausschneiden</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="757"/> + <source>Copy</source> + <translation>Kopieren</translation> + </message> + <message> <location filename="../QScintilla/Editor.py" line="760"/> - <source>Cut</source> - <translation>Ausschneiden</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="763"/> - <source>Copy</source> - <translation>Kopieren</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="766"/> <source>Paste</source> <translation>Einfügen</translation> </message> <message> + <location filename="../QScintilla/Editor.py" line="768"/> + <source>Indent</source> + <translation>Einrücken</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="771"/> + <source>Unindent</source> + <translation>Einrücken rückgängig</translation> + </message> + <message> <location filename="../QScintilla/Editor.py" line="774"/> - <source>Indent</source> - <translation>Einrücken</translation> + <source>Comment</source> + <translation>Kommentar</translation> </message> <message> <location filename="../QScintilla/Editor.py" line="777"/> - <source>Unindent</source> - <translation>Einrücken rückgängig</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="780"/> - <source>Comment</source> - <translation>Kommentar</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="783"/> <source>Uncomment</source> <translation>Kommentar entfernen</translation> </message> <message> + <location filename="../QScintilla/Editor.py" line="861"/> + <source>Close</source> + <translation>Schließen</translation> + </message> + <message> <location filename="../QScintilla/Editor.py" line="867"/> - <source>Close</source> - <translation>Schließen</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="873"/> <source>Save</source> <translation>Speichern</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="876"/> + <location filename="../QScintilla/Editor.py" line="870"/> <source>Save As...</source> <translation>Speichern unter...</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="795"/> - <source>Select all</source> - <translation>Alles auswählen</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="796"/> - <source>Deselect all</source> - <translation>Auswahl aufheben</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="793"/> - <source>Select to brace</source> - <translation>Zur Klammer auswählen</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="892"/> - <source>Print</source> - <translation>Drucken</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="2502"/> - <source>Printing...</source> - <translation>Drucke...</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="2519"/> - <source>Printing completed</source> - <translation>Drucken beendet</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="2521"/> - <source>Error while printing</source> - <translation>Fehler beim Drucken</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="2524"/> - <source>Printing aborted</source> - <translation>Drucken abgebrochen</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="6681"/> - <source>File changed</source> - <translation>Datei geändert</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="939"/> - <source>Check</source> - <translation>Prüfen</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="2886"/> - <source>File Modified</source> - <translation>Datei geändert</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="961"/> - <source>Code metrics...</source> - <translation>Quelltextmetriken...</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="962"/> - <source>Code coverage...</source> - <translation>Quelltext Abdeckung...</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="970"/> - <source>Profile data...</source> - <translation>Profildaten...</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="959"/> - <source>Show</source> - <translation>Zeige</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="786"/> - <source>Stream Comment</source> - <translation>Stream Kommentar</translation> - </message> - <message> <location filename="../QScintilla/Editor.py" line="789"/> + <source>Select all</source> + <translation>Alles auswählen</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="790"/> + <source>Deselect all</source> + <translation>Auswahl aufheben</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="787"/> + <source>Select to brace</source> + <translation>Zur Klammer auswählen</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="886"/> + <source>Print</source> + <translation>Drucken</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="2496"/> + <source>Printing...</source> + <translation>Drucke...</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="2513"/> + <source>Printing completed</source> + <translation>Drucken beendet</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="2515"/> + <source>Error while printing</source> + <translation>Fehler beim Drucken</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="2518"/> + <source>Printing aborted</source> + <translation>Drucken abgebrochen</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="6675"/> + <source>File changed</source> + <translation>Datei geändert</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="933"/> + <source>Check</source> + <translation>Prüfen</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="2880"/> + <source>File Modified</source> + <translation>Datei geändert</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="955"/> + <source>Code metrics...</source> + <translation>Quelltextmetriken...</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="956"/> + <source>Code coverage...</source> + <translation>Quelltext Abdeckung...</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="964"/> + <source>Profile data...</source> + <translation>Profildaten...</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="953"/> + <source>Show</source> + <translation>Zeige</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="780"/> + <source>Stream Comment</source> + <translation>Stream Kommentar</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="783"/> <source>Box Comment</source> <translation>Box Kommentar</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1816"/> + <location filename="../QScintilla/Editor.py" line="1810"/> <source>Modification of Read Only file</source> <translation>Änderungsversuch für eine schreibgeschützte Datei</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1816"/> + <location filename="../QScintilla/Editor.py" line="1810"/> <source>You are attempting to change a read only file. Please save to a different file first.</source> <translation>Sie versuchen, eine schreibgeschützte Datei zu ändern. Bitte speichern Sie sie zuerst in eine andere Datei.</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1009"/> + <location filename="../QScintilla/Editor.py" line="1003"/> <source>Languages</source> <translation>Sprachen</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="756"/> + <location filename="../QScintilla/Editor.py" line="750"/> <source>Revert to last saved state</source> <translation>Zurück zum letzten gesichert Zustand</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6400"/> + <location filename="../QScintilla/Editor.py" line="6394"/> <source>Macro Name</source> <translation>Makro Name</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6400"/> + <location filename="../QScintilla/Editor.py" line="6394"/> <source>Select a macro name:</source> <translation>Wähle einen Makro Namen:</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6471"/> + <location filename="../QScintilla/Editor.py" line="6465"/> <source>Macro files (*.macro)</source> <translation>Makrodateien (*.macro)</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6428"/> + <location filename="../QScintilla/Editor.py" line="6422"/> <source>Load macro file</source> <translation>Lade Makrodatei</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6451"/> + <location filename="../QScintilla/Editor.py" line="6445"/> <source>Error loading macro</source> <translation>Fehler beim Makro Laden</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6471"/> + <location filename="../QScintilla/Editor.py" line="6465"/> <source>Save macro file</source> <translation>Makrodatei schreiben</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6488"/> + <location filename="../QScintilla/Editor.py" line="6482"/> <source>Save macro</source> <translation>Makro speichern</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6504"/> + <location filename="../QScintilla/Editor.py" line="6498"/> <source>Error saving macro</source> <translation>Fehler beim Makro speichern</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6517"/> + <location filename="../QScintilla/Editor.py" line="6511"/> <source>Start Macro Recording</source> <translation>Makroaufzeichnung starten</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6543"/> + <location filename="../QScintilla/Editor.py" line="6537"/> <source>Macro Recording</source> <translation>Makroaufzeichnung</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6543"/> + <location filename="../QScintilla/Editor.py" line="6537"/> <source>Enter name of the macro:</source> <translation>Gib einen Namen für das Makro ein:</translation> </message> <message> + <location filename="../QScintilla/Editor.py" line="1150"/> + <source>Toggle bookmark</source> + <translation>Lesezeichen setzen/löschen</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="1152"/> + <source>Next bookmark</source> + <translation>Nächstes Lesezeichen</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="1154"/> + <source>Previous bookmark</source> + <translation>Vorheriges Lesezeichen</translation> + </message> + <message> <location filename="../QScintilla/Editor.py" line="1156"/> - <source>Toggle bookmark</source> - <translation>Lesezeichen setzen/löschen</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1158"/> - <source>Next bookmark</source> - <translation>Nächstes Lesezeichen</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1160"/> - <source>Previous bookmark</source> - <translation>Vorheriges Lesezeichen</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1162"/> <source>Clear all bookmarks</source> <translation>Alle Lesezeichen löschen</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1171"/> + <location filename="../QScintilla/Editor.py" line="1165"/> <source>Toggle breakpoint</source> <translation>Haltepunkt setzen/löschen</translation> </message> <message> + <location filename="../QScintilla/Editor.py" line="1175"/> + <source>Next breakpoint</source> + <translation>Nächster Haltepunkt</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="1178"/> + <source>Previous breakpoint</source> + <translation>Vorheriger Haltepunkt</translation> + </message> + <message> <location filename="../QScintilla/Editor.py" line="1181"/> - <source>Next breakpoint</source> - <translation>Nächster Haltepunkt</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1184"/> - <source>Previous breakpoint</source> - <translation>Vorheriger Haltepunkt</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1187"/> <source>Clear all breakpoints</source> <translation>Alle Haltepunkte löschen</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1176"/> + <location filename="../QScintilla/Editor.py" line="1170"/> <source>Edit breakpoint...</source> <translation>Haltepunkt bearbeiten...</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="5316"/> + <location filename="../QScintilla/Editor.py" line="5310"/> <source>Enable breakpoint</source> <translation>Haltepunkt aktivieren</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="5319"/> + <location filename="../QScintilla/Editor.py" line="5313"/> <source>Disable breakpoint</source> <translation>Haltepunkt deaktivieren</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="5676"/> + <location filename="../QScintilla/Editor.py" line="5670"/> <source>Code Coverage</source> <translation>Quelltext Abdeckung</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="5676"/> + <location filename="../QScintilla/Editor.py" line="5670"/> <source>Please select a coverage file</source> <translation>Bitte wählen Sie eine Datei mit Abdeckungsdaten</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="5854"/> + <location filename="../QScintilla/Editor.py" line="5848"/> <source>Profile Data</source> <translation>Profildaten</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="5854"/> + <location filename="../QScintilla/Editor.py" line="5848"/> <source>Please select a profile file</source> <translation>Bitte wählen Sie eine Datei mit Profildaten</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="4522"/> + <location filename="../QScintilla/Editor.py" line="4516"/> <source>Autocompletion</source> <translation>Automatische Vervollständigung</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="4522"/> + <location filename="../QScintilla/Editor.py" line="4516"/> <source>Autocompletion is not available because there is no autocompletion source set.</source> <translation>Die automatische Vervollständigung ist nicht verfügbar, da keine Quelle gesetzt ist.</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="819"/> + <location filename="../QScintilla/Editor.py" line="813"/> <source>Use Monospaced Font</source> <translation>Benutze Monospace Font</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="812"/> + <location filename="../QScintilla/Editor.py" line="806"/> <source>Shorten empty lines</source> <translation>Leere Zeilen verkürzen</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1230"/> + <location filename="../QScintilla/Editor.py" line="1224"/> <source>Goto syntax error</source> <translation>Zu Syntaxfehler gehen</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1237"/> + <location filename="../QScintilla/Editor.py" line="1231"/> <source>Clear syntax error</source> <translation>Syntaxfehler löschen</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="824"/> + <location filename="../QScintilla/Editor.py" line="818"/> <source>Autosave enabled</source> <translation>Autom. Speicherung aktiv</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6985"/> + <location filename="../QScintilla/Editor.py" line="6979"/> <source>Drop Error</source> <translation>Drop Fehler</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1233"/> + <location filename="../QScintilla/Editor.py" line="1227"/> <source>Show syntax error message</source> <translation>Zeige Syntaxfehlermeldung</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6014"/> + <location filename="../QScintilla/Editor.py" line="6008"/> <source>Syntax Error</source> <translation>Syntaxfehler</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6014"/> + <location filename="../QScintilla/Editor.py" line="6008"/> <source>No syntax error message available.</source> <translation>Keine Syntaxfehlermeldung verfügbar.</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1173"/> + <location filename="../QScintilla/Editor.py" line="1167"/> <source>Toggle temporary breakpoint</source> <translation>Temporären Haltepunkt setzen/löschen</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="964"/> + <location filename="../QScintilla/Editor.py" line="958"/> <source>Show code coverage annotations</source> <translation>Markiere Zeilen ohne Abdeckung</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="967"/> + <location filename="../QScintilla/Editor.py" line="961"/> <source>Hide code coverage annotations</source> <translation>Lösche Abdeckungsmarkierungen</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1254"/> + <location filename="../QScintilla/Editor.py" line="1248"/> <source>Next uncovered line</source> <translation>Nächste nichtabgedeckte Zeile</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1257"/> + <location filename="../QScintilla/Editor.py" line="1251"/> <source>Previous uncovered line</source> <translation>Vorige nichtabgedeckte Zeile</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="5739"/> + <location filename="../QScintilla/Editor.py" line="5733"/> <source>Show Code Coverage Annotations</source> <translation>Zeilen ohne Abdeckung Markieren</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="5732"/> + <location filename="../QScintilla/Editor.py" line="5726"/> <source>All lines have been covered.</source> <translation>Alle Zeilen sind abgedeckt.</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="5739"/> + <location filename="../QScintilla/Editor.py" line="5733"/> <source>There is no coverage file available.</source> <translation>Es gibt keine Datei mit Abdeckungsinformationen.</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="2886"/> + <location filename="../QScintilla/Editor.py" line="2880"/> <source><p>The file <b>{0}</b> has unsaved changes.</p></source> <translation><p>Die Datei <b>{0}</b> enthält ungesicherte Änderungen.</p></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6442"/> + <location filename="../QScintilla/Editor.py" line="6436"/> <source><p>The macro file <b>{0}</b> could not be read.</p></source> <translation><p>Die Makrodatei <b>{0}</b> kann nicht gelesen werden.</p></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6451"/> + <location filename="../QScintilla/Editor.py" line="6445"/> <source><p>The macro file <b>{0}</b> is corrupt.</p></source> <translation><p>Die Makrodatei <b>{0}</b> ist zerstört.</p></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6504"/> + <location filename="../QScintilla/Editor.py" line="6498"/> <source><p>The macro file <b>{0}</b> could not be written.</p></source> <translation><p>Die Makrodatei <b>{0}</b> kann nicht geschrieben werden.</p></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6985"/> + <location filename="../QScintilla/Editor.py" line="6979"/> <source><p><b>{0}</b> is not a file.</p></source> <translation><p><b>{0}</b> ist keine Datei.</p></translation> </message> @@ -10380,177 +10380,177 @@ <translation><p>Die Größe der Datei <b>{0}</b> ist <b>{1} KB<7B>. Soll sie wirklich geladen werden?</p></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="983"/> + <location filename="../QScintilla/Editor.py" line="977"/> <source>Diagrams</source> <translation>Diagramme</translation> </message> <message> + <location filename="../QScintilla/Editor.py" line="979"/> + <source>Class Diagram...</source> + <translation>Klassendiagramm...</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="981"/> + <source>Package Diagram...</source> + <translation>Package Diagramm...</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="983"/> + <source>Imports Diagram...</source> + <translation>Imports-Diagramm...</translation> + </message> + <message> <location filename="../QScintilla/Editor.py" line="985"/> - <source>Class Diagram...</source> - <translation>Klassendiagramm...</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="987"/> - <source>Package Diagram...</source> - <translation>Package Diagramm...</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="989"/> - <source>Imports Diagram...</source> - <translation>Imports-Diagramm...</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="991"/> <source>Application Diagram...</source> <translation>Applikations-Diagramm...</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1012"/> + <location filename="../QScintilla/Editor.py" line="1006"/> <source>No Language</source> <translation>Keine Sprache</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6845"/> + <location filename="../QScintilla/Editor.py" line="6839"/> <source>{0} (ro)</source> <translation>{0} (ro)</translation> </message> <message> + <location filename="../QScintilla/Editor.py" line="7000"/> + <source>Resources</source> + <translation>Ressourcen</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="7002"/> + <source>Add file...</source> + <translation>Datei hinzufügen...</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="7004"/> + <source>Add files...</source> + <translation>Dateien hinzufügen...</translation> + </message> + <message> <location filename="../QScintilla/Editor.py" line="7006"/> - <source>Resources</source> - <translation>Ressourcen</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="7008"/> - <source>Add file...</source> - <translation>Datei hinzufügen...</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="7010"/> - <source>Add files...</source> - <translation>Dateien hinzufügen...</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="7012"/> <source>Add aliased file...</source> <translation>Aliased-Datei hinzufügen...</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7015"/> + <location filename="../QScintilla/Editor.py" line="7009"/> <source>Add localized resource...</source> <translation>Lokalisierte Ressource hinzufügen...</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7038"/> + <location filename="../QScintilla/Editor.py" line="7032"/> <source>Add file resource</source> <translation>Dateiressource hinzufügen</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7054"/> + <location filename="../QScintilla/Editor.py" line="7048"/> <source>Add file resources</source> <translation>Dateiressourcen hinzufügen</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7082"/> + <location filename="../QScintilla/Editor.py" line="7076"/> <source>Add aliased file resource</source> <translation>Aliased-Dateiressourcen hinzufügen</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7082"/> + <location filename="../QScintilla/Editor.py" line="7076"/> <source>Alias for file <b>{0}</b>:</source> <translation>Alias für Datei <b>{0}</b>:</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7146"/> + <location filename="../QScintilla/Editor.py" line="7140"/> <source>Package Diagram</source> <translation>Package-Diagramm</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7146"/> + <location filename="../QScintilla/Editor.py" line="7140"/> <source>Include class attributes?</source> <translation>Klassenattribute anzeigen?</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7180"/> + <location filename="../QScintilla/Editor.py" line="7174"/> <source>Application Diagram</source> <translation>Applikations-Diagramm</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7180"/> + <location filename="../QScintilla/Editor.py" line="7174"/> <source>Include module names?</source> <translation>Modulnamen anzeigen?</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7019"/> + <location filename="../QScintilla/Editor.py" line="7013"/> <source>Add resource frame</source> <translation>Ressourcenrahmen hinzufügen</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6517"/> + <location filename="../QScintilla/Editor.py" line="6511"/> <source>Macro recording is already active. Start new?</source> <translation>Eine Makroaufzeichnung ist bereits aktiv. Neu starten?</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1261"/> + <location filename="../QScintilla/Editor.py" line="1255"/> <source>Next task</source> <translation>Nächste Aufgabe</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1264"/> + <location filename="../QScintilla/Editor.py" line="1258"/> <source>Previous task</source> <translation>Vorherige Aufgabe</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="921"/> + <location filename="../QScintilla/Editor.py" line="915"/> <source>Complete from Document</source> <translation>Vervollständigung vom Dokument</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="923"/> + <location filename="../QScintilla/Editor.py" line="917"/> <source>Complete from APIs</source> <translation>Vervollständigung von APIs</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="925"/> + <location filename="../QScintilla/Editor.py" line="919"/> <source>Complete from Document and APIs</source> <translation>Vervollständigung vom Dokument und von APIs</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1134"/> + <location filename="../QScintilla/Editor.py" line="1128"/> <source>Export as</source> <translation>Exportieren als</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1309"/> + <location filename="../QScintilla/Editor.py" line="1303"/> <source>Export source</source> <translation>Quelltext exportieren</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1301"/> + <location filename="../QScintilla/Editor.py" line="1295"/> <source><p>No exporter available for the export format <b>{0}</b>. Aborting...</p></source> <translation><p>Für das Exportformat <b>{0}</b> steht kein Exporter zur Verfügung. Abbruch...</p></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1309"/> + <location filename="../QScintilla/Editor.py" line="1303"/> <source>No export format given. Aborting...</source> <translation>Kein Exportformat angegeben. Abbruch...</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7166"/> + <location filename="../QScintilla/Editor.py" line="7160"/> <source>Imports Diagram</source> <translation>Imports Diagramm</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7166"/> + <location filename="../QScintilla/Editor.py" line="7160"/> <source>Include imports from external modules?</source> <translation>Imports externer Module anzeigen?</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="843"/> + <location filename="../QScintilla/Editor.py" line="837"/> <source>Calltip</source> <translation>Calltip</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="889"/> + <location filename="../QScintilla/Editor.py" line="883"/> <source>Print Preview</source> <translation>Druckvorschau</translation> </message> @@ -10560,312 +10560,312 @@ <translation><b>Quelltexteditorfenster</b><p>Dieses Fenster wird zum Bearbeiten von Quelltexten benutzt. Sie können beliebig viele dieser Fenster öffnen. Der Name der Datei wird im Titel des Fensters dargestellt.</p><p>Um Haltepunkte zu setzen, klicken sie in den Raum zwischen den Zeilennummern und der Faltungsspalte. Über das Kontextmenü des Bereiches links des Editors können Haltepunkte bearbeitet werden.</p><p>Um Lesezeichen zu setzen, drücken Sie die Shift-Taste und klicken in den Raum zwischen den Zeilennummern und der Faltungsspalte.</p><p>Diese Aktionen können über das Kontextmenü umgedreht werden.</p><p>Ein Klick auf einen Syntaxfehler-Marker mit gedrückter Strg-Taste zeigt die zugehörige Fehlermeldung an.</p></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="828"/> + <location filename="../QScintilla/Editor.py" line="822"/> <source>Typing aids enabled</source> <translation>Eingabehilfen aktiv</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1098"/> + <location filename="../QScintilla/Editor.py" line="1092"/> <source>End-of-Line Type</source> <translation>Zeilenendemarkierung</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1102"/> + <location filename="../QScintilla/Editor.py" line="1096"/> <source>Unix</source> <translation>Unix</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1109"/> + <location filename="../QScintilla/Editor.py" line="1103"/> <source>Windows</source> <translation>Windows</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1116"/> + <location filename="../QScintilla/Editor.py" line="1110"/> <source>Macintosh</source> <translation>Macintosh</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1057"/> + <location filename="../QScintilla/Editor.py" line="1051"/> <source>Encodings</source> <translation>Kodierungen</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1037"/> + <location filename="../QScintilla/Editor.py" line="1031"/> <source>Guessed</source> <translation>Ermittelt</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1324"/> + <location filename="../QScintilla/Editor.py" line="1318"/> <source>Alternatives</source> <translation>Alternativen</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1320"/> + <location filename="../QScintilla/Editor.py" line="1314"/> <source>Alternatives ({0})</source> <translation>Alternativen ({0})</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1340"/> + <location filename="../QScintilla/Editor.py" line="1334"/> <source>Pygments Lexer</source> <translation>Pygments Lexer</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1340"/> + <location filename="../QScintilla/Editor.py" line="1334"/> <source>Select the Pygments lexer to apply.</source> <translation>Wähle den anzuwendenden Pygments Lexer.</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7473"/> + <location filename="../QScintilla/Editor.py" line="7467"/> <source>Check spelling...</source> <translation>Rechtschreibprüfung...</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="804"/> + <location filename="../QScintilla/Editor.py" line="798"/> <source>Check spelling of selection...</source> <translation>Rechtschreibprüfung für Auswahl...</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7476"/> + <location filename="../QScintilla/Editor.py" line="7470"/> <source>Add to dictionary</source> <translation>Zum Wörterbuch hinzufügen</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7478"/> + <location filename="../QScintilla/Editor.py" line="7472"/> <source>Ignore All</source> <translation>Alle ignorieren</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="808"/> + <location filename="../QScintilla/Editor.py" line="802"/> <source>Remove from dictionary</source> <translation>Aus dem Wörterbuch entfernen</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="2946"/> + <location filename="../QScintilla/Editor.py" line="2940"/> <source><p>The file <b>{0}</b> could not be opened.</p><p>Reason: {1}</p></source> <translation><p>Die Datei <b>{0}</b> konnte nicht geöffnet werden.<br />Ursache: {1}</p></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="3060"/> + <location filename="../QScintilla/Editor.py" line="3054"/> <source><p>The file <b>{0}</b> could not be saved.<br/>Reason: {1}</p></source> <translation><p>Die Datei <b>{0}</b> konnte nicht gesichert werden.<br/>Grund: {1}</p></translation> </message> <message> + <location filename="../QScintilla/Editor.py" line="1235"/> + <source>Next warning</source> + <translation>Nächste Warnung</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="1238"/> + <source>Previous warning</source> + <translation>Vorherige Warnung</translation> + </message> + <message> <location filename="../QScintilla/Editor.py" line="1241"/> - <source>Next warning</source> - <translation>Nächste Warnung</translation> + <source>Show warning message</source> + <translation>Zeige Warnung</translation> </message> <message> <location filename="../QScintilla/Editor.py" line="1244"/> - <source>Previous warning</source> - <translation>Vorherige Warnung</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1247"/> - <source>Show warning message</source> - <translation>Zeige Warnung</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1250"/> <source>Clear warnings</source> <translation>Warnungen löschen</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="3119"/> + <location filename="../QScintilla/Editor.py" line="3113"/> <source><p>The file <b>{0}</b> already exists. Overwrite it?</p></source> <translation><p>Die Datei <b>{0}</b> existiert bereits. Überschreiben?</p></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6488"/> + <location filename="../QScintilla/Editor.py" line="6482"/> <source><p>The macro file <b>{0}</b> already exists. Overwrite it?</p></source> <translation><p>Die Makrodatei <b>{0}</b> existiert bereits. Überschreiben?</p></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6290"/> + <location filename="../QScintilla/Editor.py" line="6284"/> <source>Warning: {0}</source> <translation>Warnung: {0}</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6297"/> + <location filename="../QScintilla/Editor.py" line="6291"/> <source>Error: {0}</source> <translation>Fehler: {0}</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6677"/> + <location filename="../QScintilla/Editor.py" line="6671"/> <source><br><b>Warning:</b> You will lose your changes upon reopening it.</source> <translation><br><b>Warnung:</b> Vorgenommenen Änderungen gehen beim neu einlesen verloren.</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="885"/> + <location filename="../QScintilla/Editor.py" line="879"/> <source>Open 'rejection' file</source> <translation>Öffne „Ablehnungs“-Datei</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="995"/> + <location filename="../QScintilla/Editor.py" line="989"/> <source>Load Diagram...</source> <translation>Diagramm laden...</translation> </message> <message> + <location filename="../QScintilla/Editor.py" line="1262"/> + <source>Next change</source> + <translation>Nächste Änderung</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="1265"/> + <source>Previous change</source> + <translation>Vorherige Änderung</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="7884"/> + <source>Sort Lines</source> + <translation>Zeilen sortieren</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="7884"/> + <source>The selection contains illegal data for a numerical sort.</source> + <translation>Die Auswahl enthält für eine numerische Sortierung ungültige Daten.</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="6220"/> + <source>Warning</source> + <translation>Warnung</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="6220"/> + <source>No warning messages available.</source> + <translation>Keine Warnmeldungen verfügbar.</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="6281"/> + <source>Style: {0}</source> + <translation>Stil: {0}</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="853"/> + <source>New Document View</source> + <translation>Neue Dokumentenansicht</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="856"/> + <source>New Document View (with new split)</source> + <translation>Neue Dokumentenansicht (in neuem Abschnitt)</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="943"/> + <source>Tools</source> + <translation>Werkzeuge</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="1073"/> + <source>Re-Open With Encoding</source> + <translation>Öffnen mit Kodierung</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="6665"/> + <source><p>The file <b>{0}</b> has been changed while it was opened in eric6. Reread it?</p></source> + <translation><p>Die Datei <b>{0}</b> wurde geändert, während sie in eric6 geöffnet war. Neu einlesen?</p></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="829"/> + <source>Automatic Completion enabled</source> + <translation>Automatische Vervollständigung aktiv</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="909"/> + <source>Complete</source> + <translation>Vervollständigen</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="4641"/> + <source>Auto-Completion Provider</source> + <translation>Provider für automatische Vervollständigungen</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="4641"/> + <source>The completion list provider '{0}' was already registered. Ignoring duplicate request.</source> + <translation>Der Provider für automatische Vervollständigungen namens '{0}' ist bereits registriert. Die Wiederholung wird ignoriert.</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="4895"/> + <source>Call-Tips Provider</source> + <translation>Calltipps-Provider</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="4895"/> + <source>The call-tips provider '{0}' was already registered. Ignoring duplicate request.</source> + <translation>Der Calltipps-Provider namens '{0}' ist bereits registriert. Die Wiederholung wird ignoriert.</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="7971"/> + <source>Register Mouse Click Handler</source> + <translation>Maus Klick Handler registrieren</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="7971"/> + <source>A mouse click handler for "{0}" was already registered by "{1}". Aborting request by "{2}"...</source> + <translation>Ein Maus Klick Handler für "{0}" wurde bereits durch "{1}" registriert. Die Anfrage durch "{2}" wird abgebrochen...</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="873"/> + <source>Save Copy...</source> + <translation>Kopie speichern...</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="912"/> + <source>Clear Completions Cache</source> + <translation>Vervollständigungsspeicher löschen</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="839"/> + <source>Code Info</source> + <translation>Code Info</translation> + </message> + <message> <location filename="../QScintilla/Editor.py" line="1268"/> - <source>Next change</source> - <translation>Nächste Änderung</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1271"/> - <source>Previous change</source> - <translation>Vorherige Änderung</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="7890"/> - <source>Sort Lines</source> - <translation>Zeilen sortieren</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="7890"/> - <source>The selection contains illegal data for a numerical sort.</source> - <translation>Die Auswahl enthält für eine numerische Sortierung ungültige Daten.</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="6226"/> - <source>Warning</source> - <translation>Warnung</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="6226"/> - <source>No warning messages available.</source> - <translation>Keine Warnmeldungen verfügbar.</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="6287"/> - <source>Style: {0}</source> - <translation>Stil: {0}</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="859"/> - <source>New Document View</source> - <translation>Neue Dokumentenansicht</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="862"/> - <source>New Document View (with new split)</source> - <translation>Neue Dokumentenansicht (in neuem Abschnitt)</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="949"/> - <source>Tools</source> - <translation>Werkzeuge</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1079"/> - <source>Re-Open With Encoding</source> - <translation>Öffnen mit Kodierung</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="6671"/> - <source><p>The file <b>{0}</b> has been changed while it was opened in eric6. Reread it?</p></source> - <translation><p>Die Datei <b>{0}</b> wurde geändert, während sie in eric6 geöffnet war. Neu einlesen?</p></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="835"/> - <source>Automatic Completion enabled</source> - <translation>Automatische Vervollständigung aktiv</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="915"/> - <source>Complete</source> - <translation>Vervollständigen</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="4647"/> - <source>Auto-Completion Provider</source> - <translation>Provider für automatische Vervollständigungen</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="4647"/> - <source>The completion list provider '{0}' was already registered. Ignoring duplicate request.</source> - <translation>Der Provider für automatische Vervollständigungen namens '{0}' ist bereits registriert. Die Wiederholung wird ignoriert.</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="4901"/> - <source>Call-Tips Provider</source> - <translation>Calltipps-Provider</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="4901"/> - <source>The call-tips provider '{0}' was already registered. Ignoring duplicate request.</source> - <translation>Der Calltipps-Provider namens '{0}' ist bereits registriert. Die Wiederholung wird ignoriert.</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="7977"/> - <source>Register Mouse Click Handler</source> - <translation>Maus Klick Handler registrieren</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="7977"/> - <source>A mouse click handler for "{0}" was already registered by "{1}". Aborting request by "{2}"...</source> - <translation>Ein Maus Klick Handler für "{0}" wurde bereits durch "{1}" registriert. Die Anfrage durch "{2}" wird abgebrochen...</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="879"/> - <source>Save Copy...</source> - <translation>Kopie speichern...</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="918"/> - <source>Clear Completions Cache</source> - <translation>Vervollständigungsspeicher löschen</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="845"/> - <source>Code Info</source> - <translation>Code Info</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1274"/> <source>Clear changes</source> <translation>Änderungsmarker löschen</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="770"/> + <location filename="../QScintilla/Editor.py" line="764"/> <source>Execute Selection In Console</source> <translation>Auswahl in Konsole ausführen</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="8098"/> + <location filename="../QScintilla/Editor.py" line="8092"/> <source>EditorConfig Properties</source> <translation>EditorConfig Eigenschaften</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="8098"/> + <location filename="../QScintilla/Editor.py" line="8092"/> <source><p>The EditorConfig properties for file <b>{0}</b> could not be loaded.</p></source> <translation><p>Die EditorConfig Eigenschaften für die Datei <b>{0}</b> konnten nicht geladen werden.</p></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1197"/> + <location filename="../QScintilla/Editor.py" line="1191"/> <source>Toggle all folds</source> <translation>Alle Faltungen umschalten</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1201"/> + <location filename="../QScintilla/Editor.py" line="1195"/> <source>Toggle all folds (including children)</source> <translation>Alle Faltungen umschalten (inkl. Unterfaltungen)</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1205"/> + <location filename="../QScintilla/Editor.py" line="1199"/> <source>Toggle current fold</source> <translation>Aktuelle Faltung umschalten</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1210"/> + <location filename="../QScintilla/Editor.py" line="1204"/> <source>Expand (including children)</source> <translation>Ausklappen (inkl. Unterfaltungen)</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1214"/> + <location filename="../QScintilla/Editor.py" line="1208"/> <source>Collapse (including children)</source> <translation>Einklappen (inkl. Unterfaltungen)</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1219"/> + <location filename="../QScintilla/Editor.py" line="1213"/> <source>Clear all folds</source> <translation>Alle Faltungen aufklappen</translation> </message> @@ -45604,12 +45604,12 @@ <translation><b>Kopie speichern</b><p>Speichern einer Kopie des Inhalts des aktuellen Editorfensters. Die Datei kann mit einem Dateiauswahldialog eingegeben werden.</p></translation> </message> <message> - <location filename="../QScintilla/MiniEditor.py" line="3401"/> + <location filename="../QScintilla/MiniEditor.py" line="3405"/> <source>EditorConfig Properties</source> <translation>EditorConfig Eigenschaften</translation> </message> <message> - <location filename="../QScintilla/MiniEditor.py" line="3401"/> + <location filename="../QScintilla/MiniEditor.py" line="3405"/> <source><p>The EditorConfig properties for file <b>{0}</b> could not be loaded.</p></source> <translation><p>Die EditorConfig Eigenschaften für die Datei <b>{0}</b> konnten nicht geladen werden.</p></translation> </message> @@ -45622,252 +45622,252 @@ <context> <name>MiscellaneousChecker</name> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="476"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="482"/> <source>coding magic comment not found</source> <translation>Kodierungskommentar nicht gefunden</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="479"/> - <source>unknown encoding ({0}) found in coding magic comment</source> - <translation>Unzulässige Kodierung ({0}) im Kodierungskommentar gefunden</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="482"/> - <source>copyright notice not present</source> - <translation>Copyrightvermerk nicht gefunden</translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="485"/> + <source>unknown encoding ({0}) found in coding magic comment</source> + <translation>Unzulässige Kodierung ({0}) im Kodierungskommentar gefunden</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="488"/> + <source>copyright notice not present</source> + <translation>Copyrightvermerk nicht gefunden</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="491"/> <source>copyright notice contains invalid author</source> <translation>Copyrightvermerk enthält ungültigen Autor</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="562"/> - <source>found {0} formatter</source> - <translation>{0} Format gefunden</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="565"/> - <source>format string does contain unindexed parameters</source> - <translation>Formatstring enthält nicht indizierte Parameter</translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="568"/> - <source>docstring does contain unindexed parameters</source> - <translation>Dokumentationsstring enthält nicht indizierte Parameter</translation> + <source>found {0} formatter</source> + <translation>{0} Format gefunden</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="571"/> - <source>other string does contain unindexed parameters</source> - <translation>Anderer String enthält nicht indizierte Parameter</translation> + <source>format string does contain unindexed parameters</source> + <translation>Formatstring enthält nicht indizierte Parameter</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="574"/> - <source>format call uses too large index ({0})</source> - <translation>Format Aufruf enthält zu großen Index ({0})</translation> + <source>docstring does contain unindexed parameters</source> + <translation>Dokumentationsstring enthält nicht indizierte Parameter</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="577"/> - <source>format call uses missing keyword ({0})</source> - <translation>Format Aufruf verwendet fehlendes Schlüsselwort ({0})</translation> + <source>other string does contain unindexed parameters</source> + <translation>Anderer String enthält nicht indizierte Parameter</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="580"/> - <source>format call uses keyword arguments but no named entries</source> - <translation>Format Aufruf verwendet Schlüsselwort Argumente, enthält aber keine benannten Einträge</translation> + <source>format call uses too large index ({0})</source> + <translation>Format Aufruf enthält zu großen Index ({0})</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="583"/> - <source>format call uses variable arguments but no numbered entries</source> - <translation>Format Aufruf verwendet variable argumente, enthält aber keine nummerierten Einträge</translation> + <source>format call uses missing keyword ({0})</source> + <translation>Format Aufruf verwendet fehlendes Schlüsselwort ({0})</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="586"/> - <source>format call uses implicit and explicit indexes together</source> - <translation>Format Aufruf verwendet sowohl implizite als auch explizite Indizes</translation> + <source>format call uses keyword arguments but no named entries</source> + <translation>Format Aufruf verwendet Schlüsselwort Argumente, enthält aber keine benannten Einträge</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="589"/> - <source>format call provides unused index ({0})</source> - <translation>Format Aufruf verwendet ungenutzten Index ({0})</translation> + <source>format call uses variable arguments but no numbered entries</source> + <translation>Format Aufruf verwendet variable argumente, enthält aber keine nummerierten Einträge</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="592"/> + <source>format call uses implicit and explicit indexes together</source> + <translation>Format Aufruf verwendet sowohl implizite als auch explizite Indizes</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="595"/> + <source>format call provides unused index ({0})</source> + <translation>Format Aufruf verwendet ungenutzten Index ({0})</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="598"/> <source>format call provides unused keyword ({0})</source> <translation>Format Aufruf verwendet ungenutztes Schlüsselwort ({0})</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="610"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="616"/> <source>expected these __future__ imports: {0}; but only got: {1}</source> <translation>erwartete __future__ Imports: {0}; aber nur {1} gefunden</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="613"/> - <source>expected these __future__ imports: {0}; but got none</source> - <translation>erwartete __future__ Imports: {0}; jedoch keine gefunden</translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="619"/> + <source>expected these __future__ imports: {0}; but got none</source> + <translation>erwartete __future__ Imports: {0}; jedoch keine gefunden</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="625"/> <source>print statement found</source> <translation>print Statement gefunden</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="622"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="628"/> <source>one element tuple found</source> <translation>Tuple mit einem Element gefunden</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="634"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="640"/> <source>{0}: {1}</source> <translation>{0}: {1}</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="488"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="494"/> <source>"{0}" is a Python builtin and is being shadowed; consider renaming the variable</source> <translation>"{0}" ist ein Python Builtin und wird verdeckt; die Variable sollte umbenannt werden</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="492"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="498"/> <source>"{0}" is used as an argument and thus shadows a Python builtin; consider renaming the argument</source> <translation>"{0}" wird als Parameter verwendet und verdeckt ein Python Builtin; der Parameter sollte umbenannt werden</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="496"/> - <source>unnecessary generator - rewrite as a list comprehension</source> - <translation>unnötiger Generator - in List Comprehension umwandeln</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="499"/> - <source>unnecessary generator - rewrite as a set comprehension</source> - <translation>unnötiger Generator - in Set Comprehension umwandeln</translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="502"/> - <source>unnecessary generator - rewrite as a dict comprehension</source> - <translation>unnötiger Generator - in Dict Comprehension umwandeln</translation> + <source>unnecessary generator - rewrite as a list comprehension</source> + <translation>unnötiger Generator - in List Comprehension umwandeln</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="505"/> - <source>unnecessary list comprehension - rewrite as a set comprehension</source> - <translation>unnötige List Comprehension - in eine Set Comprehension umwandeln</translation> + <source>unnecessary generator - rewrite as a set comprehension</source> + <translation>unnötiger Generator - in Set Comprehension umwandeln</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="508"/> - <source>unnecessary list comprehension - rewrite as a dict comprehension</source> - <translation>unnötige List Comprehension - in eine Dict Comprehension umwandeln</translation> + <source>unnecessary generator - rewrite as a dict comprehension</source> + <translation>unnötiger Generator - in Dict Comprehension umwandeln</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="511"/> - <source>unnecessary list literal - rewrite as a set literal</source> - <translation>unnötige Liste - in ein Set umwandeln</translation> + <source>unnecessary list comprehension - rewrite as a set comprehension</source> + <translation>unnötige List Comprehension - in eine Set Comprehension umwandeln</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="514"/> - <source>unnecessary list literal - rewrite as a dict literal</source> - <translation>unnötige Liste - in ein Dict umwandeln</translation> + <source>unnecessary list comprehension - rewrite as a dict comprehension</source> + <translation>unnötige List Comprehension - in eine Dict Comprehension umwandeln</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="517"/> - <source>unnecessary list comprehension - "{0}" can take a generator</source> - <translation>unnötige List Comprehension - "{0}" kann einen Generator verwenden</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="628"/> - <source>mutable default argument of type {0}</source> - <translation>veränderbares Standardargument des Typs {0}</translation> + <source>unnecessary list literal - rewrite as a set literal</source> + <translation>unnötige Liste - in ein Set umwandeln</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="520"/> + <source>unnecessary list literal - rewrite as a dict literal</source> + <translation>unnötige Liste - in ein Dict umwandeln</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="523"/> + <source>unnecessary list comprehension - "{0}" can take a generator</source> + <translation>unnötige List Comprehension - "{0}" kann einen Generator verwenden</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="634"/> + <source>mutable default argument of type {0}</source> + <translation>veränderbares Standardargument des Typs {0}</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="526"/> <source>sort keys - '{0}' should be before '{1}'</source> <translation>Schlüssel sortieren - '{0}' sollte vor '{1}' kommen</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="598"/> - <source>logging statement uses '%'</source> - <translation>Loggingbefehl verwendet '%'</translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="604"/> + <source>logging statement uses '%'</source> + <translation>Loggingbefehl verwendet '%'</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="610"/> <source>logging statement uses f-string</source> <translation>Loggingbefehl verwendet 'f-string'</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="607"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="613"/> <source>logging statement uses 'warn' instead of 'warning'</source> <translation>Loggingbefehl verwendet 'warn' anstelle 'warning'</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="595"/> - <source>logging statement uses string.format()</source> - <translation>Loggingbefehl verwendet 'string.format()'</translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="601"/> + <source>logging statement uses string.format()</source> + <translation>Loggingbefehl verwendet 'string.format()'</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="607"/> <source>logging statement uses '+'</source> <translation>Loggingbefehl verwendet '+'</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="616"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="622"/> <source>gettext import with alias _ found: {0}</source> <translation>gettext Import mit Alias _ entdeckt: {0}</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="523"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="529"/> <source>Python does not support the unary prefix increment</source> <translation>Python unterstützt kein 'Unary Prefix Increment'</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="533"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="539"/> <source>'sys.maxint' is not defined in Python 3 - use 'sys.maxsize'</source> <translation>'sys.maxint' ist in Python 3 nicht definiert - verwende 'sys.maxsize'</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="536"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="542"/> <source>'BaseException.message' has been deprecated as of Python 2.6 and is removed in Python 3 - use 'str(e)'</source> <translation>'BaseException.message' wurde mit Python 2.6 als überholt markiert und in Python 3 entfernt - verwende 'str(e)'</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="540"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="546"/> <source>assigning to 'os.environ' does not clear the environment - use 'os.environ.clear()'</source> <translation>Zuweisungen an 'os.environ' löschen nicht die Umgebungsvariablen - verwende 'os.environ.clear()'</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="548"/> - <source>Python 3 does not include '.iter*' methods on dictionaries</source> - <translation>Python 3 enthält keine '.iter*' Methoden für Dictionaries</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="551"/> - <source>Python 3 does not include '.view*' methods on dictionaries</source> - <translation>Python 3 enthält keine '.view*' Methoden für Dictionaries</translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="554"/> - <source>'.next()' does not exist in Python 3</source> - <translation>'.next()' existiert in Python 3 nicht</translation> + <source>Python 3 does not include '.iter*' methods on dictionaries</source> + <translation>Python 3 enthält keine '.iter*' Methoden für Dictionaries</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="557"/> + <source>Python 3 does not include '.view*' methods on dictionaries</source> + <translation>Python 3 enthält keine '.view*' Methoden für Dictionaries</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="560"/> + <source>'.next()' does not exist in Python 3</source> + <translation>'.next()' existiert in Python 3 nicht</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="563"/> <source>'__metaclass__' does nothing on Python 3 - use 'class MyClass(BaseClass, metaclass=...)'</source> <translation>'__metaclass__' tut nichts in Python 3 - verwende 'class MyClass(BaseClass, metaclass=...)'</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="631"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="637"/> <source>mutable default argument of function call '{0}'</source> <translation>Funktionsaufruf '{0}' als veränderbares Standardargument</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="526"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="532"/> <source>using .strip() with multi-character strings is misleading</source> <translation>Verwendung von .strip() mit Zeichenketten mit mehreren Zeichen ist missverständlich</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="529"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="535"/> <source>using 'hasattr(x, "__call__")' to test if 'x' is callable is unreliable</source> <translation>Verwendung von 'hasattr(x, "__call__")' zum Test, ob 'x' aufrufbar ist, ist unzuverlässig</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="544"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="550"/> <source>loop control variable {0} not used within the loop body - start the name with an underscore</source> <translation>Schleifenvariable {0} wird im Schleifenkörper nicht verwendet - beginne den Namen mit einem Unterstrich</translation> </message> @@ -46298,72 +46298,72 @@ <context> <name>NamingStyleChecker</name> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="420"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="426"/> <source>class names should use CapWords convention</source> <translation>Klassennamen sollten die 'CapWords' Konvention verwenden</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="423"/> - <source>function name should be lowercase</source> - <translation>Funktionsname sollte klein geschrieben sein</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="426"/> - <source>argument name should be lowercase</source> - <translation>Argumentname sollte klein geschrieben sein</translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="429"/> - <source>first argument of a class method should be named 'cls'</source> - <translation>Das erste Argument einer Klassenmethode sollte 'cls' sein</translation> + <source>function name should be lowercase</source> + <translation>Funktionsname sollte klein geschrieben sein</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="432"/> - <source>first argument of a method should be named 'self'</source> - <translation>Das erste Argument einer Methode sollte 'self' sein</translation> + <source>argument name should be lowercase</source> + <translation>Argumentname sollte klein geschrieben sein</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="435"/> + <source>first argument of a class method should be named 'cls'</source> + <translation>Das erste Argument einer Klassenmethode sollte 'cls' sein</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="438"/> + <source>first argument of a method should be named 'self'</source> + <translation>Das erste Argument einer Methode sollte 'self' sein</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="441"/> <source>first argument of a static method should not be named 'self' or 'cls</source> <translation>Das erste Argument einer statischen Methode sollte nicht 'self' oder 'cls' sein</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="439"/> - <source>module names should be lowercase</source> - <translation>Modulnamen sollten klein geschrieben sein</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="442"/> - <source>package names should be lowercase</source> - <translation>Paketnamen sollten klein geschrieben sein</translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="445"/> - <source>constant imported as non constant</source> - <translation>Konstante als Nicht-Konstante importiert</translation> + <source>module names should be lowercase</source> + <translation>Modulnamen sollten klein geschrieben sein</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="448"/> - <source>lowercase imported as non lowercase</source> - <translation>klein geschriebener Bezeichner als nicht klein geschriebener importiert</translation> + <source>package names should be lowercase</source> + <translation>Paketnamen sollten klein geschrieben sein</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="451"/> - <source>camelcase imported as lowercase</source> - <translation>groß/klein geschriebener Bezeichner als klein geschriebener importiert</translation> + <source>constant imported as non constant</source> + <translation>Konstante als Nicht-Konstante importiert</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="454"/> - <source>camelcase imported as constant</source> - <translation>groß/klein geschriebener Bezeichner als Konstante importiert</translation> + <source>lowercase imported as non lowercase</source> + <translation>klein geschriebener Bezeichner als nicht klein geschriebener importiert</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="457"/> - <source>variable in function should be lowercase</source> - <translation>Variablen in Funktionen sollte klein geschrieben sein</translation> + <source>camelcase imported as lowercase</source> + <translation>groß/klein geschriebener Bezeichner als klein geschriebener importiert</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="460"/> + <source>camelcase imported as constant</source> + <translation>groß/klein geschriebener Bezeichner als Konstante importiert</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="463"/> + <source>variable in function should be lowercase</source> + <translation>Variablen in Funktionen sollte klein geschrieben sein</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="466"/> <source>names 'l', 'O' and 'I' should be avoided</source> <translation>Namen 'l', 'O' und 'I' sollten vermieden werden</translation> </message> @@ -87153,125 +87153,145 @@ <translation>Lokale Variable {0!r} (definiert im Sichtbarkeitsbereich in Zeile {1!r}) wird vor einer Zuweisung verwendet.</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="39"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="43"/> <source>Duplicate argument {0!r} in function definition.</source> <translation>Doppeltes Argument {0!r} in Funktionsdefinition.</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="42"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="46"/> <source>Redefinition of {0!r} from line {1!r}.</source> <translation>Redefinition von {0!r} aus Zeile {1!r}.</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="45"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="49"/> <source>from __future__ imports must occur at the beginning of the file</source> <translation>from __future__ Imports müssen am Dateianfang stehen</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="48"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="52"/> <source>Local variable {0!r} is assigned to but never used.</source> <translation>Lokale Variable {0!r} wurde zugewiesen aber nicht verwendet.</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="51"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="55"/> <source>List comprehension redefines {0!r} from line {1!r}.</source> <translation>Listcomprehension redefiniert {0!r} aus Zeile {1!r}.</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="54"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="58"/> <source>Syntax error detected in doctest.</source> <translation>Syntaxfehler in Doctest entdeckt.</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="126"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="139"/> <source>no message defined for code '{0}'</source> <translation>keine Nachricht für '{0}' definiert</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="57"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="61"/> <source>'return' with argument inside generator</source> <translation>'return' mit Argument obwohl innerhalb eines Generators</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="60"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="64"/> <source>'return' outside function</source> <translation>'return' außerhalb einer Funktion</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="63"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="67"/> <source>'from {0} import *' only allowed at module level</source> <translation>'from {0} import *' ist nur auf Modulebene zulässig</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="66"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="70"/> <source>{0!r} may be undefined, or defined from star imports: {1}</source> <translation>{0!r} ist undefiniert oder definiert durch * Importe: {1}</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="69"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="73"/> <source>Dictionary key {0!r} repeated with different values</source> <translation>Dictionary Schlüssel {0!r} wiederholt mit anderen Werten</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="72"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="76"/> <source>Dictionary key variable {0} repeated with different values</source> <translation>Dictionary Schlüsselvariable {0} wiederholt mit anderen Werten</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="75"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="79"/> <source>Future feature {0} is not defined</source> <translation>Future Feature {0} ist nicht definiert</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="78"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="82"/> <source>'yield' outside function</source> <translation>'yield' außerhalb einer Funktion</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="84"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="88"/> <source>'break' outside loop</source> <translation>'break' außerhalb einer Schleife</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="87"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="91"/> <source>'continue' not supported inside 'finally' clause</source> <translation>'continue' wird in einem 'finally' Block nicht unterstützt</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="90"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="94"/> <source>Default 'except:' must be last</source> <translation>'except:' muss als letztes kommen</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="93"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="97"/> <source>Two starred expressions in assignment</source> <translation>Zwei Sternausdrücke in der Zuweisung</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="96"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="100"/> <source>Too many expressions in star-unpacking assignment</source> <translation>Zu viele Ausdrücke in * Zuweisung</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="99"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="103"/> <source>Assertion is always true, perhaps remove parentheses?</source> <translation>'assert' ist immer wahr; sollten die Klammern entfernt werden?</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="81"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="85"/> <source>'continue' not properly in loop</source> <translation>'continue' ist nicht innerhalb der Schleife</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="102"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="106"/> <source>syntax error in forward annotation {0!r}</source> <translation>Syntaxfehler in Vorwärtsannotation {0!r}</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="105"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="109"/> <source>'raise NotImplemented' should be 'raise NotImplementedError'</source> <translation>'raise NotImplemented' sollte 'raise NotImplementedError' sein</translation> </message> + <message> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="39"/> + <source>Local variable {0!r} (defined as a builtin) referenced before assignment.</source> + <translation>Lokale Variable {0!r} (definiert als Built-In) wird vor einer Zuweisung verwendet.</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="112"/> + <source>syntax error in type comment {0!r}</source> + <translation>Syntaxfehler in Typ-Kommentar {0!r}</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="115"/> + <source>use of >> is invalid with print function</source> + <translation>Verwendung von >> mit Print-Funktion ist ungültig</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="118"/> + <source>use ==/!= to compare str, bytes, and int literals</source> + <translation>Verwende ==/!= zum Vergleich von str, bytes und int Literalen</translation> + </message> </context> <context> <name>pycodestyle</name> @@ -87311,375 +87331,385 @@ <translation>unerwartete Einrückung (Kommentar)</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="40"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="43"/> <source>continuation line indentation is not a multiple of four</source> <translation>Einrückung der Fortsetzungszeile ist kein Vielfaches von Vier</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="43"/> - <source>continuation line missing indentation or outdented</source> - <translation>fehlende Einrückung der Fortsetzungzeile oder sie wurde ausgerückt</translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="46"/> + <source>continuation line missing indentation or outdented</source> + <translation>fehlende Einrückung der Fortsetzungzeile oder sie wurde ausgerückt</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="49"/> <source>closing bracket does not match indentation of opening bracket's line</source> <translation>Einrückung der schließenden Klammer ungleich der Zeile der öffnenden Klammer</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="50"/> - <source>closing bracket does not match visual indentation</source> - <translation>schließende Klammer passt nicht zur visuellen Einrückung</translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="53"/> - <source>continuation line with same indent as next logical line</source> - <translation>Einrückung der Fortsetzungszeile unterscheidet sich nicht von der nächsten logischen Zeile</translation> + <source>closing bracket does not match visual indentation</source> + <translation>schließende Klammer passt nicht zur visuellen Einrückung</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="56"/> - <source>continuation line over-indented for hanging indent</source> - <translation>Fortsetzungszeile zu weit eingerückt für hängende Einrückung</translation> + <source>continuation line with same indent as next logical line</source> + <translation>Einrückung der Fortsetzungszeile unterscheidet sich nicht von der nächsten logischen Zeile</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="59"/> - <source>continuation line over-indented for visual indent</source> - <translation>Fortsetzungszeile zu weit eingerückt für visuelle Einrückung</translation> + <source>continuation line over-indented for hanging indent</source> + <translation>Fortsetzungszeile zu weit eingerückt für hängende Einrückung</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="62"/> - <source>continuation line under-indented for visual indent</source> - <translation>Fortsetzungszeile zu wenig eingerückt für visuelle Einrückung</translation> + <source>continuation line over-indented for visual indent</source> + <translation>Fortsetzungszeile zu weit eingerückt für visuelle Einrückung</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="65"/> - <source>visually indented line with same indent as next logical line</source> - <translation>visuelle Einrückung identisch mit der Einrückung der nächsten logischen Zeile</translation> + <source>continuation line under-indented for visual indent</source> + <translation>Fortsetzungszeile zu wenig eingerückt für visuelle Einrückung</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="68"/> - <source>continuation line unaligned for hanging indent</source> - <translation>Fortsetzungszeile für hängenden Einrückung nicht richtig ausgerichtet</translation> + <source>visually indented line with same indent as next logical line</source> + <translation>visuelle Einrückung identisch mit der Einrückung der nächsten logischen Zeile</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="71"/> - <source>closing bracket is missing indentation</source> - <translation>Einrückung bei schließender Klammer fehlt</translation> + <source>continuation line unaligned for hanging indent</source> + <translation>Fortsetzungszeile für hängenden Einrückung nicht richtig ausgerichtet</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="74"/> - <source>indentation contains tabs</source> - <translation>Einrückung enthält Tabulatoren</translation> + <source>closing bracket is missing indentation</source> + <translation>Einrückung bei schließender Klammer fehlt</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="77"/> + <source>indentation contains tabs</source> + <translation>Einrückung enthält Tabulatoren</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="80"/> <source>whitespace after '{0}'</source> <translation>Leerzeichen nach „{0}“</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="86"/> - <source>whitespace before '{0}'</source> - <translation>Leerzeichen vor „{0}“</translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="89"/> - <source>multiple spaces before operator</source> - <translation>mehrfache Leerzeichen vor Operator</translation> + <source>whitespace before '{0}'</source> + <translation>Leerzeichen vor „{0}“</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="92"/> - <source>multiple spaces after operator</source> - <translation>mehrfache Leerzeichen nach Operator</translation> + <source>multiple spaces before operator</source> + <translation>mehrfache Leerzeichen vor Operator</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="95"/> - <source>tab before operator</source> - <translation>Tabulator vor Operator</translation> + <source>multiple spaces after operator</source> + <translation>mehrfache Leerzeichen nach Operator</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="98"/> - <source>tab after operator</source> - <translation>Tabulator nach Operator</translation> + <source>tab before operator</source> + <translation>Tabulator vor Operator</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="101"/> - <source>missing whitespace around operator</source> - <translation>fehlende Leerzeichen um Operator</translation> + <source>tab after operator</source> + <translation>Tabulator nach Operator</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="104"/> - <source>missing whitespace around arithmetic operator</source> - <translation>fehlende Leerzeichen um Arithmetikoperator</translation> + <source>missing whitespace around operator</source> + <translation>fehlende Leerzeichen um Operator</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="107"/> - <source>missing whitespace around bitwise or shift operator</source> - <translation>fehlende Leerzeichen um Bit- oder Shiftoperator</translation> + <source>missing whitespace around arithmetic operator</source> + <translation>fehlende Leerzeichen um Arithmetikoperator</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="110"/> - <source>missing whitespace around modulo operator</source> - <translation>fehlende Leerzeichen um Modulooperator</translation> + <source>missing whitespace around bitwise or shift operator</source> + <translation>fehlende Leerzeichen um Bit- oder Shiftoperator</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="113"/> - <source>missing whitespace after '{0}'</source> - <translation>fehlende Leerzeichen nach „{0}“</translation> + <source>missing whitespace around modulo operator</source> + <translation>fehlende Leerzeichen um Modulooperator</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="116"/> - <source>multiple spaces after '{0}'</source> - <translation>mehrfache Leerzeichen nach „{0}“</translation> + <source>missing whitespace after '{0}'</source> + <translation>fehlende Leerzeichen nach „{0}“</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="119"/> - <source>tab after '{0}'</source> - <translation>Tabulator nach „{0}“</translation> + <source>multiple spaces after '{0}'</source> + <translation>mehrfache Leerzeichen nach „{0}“</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="122"/> + <source>tab after '{0}'</source> + <translation>Tabulator nach „{0}“</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="125"/> <source>unexpected spaces around keyword / parameter equals</source> <translation>unerwartete Leerzeichen um Schlüsselwort- / Parameter-Gleichheitszeichen</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="128"/> - <source>at least two spaces before inline comment</source> - <translation>mindestens zwei Leerzeichen vor einem Inline-Kommentar</translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="131"/> - <source>inline comment should start with '# '</source> - <translation>Inline-Kommentar sollte mit „# “ beginnen</translation> + <source>at least two spaces before inline comment</source> + <translation>mindestens zwei Leerzeichen vor einem Inline-Kommentar</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="134"/> - <source>block comment should start with '# '</source> - <translation>Blockkommentar soll mit '# ' beginnen</translation> + <source>inline comment should start with '# '</source> + <translation>Inline-Kommentar sollte mit „# “ beginnen</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="137"/> - <source>too many leading '#' for block comment</source> - <translation>zu viele führende '#' für einen Blockkommentar</translation> + <source>block comment should start with '# '</source> + <translation>Blockkommentar soll mit '# ' beginnen</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="140"/> - <source>multiple spaces after keyword</source> - <translation>mehrfache Leerzeichen nach Schlüsselwort</translation> + <source>too many leading '#' for block comment</source> + <translation>zu viele führende '#' für einen Blockkommentar</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="143"/> - <source>multiple spaces before keyword</source> - <translation>mehrfache Leerzeichen vor Schlüsselwort</translation> + <source>multiple spaces after keyword</source> + <translation>mehrfache Leerzeichen nach Schlüsselwort</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="146"/> - <source>tab after keyword</source> - <translation>Tabulator nach Schlüsselwort</translation> + <source>multiple spaces before keyword</source> + <translation>mehrfache Leerzeichen vor Schlüsselwort</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="149"/> - <source>tab before keyword</source> - <translation>Tabulator vor Schlüsselwort</translation> + <source>tab after keyword</source> + <translation>Tabulator nach Schlüsselwort</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="152"/> - <source>missing whitespace after keyword</source> - <translation>fehlende Leerzeichen nach Schlüsselwort</translation> + <source>tab before keyword</source> + <translation>Tabulator vor Schlüsselwort</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="155"/> - <source>trailing whitespace</source> - <translation>abschließende Leerzeichen</translation> + <source>missing whitespace after keyword</source> + <translation>fehlende Leerzeichen nach Schlüsselwort</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="158"/> - <source>no newline at end of file</source> - <translation>kein Zeilenumbruch am Dateiende</translation> + <source>trailing whitespace</source> + <translation>abschließende Leerzeichen</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="161"/> + <source>no newline at end of file</source> + <translation>kein Zeilenumbruch am Dateiende</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="164"/> <source>blank line contains whitespace</source> <translation>leere Zeile enthält Leerzeichen</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="186"/> - <source>too many blank lines ({0})</source> - <translation>zu viele leere Zeilen ({0})</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="173"/> - <source>blank lines found after function decorator</source> - <translation>leere Zeile nach Funktionsdekorator gefunden</translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="189"/> - <source>blank line at end of file</source> - <translation>leere Zeile am Dateiende</translation> + <source>too many blank lines ({0})</source> + <translation>zu viele leere Zeilen ({0})</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="176"/> + <source>blank lines found after function decorator</source> + <translation>leere Zeile nach Funktionsdekorator gefunden</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="192"/> - <source>multiple imports on one line</source> - <translation>mehrfache Importe in einer Zeile</translation> + <source>blank line at end of file</source> + <translation>leere Zeile am Dateiende</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="195"/> - <source>module level import not at top of file</source> - <translation>Modul Import nicht am Dateianfang</translation> + <source>multiple imports on one line</source> + <translation>mehrfache Importe in einer Zeile</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="198"/> - <source>line too long ({0} > {1} characters)</source> - <translation>Zeile zu lang ({0} > {1} Zeichen)</translation> + <source>module level import not at top of file</source> + <translation>Modul Import nicht am Dateianfang</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="201"/> - <source>the backslash is redundant between brackets</source> - <translation>Backslash ist redundant innerhalb von Klammern</translation> + <source>line too long ({0} > {1} characters)</source> + <translation>Zeile zu lang ({0} > {1} Zeichen)</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="204"/> + <source>the backslash is redundant between brackets</source> + <translation>Backslash ist redundant innerhalb von Klammern</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="207"/> <source>line break before binary operator</source> <translation>Zeilenumbruch vor Binäroperator</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="210"/> - <source>.has_key() is deprecated, use 'in'</source> - <translation>.has_key() ist veraltet, verwende „in“</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="213"/> - <source>deprecated form of raising exception</source> - <translation>veraltete Art Ausnahmen zu werfen</translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="216"/> - <source>'<>' is deprecated, use '!='</source> - <translation>„<>“ is veraltet, verwende „!=“</translation> + <source>.has_key() is deprecated, use 'in'</source> + <translation>.has_key() ist veraltet, verwende „in“</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="219"/> + <source>deprecated form of raising exception</source> + <translation>veraltete Art Ausnahmen zu werfen</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="222"/> + <source>'<>' is deprecated, use '!='</source> + <translation>„<>“ is veraltet, verwende „!=“</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="225"/> <source>backticks are deprecated, use 'repr()'</source> <translation>Backticks sind ungültig, verwende „repr()“</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="228"/> - <source>multiple statements on one line (colon)</source> - <translation>mehrere Anweisungen in einer Zeile (Doppelpunkt)</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="231"/> - <source>multiple statements on one line (semicolon)</source> - <translation>mehrere Anweisungen in einer Zeile (Semikolon)</translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="234"/> - <source>statement ends with a semicolon</source> - <translation>Anweisung endet mit einem Semikolon</translation> + <source>multiple statements on one line (colon)</source> + <translation>mehrere Anweisungen in einer Zeile (Doppelpunkt)</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="237"/> - <source>multiple statements on one line (def)</source> - <translation>mehrere Anweisungen in einer Zeile (def)</translation> + <source>multiple statements on one line (semicolon)</source> + <translation>mehrere Anweisungen in einer Zeile (Semikolon)</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="240"/> + <source>statement ends with a semicolon</source> + <translation>Anweisung endet mit einem Semikolon</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="243"/> - <source>comparison to {0} should be {1}</source> - <translation>Vergleich mit {0} sollte {1} sein</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="246"/> - <source>test for membership should be 'not in'</source> - <translation>Test auf Nicht-Mitgliederschaft soll mit 'not in' erfolgen</translation> + <source>multiple statements on one line (def)</source> + <translation>mehrere Anweisungen in einer Zeile (def)</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="249"/> - <source>test for object identity should be 'is not'</source> - <translation>Test auf Ungleichheit der Objekte soll mit 'is not' erfolgen</translation> + <source>comparison to {0} should be {1}</source> + <translation>Vergleich mit {0} sollte {1} sein</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="252"/> - <source>do not compare types, use 'isinstance()'</source> - <translation>vergleiche keine Typen, verwende 'isinstance()'</translation> + <source>test for membership should be 'not in'</source> + <translation>Test auf Nicht-Mitgliederschaft soll mit 'not in' erfolgen</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="255"/> + <source>test for object identity should be 'is not'</source> + <translation>Test auf Ungleichheit der Objekte soll mit 'is not' erfolgen</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="258"/> - <source>do not assign a lambda expression, use a def</source> - <translation>weise keine Lambda Ausdrücke zu, nutze def</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="261"/> - <source>ambiguous variable name '{0}'</source> - <translation>mehrdeutiger Variablenname '{0}'</translation> + <source>do not compare types, use 'isinstance()'</source> + <translation>vergleiche keine Typen, verwende 'isinstance()'</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="264"/> - <source>ambiguous class definition '{0}'</source> - <translation>mehrdeutige Klassenbezeichnung '{0}'</translation> + <source>do not assign a lambda expression, use a def</source> + <translation>weise keine Lambda Ausdrücke zu, nutze def</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="267"/> - <source>ambiguous function definition '{0}'</source> - <translation>mehrdeutige Funktionsbezeichnung '{0}'</translation> + <source>ambiguous variable name '{0}'</source> + <translation>mehrdeutiger Variablenname '{0}'</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="270"/> - <source>{0}: {1}</source> - <translation>{0}: {1}</translation> + <source>ambiguous class definition '{0}'</source> + <translation>mehrdeutige Klassenbezeichnung '{0}'</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="273"/> + <source>ambiguous function definition '{0}'</source> + <translation>mehrdeutige Funktionsbezeichnung '{0}'</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="276"/> + <source>{0}: {1}</source> + <translation>{0}: {1}</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="279"/> <source>{0}</source> <translation>{0}</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="255"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="261"/> <source>do not use bare except</source> <translation>verwende kein leeres 'except'</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="176"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="179"/> <source>expected {0} blank lines after class or function definition, found {1}</source> <translation>erwartete {0} Leerzeilen nach Klassen- oder Funktionsdefinition, {1} gefunden</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="225"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="231"/> <source>'async' and 'await' are reserved keywords starting with Python 3.7</source> <translation>'async' und 'await' sind ab Python 3.7 reservierte Schlüsselwörter</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="125"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="128"/> <source>missing whitespace around parameter equals</source> <translation>fehlende Leerzeichen um Parameter-Gleichheitszeichen</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="167"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="170"/> <source>expected {0} blank lines, found {1}</source> <translation>erwartete {0} leere Zeilen, {1} gefunden</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="180"/> - <source>expected {0} blank lines before a nested definition, found {1}</source> - <translation>erwartete {0} Leerzeilen vor einer geschachtelten Definition, {1} gefunden</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="207"/> - <source>line break after binary operator</source> - <translation>Zeilenumbruch nach Binäroperator</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="222"/> - <source>invalid escape sequence '\{0}'</source> - <translation>ungültige Escape-Sequenz '\{0}'</translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="183"/> + <source>expected {0} blank lines before a nested definition, found {1}</source> + <translation>erwartete {0} Leerzeilen vor einer geschachtelten Definition, {1} gefunden</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="210"/> + <source>line break after binary operator</source> + <translation>Zeilenumbruch nach Binäroperator</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="228"/> + <source>invalid escape sequence '\{0}'</source> + <translation>ungültige Escape-Sequenz '\{0}'</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="186"/> <source>too many blank lines ({0}) before a nested definition, expected {1}</source> <translation>zu viele leere Zeilen ({0}) vor einer geschachtelten Definition, erwartete {1}</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="170"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="173"/> <source>too many blank lines ({0}), expected {1}</source> <translation>zu viele leere Zeilen ({0}), erwartete {1}</translation> </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="40"/> + <source>over-indented</source> + <translation>zu weit eingerückt</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="213"/> + <source>doc line too long ({0} > {1} characters)</source> + <translation>Dokumentationszeile zu lang ({0} > {1} Zeichen)</translation> + </message> </context> <context> <name>subversion</name>
--- a/i18n/eric6_empty.ts Wed Feb 13 20:41:45 2019 +0100 +++ b/i18n/eric6_empty.ts Thu Feb 14 18:58:22 2019 +0100 @@ -3664,226 +3664,226 @@ <context> <name>CodeStyleFixer</name> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="639"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="645"/> <source>Triple single quotes converted to triple double quotes.</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="642"/> - <source>Introductory quotes corrected to be {0}"""</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="645"/> - <source>Single line docstring put on one line.</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="648"/> - <source>Period added to summary line.</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="675"/> - <source>Blank line before function/method docstring removed.</source> + <source>Introductory quotes corrected to be {0}"""</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="651"/> + <source>Single line docstring put on one line.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="654"/> - <source>Blank line inserted before class docstring.</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="657"/> - <source>Blank line inserted after class docstring.</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="660"/> - <source>Blank line inserted after docstring summary.</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="663"/> - <source>Blank line inserted after last paragraph of docstring.</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="666"/> - <source>Leading quotes put on separate line.</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="669"/> - <source>Trailing quotes put on separate line.</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="672"/> - <source>Blank line before class docstring removed.</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="678"/> - <source>Blank line after class docstring removed.</source> + <source>Period added to summary line.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="681"/> - <source>Blank line after function/method docstring removed.</source> + <source>Blank line before function/method docstring removed.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="660"/> + <source>Blank line inserted before class docstring.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="663"/> + <source>Blank line inserted after class docstring.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="666"/> + <source>Blank line inserted after docstring summary.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="669"/> + <source>Blank line inserted after last paragraph of docstring.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="672"/> + <source>Leading quotes put on separate line.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="675"/> + <source>Trailing quotes put on separate line.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="678"/> + <source>Blank line before class docstring removed.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="684"/> - <source>Blank line after last paragraph removed.</source> + <source>Blank line after class docstring removed.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="687"/> - <source>Tab converted to 4 spaces.</source> + <source>Blank line after function/method docstring removed.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="690"/> - <source>Indentation adjusted to be a multiple of four.</source> + <source>Blank line after last paragraph removed.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="693"/> - <source>Indentation of continuation line corrected.</source> + <source>Tab converted to 4 spaces.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="696"/> - <source>Indentation of closing bracket corrected.</source> + <source>Indentation adjusted to be a multiple of four.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="699"/> - <source>Missing indentation of continuation line corrected.</source> + <source>Indentation of continuation line corrected.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="702"/> - <source>Closing bracket aligned to opening bracket.</source> + <source>Indentation of closing bracket corrected.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="705"/> - <source>Indentation level changed.</source> + <source>Missing indentation of continuation line corrected.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="708"/> - <source>Indentation level of hanging indentation changed.</source> + <source>Closing bracket aligned to opening bracket.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="711"/> + <source>Indentation level changed.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="714"/> + <source>Indentation level of hanging indentation changed.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="717"/> <source>Visual indentation corrected.</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="726"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="732"/> <source>Extraneous whitespace removed.</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="723"/> - <source>Missing whitespace added.</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="729"/> + <source>Missing whitespace added.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="735"/> <source>Whitespace around comment sign corrected.</source> <translation type="unfinished"></translation> </message> <message numerus="yes"> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="733"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="739"/> <source>%n blank line(s) inserted.</source> <translation type="unfinished"> <numerusform></numerusform> </translation> </message> <message numerus="yes"> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="736"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="742"/> <source>%n superfluous lines removed</source> <translation type="unfinished"> <numerusform></numerusform> </translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="740"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="746"/> <source>Superfluous blank lines removed.</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="743"/> - <source>Superfluous blank lines after function decorator removed.</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="746"/> - <source>Imports were put on separate lines.</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="749"/> - <source>Long lines have been shortened.</source> + <source>Superfluous blank lines after function decorator removed.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="752"/> - <source>Redundant backslash in brackets removed.</source> + <source>Imports were put on separate lines.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="755"/> + <source>Long lines have been shortened.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="758"/> - <source>Compound statement corrected.</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="761"/> - <source>Comparison to None/True/False corrected.</source> + <source>Redundant backslash in brackets removed.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="764"/> - <source>'{0}' argument added.</source> + <source>Compound statement corrected.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="767"/> - <source>'{0}' argument removed.</source> + <source>Comparison to None/True/False corrected.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="770"/> - <source>Whitespace stripped from end of line.</source> + <source>'{0}' argument added.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="773"/> - <source>newline added to end of file.</source> + <source>'{0}' argument removed.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="776"/> - <source>Superfluous trailing blank lines removed from end of file.</source> + <source>Whitespace stripped from end of line.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="779"/> + <source>newline added to end of file.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="782"/> + <source>Superfluous trailing blank lines removed from end of file.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="785"/> <source>'<>' replaced by '!='.</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="783"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="789"/> <source>Could not save the file! Skipping it. Reason: {0}</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="872"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="879"/> <source> no message defined for code '{0}'</source> <translation type="unfinished"></translation> </message> @@ -4356,22 +4356,22 @@ <context> <name>ComplexityChecker</name> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="465"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="471"/> <source>'{0}' is too complex ({1})</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="467"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="473"/> <source>source code line is too complex ({0})</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="469"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="475"/> <source>overall source code line complexity is too high ({0})</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="472"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="478"/> <source>{0}: {1}</source> <translation type="unfinished"></translation> </message> @@ -7327,242 +7327,242 @@ <context> <name>DocStyleChecker</name> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="278"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="284"/> <source>module is missing a docstring</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="280"/> - <source>public function/method is missing a docstring</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="283"/> - <source>private function/method may be missing a docstring</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="286"/> - <source>public class is missing a docstring</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="288"/> - <source>private class may be missing a docstring</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="290"/> - <source>docstring not surrounded by """</source> + <source>public function/method is missing a docstring</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="289"/> + <source>private function/method may be missing a docstring</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="292"/> - <source>docstring containing \ not surrounded by r"""</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="295"/> - <source>docstring containing unicode character not surrounded by u"""</source> + <source>public class is missing a docstring</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="294"/> + <source>private class may be missing a docstring</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="296"/> + <source>docstring not surrounded by """</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="298"/> + <source>docstring containing \ not surrounded by r"""</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="301"/> + <source>docstring containing unicode character not surrounded by u"""</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="304"/> <source>one-liner docstring on multiple lines</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="300"/> - <source>docstring has wrong indentation</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="302"/> - <source>docstring does not contain a summary</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="349"/> - <source>docstring summary does not end with a period</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="306"/> + <source>docstring has wrong indentation</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="308"/> + <source>docstring does not contain a summary</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="355"/> + <source>docstring summary does not end with a period</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="312"/> <source>docstring summary is not in imperative mood (Does instead of Do)</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="310"/> - <source>docstring summary looks like a function's/method's signature</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="313"/> - <source>docstring does not mention the return value type</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="316"/> - <source>function/method docstring is separated by a blank line</source> + <source>docstring summary looks like a function's/method's signature</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="319"/> - <source>class docstring is not preceded by a blank line</source> + <source>docstring does not mention the return value type</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="322"/> - <source>class docstring is not followed by a blank line</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="383"/> - <source>docstring summary is not followed by a blank line</source> + <source>function/method docstring is separated by a blank line</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="325"/> + <source>class docstring is not preceded by a blank line</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="328"/> + <source>class docstring is not followed by a blank line</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="389"/> + <source>docstring summary is not followed by a blank line</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="334"/> <source>last paragraph of docstring is not followed by a blank line</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="336"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="342"/> <source>private function/method is missing a docstring</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="339"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="345"/> <source>private class is missing a docstring</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="343"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="349"/> <source>leading quotes of docstring not on separate line</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="346"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="352"/> <source>trailing quotes of docstring not on separate line</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="351"/> - <source>docstring summary does not start with '{0}'</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="353"/> - <source>docstring does not contain a @return line but function/method returns something</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="357"/> + <source>docstring summary does not start with '{0}'</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="359"/> + <source>docstring does not contain a @return line but function/method returns something</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="363"/> <source>docstring contains a @return line but function/method doesn't return anything</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="361"/> - <source>docstring does not contain enough @param/@keyparam lines</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="364"/> - <source>docstring contains too many @param/@keyparam lines</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="367"/> - <source>keyword only arguments must be documented with @keyparam lines</source> + <source>docstring does not contain enough @param/@keyparam lines</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="370"/> - <source>order of @param/@keyparam lines does not match the function/method signature</source> + <source>docstring contains too many @param/@keyparam lines</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="373"/> + <source>keyword only arguments must be documented with @keyparam lines</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="376"/> + <source>order of @param/@keyparam lines does not match the function/method signature</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="379"/> <source>class docstring is preceded by a blank line</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="375"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="381"/> <source>class docstring is followed by a blank line</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="377"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="383"/> <source>function/method docstring is preceded by a blank line</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="380"/> - <source>function/method docstring is followed by a blank line</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="386"/> + <source>function/method docstring is followed by a blank line</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="392"/> <source>last paragraph of docstring is followed by a blank line</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="389"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="395"/> <source>docstring does not contain a @exception line but function/method raises an exception</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="393"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="399"/> <source>docstring contains a @exception line but function/method doesn't raise an exception</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="416"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="422"/> <source>{0}: {1}</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="397"/> - <source>raised exception '{0}' is not documented in docstring</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="400"/> - <source>documented exception '{0}' is not raised</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="403"/> - <source>docstring does not contain a @signal line but class defines signals</source> + <source>raised exception '{0}' is not documented in docstring</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="406"/> - <source>docstring contains a @signal line but class doesn't define signals</source> + <source>documented exception '{0}' is not raised</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="409"/> - <source>defined signal '{0}' is not documented in docstring</source> + <source>docstring does not contain a @signal line but class defines signals</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="412"/> + <source>docstring contains a @signal line but class doesn't define signals</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="415"/> + <source>defined signal '{0}' is not documented in docstring</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="418"/> <source>documented signal '{0}' is not defined</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="341"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="347"/> <source>class docstring is still a default string</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="334"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="340"/> <source>function docstring is still a default string</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="332"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="338"/> <source>module docstring is still a default string</source> <translation type="unfinished"></translation> </message> @@ -9843,7 +9843,7 @@ <context> <name>Editor</name> <message> - <location filename="../QScintilla/Editor.py" line="2946"/> + <location filename="../QScintilla/Editor.py" line="2940"/> <source>Open File</source> <translation type="unfinished"></translation> </message> @@ -9858,907 +9858,907 @@ <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="750"/> + <location filename="../QScintilla/Editor.py" line="744"/> <source>Undo</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="753"/> + <location filename="../QScintilla/Editor.py" line="747"/> <source>Redo</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="756"/> + <location filename="../QScintilla/Editor.py" line="750"/> <source>Revert to last saved state</source> <translation type="unfinished"></translation> </message> <message> + <location filename="../QScintilla/Editor.py" line="754"/> + <source>Cut</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="757"/> + <source>Copy</source> + <translation type="unfinished"></translation> + </message> + <message> <location filename="../QScintilla/Editor.py" line="760"/> - <source>Cut</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="763"/> - <source>Copy</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="766"/> <source>Paste</source> <translation type="unfinished"></translation> </message> <message> + <location filename="../QScintilla/Editor.py" line="768"/> + <source>Indent</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="771"/> + <source>Unindent</source> + <translation type="unfinished"></translation> + </message> + <message> <location filename="../QScintilla/Editor.py" line="774"/> - <source>Indent</source> + <source>Comment</source> <translation type="unfinished"></translation> </message> <message> <location filename="../QScintilla/Editor.py" line="777"/> - <source>Unindent</source> + <source>Uncomment</source> <translation type="unfinished"></translation> </message> <message> <location filename="../QScintilla/Editor.py" line="780"/> - <source>Comment</source> + <source>Stream Comment</source> <translation type="unfinished"></translation> </message> <message> <location filename="../QScintilla/Editor.py" line="783"/> - <source>Uncomment</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="786"/> - <source>Stream Comment</source> + <source>Box Comment</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="787"/> + <source>Select to brace</source> <translation type="unfinished"></translation> </message> <message> <location filename="../QScintilla/Editor.py" line="789"/> - <source>Box Comment</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="793"/> - <source>Select to brace</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="795"/> <source>Select all</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="796"/> + <location filename="../QScintilla/Editor.py" line="790"/> <source>Deselect all</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7473"/> + <location filename="../QScintilla/Editor.py" line="7467"/> <source>Check spelling...</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="804"/> + <location filename="../QScintilla/Editor.py" line="798"/> <source>Check spelling of selection...</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="808"/> + <location filename="../QScintilla/Editor.py" line="802"/> <source>Remove from dictionary</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="812"/> + <location filename="../QScintilla/Editor.py" line="806"/> <source>Shorten empty lines</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="819"/> + <location filename="../QScintilla/Editor.py" line="813"/> <source>Use Monospaced Font</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="824"/> + <location filename="../QScintilla/Editor.py" line="818"/> <source>Autosave enabled</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="828"/> + <location filename="../QScintilla/Editor.py" line="822"/> <source>Typing aids enabled</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="835"/> + <location filename="../QScintilla/Editor.py" line="829"/> <source>Automatic Completion enabled</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="843"/> + <location filename="../QScintilla/Editor.py" line="837"/> <source>Calltip</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="859"/> + <location filename="../QScintilla/Editor.py" line="853"/> <source>New Document View</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="862"/> + <location filename="../QScintilla/Editor.py" line="856"/> <source>New Document View (with new split)</source> <translation type="unfinished"></translation> </message> <message> + <location filename="../QScintilla/Editor.py" line="861"/> + <source>Close</source> + <translation type="unfinished"></translation> + </message> + <message> <location filename="../QScintilla/Editor.py" line="867"/> - <source>Close</source> + <source>Save</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="870"/> + <source>Save As...</source> <translation type="unfinished"></translation> </message> <message> <location filename="../QScintilla/Editor.py" line="873"/> - <source>Save</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="876"/> - <source>Save As...</source> + <source>Save Copy...</source> <translation type="unfinished"></translation> </message> <message> <location filename="../QScintilla/Editor.py" line="879"/> - <source>Save Copy...</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="885"/> <source>Open 'rejection' file</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="889"/> + <location filename="../QScintilla/Editor.py" line="883"/> <source>Print Preview</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="892"/> + <location filename="../QScintilla/Editor.py" line="886"/> <source>Print</source> <translation type="unfinished"></translation> </message> <message> + <location filename="../QScintilla/Editor.py" line="909"/> + <source>Complete</source> + <translation type="unfinished"></translation> + </message> + <message> <location filename="../QScintilla/Editor.py" line="915"/> - <source>Complete</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="921"/> <source>Complete from Document</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="923"/> + <location filename="../QScintilla/Editor.py" line="917"/> <source>Complete from APIs</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="925"/> + <location filename="../QScintilla/Editor.py" line="919"/> <source>Complete from Document and APIs</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="939"/> + <location filename="../QScintilla/Editor.py" line="933"/> <source>Check</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="949"/> + <location filename="../QScintilla/Editor.py" line="943"/> <source>Tools</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="959"/> + <location filename="../QScintilla/Editor.py" line="953"/> <source>Show</source> <translation type="unfinished"></translation> </message> <message> + <location filename="../QScintilla/Editor.py" line="955"/> + <source>Code metrics...</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="956"/> + <source>Code coverage...</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="958"/> + <source>Show code coverage annotations</source> + <translation type="unfinished"></translation> + </message> + <message> <location filename="../QScintilla/Editor.py" line="961"/> - <source>Code metrics...</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="962"/> - <source>Code coverage...</source> + <source>Hide code coverage annotations</source> <translation type="unfinished"></translation> </message> <message> <location filename="../QScintilla/Editor.py" line="964"/> - <source>Show code coverage annotations</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="967"/> - <source>Hide code coverage annotations</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="970"/> <source>Profile data...</source> <translation type="unfinished"></translation> </message> <message> + <location filename="../QScintilla/Editor.py" line="977"/> + <source>Diagrams</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="979"/> + <source>Class Diagram...</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="981"/> + <source>Package Diagram...</source> + <translation type="unfinished"></translation> + </message> + <message> <location filename="../QScintilla/Editor.py" line="983"/> - <source>Diagrams</source> + <source>Imports Diagram...</source> <translation type="unfinished"></translation> </message> <message> <location filename="../QScintilla/Editor.py" line="985"/> - <source>Class Diagram...</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="987"/> - <source>Package Diagram...</source> + <source>Application Diagram...</source> <translation type="unfinished"></translation> </message> <message> <location filename="../QScintilla/Editor.py" line="989"/> - <source>Imports Diagram...</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="991"/> - <source>Application Diagram...</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="995"/> <source>Load Diagram...</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1009"/> + <location filename="../QScintilla/Editor.py" line="1003"/> <source>Languages</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1012"/> + <location filename="../QScintilla/Editor.py" line="1006"/> <source>No Language</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1037"/> + <location filename="../QScintilla/Editor.py" line="1031"/> <source>Guessed</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1324"/> + <location filename="../QScintilla/Editor.py" line="1318"/> <source>Alternatives</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1057"/> + <location filename="../QScintilla/Editor.py" line="1051"/> <source>Encodings</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1079"/> + <location filename="../QScintilla/Editor.py" line="1073"/> <source>Re-Open With Encoding</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1098"/> + <location filename="../QScintilla/Editor.py" line="1092"/> <source>End-of-Line Type</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1102"/> + <location filename="../QScintilla/Editor.py" line="1096"/> <source>Unix</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1109"/> + <location filename="../QScintilla/Editor.py" line="1103"/> <source>Windows</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1116"/> + <location filename="../QScintilla/Editor.py" line="1110"/> <source>Macintosh</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1134"/> + <location filename="../QScintilla/Editor.py" line="1128"/> <source>Export as</source> <translation type="unfinished"></translation> </message> <message> + <location filename="../QScintilla/Editor.py" line="1150"/> + <source>Toggle bookmark</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="1152"/> + <source>Next bookmark</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="1154"/> + <source>Previous bookmark</source> + <translation type="unfinished"></translation> + </message> + <message> <location filename="../QScintilla/Editor.py" line="1156"/> - <source>Toggle bookmark</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1158"/> - <source>Next bookmark</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1160"/> - <source>Previous bookmark</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1162"/> <source>Clear all bookmarks</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1171"/> + <location filename="../QScintilla/Editor.py" line="1165"/> <source>Toggle breakpoint</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1173"/> + <location filename="../QScintilla/Editor.py" line="1167"/> <source>Toggle temporary breakpoint</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1176"/> + <location filename="../QScintilla/Editor.py" line="1170"/> <source>Edit breakpoint...</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="5316"/> + <location filename="../QScintilla/Editor.py" line="5310"/> <source>Enable breakpoint</source> <translation type="unfinished"></translation> </message> <message> + <location filename="../QScintilla/Editor.py" line="1175"/> + <source>Next breakpoint</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="1178"/> + <source>Previous breakpoint</source> + <translation type="unfinished"></translation> + </message> + <message> <location filename="../QScintilla/Editor.py" line="1181"/> - <source>Next breakpoint</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1184"/> - <source>Previous breakpoint</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1187"/> <source>Clear all breakpoints</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1230"/> + <location filename="../QScintilla/Editor.py" line="1224"/> <source>Goto syntax error</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1233"/> + <location filename="../QScintilla/Editor.py" line="1227"/> <source>Show syntax error message</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1237"/> + <location filename="../QScintilla/Editor.py" line="1231"/> <source>Clear syntax error</source> <translation type="unfinished"></translation> </message> <message> + <location filename="../QScintilla/Editor.py" line="1235"/> + <source>Next warning</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="1238"/> + <source>Previous warning</source> + <translation type="unfinished"></translation> + </message> + <message> <location filename="../QScintilla/Editor.py" line="1241"/> - <source>Next warning</source> + <source>Show warning message</source> <translation type="unfinished"></translation> </message> <message> <location filename="../QScintilla/Editor.py" line="1244"/> - <source>Previous warning</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1247"/> - <source>Show warning message</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1250"/> <source>Clear warnings</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1254"/> + <location filename="../QScintilla/Editor.py" line="1248"/> <source>Next uncovered line</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1257"/> + <location filename="../QScintilla/Editor.py" line="1251"/> <source>Previous uncovered line</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1261"/> + <location filename="../QScintilla/Editor.py" line="1255"/> <source>Next task</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1264"/> + <location filename="../QScintilla/Editor.py" line="1258"/> <source>Previous task</source> <translation type="unfinished"></translation> </message> <message> + <location filename="../QScintilla/Editor.py" line="1262"/> + <source>Next change</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="1265"/> + <source>Previous change</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="1303"/> + <source>Export source</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="1295"/> + <source><p>No exporter available for the export format <b>{0}</b>. Aborting...</p></source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="1303"/> + <source>No export format given. Aborting...</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="1314"/> + <source>Alternatives ({0})</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="1334"/> + <source>Pygments Lexer</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="1334"/> + <source>Select the Pygments lexer to apply.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="1810"/> + <source>Modification of Read Only file</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="1810"/> + <source>You are attempting to change a read only file. Please save to a different file first.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="2496"/> + <source>Printing...</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="2513"/> + <source>Printing completed</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="2515"/> + <source>Error while printing</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="2518"/> + <source>Printing aborted</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="2880"/> + <source>File Modified</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="2880"/> + <source><p>The file <b>{0}</b> has unsaved changes.</p></source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="2940"/> + <source><p>The file <b>{0}</b> could not be opened.</p><p>Reason: {1}</p></source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="3113"/> + <source>Save File</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="3054"/> + <source><p>The file <b>{0}</b> could not be saved.<br/>Reason: {1}</p></source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="3113"/> + <source><p>The file <b>{0}</b> already exists. Overwrite it?</p></source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="4516"/> + <source>Autocompletion</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="4516"/> + <source>Autocompletion is not available because there is no autocompletion source set.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="4641"/> + <source>Auto-Completion Provider</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="4641"/> + <source>The completion list provider '{0}' was already registered. Ignoring duplicate request.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="4895"/> + <source>Call-Tips Provider</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="4895"/> + <source>The call-tips provider '{0}' was already registered. Ignoring duplicate request.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="5313"/> + <source>Disable breakpoint</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="5670"/> + <source>Code Coverage</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="5670"/> + <source>Please select a coverage file</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="5733"/> + <source>Show Code Coverage Annotations</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="5726"/> + <source>All lines have been covered.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="5733"/> + <source>There is no coverage file available.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="5848"/> + <source>Profile Data</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="5848"/> + <source>Please select a profile file</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="6008"/> + <source>Syntax Error</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="6008"/> + <source>No syntax error message available.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="6220"/> + <source>Warning</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="6220"/> + <source>No warning messages available.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="6281"/> + <source>Style: {0}</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="6284"/> + <source>Warning: {0}</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="6291"/> + <source>Error: {0}</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="6394"/> + <source>Macro Name</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="6394"/> + <source>Select a macro name:</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="6422"/> + <source>Load macro file</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="6465"/> + <source>Macro files (*.macro)</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="6445"/> + <source>Error loading macro</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="6436"/> + <source><p>The macro file <b>{0}</b> could not be read.</p></source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="6445"/> + <source><p>The macro file <b>{0}</b> is corrupt.</p></source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="6465"/> + <source>Save macro file</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="6482"/> + <source>Save macro</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="6482"/> + <source><p>The macro file <b>{0}</b> already exists. Overwrite it?</p></source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="6498"/> + <source>Error saving macro</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="6498"/> + <source><p>The macro file <b>{0}</b> could not be written.</p></source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="6511"/> + <source>Start Macro Recording</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="6511"/> + <source>Macro recording is already active. Start new?</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="6537"/> + <source>Macro Recording</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="6537"/> + <source>Enter name of the macro:</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="6665"/> + <source><p>The file <b>{0}</b> has been changed while it was opened in eric6. Reread it?</p></source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="6671"/> + <source><br><b>Warning:</b> You will lose your changes upon reopening it.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="6675"/> + <source>File changed</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="6839"/> + <source>{0} (ro)</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="6979"/> + <source>Drop Error</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="6979"/> + <source><p><b>{0}</b> is not a file.</p></source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="7000"/> + <source>Resources</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="7002"/> + <source>Add file...</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="7004"/> + <source>Add files...</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="7006"/> + <source>Add aliased file...</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="7009"/> + <source>Add localized resource...</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="7013"/> + <source>Add resource frame</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="7032"/> + <source>Add file resource</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="7048"/> + <source>Add file resources</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="7076"/> + <source>Add aliased file resource</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="7076"/> + <source>Alias for file <b>{0}</b>:</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="7140"/> + <source>Package Diagram</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="7140"/> + <source>Include class attributes?</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="7160"/> + <source>Imports Diagram</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="7160"/> + <source>Include imports from external modules?</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="7174"/> + <source>Application Diagram</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="7174"/> + <source>Include module names?</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="7470"/> + <source>Add to dictionary</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="7472"/> + <source>Ignore All</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="7884"/> + <source>Sort Lines</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="7884"/> + <source>The selection contains illegal data for a numerical sort.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="7971"/> + <source>Register Mouse Click Handler</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="7971"/> + <source>A mouse click handler for "{0}" was already registered by "{1}". Aborting request by "{2}"...</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="912"/> + <source>Clear Completions Cache</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="839"/> + <source>Code Info</source> + <translation type="unfinished"></translation> + </message> + <message> <location filename="../QScintilla/Editor.py" line="1268"/> - <source>Next change</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1271"/> - <source>Previous change</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1309"/> - <source>Export source</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1301"/> - <source><p>No exporter available for the export format <b>{0}</b>. Aborting...</p></source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1309"/> - <source>No export format given. Aborting...</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1320"/> - <source>Alternatives ({0})</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1340"/> - <source>Pygments Lexer</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1340"/> - <source>Select the Pygments lexer to apply.</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1816"/> - <source>Modification of Read Only file</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1816"/> - <source>You are attempting to change a read only file. Please save to a different file first.</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="2502"/> - <source>Printing...</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="2519"/> - <source>Printing completed</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="2521"/> - <source>Error while printing</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="2524"/> - <source>Printing aborted</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="2886"/> - <source>File Modified</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="2886"/> - <source><p>The file <b>{0}</b> has unsaved changes.</p></source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="2946"/> - <source><p>The file <b>{0}</b> could not be opened.</p><p>Reason: {1}</p></source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="3119"/> - <source>Save File</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="3060"/> - <source><p>The file <b>{0}</b> could not be saved.<br/>Reason: {1}</p></source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="3119"/> - <source><p>The file <b>{0}</b> already exists. Overwrite it?</p></source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="4522"/> - <source>Autocompletion</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="4522"/> - <source>Autocompletion is not available because there is no autocompletion source set.</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="4647"/> - <source>Auto-Completion Provider</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="4647"/> - <source>The completion list provider '{0}' was already registered. Ignoring duplicate request.</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="4901"/> - <source>Call-Tips Provider</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="4901"/> - <source>The call-tips provider '{0}' was already registered. Ignoring duplicate request.</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="5319"/> - <source>Disable breakpoint</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="5676"/> - <source>Code Coverage</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="5676"/> - <source>Please select a coverage file</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="5739"/> - <source>Show Code Coverage Annotations</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="5732"/> - <source>All lines have been covered.</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="5739"/> - <source>There is no coverage file available.</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="5854"/> - <source>Profile Data</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="5854"/> - <source>Please select a profile file</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="6014"/> - <source>Syntax Error</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="6014"/> - <source>No syntax error message available.</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="6226"/> - <source>Warning</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="6226"/> - <source>No warning messages available.</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="6287"/> - <source>Style: {0}</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="6290"/> - <source>Warning: {0}</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="6297"/> - <source>Error: {0}</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="6400"/> - <source>Macro Name</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="6400"/> - <source>Select a macro name:</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="6428"/> - <source>Load macro file</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="6471"/> - <source>Macro files (*.macro)</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="6451"/> - <source>Error loading macro</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="6442"/> - <source><p>The macro file <b>{0}</b> could not be read.</p></source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="6451"/> - <source><p>The macro file <b>{0}</b> is corrupt.</p></source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="6471"/> - <source>Save macro file</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="6488"/> - <source>Save macro</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="6488"/> - <source><p>The macro file <b>{0}</b> already exists. Overwrite it?</p></source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="6504"/> - <source>Error saving macro</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="6504"/> - <source><p>The macro file <b>{0}</b> could not be written.</p></source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="6517"/> - <source>Start Macro Recording</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="6517"/> - <source>Macro recording is already active. Start new?</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="6543"/> - <source>Macro Recording</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="6543"/> - <source>Enter name of the macro:</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="6671"/> - <source><p>The file <b>{0}</b> has been changed while it was opened in eric6. Reread it?</p></source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="6677"/> - <source><br><b>Warning:</b> You will lose your changes upon reopening it.</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="6681"/> - <source>File changed</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="6845"/> - <source>{0} (ro)</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="6985"/> - <source>Drop Error</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="6985"/> - <source><p><b>{0}</b> is not a file.</p></source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="7006"/> - <source>Resources</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="7008"/> - <source>Add file...</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="7010"/> - <source>Add files...</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="7012"/> - <source>Add aliased file...</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="7015"/> - <source>Add localized resource...</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="7019"/> - <source>Add resource frame</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="7038"/> - <source>Add file resource</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="7054"/> - <source>Add file resources</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="7082"/> - <source>Add aliased file resource</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="7082"/> - <source>Alias for file <b>{0}</b>:</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="7146"/> - <source>Package Diagram</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="7146"/> - <source>Include class attributes?</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="7166"/> - <source>Imports Diagram</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="7166"/> - <source>Include imports from external modules?</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="7180"/> - <source>Application Diagram</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="7180"/> - <source>Include module names?</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="7476"/> - <source>Add to dictionary</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="7478"/> - <source>Ignore All</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="7890"/> - <source>Sort Lines</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="7890"/> - <source>The selection contains illegal data for a numerical sort.</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="7977"/> - <source>Register Mouse Click Handler</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="7977"/> - <source>A mouse click handler for "{0}" was already registered by "{1}". Aborting request by "{2}"...</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="918"/> - <source>Clear Completions Cache</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="845"/> - <source>Code Info</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1274"/> <source>Clear changes</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="770"/> + <location filename="../QScintilla/Editor.py" line="764"/> <source>Execute Selection In Console</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="8098"/> + <location filename="../QScintilla/Editor.py" line="8092"/> <source>EditorConfig Properties</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="8098"/> + <location filename="../QScintilla/Editor.py" line="8092"/> <source><p>The EditorConfig properties for file <b>{0}</b> could not be loaded.</p></source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1197"/> + <location filename="../QScintilla/Editor.py" line="1191"/> <source>Toggle all folds</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1201"/> + <location filename="../QScintilla/Editor.py" line="1195"/> <source>Toggle all folds (including children)</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1205"/> + <location filename="../QScintilla/Editor.py" line="1199"/> <source>Toggle current fold</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1210"/> + <location filename="../QScintilla/Editor.py" line="1204"/> <source>Expand (including children)</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1214"/> + <location filename="../QScintilla/Editor.py" line="1208"/> <source>Collapse (including children)</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1219"/> + <location filename="../QScintilla/Editor.py" line="1213"/> <source>Clear all folds</source> <translation type="unfinished"></translation> </message> @@ -45366,12 +45366,12 @@ <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/MiniEditor.py" line="3401"/> + <location filename="../QScintilla/MiniEditor.py" line="3405"/> <source>EditorConfig Properties</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/MiniEditor.py" line="3401"/> + <location filename="../QScintilla/MiniEditor.py" line="3405"/> <source><p>The EditorConfig properties for file <b>{0}</b> could not be loaded.</p></source> <translation type="unfinished"></translation> </message> @@ -45384,252 +45384,252 @@ <context> <name>MiscellaneousChecker</name> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="476"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="482"/> <source>coding magic comment not found</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="479"/> - <source>unknown encoding ({0}) found in coding magic comment</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="482"/> - <source>copyright notice not present</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="485"/> + <source>unknown encoding ({0}) found in coding magic comment</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="488"/> + <source>copyright notice not present</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="491"/> <source>copyright notice contains invalid author</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="562"/> - <source>found {0} formatter</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="565"/> - <source>format string does contain unindexed parameters</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="568"/> - <source>docstring does contain unindexed parameters</source> + <source>found {0} formatter</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="571"/> - <source>other string does contain unindexed parameters</source> + <source>format string does contain unindexed parameters</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="574"/> - <source>format call uses too large index ({0})</source> + <source>docstring does contain unindexed parameters</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="577"/> - <source>format call uses missing keyword ({0})</source> + <source>other string does contain unindexed parameters</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="580"/> - <source>format call uses keyword arguments but no named entries</source> + <source>format call uses too large index ({0})</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="583"/> - <source>format call uses variable arguments but no numbered entries</source> + <source>format call uses missing keyword ({0})</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="586"/> - <source>format call uses implicit and explicit indexes together</source> + <source>format call uses keyword arguments but no named entries</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="589"/> - <source>format call provides unused index ({0})</source> + <source>format call uses variable arguments but no numbered entries</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="592"/> + <source>format call uses implicit and explicit indexes together</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="595"/> + <source>format call provides unused index ({0})</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="598"/> <source>format call provides unused keyword ({0})</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="610"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="616"/> <source>expected these __future__ imports: {0}; but only got: {1}</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="613"/> - <source>expected these __future__ imports: {0}; but got none</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="619"/> + <source>expected these __future__ imports: {0}; but got none</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="625"/> <source>print statement found</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="622"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="628"/> <source>one element tuple found</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="634"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="640"/> <source>{0}: {1}</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="488"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="494"/> <source>"{0}" is a Python builtin and is being shadowed; consider renaming the variable</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="492"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="498"/> <source>"{0}" is used as an argument and thus shadows a Python builtin; consider renaming the argument</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="496"/> - <source>unnecessary generator - rewrite as a list comprehension</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="499"/> - <source>unnecessary generator - rewrite as a set comprehension</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="502"/> - <source>unnecessary generator - rewrite as a dict comprehension</source> + <source>unnecessary generator - rewrite as a list comprehension</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="505"/> - <source>unnecessary list comprehension - rewrite as a set comprehension</source> + <source>unnecessary generator - rewrite as a set comprehension</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="508"/> - <source>unnecessary list comprehension - rewrite as a dict comprehension</source> + <source>unnecessary generator - rewrite as a dict comprehension</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="511"/> - <source>unnecessary list literal - rewrite as a set literal</source> + <source>unnecessary list comprehension - rewrite as a set comprehension</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="514"/> - <source>unnecessary list literal - rewrite as a dict literal</source> + <source>unnecessary list comprehension - rewrite as a dict comprehension</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="517"/> - <source>unnecessary list comprehension - "{0}" can take a generator</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="628"/> - <source>mutable default argument of type {0}</source> + <source>unnecessary list literal - rewrite as a set literal</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="520"/> + <source>unnecessary list literal - rewrite as a dict literal</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="523"/> + <source>unnecessary list comprehension - "{0}" can take a generator</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="634"/> + <source>mutable default argument of type {0}</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="526"/> <source>sort keys - '{0}' should be before '{1}'</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="598"/> - <source>logging statement uses '%'</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="604"/> + <source>logging statement uses '%'</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="610"/> <source>logging statement uses f-string</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="607"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="613"/> <source>logging statement uses 'warn' instead of 'warning'</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="595"/> - <source>logging statement uses string.format()</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="601"/> + <source>logging statement uses string.format()</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="607"/> <source>logging statement uses '+'</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="616"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="622"/> <source>gettext import with alias _ found: {0}</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="523"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="529"/> <source>Python does not support the unary prefix increment</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="533"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="539"/> <source>'sys.maxint' is not defined in Python 3 - use 'sys.maxsize'</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="536"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="542"/> <source>'BaseException.message' has been deprecated as of Python 2.6 and is removed in Python 3 - use 'str(e)'</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="540"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="546"/> <source>assigning to 'os.environ' does not clear the environment - use 'os.environ.clear()'</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="548"/> - <source>Python 3 does not include '.iter*' methods on dictionaries</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="551"/> - <source>Python 3 does not include '.view*' methods on dictionaries</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="554"/> - <source>'.next()' does not exist in Python 3</source> + <source>Python 3 does not include '.iter*' methods on dictionaries</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="557"/> + <source>Python 3 does not include '.view*' methods on dictionaries</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="560"/> + <source>'.next()' does not exist in Python 3</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="563"/> <source>'__metaclass__' does nothing on Python 3 - use 'class MyClass(BaseClass, metaclass=...)'</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="631"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="637"/> <source>mutable default argument of function call '{0}'</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="526"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="532"/> <source>using .strip() with multi-character strings is misleading</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="529"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="535"/> <source>using 'hasattr(x, "__call__")' to test if 'x' is callable is unreliable</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="544"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="550"/> <source>loop control variable {0} not used within the loop body - start the name with an underscore</source> <translation type="unfinished"></translation> </message> @@ -46060,72 +46060,72 @@ <context> <name>NamingStyleChecker</name> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="420"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="426"/> <source>class names should use CapWords convention</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="423"/> - <source>function name should be lowercase</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="426"/> - <source>argument name should be lowercase</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="429"/> - <source>first argument of a class method should be named 'cls'</source> + <source>function name should be lowercase</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="432"/> - <source>first argument of a method should be named 'self'</source> + <source>argument name should be lowercase</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="435"/> + <source>first argument of a class method should be named 'cls'</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="438"/> + <source>first argument of a method should be named 'self'</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="441"/> <source>first argument of a static method should not be named 'self' or 'cls</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="439"/> - <source>module names should be lowercase</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="442"/> - <source>package names should be lowercase</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="445"/> - <source>constant imported as non constant</source> + <source>module names should be lowercase</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="448"/> - <source>lowercase imported as non lowercase</source> + <source>package names should be lowercase</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="451"/> - <source>camelcase imported as lowercase</source> + <source>constant imported as non constant</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="454"/> - <source>camelcase imported as constant</source> + <source>lowercase imported as non lowercase</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="457"/> - <source>variable in function should be lowercase</source> + <source>camelcase imported as lowercase</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="460"/> + <source>camelcase imported as constant</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="463"/> + <source>variable in function should be lowercase</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="466"/> <source>names 'l', 'O' and 'I' should be avoided</source> <translation type="unfinished"></translation> </message> @@ -86451,125 +86451,145 @@ <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="39"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="43"/> <source>Duplicate argument {0!r} in function definition.</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="42"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="46"/> <source>Redefinition of {0!r} from line {1!r}.</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="45"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="49"/> <source>from __future__ imports must occur at the beginning of the file</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="48"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="52"/> <source>Local variable {0!r} is assigned to but never used.</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="51"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="55"/> <source>List comprehension redefines {0!r} from line {1!r}.</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="54"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="58"/> <source>Syntax error detected in doctest.</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="57"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="61"/> <source>'return' with argument inside generator</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="60"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="64"/> <source>'return' outside function</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="63"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="67"/> <source>'from {0} import *' only allowed at module level</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="66"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="70"/> <source>{0!r} may be undefined, or defined from star imports: {1}</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="69"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="73"/> <source>Dictionary key {0!r} repeated with different values</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="72"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="76"/> <source>Dictionary key variable {0} repeated with different values</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="75"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="79"/> <source>Future feature {0} is not defined</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="78"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="82"/> <source>'yield' outside function</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="81"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="85"/> <source>'continue' not properly in loop</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="84"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="88"/> <source>'break' outside loop</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="87"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="91"/> <source>'continue' not supported inside 'finally' clause</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="90"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="94"/> <source>Default 'except:' must be last</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="93"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="97"/> <source>Two starred expressions in assignment</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="96"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="100"/> <source>Too many expressions in star-unpacking assignment</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="99"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="103"/> <source>Assertion is always true, perhaps remove parentheses?</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="126"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="139"/> <source>no message defined for code '{0}'</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="102"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="106"/> <source>syntax error in forward annotation {0!r}</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="105"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="109"/> <source>'raise NotImplemented' should be 'raise NotImplementedError'</source> <translation type="unfinished"></translation> </message> + <message> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="39"/> + <source>Local variable {0!r} (defined as a builtin) referenced before assignment.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="112"/> + <source>syntax error in type comment {0!r}</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="115"/> + <source>use of >> is invalid with print function</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="118"/> + <source>use ==/!= to compare str, bytes, and int literals</source> + <translation type="unfinished"></translation> + </message> </context> <context> <name>pycodestyle</name> @@ -86609,375 +86629,385 @@ <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="40"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="43"/> <source>continuation line indentation is not a multiple of four</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="43"/> - <source>continuation line missing indentation or outdented</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="46"/> + <source>continuation line missing indentation or outdented</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="49"/> <source>closing bracket does not match indentation of opening bracket's line</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="50"/> - <source>closing bracket does not match visual indentation</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="53"/> - <source>continuation line with same indent as next logical line</source> + <source>closing bracket does not match visual indentation</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="56"/> - <source>continuation line over-indented for hanging indent</source> + <source>continuation line with same indent as next logical line</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="59"/> - <source>continuation line over-indented for visual indent</source> + <source>continuation line over-indented for hanging indent</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="62"/> - <source>continuation line under-indented for visual indent</source> + <source>continuation line over-indented for visual indent</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="65"/> - <source>visually indented line with same indent as next logical line</source> + <source>continuation line under-indented for visual indent</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="68"/> - <source>continuation line unaligned for hanging indent</source> + <source>visually indented line with same indent as next logical line</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="71"/> - <source>closing bracket is missing indentation</source> + <source>continuation line unaligned for hanging indent</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="74"/> - <source>indentation contains tabs</source> + <source>closing bracket is missing indentation</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="77"/> + <source>indentation contains tabs</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="80"/> <source>whitespace after '{0}'</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="86"/> - <source>whitespace before '{0}'</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="89"/> - <source>multiple spaces before operator</source> + <source>whitespace before '{0}'</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="92"/> - <source>multiple spaces after operator</source> + <source>multiple spaces before operator</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="95"/> - <source>tab before operator</source> + <source>multiple spaces after operator</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="98"/> - <source>tab after operator</source> + <source>tab before operator</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="101"/> - <source>missing whitespace around operator</source> + <source>tab after operator</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="104"/> - <source>missing whitespace around arithmetic operator</source> + <source>missing whitespace around operator</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="107"/> - <source>missing whitespace around bitwise or shift operator</source> + <source>missing whitespace around arithmetic operator</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="110"/> - <source>missing whitespace around modulo operator</source> + <source>missing whitespace around bitwise or shift operator</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="113"/> - <source>missing whitespace after '{0}'</source> + <source>missing whitespace around modulo operator</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="116"/> - <source>multiple spaces after '{0}'</source> + <source>missing whitespace after '{0}'</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="119"/> - <source>tab after '{0}'</source> + <source>multiple spaces after '{0}'</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="122"/> + <source>tab after '{0}'</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="125"/> <source>unexpected spaces around keyword / parameter equals</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="128"/> - <source>at least two spaces before inline comment</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="131"/> - <source>inline comment should start with '# '</source> + <source>at least two spaces before inline comment</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="134"/> - <source>block comment should start with '# '</source> + <source>inline comment should start with '# '</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="137"/> - <source>too many leading '#' for block comment</source> + <source>block comment should start with '# '</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="140"/> - <source>multiple spaces after keyword</source> + <source>too many leading '#' for block comment</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="143"/> - <source>multiple spaces before keyword</source> + <source>multiple spaces after keyword</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="146"/> - <source>tab after keyword</source> + <source>multiple spaces before keyword</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="149"/> - <source>tab before keyword</source> + <source>tab after keyword</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="152"/> - <source>missing whitespace after keyword</source> + <source>tab before keyword</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="155"/> - <source>trailing whitespace</source> + <source>missing whitespace after keyword</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="158"/> - <source>no newline at end of file</source> + <source>trailing whitespace</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="161"/> + <source>no newline at end of file</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="164"/> <source>blank line contains whitespace</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="186"/> - <source>too many blank lines ({0})</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="173"/> - <source>blank lines found after function decorator</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="189"/> - <source>blank line at end of file</source> + <source>too many blank lines ({0})</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="176"/> + <source>blank lines found after function decorator</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="192"/> - <source>multiple imports on one line</source> + <source>blank line at end of file</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="195"/> - <source>module level import not at top of file</source> + <source>multiple imports on one line</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="198"/> - <source>line too long ({0} > {1} characters)</source> + <source>module level import not at top of file</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="201"/> - <source>the backslash is redundant between brackets</source> + <source>line too long ({0} > {1} characters)</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="204"/> + <source>the backslash is redundant between brackets</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="207"/> <source>line break before binary operator</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="210"/> - <source>.has_key() is deprecated, use 'in'</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="213"/> - <source>deprecated form of raising exception</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="216"/> - <source>'<>' is deprecated, use '!='</source> + <source>.has_key() is deprecated, use 'in'</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="219"/> + <source>deprecated form of raising exception</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="222"/> + <source>'<>' is deprecated, use '!='</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="225"/> <source>backticks are deprecated, use 'repr()'</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="228"/> - <source>multiple statements on one line (colon)</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="231"/> - <source>multiple statements on one line (semicolon)</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="234"/> - <source>statement ends with a semicolon</source> + <source>multiple statements on one line (colon)</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="237"/> - <source>multiple statements on one line (def)</source> + <source>multiple statements on one line (semicolon)</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="240"/> + <source>statement ends with a semicolon</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="243"/> - <source>comparison to {0} should be {1}</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="246"/> - <source>test for membership should be 'not in'</source> + <source>multiple statements on one line (def)</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="249"/> - <source>test for object identity should be 'is not'</source> + <source>comparison to {0} should be {1}</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="252"/> - <source>do not compare types, use 'isinstance()'</source> + <source>test for membership should be 'not in'</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="255"/> + <source>test for object identity should be 'is not'</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="258"/> - <source>do not assign a lambda expression, use a def</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="261"/> - <source>ambiguous variable name '{0}'</source> + <source>do not compare types, use 'isinstance()'</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="264"/> - <source>ambiguous class definition '{0}'</source> + <source>do not assign a lambda expression, use a def</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="267"/> - <source>ambiguous function definition '{0}'</source> + <source>ambiguous variable name '{0}'</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="270"/> - <source>{0}: {1}</source> + <source>ambiguous class definition '{0}'</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="273"/> + <source>ambiguous function definition '{0}'</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="276"/> + <source>{0}: {1}</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="279"/> <source>{0}</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="255"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="261"/> <source>do not use bare except</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="176"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="179"/> <source>expected {0} blank lines after class or function definition, found {1}</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="225"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="231"/> <source>'async' and 'await' are reserved keywords starting with Python 3.7</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="125"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="128"/> <source>missing whitespace around parameter equals</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="167"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="170"/> <source>expected {0} blank lines, found {1}</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="180"/> - <source>expected {0} blank lines before a nested definition, found {1}</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="207"/> - <source>line break after binary operator</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="222"/> - <source>invalid escape sequence '\{0}'</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="183"/> + <source>expected {0} blank lines before a nested definition, found {1}</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="210"/> + <source>line break after binary operator</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="228"/> + <source>invalid escape sequence '\{0}'</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="186"/> <source>too many blank lines ({0}) before a nested definition, expected {1}</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="170"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="173"/> <source>too many blank lines ({0}), expected {1}</source> <translation type="unfinished"></translation> </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="40"/> + <source>over-indented</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="213"/> + <source>doc line too long ({0} > {1} characters)</source> + <translation type="unfinished"></translation> + </message> </context> <context> <name>subversion</name>
--- a/i18n/eric6_en.ts Wed Feb 13 20:41:45 2019 +0100 +++ b/i18n/eric6_en.ts Thu Feb 14 18:58:22 2019 +0100 @@ -3664,142 +3664,142 @@ <context> <name>CodeStyleFixer</name> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="639"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="645"/> <source>Triple single quotes converted to triple double quotes.</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="642"/> - <source>Introductory quotes corrected to be {0}"""</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="645"/> - <source>Single line docstring put on one line.</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="648"/> - <source>Period added to summary line.</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="675"/> - <source>Blank line before function/method docstring removed.</source> + <source>Introductory quotes corrected to be {0}"""</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="651"/> + <source>Single line docstring put on one line.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="654"/> - <source>Blank line inserted before class docstring.</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="657"/> - <source>Blank line inserted after class docstring.</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="660"/> - <source>Blank line inserted after docstring summary.</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="663"/> - <source>Blank line inserted after last paragraph of docstring.</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="666"/> - <source>Leading quotes put on separate line.</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="669"/> - <source>Trailing quotes put on separate line.</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="672"/> - <source>Blank line before class docstring removed.</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="678"/> - <source>Blank line after class docstring removed.</source> + <source>Period added to summary line.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="681"/> - <source>Blank line after function/method docstring removed.</source> + <source>Blank line before function/method docstring removed.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="660"/> + <source>Blank line inserted before class docstring.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="663"/> + <source>Blank line inserted after class docstring.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="666"/> + <source>Blank line inserted after docstring summary.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="669"/> + <source>Blank line inserted after last paragraph of docstring.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="672"/> + <source>Leading quotes put on separate line.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="675"/> + <source>Trailing quotes put on separate line.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="678"/> + <source>Blank line before class docstring removed.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="684"/> - <source>Blank line after last paragraph removed.</source> + <source>Blank line after class docstring removed.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="687"/> - <source>Tab converted to 4 spaces.</source> + <source>Blank line after function/method docstring removed.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="690"/> - <source>Indentation adjusted to be a multiple of four.</source> + <source>Blank line after last paragraph removed.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="693"/> - <source>Indentation of continuation line corrected.</source> + <source>Tab converted to 4 spaces.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="696"/> - <source>Indentation of closing bracket corrected.</source> + <source>Indentation adjusted to be a multiple of four.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="699"/> - <source>Missing indentation of continuation line corrected.</source> + <source>Indentation of continuation line corrected.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="702"/> - <source>Closing bracket aligned to opening bracket.</source> + <source>Indentation of closing bracket corrected.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="705"/> - <source>Indentation level changed.</source> + <source>Missing indentation of continuation line corrected.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="708"/> - <source>Indentation level of hanging indentation changed.</source> + <source>Closing bracket aligned to opening bracket.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="711"/> + <source>Indentation level changed.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="714"/> + <source>Indentation level of hanging indentation changed.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="717"/> <source>Visual indentation corrected.</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="726"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="732"/> <source>Extraneous whitespace removed.</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="723"/> - <source>Missing whitespace added.</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="729"/> + <source>Missing whitespace added.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="735"/> <source>Whitespace around comment sign corrected.</source> <translation type="unfinished"></translation> </message> <message numerus="yes"> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="733"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="739"/> <source>%n blank line(s) inserted.</source> <translation> <numerusform>%n blank line inserted.</numerusform> @@ -3807,7 +3807,7 @@ </translation> </message> <message numerus="yes"> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="736"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="742"/> <source>%n superfluous lines removed</source> <translation> <numerusform>%n superfluous line removed</numerusform> @@ -3815,77 +3815,77 @@ </translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="740"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="746"/> <source>Superfluous blank lines removed.</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="743"/> - <source>Superfluous blank lines after function decorator removed.</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="746"/> - <source>Imports were put on separate lines.</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="749"/> - <source>Long lines have been shortened.</source> + <source>Superfluous blank lines after function decorator removed.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="752"/> - <source>Redundant backslash in brackets removed.</source> + <source>Imports were put on separate lines.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="755"/> + <source>Long lines have been shortened.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="758"/> - <source>Compound statement corrected.</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="761"/> - <source>Comparison to None/True/False corrected.</source> + <source>Redundant backslash in brackets removed.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="764"/> - <source>'{0}' argument added.</source> + <source>Compound statement corrected.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="767"/> - <source>'{0}' argument removed.</source> + <source>Comparison to None/True/False corrected.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="770"/> - <source>Whitespace stripped from end of line.</source> + <source>'{0}' argument added.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="773"/> - <source>newline added to end of file.</source> + <source>'{0}' argument removed.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="776"/> - <source>Superfluous trailing blank lines removed from end of file.</source> + <source>Whitespace stripped from end of line.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="779"/> + <source>newline added to end of file.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="782"/> + <source>Superfluous trailing blank lines removed from end of file.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="785"/> <source>'<>' replaced by '!='.</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="783"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="789"/> <source>Could not save the file! Skipping it. Reason: {0}</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="872"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="879"/> <source> no message defined for code '{0}'</source> <translation type="unfinished"></translation> </message> @@ -4363,22 +4363,22 @@ <context> <name>ComplexityChecker</name> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="465"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="471"/> <source>'{0}' is too complex ({1})</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="467"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="473"/> <source>source code line is too complex ({0})</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="469"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="475"/> <source>overall source code line complexity is too high ({0})</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="472"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="478"/> <source>{0}: {1}</source> <translation type="unfinished"></translation> </message> @@ -7334,242 +7334,242 @@ <context> <name>DocStyleChecker</name> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="278"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="284"/> <source>module is missing a docstring</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="280"/> - <source>public function/method is missing a docstring</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="283"/> - <source>private function/method may be missing a docstring</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="286"/> - <source>public class is missing a docstring</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="288"/> - <source>private class may be missing a docstring</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="290"/> - <source>docstring not surrounded by """</source> + <source>public function/method is missing a docstring</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="289"/> + <source>private function/method may be missing a docstring</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="292"/> - <source>docstring containing \ not surrounded by r"""</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="295"/> - <source>docstring containing unicode character not surrounded by u"""</source> + <source>public class is missing a docstring</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="294"/> + <source>private class may be missing a docstring</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="296"/> + <source>docstring not surrounded by """</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="298"/> + <source>docstring containing \ not surrounded by r"""</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="301"/> + <source>docstring containing unicode character not surrounded by u"""</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="304"/> <source>one-liner docstring on multiple lines</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="300"/> - <source>docstring has wrong indentation</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="349"/> - <source>docstring summary does not end with a period</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="306"/> + <source>docstring has wrong indentation</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="355"/> + <source>docstring summary does not end with a period</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="312"/> <source>docstring summary is not in imperative mood (Does instead of Do)</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="310"/> - <source>docstring summary looks like a function's/method's signature</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="313"/> - <source>docstring does not mention the return value type</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="316"/> - <source>function/method docstring is separated by a blank line</source> + <source>docstring summary looks like a function's/method's signature</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="319"/> - <source>class docstring is not preceded by a blank line</source> + <source>docstring does not mention the return value type</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="322"/> - <source>class docstring is not followed by a blank line</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="383"/> - <source>docstring summary is not followed by a blank line</source> + <source>function/method docstring is separated by a blank line</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="325"/> + <source>class docstring is not preceded by a blank line</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="328"/> + <source>class docstring is not followed by a blank line</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="389"/> + <source>docstring summary is not followed by a blank line</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="334"/> <source>last paragraph of docstring is not followed by a blank line</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="336"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="342"/> <source>private function/method is missing a docstring</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="339"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="345"/> <source>private class is missing a docstring</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="343"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="349"/> <source>leading quotes of docstring not on separate line</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="346"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="352"/> <source>trailing quotes of docstring not on separate line</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="353"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="359"/> <source>docstring does not contain a @return line but function/method returns something</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="357"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="363"/> <source>docstring contains a @return line but function/method doesn't return anything</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="361"/> - <source>docstring does not contain enough @param/@keyparam lines</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="364"/> - <source>docstring contains too many @param/@keyparam lines</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="367"/> - <source>keyword only arguments must be documented with @keyparam lines</source> + <source>docstring does not contain enough @param/@keyparam lines</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="370"/> - <source>order of @param/@keyparam lines does not match the function/method signature</source> + <source>docstring contains too many @param/@keyparam lines</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="373"/> + <source>keyword only arguments must be documented with @keyparam lines</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="376"/> + <source>order of @param/@keyparam lines does not match the function/method signature</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="379"/> <source>class docstring is preceded by a blank line</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="375"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="381"/> <source>class docstring is followed by a blank line</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="377"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="383"/> <source>function/method docstring is preceded by a blank line</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="380"/> - <source>function/method docstring is followed by a blank line</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="386"/> + <source>function/method docstring is followed by a blank line</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="392"/> <source>last paragraph of docstring is followed by a blank line</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="389"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="395"/> <source>docstring does not contain a @exception line but function/method raises an exception</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="393"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="399"/> <source>docstring contains a @exception line but function/method doesn't raise an exception</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="416"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="422"/> <source>{0}: {1}</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="302"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="308"/> <source>docstring does not contain a summary</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="351"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="357"/> <source>docstring summary does not start with '{0}'</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="397"/> - <source>raised exception '{0}' is not documented in docstring</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="400"/> - <source>documented exception '{0}' is not raised</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="403"/> - <source>docstring does not contain a @signal line but class defines signals</source> + <source>raised exception '{0}' is not documented in docstring</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="406"/> - <source>docstring contains a @signal line but class doesn't define signals</source> + <source>documented exception '{0}' is not raised</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="409"/> - <source>defined signal '{0}' is not documented in docstring</source> + <source>docstring does not contain a @signal line but class defines signals</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="412"/> + <source>docstring contains a @signal line but class doesn't define signals</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="415"/> + <source>defined signal '{0}' is not documented in docstring</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="418"/> <source>documented signal '{0}' is not defined</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="341"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="347"/> <source>class docstring is still a default string</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="334"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="340"/> <source>function docstring is still a default string</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="332"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="338"/> <source>module docstring is still a default string</source> <translation type="unfinished"></translation> </message> @@ -9860,7 +9860,7 @@ <context> <name>Editor</name> <message> - <location filename="../QScintilla/Editor.py" line="2946"/> + <location filename="../QScintilla/Editor.py" line="2940"/> <source>Open File</source> <translation type="unfinished"></translation> </message> @@ -9875,907 +9875,907 @@ <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="750"/> + <location filename="../QScintilla/Editor.py" line="744"/> <source>Undo</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="753"/> + <location filename="../QScintilla/Editor.py" line="747"/> <source>Redo</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="756"/> + <location filename="../QScintilla/Editor.py" line="750"/> <source>Revert to last saved state</source> <translation type="unfinished"></translation> </message> <message> + <location filename="../QScintilla/Editor.py" line="754"/> + <source>Cut</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="757"/> + <source>Copy</source> + <translation type="unfinished"></translation> + </message> + <message> <location filename="../QScintilla/Editor.py" line="760"/> - <source>Cut</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="763"/> - <source>Copy</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="766"/> <source>Paste</source> <translation type="unfinished"></translation> </message> <message> + <location filename="../QScintilla/Editor.py" line="768"/> + <source>Indent</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="771"/> + <source>Unindent</source> + <translation type="unfinished"></translation> + </message> + <message> <location filename="../QScintilla/Editor.py" line="774"/> - <source>Indent</source> + <source>Comment</source> <translation type="unfinished"></translation> </message> <message> <location filename="../QScintilla/Editor.py" line="777"/> - <source>Unindent</source> + <source>Uncomment</source> <translation type="unfinished"></translation> </message> <message> <location filename="../QScintilla/Editor.py" line="780"/> - <source>Comment</source> + <source>Stream Comment</source> <translation type="unfinished"></translation> </message> <message> <location filename="../QScintilla/Editor.py" line="783"/> - <source>Uncomment</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="786"/> - <source>Stream Comment</source> + <source>Box Comment</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="787"/> + <source>Select to brace</source> <translation type="unfinished"></translation> </message> <message> <location filename="../QScintilla/Editor.py" line="789"/> - <source>Box Comment</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="793"/> - <source>Select to brace</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="795"/> <source>Select all</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="796"/> + <location filename="../QScintilla/Editor.py" line="790"/> <source>Deselect all</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7473"/> + <location filename="../QScintilla/Editor.py" line="7467"/> <source>Check spelling...</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="804"/> + <location filename="../QScintilla/Editor.py" line="798"/> <source>Check spelling of selection...</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="808"/> + <location filename="../QScintilla/Editor.py" line="802"/> <source>Remove from dictionary</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="812"/> + <location filename="../QScintilla/Editor.py" line="806"/> <source>Shorten empty lines</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="819"/> + <location filename="../QScintilla/Editor.py" line="813"/> <source>Use Monospaced Font</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="824"/> + <location filename="../QScintilla/Editor.py" line="818"/> <source>Autosave enabled</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="828"/> + <location filename="../QScintilla/Editor.py" line="822"/> <source>Typing aids enabled</source> <translation type="unfinished"></translation> </message> <message> + <location filename="../QScintilla/Editor.py" line="861"/> + <source>Close</source> + <translation type="unfinished"></translation> + </message> + <message> <location filename="../QScintilla/Editor.py" line="867"/> - <source>Close</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="873"/> <source>Save</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="876"/> + <location filename="../QScintilla/Editor.py" line="870"/> <source>Save As...</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="889"/> + <location filename="../QScintilla/Editor.py" line="883"/> <source>Print Preview</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="892"/> + <location filename="../QScintilla/Editor.py" line="886"/> <source>Print</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="921"/> + <location filename="../QScintilla/Editor.py" line="915"/> <source>Complete from Document</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="923"/> + <location filename="../QScintilla/Editor.py" line="917"/> <source>Complete from APIs</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="925"/> + <location filename="../QScintilla/Editor.py" line="919"/> <source>Complete from Document and APIs</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="843"/> + <location filename="../QScintilla/Editor.py" line="837"/> <source>Calltip</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="939"/> + <location filename="../QScintilla/Editor.py" line="933"/> <source>Check</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="959"/> + <location filename="../QScintilla/Editor.py" line="953"/> <source>Show</source> <translation type="unfinished"></translation> </message> <message> + <location filename="../QScintilla/Editor.py" line="955"/> + <source>Code metrics...</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="956"/> + <source>Code coverage...</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="958"/> + <source>Show code coverage annotations</source> + <translation type="unfinished"></translation> + </message> + <message> <location filename="../QScintilla/Editor.py" line="961"/> - <source>Code metrics...</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="962"/> - <source>Code coverage...</source> + <source>Hide code coverage annotations</source> <translation type="unfinished"></translation> </message> <message> <location filename="../QScintilla/Editor.py" line="964"/> - <source>Show code coverage annotations</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="967"/> - <source>Hide code coverage annotations</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="970"/> <source>Profile data...</source> <translation type="unfinished"></translation> </message> <message> + <location filename="../QScintilla/Editor.py" line="977"/> + <source>Diagrams</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="979"/> + <source>Class Diagram...</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="981"/> + <source>Package Diagram...</source> + <translation type="unfinished"></translation> + </message> + <message> <location filename="../QScintilla/Editor.py" line="983"/> - <source>Diagrams</source> + <source>Imports Diagram...</source> <translation type="unfinished"></translation> </message> <message> <location filename="../QScintilla/Editor.py" line="985"/> - <source>Class Diagram...</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="987"/> - <source>Package Diagram...</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="989"/> - <source>Imports Diagram...</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="991"/> <source>Application Diagram...</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1009"/> + <location filename="../QScintilla/Editor.py" line="1003"/> <source>Languages</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1012"/> + <location filename="../QScintilla/Editor.py" line="1006"/> <source>No Language</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1037"/> + <location filename="../QScintilla/Editor.py" line="1031"/> <source>Guessed</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1324"/> + <location filename="../QScintilla/Editor.py" line="1318"/> <source>Alternatives</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1057"/> + <location filename="../QScintilla/Editor.py" line="1051"/> <source>Encodings</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1098"/> + <location filename="../QScintilla/Editor.py" line="1092"/> <source>End-of-Line Type</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1102"/> + <location filename="../QScintilla/Editor.py" line="1096"/> <source>Unix</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1109"/> + <location filename="../QScintilla/Editor.py" line="1103"/> <source>Windows</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1116"/> + <location filename="../QScintilla/Editor.py" line="1110"/> <source>Macintosh</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1134"/> + <location filename="../QScintilla/Editor.py" line="1128"/> <source>Export as</source> <translation type="unfinished"></translation> </message> <message> + <location filename="../QScintilla/Editor.py" line="1150"/> + <source>Toggle bookmark</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="1152"/> + <source>Next bookmark</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="1154"/> + <source>Previous bookmark</source> + <translation type="unfinished"></translation> + </message> + <message> <location filename="../QScintilla/Editor.py" line="1156"/> - <source>Toggle bookmark</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1158"/> - <source>Next bookmark</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1160"/> - <source>Previous bookmark</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1162"/> <source>Clear all bookmarks</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1171"/> + <location filename="../QScintilla/Editor.py" line="1165"/> <source>Toggle breakpoint</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1173"/> + <location filename="../QScintilla/Editor.py" line="1167"/> <source>Toggle temporary breakpoint</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1176"/> + <location filename="../QScintilla/Editor.py" line="1170"/> <source>Edit breakpoint...</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="5316"/> + <location filename="../QScintilla/Editor.py" line="5310"/> <source>Enable breakpoint</source> <translation type="unfinished"></translation> </message> <message> + <location filename="../QScintilla/Editor.py" line="1175"/> + <source>Next breakpoint</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="1178"/> + <source>Previous breakpoint</source> + <translation type="unfinished"></translation> + </message> + <message> <location filename="../QScintilla/Editor.py" line="1181"/> - <source>Next breakpoint</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1184"/> - <source>Previous breakpoint</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1187"/> <source>Clear all breakpoints</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1230"/> + <location filename="../QScintilla/Editor.py" line="1224"/> <source>Goto syntax error</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1233"/> + <location filename="../QScintilla/Editor.py" line="1227"/> <source>Show syntax error message</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1237"/> + <location filename="../QScintilla/Editor.py" line="1231"/> <source>Clear syntax error</source> <translation type="unfinished"></translation> </message> <message> + <location filename="../QScintilla/Editor.py" line="1235"/> + <source>Next warning</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="1238"/> + <source>Previous warning</source> + <translation type="unfinished"></translation> + </message> + <message> <location filename="../QScintilla/Editor.py" line="1241"/> - <source>Next warning</source> + <source>Show warning message</source> <translation type="unfinished"></translation> </message> <message> <location filename="../QScintilla/Editor.py" line="1244"/> - <source>Previous warning</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1247"/> - <source>Show warning message</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1250"/> <source>Clear warnings</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1254"/> + <location filename="../QScintilla/Editor.py" line="1248"/> <source>Next uncovered line</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1257"/> + <location filename="../QScintilla/Editor.py" line="1251"/> <source>Previous uncovered line</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1261"/> + <location filename="../QScintilla/Editor.py" line="1255"/> <source>Next task</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1264"/> + <location filename="../QScintilla/Editor.py" line="1258"/> <source>Previous task</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1309"/> + <location filename="../QScintilla/Editor.py" line="1303"/> <source>Export source</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1301"/> + <location filename="../QScintilla/Editor.py" line="1295"/> <source><p>No exporter available for the export format <b>{0}</b>. Aborting...</p></source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1309"/> + <location filename="../QScintilla/Editor.py" line="1303"/> <source>No export format given. Aborting...</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1320"/> + <location filename="../QScintilla/Editor.py" line="1314"/> <source>Alternatives ({0})</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1340"/> + <location filename="../QScintilla/Editor.py" line="1334"/> <source>Pygments Lexer</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1340"/> + <location filename="../QScintilla/Editor.py" line="1334"/> <source>Select the Pygments lexer to apply.</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1816"/> + <location filename="../QScintilla/Editor.py" line="1810"/> <source>Modification of Read Only file</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1816"/> + <location filename="../QScintilla/Editor.py" line="1810"/> <source>You are attempting to change a read only file. Please save to a different file first.</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="2502"/> + <location filename="../QScintilla/Editor.py" line="2496"/> <source>Printing...</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="2519"/> + <location filename="../QScintilla/Editor.py" line="2513"/> <source>Printing completed</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="2521"/> + <location filename="../QScintilla/Editor.py" line="2515"/> <source>Error while printing</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="2524"/> + <location filename="../QScintilla/Editor.py" line="2518"/> <source>Printing aborted</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="2886"/> + <location filename="../QScintilla/Editor.py" line="2880"/> <source>File Modified</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="2886"/> + <location filename="../QScintilla/Editor.py" line="2880"/> <source><p>The file <b>{0}</b> has unsaved changes.</p></source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="2946"/> + <location filename="../QScintilla/Editor.py" line="2940"/> <source><p>The file <b>{0}</b> could not be opened.</p><p>Reason: {1}</p></source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="3119"/> + <location filename="../QScintilla/Editor.py" line="3113"/> <source>Save File</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="3060"/> + <location filename="../QScintilla/Editor.py" line="3054"/> <source><p>The file <b>{0}</b> could not be saved.<br/>Reason: {1}</p></source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="3119"/> + <location filename="../QScintilla/Editor.py" line="3113"/> <source><p>The file <b>{0}</b> already exists. Overwrite it?</p></source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="4522"/> + <location filename="../QScintilla/Editor.py" line="4516"/> <source>Autocompletion</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="4522"/> + <location filename="../QScintilla/Editor.py" line="4516"/> <source>Autocompletion is not available because there is no autocompletion source set.</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="5319"/> + <location filename="../QScintilla/Editor.py" line="5313"/> <source>Disable breakpoint</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="5676"/> + <location filename="../QScintilla/Editor.py" line="5670"/> <source>Code Coverage</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="5676"/> + <location filename="../QScintilla/Editor.py" line="5670"/> <source>Please select a coverage file</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="5739"/> + <location filename="../QScintilla/Editor.py" line="5733"/> <source>Show Code Coverage Annotations</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="5732"/> + <location filename="../QScintilla/Editor.py" line="5726"/> <source>All lines have been covered.</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="5739"/> + <location filename="../QScintilla/Editor.py" line="5733"/> <source>There is no coverage file available.</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="5854"/> + <location filename="../QScintilla/Editor.py" line="5848"/> <source>Profile Data</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="5854"/> + <location filename="../QScintilla/Editor.py" line="5848"/> <source>Please select a profile file</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6014"/> + <location filename="../QScintilla/Editor.py" line="6008"/> <source>Syntax Error</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6014"/> + <location filename="../QScintilla/Editor.py" line="6008"/> <source>No syntax error message available.</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6400"/> + <location filename="../QScintilla/Editor.py" line="6394"/> <source>Macro Name</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6400"/> + <location filename="../QScintilla/Editor.py" line="6394"/> <source>Select a macro name:</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6428"/> + <location filename="../QScintilla/Editor.py" line="6422"/> <source>Load macro file</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6471"/> + <location filename="../QScintilla/Editor.py" line="6465"/> <source>Macro files (*.macro)</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6451"/> + <location filename="../QScintilla/Editor.py" line="6445"/> <source>Error loading macro</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6442"/> + <location filename="../QScintilla/Editor.py" line="6436"/> <source><p>The macro file <b>{0}</b> could not be read.</p></source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6451"/> + <location filename="../QScintilla/Editor.py" line="6445"/> <source><p>The macro file <b>{0}</b> is corrupt.</p></source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6471"/> + <location filename="../QScintilla/Editor.py" line="6465"/> <source>Save macro file</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6488"/> + <location filename="../QScintilla/Editor.py" line="6482"/> <source>Save macro</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6488"/> + <location filename="../QScintilla/Editor.py" line="6482"/> <source><p>The macro file <b>{0}</b> already exists. Overwrite it?</p></source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6504"/> + <location filename="../QScintilla/Editor.py" line="6498"/> <source>Error saving macro</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6504"/> + <location filename="../QScintilla/Editor.py" line="6498"/> <source><p>The macro file <b>{0}</b> could not be written.</p></source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6517"/> + <location filename="../QScintilla/Editor.py" line="6511"/> <source>Start Macro Recording</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6517"/> + <location filename="../QScintilla/Editor.py" line="6511"/> <source>Macro recording is already active. Start new?</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6543"/> + <location filename="../QScintilla/Editor.py" line="6537"/> <source>Macro Recording</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6543"/> + <location filename="../QScintilla/Editor.py" line="6537"/> <source>Enter name of the macro:</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6681"/> + <location filename="../QScintilla/Editor.py" line="6675"/> <source>File changed</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6845"/> + <location filename="../QScintilla/Editor.py" line="6839"/> <source>{0} (ro)</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6985"/> + <location filename="../QScintilla/Editor.py" line="6979"/> <source>Drop Error</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6985"/> + <location filename="../QScintilla/Editor.py" line="6979"/> <source><p><b>{0}</b> is not a file.</p></source> <translation type="unfinished"></translation> </message> <message> + <location filename="../QScintilla/Editor.py" line="7000"/> + <source>Resources</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="7002"/> + <source>Add file...</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="7004"/> + <source>Add files...</source> + <translation type="unfinished"></translation> + </message> + <message> <location filename="../QScintilla/Editor.py" line="7006"/> - <source>Resources</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="7008"/> - <source>Add file...</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="7010"/> - <source>Add files...</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="7012"/> <source>Add aliased file...</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7015"/> + <location filename="../QScintilla/Editor.py" line="7009"/> <source>Add localized resource...</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7019"/> + <location filename="../QScintilla/Editor.py" line="7013"/> <source>Add resource frame</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7038"/> + <location filename="../QScintilla/Editor.py" line="7032"/> <source>Add file resource</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7054"/> + <location filename="../QScintilla/Editor.py" line="7048"/> <source>Add file resources</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7082"/> + <location filename="../QScintilla/Editor.py" line="7076"/> <source>Add aliased file resource</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7082"/> + <location filename="../QScintilla/Editor.py" line="7076"/> <source>Alias for file <b>{0}</b>:</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7146"/> + <location filename="../QScintilla/Editor.py" line="7140"/> <source>Package Diagram</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7146"/> + <location filename="../QScintilla/Editor.py" line="7140"/> <source>Include class attributes?</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7166"/> + <location filename="../QScintilla/Editor.py" line="7160"/> <source>Imports Diagram</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7166"/> + <location filename="../QScintilla/Editor.py" line="7160"/> <source>Include imports from external modules?</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7180"/> + <location filename="../QScintilla/Editor.py" line="7174"/> <source>Application Diagram</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7180"/> + <location filename="../QScintilla/Editor.py" line="7174"/> <source>Include module names?</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7476"/> + <location filename="../QScintilla/Editor.py" line="7470"/> <source>Add to dictionary</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7478"/> + <location filename="../QScintilla/Editor.py" line="7472"/> <source>Ignore All</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6290"/> + <location filename="../QScintilla/Editor.py" line="6284"/> <source>Warning: {0}</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6297"/> + <location filename="../QScintilla/Editor.py" line="6291"/> <source>Error: {0}</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6677"/> + <location filename="../QScintilla/Editor.py" line="6671"/> <source><br><b>Warning:</b> You will lose your changes upon reopening it.</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="885"/> + <location filename="../QScintilla/Editor.py" line="879"/> <source>Open 'rejection' file</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="995"/> + <location filename="../QScintilla/Editor.py" line="989"/> <source>Load Diagram...</source> <translation type="unfinished"></translation> </message> <message> + <location filename="../QScintilla/Editor.py" line="1262"/> + <source>Next change</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="1265"/> + <source>Previous change</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="7884"/> + <source>Sort Lines</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="7884"/> + <source>The selection contains illegal data for a numerical sort.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="6220"/> + <source>Warning</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="6220"/> + <source>No warning messages available.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="6281"/> + <source>Style: {0}</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="853"/> + <source>New Document View</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="856"/> + <source>New Document View (with new split)</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="943"/> + <source>Tools</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="1073"/> + <source>Re-Open With Encoding</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="6665"/> + <source><p>The file <b>{0}</b> has been changed while it was opened in eric6. Reread it?</p></source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="829"/> + <source>Automatic Completion enabled</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="909"/> + <source>Complete</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="4641"/> + <source>Auto-Completion Provider</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="4641"/> + <source>The completion list provider '{0}' was already registered. Ignoring duplicate request.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="4895"/> + <source>Call-Tips Provider</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="4895"/> + <source>The call-tips provider '{0}' was already registered. Ignoring duplicate request.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="7971"/> + <source>Register Mouse Click Handler</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="7971"/> + <source>A mouse click handler for "{0}" was already registered by "{1}". Aborting request by "{2}"...</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="873"/> + <source>Save Copy...</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="912"/> + <source>Clear Completions Cache</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="839"/> + <source>Code Info</source> + <translation type="unfinished"></translation> + </message> + <message> <location filename="../QScintilla/Editor.py" line="1268"/> - <source>Next change</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1271"/> - <source>Previous change</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="7890"/> - <source>Sort Lines</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="7890"/> - <source>The selection contains illegal data for a numerical sort.</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="6226"/> - <source>Warning</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="6226"/> - <source>No warning messages available.</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="6287"/> - <source>Style: {0}</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="859"/> - <source>New Document View</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="862"/> - <source>New Document View (with new split)</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="949"/> - <source>Tools</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1079"/> - <source>Re-Open With Encoding</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="6671"/> - <source><p>The file <b>{0}</b> has been changed while it was opened in eric6. Reread it?</p></source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="835"/> - <source>Automatic Completion enabled</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="915"/> - <source>Complete</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="4647"/> - <source>Auto-Completion Provider</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="4647"/> - <source>The completion list provider '{0}' was already registered. Ignoring duplicate request.</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="4901"/> - <source>Call-Tips Provider</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="4901"/> - <source>The call-tips provider '{0}' was already registered. Ignoring duplicate request.</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="7977"/> - <source>Register Mouse Click Handler</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="7977"/> - <source>A mouse click handler for "{0}" was already registered by "{1}". Aborting request by "{2}"...</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="879"/> - <source>Save Copy...</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="918"/> - <source>Clear Completions Cache</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="845"/> - <source>Code Info</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1274"/> <source>Clear changes</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="770"/> + <location filename="../QScintilla/Editor.py" line="764"/> <source>Execute Selection In Console</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="8098"/> + <location filename="../QScintilla/Editor.py" line="8092"/> <source>EditorConfig Properties</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="8098"/> + <location filename="../QScintilla/Editor.py" line="8092"/> <source><p>The EditorConfig properties for file <b>{0}</b> could not be loaded.</p></source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1197"/> + <location filename="../QScintilla/Editor.py" line="1191"/> <source>Toggle all folds</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1201"/> + <location filename="../QScintilla/Editor.py" line="1195"/> <source>Toggle all folds (including children)</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1205"/> + <location filename="../QScintilla/Editor.py" line="1199"/> <source>Toggle current fold</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1210"/> + <location filename="../QScintilla/Editor.py" line="1204"/> <source>Expand (including children)</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1214"/> + <location filename="../QScintilla/Editor.py" line="1208"/> <source>Collapse (including children)</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1219"/> + <location filename="../QScintilla/Editor.py" line="1213"/> <source>Clear all folds</source> <translation type="unfinished"></translation> </message> @@ -45411,12 +45411,12 @@ <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/MiniEditor.py" line="3401"/> + <location filename="../QScintilla/MiniEditor.py" line="3405"/> <source>EditorConfig Properties</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/MiniEditor.py" line="3401"/> + <location filename="../QScintilla/MiniEditor.py" line="3405"/> <source><p>The EditorConfig properties for file <b>{0}</b> could not be loaded.</p></source> <translation type="unfinished"></translation> </message> @@ -45429,252 +45429,252 @@ <context> <name>MiscellaneousChecker</name> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="476"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="482"/> <source>coding magic comment not found</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="479"/> - <source>unknown encoding ({0}) found in coding magic comment</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="482"/> - <source>copyright notice not present</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="485"/> + <source>unknown encoding ({0}) found in coding magic comment</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="488"/> + <source>copyright notice not present</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="491"/> <source>copyright notice contains invalid author</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="562"/> - <source>found {0} formatter</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="565"/> - <source>format string does contain unindexed parameters</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="568"/> - <source>docstring does contain unindexed parameters</source> + <source>found {0} formatter</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="571"/> - <source>other string does contain unindexed parameters</source> + <source>format string does contain unindexed parameters</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="574"/> - <source>format call uses too large index ({0})</source> + <source>docstring does contain unindexed parameters</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="577"/> - <source>format call uses missing keyword ({0})</source> + <source>other string does contain unindexed parameters</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="580"/> - <source>format call uses keyword arguments but no named entries</source> + <source>format call uses too large index ({0})</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="583"/> - <source>format call uses variable arguments but no numbered entries</source> + <source>format call uses missing keyword ({0})</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="586"/> - <source>format call uses implicit and explicit indexes together</source> + <source>format call uses keyword arguments but no named entries</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="589"/> - <source>format call provides unused index ({0})</source> + <source>format call uses variable arguments but no numbered entries</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="592"/> + <source>format call uses implicit and explicit indexes together</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="595"/> + <source>format call provides unused index ({0})</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="598"/> <source>format call provides unused keyword ({0})</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="610"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="616"/> <source>expected these __future__ imports: {0}; but only got: {1}</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="613"/> - <source>expected these __future__ imports: {0}; but got none</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="619"/> + <source>expected these __future__ imports: {0}; but got none</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="625"/> <source>print statement found</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="622"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="628"/> <source>one element tuple found</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="634"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="640"/> <source>{0}: {1}</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="488"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="494"/> <source>"{0}" is a Python builtin and is being shadowed; consider renaming the variable</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="492"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="498"/> <source>"{0}" is used as an argument and thus shadows a Python builtin; consider renaming the argument</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="496"/> - <source>unnecessary generator - rewrite as a list comprehension</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="499"/> - <source>unnecessary generator - rewrite as a set comprehension</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="502"/> - <source>unnecessary generator - rewrite as a dict comprehension</source> + <source>unnecessary generator - rewrite as a list comprehension</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="505"/> - <source>unnecessary list comprehension - rewrite as a set comprehension</source> + <source>unnecessary generator - rewrite as a set comprehension</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="508"/> - <source>unnecessary list comprehension - rewrite as a dict comprehension</source> + <source>unnecessary generator - rewrite as a dict comprehension</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="511"/> - <source>unnecessary list literal - rewrite as a set literal</source> + <source>unnecessary list comprehension - rewrite as a set comprehension</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="514"/> - <source>unnecessary list literal - rewrite as a dict literal</source> + <source>unnecessary list comprehension - rewrite as a dict comprehension</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="517"/> - <source>unnecessary list comprehension - "{0}" can take a generator</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="628"/> - <source>mutable default argument of type {0}</source> + <source>unnecessary list literal - rewrite as a set literal</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="520"/> + <source>unnecessary list literal - rewrite as a dict literal</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="523"/> + <source>unnecessary list comprehension - "{0}" can take a generator</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="634"/> + <source>mutable default argument of type {0}</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="526"/> <source>sort keys - '{0}' should be before '{1}'</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="598"/> - <source>logging statement uses '%'</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="604"/> + <source>logging statement uses '%'</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="610"/> <source>logging statement uses f-string</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="607"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="613"/> <source>logging statement uses 'warn' instead of 'warning'</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="595"/> - <source>logging statement uses string.format()</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="601"/> + <source>logging statement uses string.format()</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="607"/> <source>logging statement uses '+'</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="616"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="622"/> <source>gettext import with alias _ found: {0}</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="523"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="529"/> <source>Python does not support the unary prefix increment</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="533"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="539"/> <source>'sys.maxint' is not defined in Python 3 - use 'sys.maxsize'</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="536"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="542"/> <source>'BaseException.message' has been deprecated as of Python 2.6 and is removed in Python 3 - use 'str(e)'</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="540"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="546"/> <source>assigning to 'os.environ' does not clear the environment - use 'os.environ.clear()'</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="548"/> - <source>Python 3 does not include '.iter*' methods on dictionaries</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="551"/> - <source>Python 3 does not include '.view*' methods on dictionaries</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="554"/> - <source>'.next()' does not exist in Python 3</source> + <source>Python 3 does not include '.iter*' methods on dictionaries</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="557"/> + <source>Python 3 does not include '.view*' methods on dictionaries</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="560"/> + <source>'.next()' does not exist in Python 3</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="563"/> <source>'__metaclass__' does nothing on Python 3 - use 'class MyClass(BaseClass, metaclass=...)'</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="631"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="637"/> <source>mutable default argument of function call '{0}'</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="526"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="532"/> <source>using .strip() with multi-character strings is misleading</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="529"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="535"/> <source>using 'hasattr(x, "__call__")' to test if 'x' is callable is unreliable</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="544"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="550"/> <source>loop control variable {0} not used within the loop body - start the name with an underscore</source> <translation type="unfinished"></translation> </message> @@ -46105,72 +46105,72 @@ <context> <name>NamingStyleChecker</name> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="420"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="426"/> <source>class names should use CapWords convention</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="423"/> - <source>function name should be lowercase</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="426"/> - <source>argument name should be lowercase</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="429"/> - <source>first argument of a class method should be named 'cls'</source> + <source>function name should be lowercase</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="432"/> - <source>first argument of a method should be named 'self'</source> + <source>argument name should be lowercase</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="435"/> + <source>first argument of a class method should be named 'cls'</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="438"/> + <source>first argument of a method should be named 'self'</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="441"/> <source>first argument of a static method should not be named 'self' or 'cls</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="439"/> - <source>module names should be lowercase</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="442"/> - <source>package names should be lowercase</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="445"/> - <source>constant imported as non constant</source> + <source>module names should be lowercase</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="448"/> - <source>lowercase imported as non lowercase</source> + <source>package names should be lowercase</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="451"/> - <source>camelcase imported as lowercase</source> + <source>constant imported as non constant</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="454"/> - <source>camelcase imported as constant</source> + <source>lowercase imported as non lowercase</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="457"/> - <source>variable in function should be lowercase</source> + <source>camelcase imported as lowercase</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="460"/> + <source>camelcase imported as constant</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="463"/> + <source>variable in function should be lowercase</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="466"/> <source>names 'l', 'O' and 'I' should be avoided</source> <translation type="unfinished"></translation> </message> @@ -86504,125 +86504,145 @@ <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="39"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="43"/> <source>Duplicate argument {0!r} in function definition.</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="42"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="46"/> <source>Redefinition of {0!r} from line {1!r}.</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="45"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="49"/> <source>from __future__ imports must occur at the beginning of the file</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="48"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="52"/> <source>Local variable {0!r} is assigned to but never used.</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="51"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="55"/> <source>List comprehension redefines {0!r} from line {1!r}.</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="54"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="58"/> <source>Syntax error detected in doctest.</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="126"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="139"/> <source>no message defined for code '{0}'</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="57"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="61"/> <source>'return' with argument inside generator</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="60"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="64"/> <source>'return' outside function</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="63"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="67"/> <source>'from {0} import *' only allowed at module level</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="66"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="70"/> <source>{0!r} may be undefined, or defined from star imports: {1}</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="69"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="73"/> <source>Dictionary key {0!r} repeated with different values</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="72"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="76"/> <source>Dictionary key variable {0} repeated with different values</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="75"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="79"/> <source>Future feature {0} is not defined</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="78"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="82"/> <source>'yield' outside function</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="84"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="88"/> <source>'break' outside loop</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="87"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="91"/> <source>'continue' not supported inside 'finally' clause</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="90"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="94"/> <source>Default 'except:' must be last</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="93"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="97"/> <source>Two starred expressions in assignment</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="96"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="100"/> <source>Too many expressions in star-unpacking assignment</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="99"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="103"/> <source>Assertion is always true, perhaps remove parentheses?</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="81"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="85"/> <source>'continue' not properly in loop</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="102"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="106"/> <source>syntax error in forward annotation {0!r}</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="105"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="109"/> <source>'raise NotImplemented' should be 'raise NotImplementedError'</source> <translation type="unfinished"></translation> </message> + <message> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="39"/> + <source>Local variable {0!r} (defined as a builtin) referenced before assignment.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="112"/> + <source>syntax error in type comment {0!r}</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="115"/> + <source>use of >> is invalid with print function</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="118"/> + <source>use ==/!= to compare str, bytes, and int literals</source> + <translation type="unfinished"></translation> + </message> </context> <context> <name>pycodestyle</name> @@ -86662,375 +86682,385 @@ <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="40"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="43"/> <source>continuation line indentation is not a multiple of four</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="43"/> - <source>continuation line missing indentation or outdented</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="46"/> + <source>continuation line missing indentation or outdented</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="49"/> <source>closing bracket does not match indentation of opening bracket's line</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="50"/> - <source>closing bracket does not match visual indentation</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="53"/> - <source>continuation line with same indent as next logical line</source> + <source>closing bracket does not match visual indentation</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="56"/> - <source>continuation line over-indented for hanging indent</source> + <source>continuation line with same indent as next logical line</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="59"/> - <source>continuation line over-indented for visual indent</source> + <source>continuation line over-indented for hanging indent</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="62"/> - <source>continuation line under-indented for visual indent</source> + <source>continuation line over-indented for visual indent</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="65"/> - <source>visually indented line with same indent as next logical line</source> + <source>continuation line under-indented for visual indent</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="68"/> - <source>continuation line unaligned for hanging indent</source> + <source>visually indented line with same indent as next logical line</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="71"/> - <source>closing bracket is missing indentation</source> + <source>continuation line unaligned for hanging indent</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="74"/> - <source>indentation contains tabs</source> + <source>closing bracket is missing indentation</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="77"/> + <source>indentation contains tabs</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="80"/> <source>whitespace after '{0}'</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="86"/> - <source>whitespace before '{0}'</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="89"/> - <source>multiple spaces before operator</source> + <source>whitespace before '{0}'</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="92"/> - <source>multiple spaces after operator</source> + <source>multiple spaces before operator</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="95"/> - <source>tab before operator</source> + <source>multiple spaces after operator</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="98"/> - <source>tab after operator</source> + <source>tab before operator</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="101"/> - <source>missing whitespace around operator</source> + <source>tab after operator</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="104"/> - <source>missing whitespace around arithmetic operator</source> + <source>missing whitespace around operator</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="107"/> - <source>missing whitespace around bitwise or shift operator</source> + <source>missing whitespace around arithmetic operator</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="110"/> - <source>missing whitespace around modulo operator</source> + <source>missing whitespace around bitwise or shift operator</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="113"/> - <source>missing whitespace after '{0}'</source> + <source>missing whitespace around modulo operator</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="116"/> - <source>multiple spaces after '{0}'</source> + <source>missing whitespace after '{0}'</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="119"/> - <source>tab after '{0}'</source> + <source>multiple spaces after '{0}'</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="122"/> + <source>tab after '{0}'</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="125"/> <source>unexpected spaces around keyword / parameter equals</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="128"/> - <source>at least two spaces before inline comment</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="131"/> - <source>inline comment should start with '# '</source> + <source>at least two spaces before inline comment</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="134"/> - <source>block comment should start with '# '</source> + <source>inline comment should start with '# '</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="137"/> - <source>too many leading '#' for block comment</source> + <source>block comment should start with '# '</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="140"/> - <source>multiple spaces after keyword</source> + <source>too many leading '#' for block comment</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="143"/> - <source>multiple spaces before keyword</source> + <source>multiple spaces after keyword</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="146"/> - <source>tab after keyword</source> + <source>multiple spaces before keyword</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="149"/> - <source>tab before keyword</source> + <source>tab after keyword</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="152"/> - <source>missing whitespace after keyword</source> + <source>tab before keyword</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="155"/> - <source>trailing whitespace</source> + <source>missing whitespace after keyword</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="158"/> - <source>no newline at end of file</source> + <source>trailing whitespace</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="161"/> + <source>no newline at end of file</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="164"/> <source>blank line contains whitespace</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="186"/> - <source>too many blank lines ({0})</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="173"/> - <source>blank lines found after function decorator</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="189"/> - <source>blank line at end of file</source> + <source>too many blank lines ({0})</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="176"/> + <source>blank lines found after function decorator</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="192"/> - <source>multiple imports on one line</source> + <source>blank line at end of file</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="195"/> - <source>module level import not at top of file</source> + <source>multiple imports on one line</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="198"/> - <source>line too long ({0} > {1} characters)</source> + <source>module level import not at top of file</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="201"/> - <source>the backslash is redundant between brackets</source> + <source>line too long ({0} > {1} characters)</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="204"/> + <source>the backslash is redundant between brackets</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="207"/> <source>line break before binary operator</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="210"/> - <source>.has_key() is deprecated, use 'in'</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="213"/> - <source>deprecated form of raising exception</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="216"/> - <source>'<>' is deprecated, use '!='</source> + <source>.has_key() is deprecated, use 'in'</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="219"/> + <source>deprecated form of raising exception</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="222"/> + <source>'<>' is deprecated, use '!='</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="225"/> <source>backticks are deprecated, use 'repr()'</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="228"/> - <source>multiple statements on one line (colon)</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="231"/> - <source>multiple statements on one line (semicolon)</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="234"/> - <source>statement ends with a semicolon</source> + <source>multiple statements on one line (colon)</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="237"/> - <source>multiple statements on one line (def)</source> + <source>multiple statements on one line (semicolon)</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="240"/> + <source>statement ends with a semicolon</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="243"/> - <source>comparison to {0} should be {1}</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="246"/> - <source>test for membership should be 'not in'</source> + <source>multiple statements on one line (def)</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="249"/> - <source>test for object identity should be 'is not'</source> + <source>comparison to {0} should be {1}</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="252"/> - <source>do not compare types, use 'isinstance()'</source> + <source>test for membership should be 'not in'</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="255"/> + <source>test for object identity should be 'is not'</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="258"/> - <source>do not assign a lambda expression, use a def</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="261"/> - <source>ambiguous variable name '{0}'</source> + <source>do not compare types, use 'isinstance()'</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="264"/> - <source>ambiguous class definition '{0}'</source> + <source>do not assign a lambda expression, use a def</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="267"/> - <source>ambiguous function definition '{0}'</source> + <source>ambiguous variable name '{0}'</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="270"/> - <source>{0}: {1}</source> + <source>ambiguous class definition '{0}'</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="273"/> + <source>ambiguous function definition '{0}'</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="276"/> + <source>{0}: {1}</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="279"/> <source>{0}</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="255"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="261"/> <source>do not use bare except</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="176"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="179"/> <source>expected {0} blank lines after class or function definition, found {1}</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="225"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="231"/> <source>'async' and 'await' are reserved keywords starting with Python 3.7</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="125"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="128"/> <source>missing whitespace around parameter equals</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="167"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="170"/> <source>expected {0} blank lines, found {1}</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="180"/> - <source>expected {0} blank lines before a nested definition, found {1}</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="207"/> - <source>line break after binary operator</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="222"/> - <source>invalid escape sequence '\{0}'</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="183"/> + <source>expected {0} blank lines before a nested definition, found {1}</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="210"/> + <source>line break after binary operator</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="228"/> + <source>invalid escape sequence '\{0}'</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="186"/> <source>too many blank lines ({0}) before a nested definition, expected {1}</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="170"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="173"/> <source>too many blank lines ({0}), expected {1}</source> <translation type="unfinished"></translation> </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="40"/> + <source>over-indented</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="213"/> + <source>doc line too long ({0} > {1} characters)</source> + <translation type="unfinished"></translation> + </message> </context> <context> <name>subversion</name>
--- a/i18n/eric6_es.ts Wed Feb 13 20:41:45 2019 +0100 +++ b/i18n/eric6_es.ts Thu Feb 14 18:58:22 2019 +0100 @@ -3701,142 +3701,142 @@ <context> <name>CodeStyleFixer</name> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="639"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="645"/> <source>Triple single quotes converted to triple double quotes.</source> <translation>Triple comilla simple convertida a triple comilla doble.</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="642"/> - <source>Introductory quotes corrected to be {0}"""</source> - <translation>Comillas introductorias corregidas para ser {0}"""</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="645"/> - <source>Single line docstring put on one line.</source> - <translation>Docstrings de una sola línea puestos en una sola línea.</translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="648"/> - <source>Period added to summary line.</source> - <translation>Coma añadida a la línea de resumen.</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="675"/> - <source>Blank line before function/method docstring removed.</source> - <translation>Línea en blanco antes de docstring de función/método eliminada.</translation> + <source>Introductory quotes corrected to be {0}"""</source> + <translation>Comillas introductorias corregidas para ser {0}"""</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="651"/> + <source>Single line docstring put on one line.</source> + <translation>Docstrings de una sola línea puestos en una sola línea.</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="654"/> - <source>Blank line inserted before class docstring.</source> - <translation>Linea en blanco insertada delante de docstring de clase.</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="657"/> - <source>Blank line inserted after class docstring.</source> - <translation>Linea en blanco insertada detrás de docstring.</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="660"/> - <source>Blank line inserted after docstring summary.</source> - <translation>Linea en blanco insertada detrás de docstring de resumen.</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="663"/> - <source>Blank line inserted after last paragraph of docstring.</source> - <translation>Linea en blanco insertada detrás de último párrafo de docstring.</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="666"/> - <source>Leading quotes put on separate line.</source> - <translation>Comillas iniciales puestas en línea separada.</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="669"/> - <source>Trailing quotes put on separate line.</source> - <translation>Comillas finales puestas en línea separada.</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="672"/> - <source>Blank line before class docstring removed.</source> - <translation>Línea en blanco antes de docstring de clase eliminada.</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="678"/> - <source>Blank line after class docstring removed.</source> - <translation>Línea en blanco detrás de docstring eliminada.</translation> + <source>Period added to summary line.</source> + <translation>Coma añadida a la línea de resumen.</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="681"/> - <source>Blank line after function/method docstring removed.</source> - <translation>Línea en blanco detrás de docstring de función/método eliminada.</translation> + <source>Blank line before function/method docstring removed.</source> + <translation>Línea en blanco antes de docstring de función/método eliminada.</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="660"/> + <source>Blank line inserted before class docstring.</source> + <translation>Linea en blanco insertada delante de docstring de clase.</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="663"/> + <source>Blank line inserted after class docstring.</source> + <translation>Linea en blanco insertada detrás de docstring.</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="666"/> + <source>Blank line inserted after docstring summary.</source> + <translation>Linea en blanco insertada detrás de docstring de resumen.</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="669"/> + <source>Blank line inserted after last paragraph of docstring.</source> + <translation>Linea en blanco insertada detrás de último párrafo de docstring.</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="672"/> + <source>Leading quotes put on separate line.</source> + <translation>Comillas iniciales puestas en línea separada.</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="675"/> + <source>Trailing quotes put on separate line.</source> + <translation>Comillas finales puestas en línea separada.</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="678"/> + <source>Blank line before class docstring removed.</source> + <translation>Línea en blanco antes de docstring de clase eliminada.</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="684"/> - <source>Blank line after last paragraph removed.</source> - <translation>Linea en blanco detrás de último párrafo eliminada.</translation> + <source>Blank line after class docstring removed.</source> + <translation>Línea en blanco detrás de docstring eliminada.</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="687"/> - <source>Tab converted to 4 spaces.</source> - <translation>Tabulador convertido a 4 espacios.</translation> + <source>Blank line after function/method docstring removed.</source> + <translation>Línea en blanco detrás de docstring de función/método eliminada.</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="690"/> - <source>Indentation adjusted to be a multiple of four.</source> - <translation>Indentación ajustada para ser un múltiplo de cuatro.</translation> + <source>Blank line after last paragraph removed.</source> + <translation>Linea en blanco detrás de último párrafo eliminada.</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="693"/> - <source>Indentation of continuation line corrected.</source> - <translation>Indentación de línea de continuación corregida.</translation> + <source>Tab converted to 4 spaces.</source> + <translation>Tabulador convertido a 4 espacios.</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="696"/> - <source>Indentation of closing bracket corrected.</source> - <translation>Indentación de llave de cierre corregida.</translation> + <source>Indentation adjusted to be a multiple of four.</source> + <translation>Indentación ajustada para ser un múltiplo de cuatro.</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="699"/> - <source>Missing indentation of continuation line corrected.</source> - <translation>Indentación inexistente en línea de continuación corregida.</translation> + <source>Indentation of continuation line corrected.</source> + <translation>Indentación de línea de continuación corregida.</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="702"/> - <source>Closing bracket aligned to opening bracket.</source> - <translation>Llave de cierre alineada a llave de apertura.</translation> + <source>Indentation of closing bracket corrected.</source> + <translation>Indentación de llave de cierre corregida.</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="705"/> - <source>Indentation level changed.</source> - <translation>Nivel de indentación corregida.</translation> + <source>Missing indentation of continuation line corrected.</source> + <translation>Indentación inexistente en línea de continuación corregida.</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="708"/> - <source>Indentation level of hanging indentation changed.</source> - <translation>Nivel de indentación de indentación colgante corregida.</translation> + <source>Closing bracket aligned to opening bracket.</source> + <translation>Llave de cierre alineada a llave de apertura.</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="711"/> + <source>Indentation level changed.</source> + <translation>Nivel de indentación corregida.</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="714"/> + <source>Indentation level of hanging indentation changed.</source> + <translation>Nivel de indentación de indentación colgante corregida.</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="717"/> <source>Visual indentation corrected.</source> <translation>Indentación visual corregida.</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="726"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="732"/> <source>Extraneous whitespace removed.</source> <translation>Eliminado espacio en blanco extraño.</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="723"/> - <source>Missing whitespace added.</source> - <translation>Añadido espacio en blanco que faltaba.</translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="729"/> + <source>Missing whitespace added.</source> + <translation>Añadido espacio en blanco que faltaba.</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="735"/> <source>Whitespace around comment sign corrected.</source> <translation>Espacio en blanco alrededor de signo de comentario corregido.</translation> </message> <message numerus="yes"> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="733"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="739"/> <source>%n blank line(s) inserted.</source> <translation> <numerusform>Insertada %n línea en blanco.</numerusform> @@ -3844,7 +3844,7 @@ </translation> </message> <message numerus="yes"> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="736"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="742"/> <source>%n superfluous lines removed</source> <translation> <numerusform>Eliminada %n línea en blanco sobrante</numerusform> @@ -3852,77 +3852,77 @@ </translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="740"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="746"/> <source>Superfluous blank lines removed.</source> <translation>Eliminadas líneas en blanco sobrantes.</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="743"/> - <source>Superfluous blank lines after function decorator removed.</source> - <translation>Eliminadas líneas en blanco sobrantes después de decorador de función.</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="746"/> - <source>Imports were put on separate lines.</source> - <translation>Imports estaban puestos en líneas separadas.</translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="749"/> - <source>Long lines have been shortened.</source> - <translation>Líneas largas se han acortado.</translation> + <source>Superfluous blank lines after function decorator removed.</source> + <translation>Eliminadas líneas en blanco sobrantes después de decorador de función.</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="752"/> - <source>Redundant backslash in brackets removed.</source> - <translation>Backslash redundante en llaves eliminado.</translation> + <source>Imports were put on separate lines.</source> + <translation>Imports estaban puestos en líneas separadas.</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="755"/> + <source>Long lines have been shortened.</source> + <translation>Líneas largas se han acortado.</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="758"/> - <source>Compound statement corrected.</source> - <translation>Sentencia compuesta corregida.</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="761"/> - <source>Comparison to None/True/False corrected.</source> - <translation>Comparación a None/True/False corregida.</translation> + <source>Redundant backslash in brackets removed.</source> + <translation>Backslash redundante en llaves eliminado.</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="764"/> - <source>'{0}' argument added.</source> - <translation>Añadido el argumento '{0}'.</translation> + <source>Compound statement corrected.</source> + <translation>Sentencia compuesta corregida.</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="767"/> - <source>'{0}' argument removed.</source> - <translation>Eliminado el argumento '{0}'.</translation> + <source>Comparison to None/True/False corrected.</source> + <translation>Comparación a None/True/False corregida.</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="770"/> - <source>Whitespace stripped from end of line.</source> - <translation>Espacio eliminado del final de la línea.</translation> + <source>'{0}' argument added.</source> + <translation>Añadido el argumento '{0}'.</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="773"/> - <source>newline added to end of file.</source> - <translation>Carácter de nueva línea añadido al final del archivo.</translation> + <source>'{0}' argument removed.</source> + <translation>Eliminado el argumento '{0}'.</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="776"/> - <source>Superfluous trailing blank lines removed from end of file.</source> - <translation>Eliminadas líneas en blanco sobrantes de final de archivo.</translation> + <source>Whitespace stripped from end of line.</source> + <translation>Espacio eliminado del final de la línea.</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="779"/> + <source>newline added to end of file.</source> + <translation>Carácter de nueva línea añadido al final del archivo.</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="782"/> + <source>Superfluous trailing blank lines removed from end of file.</source> + <translation>Eliminadas líneas en blanco sobrantes de final de archivo.</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="785"/> <source>'<>' replaced by '!='.</source> <translation>'<>' reemplazado por '!='.</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="783"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="789"/> <source>Could not save the file! Skipping it. Reason: {0}</source> <translation>¡No se ha podido guardar el archivo! Va a ser omitido. Razón: {0}</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="872"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="879"/> <source> no message defined for code '{0}'</source> <translation> sin mensaje definido para el código '{0}'</translation> </message> @@ -4400,22 +4400,22 @@ <context> <name>ComplexityChecker</name> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="465"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="471"/> <source>'{0}' is too complex ({1})</source> <translation>'{0}' es demasiado complejo ({1})</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="467"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="473"/> <source>source code line is too complex ({0})</source> <translation>la línea de código fuente es demasiado compleja ({0})</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="469"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="475"/> <source>overall source code line complexity is too high ({0})</source> <translation>la complejidad global de línea de código fuente es demasiado elevada({0})</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="472"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="478"/> <source>{0}: {1}</source> <translation>{0}: {1}</translation> </message> @@ -7399,242 +7399,242 @@ <context> <name>DocStyleChecker</name> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="278"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="284"/> <source>module is missing a docstring</source> <translation>al módulo le falta un docstring</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="280"/> - <source>public function/method is missing a docstring</source> - <translation>a la función/método le falta un docstring</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="283"/> - <source>private function/method may be missing a docstring</source> - <translation>a la función/método privado le podría estar faltando un docstring</translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="286"/> - <source>public class is missing a docstring</source> - <translation>a la clase pública le falta un docstring</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="288"/> - <source>private class may be missing a docstring</source> - <translation>a la clase privada le podría estar faltando un docstring</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="290"/> - <source>docstring not surrounded by """</source> - <translation>docstring no rodeado de """</translation> + <source>public function/method is missing a docstring</source> + <translation>a la función/método le falta un docstring</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="289"/> + <source>private function/method may be missing a docstring</source> + <translation>a la función/método privado le podría estar faltando un docstring</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="292"/> - <source>docstring containing \ not surrounded by r"""</source> - <translation>docstring contiene \ no rodeado de r"""</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="295"/> - <source>docstring containing unicode character not surrounded by u"""</source> - <translation>docstring contiene carácter unicode no rodeado de u"""</translation> + <source>public class is missing a docstring</source> + <translation>a la clase pública le falta un docstring</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="294"/> + <source>private class may be missing a docstring</source> + <translation>a la clase privada le podría estar faltando un docstring</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="296"/> + <source>docstring not surrounded by """</source> + <translation>docstring no rodeado de """</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="298"/> + <source>docstring containing \ not surrounded by r"""</source> + <translation>docstring contiene \ no rodeado de r"""</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="301"/> + <source>docstring containing unicode character not surrounded by u"""</source> + <translation>docstring contiene carácter unicode no rodeado de u"""</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="304"/> <source>one-liner docstring on multiple lines</source> <translation>docstring de una línea en múltiples líneas</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="300"/> - <source>docstring has wrong indentation</source> - <translation>docstring tiene indentación errónea</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="349"/> - <source>docstring summary does not end with a period</source> - <translation>docstring de resumen no termina en punto</translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="306"/> + <source>docstring has wrong indentation</source> + <translation>docstring tiene indentación errónea</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="355"/> + <source>docstring summary does not end with a period</source> + <translation>docstring de resumen no termina en punto</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="312"/> <source>docstring summary is not in imperative mood (Does instead of Do)</source> <translation>docstring de resumen no expresado en forma imperativa (Hace en lugar de Hacer)</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="310"/> - <source>docstring summary looks like a function's/method's signature</source> - <translation>docstring de resumen parece una firma de función/método</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="313"/> - <source>docstring does not mention the return value type</source> - <translation>docstring no menciona el tipo de valor de retorno</translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="316"/> - <source>function/method docstring is separated by a blank line</source> - <translation>docstring de función/método separado por línea en blanco</translation> + <source>docstring summary looks like a function's/method's signature</source> + <translation>docstring de resumen parece una firma de función/método</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="319"/> - <source>class docstring is not preceded by a blank line</source> - <translation>docstring de clase no precedido de línea en blanco</translation> + <source>docstring does not mention the return value type</source> + <translation>docstring no menciona el tipo de valor de retorno</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="322"/> - <source>class docstring is not followed by a blank line</source> - <translation>docstring de clase no seguido de línea en blanco</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="383"/> - <source>docstring summary is not followed by a blank line</source> - <translation>docstring de resumen no seguido de línea en blanco</translation> + <source>function/method docstring is separated by a blank line</source> + <translation>docstring de función/método separado por línea en blanco</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="325"/> + <source>class docstring is not preceded by a blank line</source> + <translation>docstring de clase no precedido de línea en blanco</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="328"/> + <source>class docstring is not followed by a blank line</source> + <translation>docstring de clase no seguido de línea en blanco</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="389"/> + <source>docstring summary is not followed by a blank line</source> + <translation>docstring de resumen no seguido de línea en blanco</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="334"/> <source>last paragraph of docstring is not followed by a blank line</source> <translation>último párrafo de docstring no seguido de línea en blanco</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="336"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="342"/> <source>private function/method is missing a docstring</source> <translation>función/método privado al que le falta docstring</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="339"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="345"/> <source>private class is missing a docstring</source> <translation>clase privada a la que falta un docstring</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="343"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="349"/> <source>leading quotes of docstring not on separate line</source> <translation>comillas iniciales de docstring no están en línea separada</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="346"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="352"/> <source>trailing quotes of docstring not on separate line</source> <translation>comillas finales de docstring no están en línea separada</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="353"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="359"/> <source>docstring does not contain a @return line but function/method returns something</source> <translation>docstring no contiene una línea @return pero la función/método retorna algo</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="357"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="363"/> <source>docstring contains a @return line but function/method doesn't return anything</source> <translation>docstring contiene una línea @return pero la función/método no retorna nada</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="361"/> - <source>docstring does not contain enough @param/@keyparam lines</source> - <translation>docstring no contiene suficientes líneas @param/@keyparam</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="364"/> - <source>docstring contains too many @param/@keyparam lines</source> - <translation>docstring contiene demasiadas líneas @param/@keyparam</translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="367"/> - <source>keyword only arguments must be documented with @keyparam lines</source> - <translation>los argumentos de solo palabra clave deben estar documentados con líneas @keyparam</translation> + <source>docstring does not contain enough @param/@keyparam lines</source> + <translation>docstring no contiene suficientes líneas @param/@keyparam</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="370"/> - <source>order of @param/@keyparam lines does not match the function/method signature</source> - <translation>orden de líneas @param/@keyparam no coincide con la firma de la función/método</translation> + <source>docstring contains too many @param/@keyparam lines</source> + <translation>docstring contiene demasiadas líneas @param/@keyparam</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="373"/> + <source>keyword only arguments must be documented with @keyparam lines</source> + <translation>los argumentos de solo palabra clave deben estar documentados con líneas @keyparam</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="376"/> + <source>order of @param/@keyparam lines does not match the function/method signature</source> + <translation>orden de líneas @param/@keyparam no coincide con la firma de la función/método</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="379"/> <source>class docstring is preceded by a blank line</source> <translation>docstring de clase precedida de línea en blanco</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="375"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="381"/> <source>class docstring is followed by a blank line</source> <translation>docstring de clase seguida de línea en blanco</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="377"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="383"/> <source>function/method docstring is preceded by a blank line</source> <translation>docstring de función/método precedido de línea en blanco</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="380"/> - <source>function/method docstring is followed by a blank line</source> - <translation>docstring de función/método seguido de línea en blanco</translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="386"/> + <source>function/method docstring is followed by a blank line</source> + <translation>docstring de función/método seguido de línea en blanco</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="392"/> <source>last paragraph of docstring is followed by a blank line</source> <translation>último párrafo de docstring seguido de línea en blanco</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="389"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="395"/> <source>docstring does not contain a @exception line but function/method raises an exception</source> <translation>docstring no contiene una línea @exception pero la función/método lanza una excepción</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="393"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="399"/> <source>docstring contains a @exception line but function/method doesn't raise an exception</source> <translation>docstring contiene una línea @exception pero la función/método no lanza una excepción</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="416"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="422"/> <source>{0}: {1}</source> <translation>{0}: {1}</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="302"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="308"/> <source>docstring does not contain a summary</source> <translation>docstring no contiene un resumen</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="351"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="357"/> <source>docstring summary does not start with '{0}'</source> <translation>docstring de resumen no empieza con '{0}'</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="397"/> - <source>raised exception '{0}' is not documented in docstring</source> - <translation>la excepción '{0}' no está documentada en una docstring</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="400"/> - <source>documented exception '{0}' is not raised</source> - <translation>la excepción documentada '{0}' no se utiliza</translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="403"/> - <source>docstring does not contain a @signal line but class defines signals</source> - <translation>docstring no contiene una línea @signal pero la clase define signals</translation> + <source>raised exception '{0}' is not documented in docstring</source> + <translation>la excepción '{0}' no está documentada en una docstring</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="406"/> - <source>docstring contains a @signal line but class doesn't define signals</source> - <translation>docstring contiene una línea @signal pero la clase no define signals</translation> + <source>documented exception '{0}' is not raised</source> + <translation>la excepción documentada '{0}' no se utiliza</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="409"/> - <source>defined signal '{0}' is not documented in docstring</source> - <translation>la signal definida '{0}' no está documentada en una docstring</translation> + <source>docstring does not contain a @signal line but class defines signals</source> + <translation>docstring no contiene una línea @signal pero la clase define signals</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="412"/> + <source>docstring contains a @signal line but class doesn't define signals</source> + <translation>docstring contiene una línea @signal pero la clase no define signals</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="415"/> + <source>defined signal '{0}' is not documented in docstring</source> + <translation>la signal definida '{0}' no está documentada en una docstring</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="418"/> <source>documented signal '{0}' is not defined</source> <translation>la signal documentada '{0}' no está definida</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="341"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="347"/> <source>class docstring is still a default string</source> <translation>docstring de clase es todavía una cadena por defecto</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="334"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="340"/> <source>function docstring is still a default string</source> <translation>docstring de función es todavía una cadena por defecto</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="332"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="338"/> <source>module docstring is still a default string</source> <translation>docstring de módulo es todavía una cadena por defecto</translation> </message> @@ -9945,562 +9945,562 @@ <context> <name>Editor</name> <message> - <location filename="../QScintilla/Editor.py" line="2946"/> + <location filename="../QScintilla/Editor.py" line="2940"/> <source>Open File</source> <translation>Abrir archivo</translation> </message> <message> + <location filename="../QScintilla/Editor.py" line="744"/> + <source>Undo</source> + <translation>Deshacer</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="747"/> + <source>Redo</source> + <translation>Rehacer</translation> + </message> + <message> <location filename="../QScintilla/Editor.py" line="750"/> - <source>Undo</source> - <translation>Deshacer</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="753"/> - <source>Redo</source> - <translation>Rehacer</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="756"/> <source>Revert to last saved state</source> <translation>Volver al último estado guardado</translation> </message> <message> + <location filename="../QScintilla/Editor.py" line="754"/> + <source>Cut</source> + <translation>Cortar</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="757"/> + <source>Copy</source> + <translation>Copiar</translation> + </message> + <message> <location filename="../QScintilla/Editor.py" line="760"/> - <source>Cut</source> - <translation>Cortar</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="763"/> - <source>Copy</source> - <translation>Copiar</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="766"/> <source>Paste</source> <translation>Pegar</translation> </message> <message> + <location filename="../QScintilla/Editor.py" line="768"/> + <source>Indent</source> + <translation>Indentar</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="771"/> + <source>Unindent</source> + <translation>Desindentar</translation> + </message> + <message> <location filename="../QScintilla/Editor.py" line="774"/> - <source>Indent</source> - <translation>Indentar</translation> + <source>Comment</source> + <translation>Pasar a comentario</translation> </message> <message> <location filename="../QScintilla/Editor.py" line="777"/> - <source>Unindent</source> - <translation>Desindentar</translation> + <source>Uncomment</source> + <translation>Sacar de comentario</translation> </message> <message> <location filename="../QScintilla/Editor.py" line="780"/> - <source>Comment</source> - <translation>Pasar a comentario</translation> + <source>Stream Comment</source> + <translation>Bloque de comentario</translation> </message> <message> <location filename="../QScintilla/Editor.py" line="783"/> - <source>Uncomment</source> - <translation>Sacar de comentario</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="786"/> - <source>Stream Comment</source> - <translation>Bloque de comentario</translation> + <source>Box Comment</source> + <translation>Caja de comentario</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="787"/> + <source>Select to brace</source> + <translation>Seleccionar hasta la llave ( '{' o '}' )</translation> </message> <message> <location filename="../QScintilla/Editor.py" line="789"/> - <source>Box Comment</source> - <translation>Caja de comentario</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="793"/> - <source>Select to brace</source> - <translation>Seleccionar hasta la llave ( '{' o '}' )</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="795"/> <source>Select all</source> <translation>Seleccionar todo</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="796"/> + <location filename="../QScintilla/Editor.py" line="790"/> <source>Deselect all</source> <translation>Deseleccionar todo</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="812"/> + <location filename="../QScintilla/Editor.py" line="806"/> <source>Shorten empty lines</source> <translation>Acortar las líneas vacías</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="819"/> + <location filename="../QScintilla/Editor.py" line="813"/> <source>Use Monospaced Font</source> <translation>Usar fuente monoespaciada</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="824"/> + <location filename="../QScintilla/Editor.py" line="818"/> <source>Autosave enabled</source> <translation>Autoguardar habilitado</translation> </message> <message> + <location filename="../QScintilla/Editor.py" line="861"/> + <source>Close</source> + <translation>Cerrar</translation> + </message> + <message> <location filename="../QScintilla/Editor.py" line="867"/> - <source>Close</source> - <translation>Cerrar</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="873"/> <source>Save</source> <translation>Guardar</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="876"/> + <location filename="../QScintilla/Editor.py" line="870"/> <source>Save As...</source> <translation>Guardar como...</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="892"/> + <location filename="../QScintilla/Editor.py" line="886"/> <source>Print</source> <translation>Imprimir</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="921"/> + <location filename="../QScintilla/Editor.py" line="915"/> <source>Complete from Document</source> <translation>Completar desde documento</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="923"/> + <location filename="../QScintilla/Editor.py" line="917"/> <source>Complete from APIs</source> <translation>Completar desde APIs</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="925"/> + <location filename="../QScintilla/Editor.py" line="919"/> <source>Complete from Document and APIs</source> <translation>Completar desde Documento y APIs</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="939"/> + <location filename="../QScintilla/Editor.py" line="933"/> <source>Check</source> <translation>Verificar</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="959"/> + <location filename="../QScintilla/Editor.py" line="953"/> <source>Show</source> <translation>Mostrar</translation> </message> <message> + <location filename="../QScintilla/Editor.py" line="955"/> + <source>Code metrics...</source> + <translation>Métricas de código...</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="956"/> + <source>Code coverage...</source> + <translation>Cobertura de código...</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="958"/> + <source>Show code coverage annotations</source> + <translation>Mostrar anotaciones de cobertura de codigo</translation> + </message> + <message> <location filename="../QScintilla/Editor.py" line="961"/> - <source>Code metrics...</source> - <translation>Métricas de código...</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="962"/> - <source>Code coverage...</source> - <translation>Cobertura de código...</translation> + <source>Hide code coverage annotations</source> + <translation>Ocultar anotaciones de cobertura de codigo</translation> </message> <message> <location filename="../QScintilla/Editor.py" line="964"/> - <source>Show code coverage annotations</source> - <translation>Mostrar anotaciones de cobertura de codigo</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="967"/> - <source>Hide code coverage annotations</source> - <translation>Ocultar anotaciones de cobertura de codigo</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="970"/> <source>Profile data...</source> <translation>Datos de profiling...</translation> </message> <message> + <location filename="../QScintilla/Editor.py" line="977"/> + <source>Diagrams</source> + <translation>Diagramas</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="979"/> + <source>Class Diagram...</source> + <translation>Diagrama de clases...</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="981"/> + <source>Package Diagram...</source> + <translation>Diagrama de paquetes...</translation> + </message> + <message> <location filename="../QScintilla/Editor.py" line="983"/> - <source>Diagrams</source> - <translation>Diagramas</translation> + <source>Imports Diagram...</source> + <translation>Diagrama de imports...</translation> </message> <message> <location filename="../QScintilla/Editor.py" line="985"/> - <source>Class Diagram...</source> - <translation>Diagrama de clases...</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="987"/> - <source>Package Diagram...</source> - <translation>Diagrama de paquetes...</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="989"/> - <source>Imports Diagram...</source> - <translation>Diagrama de imports...</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="991"/> <source>Application Diagram...</source> <translation>Diagrama de aplicación...</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1009"/> + <location filename="../QScintilla/Editor.py" line="1003"/> <source>Languages</source> <translation>Lenguajes</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1012"/> + <location filename="../QScintilla/Editor.py" line="1006"/> <source>No Language</source> <translation>Ningún Lenguaje</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1134"/> + <location filename="../QScintilla/Editor.py" line="1128"/> <source>Export as</source> <translation>Exportar como</translation> </message> <message> + <location filename="../QScintilla/Editor.py" line="1150"/> + <source>Toggle bookmark</source> + <translation>Alternar marcador</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="1152"/> + <source>Next bookmark</source> + <translation>Nuevo marcador</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="1154"/> + <source>Previous bookmark</source> + <translation>Marcador anterior</translation> + </message> + <message> <location filename="../QScintilla/Editor.py" line="1156"/> - <source>Toggle bookmark</source> - <translation>Alternar marcador</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1158"/> - <source>Next bookmark</source> - <translation>Nuevo marcador</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1160"/> - <source>Previous bookmark</source> - <translation>Marcador anterior</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1162"/> <source>Clear all bookmarks</source> <translation>Borrar todos los marcadores</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1230"/> + <location filename="../QScintilla/Editor.py" line="1224"/> <source>Goto syntax error</source> <translation>Ir al error de sintaxis</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1233"/> + <location filename="../QScintilla/Editor.py" line="1227"/> <source>Show syntax error message</source> <translation>Ver el mensaje de error de sintaxis</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1237"/> + <location filename="../QScintilla/Editor.py" line="1231"/> <source>Clear syntax error</source> <translation>Borrar error de sintaxis</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1171"/> + <location filename="../QScintilla/Editor.py" line="1165"/> <source>Toggle breakpoint</source> <translation>Alternar punto de interrupción</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1173"/> + <location filename="../QScintilla/Editor.py" line="1167"/> <source>Toggle temporary breakpoint</source> <translation>Alternar punto de interrupción temporal</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1176"/> + <location filename="../QScintilla/Editor.py" line="1170"/> <source>Edit breakpoint...</source> <translation>Editar punto de interrupción...</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="5316"/> + <location filename="../QScintilla/Editor.py" line="5310"/> <source>Enable breakpoint</source> <translation>Activar punto de interrupción</translation> </message> <message> + <location filename="../QScintilla/Editor.py" line="1175"/> + <source>Next breakpoint</source> + <translation>Siguiente punto de interrupción</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="1178"/> + <source>Previous breakpoint</source> + <translation>Punto de interrupción anterior</translation> + </message> + <message> <location filename="../QScintilla/Editor.py" line="1181"/> - <source>Next breakpoint</source> - <translation>Siguiente punto de interrupción</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1184"/> - <source>Previous breakpoint</source> - <translation>Punto de interrupción anterior</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1187"/> <source>Clear all breakpoints</source> <translation>Borrar todos los puntos de interrupción</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1254"/> + <location filename="../QScintilla/Editor.py" line="1248"/> <source>Next uncovered line</source> <translation>Siguiente línea sin cobertura</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1257"/> + <location filename="../QScintilla/Editor.py" line="1251"/> <source>Previous uncovered line</source> <translation>Anterior línea sin cobertura</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1261"/> + <location filename="../QScintilla/Editor.py" line="1255"/> <source>Next task</source> <translation>Nueva tarea</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1264"/> + <location filename="../QScintilla/Editor.py" line="1258"/> <source>Previous task</source> <translation>Tarea anterior</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1309"/> + <location filename="../QScintilla/Editor.py" line="1303"/> <source>Export source</source> <translation>Exportar fuente</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1309"/> + <location filename="../QScintilla/Editor.py" line="1303"/> <source>No export format given. Aborting...</source> <translation>No se ha proporcionado un formato de exportación. Abortando...</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1816"/> + <location filename="../QScintilla/Editor.py" line="1810"/> <source>Modification of Read Only file</source> <translation>Modificación de un archivo de solo lectura</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1816"/> + <location filename="../QScintilla/Editor.py" line="1810"/> <source>You are attempting to change a read only file. Please save to a different file first.</source> <translation>Usted está intentando modificar un archivo solo lectura. Por favor guarde en otro archivo primero.</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="2502"/> + <location filename="../QScintilla/Editor.py" line="2496"/> <source>Printing...</source> <translation>Imprimiendo...</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="2519"/> + <location filename="../QScintilla/Editor.py" line="2513"/> <source>Printing completed</source> <translation>Impresión completa</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="2521"/> + <location filename="../QScintilla/Editor.py" line="2515"/> <source>Error while printing</source> <translation>Error al imprimir</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="2524"/> + <location filename="../QScintilla/Editor.py" line="2518"/> <source>Printing aborted</source> <translation>Impresión cancelada</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="2886"/> + <location filename="../QScintilla/Editor.py" line="2880"/> <source>File Modified</source> <translation>Archivo modificado</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="3119"/> + <location filename="../QScintilla/Editor.py" line="3113"/> <source>Save File</source> <translation>Guardar archivo</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="4522"/> + <location filename="../QScintilla/Editor.py" line="4516"/> <source>Autocompletion</source> <translation>Autocompletar</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="4522"/> + <location filename="../QScintilla/Editor.py" line="4516"/> <source>Autocompletion is not available because there is no autocompletion source set.</source> <translation>Autocompletar no está disponible porque no hay origen de datos para autocompletar.</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="5319"/> + <location filename="../QScintilla/Editor.py" line="5313"/> <source>Disable breakpoint</source> <translation>Deshabilitar punto de interrupción</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="5676"/> + <location filename="../QScintilla/Editor.py" line="5670"/> <source>Code Coverage</source> <translation>Cobertura de codigo</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="5676"/> + <location filename="../QScintilla/Editor.py" line="5670"/> <source>Please select a coverage file</source> <translation>Por favor seleccione un archivo de cobertura</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="5739"/> + <location filename="../QScintilla/Editor.py" line="5733"/> <source>Show Code Coverage Annotations</source> <translation>Mostrar Anotaciones de Cobertura de Código</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="5732"/> + <location filename="../QScintilla/Editor.py" line="5726"/> <source>All lines have been covered.</source> <translation>Todas las líneas han sido cubiertas.</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="5739"/> + <location filename="../QScintilla/Editor.py" line="5733"/> <source>There is no coverage file available.</source> <translation>No hay archivo de cobertura disponible.</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="5854"/> + <location filename="../QScintilla/Editor.py" line="5848"/> <source>Profile Data</source> <translation>Datos de profiling</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="5854"/> + <location filename="../QScintilla/Editor.py" line="5848"/> <source>Please select a profile file</source> <translation>Por favor seleccione un archivo de profiling</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6014"/> + <location filename="../QScintilla/Editor.py" line="6008"/> <source>Syntax Error</source> <translation>Error de sintaxis</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6014"/> + <location filename="../QScintilla/Editor.py" line="6008"/> <source>No syntax error message available.</source> <translation>No hay mensajes de error de sintaxis disponibles.</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6400"/> + <location filename="../QScintilla/Editor.py" line="6394"/> <source>Macro Name</source> <translation>Nombre de macro</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6400"/> + <location filename="../QScintilla/Editor.py" line="6394"/> <source>Select a macro name:</source> <translation>Seleccione un nombre de macro:</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6428"/> + <location filename="../QScintilla/Editor.py" line="6422"/> <source>Load macro file</source> <translation>Cargar archivo de macro</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6471"/> + <location filename="../QScintilla/Editor.py" line="6465"/> <source>Macro files (*.macro)</source> <translation>Archivos de Macro (*.macro)</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6451"/> + <location filename="../QScintilla/Editor.py" line="6445"/> <source>Error loading macro</source> <translation>Error al cargar macro</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6471"/> + <location filename="../QScintilla/Editor.py" line="6465"/> <source>Save macro file</source> <translation>Guardar archivo de macro</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6488"/> + <location filename="../QScintilla/Editor.py" line="6482"/> <source>Save macro</source> <translation>Guardar macro</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6504"/> + <location filename="../QScintilla/Editor.py" line="6498"/> <source>Error saving macro</source> <translation>Error al guardar macro</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6517"/> + <location filename="../QScintilla/Editor.py" line="6511"/> <source>Start Macro Recording</source> <translation>Comenzar grabación de macro</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6517"/> + <location filename="../QScintilla/Editor.py" line="6511"/> <source>Macro recording is already active. Start new?</source> <translation>Grabación de macro ya está activada. ¿Comenzar una nueva?</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6543"/> + <location filename="../QScintilla/Editor.py" line="6537"/> <source>Macro Recording</source> <translation>Grabando macro</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6543"/> + <location filename="../QScintilla/Editor.py" line="6537"/> <source>Enter name of the macro:</source> <translation>Introduzca el nombre de la macro:</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6681"/> + <location filename="../QScintilla/Editor.py" line="6675"/> <source>File changed</source> <translation>Archivo modificado</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6985"/> + <location filename="../QScintilla/Editor.py" line="6979"/> <source>Drop Error</source> <translation>Error al soltar</translation> </message> <message> + <location filename="../QScintilla/Editor.py" line="7000"/> + <source>Resources</source> + <translation>Recursos</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="7002"/> + <source>Add file...</source> + <translation>Añadir archivo...</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="7004"/> + <source>Add files...</source> + <translation>Añadir archivos...</translation> + </message> + <message> <location filename="../QScintilla/Editor.py" line="7006"/> - <source>Resources</source> - <translation>Recursos</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="7008"/> - <source>Add file...</source> - <translation>Añadir archivo...</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="7010"/> - <source>Add files...</source> - <translation>Añadir archivos...</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="7012"/> <source>Add aliased file...</source> <translation>Añadir archivo con un alias...</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7015"/> + <location filename="../QScintilla/Editor.py" line="7009"/> <source>Add localized resource...</source> <translation>Añadir recursos localizados...</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7019"/> + <location filename="../QScintilla/Editor.py" line="7013"/> <source>Add resource frame</source> <translation>Añadir ventana de recursos</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7038"/> + <location filename="../QScintilla/Editor.py" line="7032"/> <source>Add file resource</source> <translation>Añadir archivo de recursos</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7054"/> + <location filename="../QScintilla/Editor.py" line="7048"/> <source>Add file resources</source> <translation>Añadir archivo de recursos</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7082"/> + <location filename="../QScintilla/Editor.py" line="7076"/> <source>Add aliased file resource</source> <translation>Añadir archivo de recursos con un alias</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7146"/> + <location filename="../QScintilla/Editor.py" line="7140"/> <source>Package Diagram</source> <translation>Digrama de paquetes</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7146"/> + <location filename="../QScintilla/Editor.py" line="7140"/> <source>Include class attributes?</source> <translation>¿Incluir atributos de clase?</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7166"/> + <location filename="../QScintilla/Editor.py" line="7160"/> <source>Imports Diagram</source> <translation>Diagrama de imports</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7166"/> + <location filename="../QScintilla/Editor.py" line="7160"/> <source>Include imports from external modules?</source> <translation>¿Incluir los imports de módulos externos?</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7180"/> + <location filename="../QScintilla/Editor.py" line="7174"/> <source>Application Diagram</source> <translation>Diagrama de aplicación</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7180"/> + <location filename="../QScintilla/Editor.py" line="7174"/> <source>Include module names?</source> <translation>¿Incluir nombres de módulos?</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="843"/> + <location filename="../QScintilla/Editor.py" line="837"/> <source>Calltip</source> <translation>Consejo de llamada</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="889"/> + <location filename="../QScintilla/Editor.py" line="883"/> <source>Print Preview</source> <translation>Presentación preliminar</translation> </message> @@ -10510,77 +10510,77 @@ <translation><b>Una Ventana de Edición de Códigos Fuente</b><p>Esta ventana se utiliza para mostrar y editar un archivo de código fuente. Puede abrir tantas como desee. El nombre del archivo se muestra en la barra de título de la ventana.</p><p>Para insertar puntos de interrupción basta con hacer un click en el espacio entre los números de línea y los marcadores de plegado. Pueden editarse con el menú de contexto de los márgenes.</p><p>Para insertar marcadores solo hay que hacer Shift-click en el espacio entre los números de línea y los marcadores de plegado.</p><p>Estas acciones se pueden revertir utilizando el menú de contexto.</p><p>Haciendo Ctrl-click en un marcador de error sintáctico se muestra información sobre el dicho error.</p></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="828"/> + <location filename="../QScintilla/Editor.py" line="822"/> <source>Typing aids enabled</source> <translation>Ayudas al tecleo habilitadas</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1098"/> + <location filename="../QScintilla/Editor.py" line="1092"/> <source>End-of-Line Type</source> <translation>Tipo de fin-de-línea</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1102"/> + <location filename="../QScintilla/Editor.py" line="1096"/> <source>Unix</source> <translation>Unix</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1109"/> + <location filename="../QScintilla/Editor.py" line="1103"/> <source>Windows</source> <translation>Windows</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1116"/> + <location filename="../QScintilla/Editor.py" line="1110"/> <source>Macintosh</source> <translation>Macintosh</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1057"/> + <location filename="../QScintilla/Editor.py" line="1051"/> <source>Encodings</source> <translation>Codificaciones</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1037"/> + <location filename="../QScintilla/Editor.py" line="1031"/> <source>Guessed</source> <translation>Suposición</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1324"/> + <location filename="../QScintilla/Editor.py" line="1318"/> <source>Alternatives</source> <translation>Alternativas</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1340"/> + <location filename="../QScintilla/Editor.py" line="1334"/> <source>Pygments Lexer</source> <translation>Analizador Léxico de Pygments</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1340"/> + <location filename="../QScintilla/Editor.py" line="1334"/> <source>Select the Pygments lexer to apply.</source> <translation>Seleccionar el Analizador Léxico de Pygments.</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7473"/> + <location filename="../QScintilla/Editor.py" line="7467"/> <source>Check spelling...</source> <translation>Corrección ortográfica...</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="804"/> + <location filename="../QScintilla/Editor.py" line="798"/> <source>Check spelling of selection...</source> <translation>Corrección ortográfica de la selección...</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7476"/> + <location filename="../QScintilla/Editor.py" line="7470"/> <source>Add to dictionary</source> <translation>Añadir al diccionario</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7478"/> + <location filename="../QScintilla/Editor.py" line="7472"/> <source>Ignore All</source> <translation>Ignorar Todo</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="808"/> + <location filename="../QScintilla/Editor.py" line="802"/> <source>Remove from dictionary</source> <translation>Eliminar del diccionario</translation> </message> @@ -10590,277 +10590,277 @@ <translation><p>El tamaño del archivo <b>{0}</b> es <b>{1} KB</b>. ¿Desea cargarlo de todos modos?</p></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1301"/> + <location filename="../QScintilla/Editor.py" line="1295"/> <source><p>No exporter available for the export format <b>{0}</b>. Aborting...</p></source> <translation><p>No hay un exportador disponible para el formato de exportación <b>{0}</b>. Abortando...</p></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1320"/> + <location filename="../QScintilla/Editor.py" line="1314"/> <source>Alternatives ({0})</source> <translation>Alternativas ({0})</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="2886"/> + <location filename="../QScintilla/Editor.py" line="2880"/> <source><p>The file <b>{0}</b> has unsaved changes.</p></source> <translation><p>El archivo <b>{0}</b> tiene cambios sin guardar.</p></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="2946"/> + <location filename="../QScintilla/Editor.py" line="2940"/> <source><p>The file <b>{0}</b> could not be opened.</p><p>Reason: {1}</p></source> <translation><p>El archivo<b>{0}</b> no puede ser abierto.<br />Causa: {1}</p></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="3060"/> + <location filename="../QScintilla/Editor.py" line="3054"/> <source><p>The file <b>{0}</b> could not be saved.<br/>Reason: {1}</p></source> <translation><p>El archivo <b>{0}</b> no puede ser guardado.<br>Causa: {1}</p></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6442"/> + <location filename="../QScintilla/Editor.py" line="6436"/> <source><p>The macro file <b>{0}</b> could not be read.</p></source> <translation><p>El archivo de macro <b>{0}</b> no se puede leer.</p></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6451"/> + <location filename="../QScintilla/Editor.py" line="6445"/> <source><p>The macro file <b>{0}</b> is corrupt.</p></source> <translation><p>El archivo de macro <b>{0}</b> está dañado</p></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6504"/> + <location filename="../QScintilla/Editor.py" line="6498"/> <source><p>The macro file <b>{0}</b> could not be written.</p></source> <translation><p>El archivo de macro <b>{0}</b> no se puede escribir.</p></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6845"/> + <location filename="../QScintilla/Editor.py" line="6839"/> <source>{0} (ro)</source> <translation>{0} (ro)</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6985"/> + <location filename="../QScintilla/Editor.py" line="6979"/> <source><p><b>{0}</b> is not a file.</p></source> <translation><p><b>{0}</b> no es un archivo.</p></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7082"/> + <location filename="../QScintilla/Editor.py" line="7076"/> <source>Alias for file <b>{0}</b>:</source> <translation>Alias para el archivo <b>{0}</b>:</translation> </message> <message> + <location filename="../QScintilla/Editor.py" line="1235"/> + <source>Next warning</source> + <translation>Siguiente advertencia</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="1238"/> + <source>Previous warning</source> + <translation>Anterior advertencia</translation> + </message> + <message> <location filename="../QScintilla/Editor.py" line="1241"/> - <source>Next warning</source> - <translation>Siguiente advertencia</translation> + <source>Show warning message</source> + <translation>Mostrar mensaje de advertencia</translation> </message> <message> <location filename="../QScintilla/Editor.py" line="1244"/> - <source>Previous warning</source> - <translation>Anterior advertencia</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1247"/> - <source>Show warning message</source> - <translation>Mostrar mensaje de advertencia</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1250"/> <source>Clear warnings</source> <translation>Limpiar advertencias</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="3119"/> + <location filename="../QScintilla/Editor.py" line="3113"/> <source><p>The file <b>{0}</b> already exists. Overwrite it?</p></source> <translation><p>El archivo <b>{0}</b> ya existe. ¿Desea sobreescribirlo?</p></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6488"/> + <location filename="../QScintilla/Editor.py" line="6482"/> <source><p>The macro file <b>{0}</b> already exists. Overwrite it?</p></source> <translation><p>El archivo de macro <b>{0}</b> ya existe. ¿Desea sobreescribirlo?</p></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6290"/> + <location filename="../QScintilla/Editor.py" line="6284"/> <source>Warning: {0}</source> <translation>Advertencia: {0}</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6297"/> + <location filename="../QScintilla/Editor.py" line="6291"/> <source>Error: {0}</source> <translation>Error: {0}</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6677"/> + <location filename="../QScintilla/Editor.py" line="6671"/> <source><br><b>Warning:</b> You will lose your changes upon reopening it.</source> <translation><br><b>Advertencia:</b> Perderá los cambios si lo reabre.</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="885"/> + <location filename="../QScintilla/Editor.py" line="879"/> <source>Open 'rejection' file</source> <translation>Abrir archivo 'de rechazo'</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="995"/> + <location filename="../QScintilla/Editor.py" line="989"/> <source>Load Diagram...</source> <translation>Cargar Diagrama...</translation> </message> <message> + <location filename="../QScintilla/Editor.py" line="1262"/> + <source>Next change</source> + <translation>Siguiente cambio</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="1265"/> + <source>Previous change</source> + <translation>Cambio anterior</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="7884"/> + <source>Sort Lines</source> + <translation>Ordenar Líneas</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="7884"/> + <source>The selection contains illegal data for a numerical sort.</source> + <translation>La selección contiene datos ilegales para una ordenación numérica.</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="6220"/> + <source>Warning</source> + <translation>Advertencia</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="6220"/> + <source>No warning messages available.</source> + <translation>No hay mensajes de advertencia disponibles.</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="6281"/> + <source>Style: {0}</source> + <translation>Estilo: {0}</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="853"/> + <source>New Document View</source> + <translation>Nueva Vista de Documento</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="856"/> + <source>New Document View (with new split)</source> + <translation>Nueva Vista de Documento (con nueva división)</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="943"/> + <source>Tools</source> + <translation>Herramientas</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="1073"/> + <source>Re-Open With Encoding</source> + <translation>Reabrir Con Codificación</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="6665"/> + <source><p>The file <b>{0}</b> has been changed while it was opened in eric6. Reread it?</p></source> + <translation><p>El archivo <b>{0}</b> ha cambiado mientras estaba abierto en eric6. ¿Desea volver a cargarlo?</p></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="829"/> + <source>Automatic Completion enabled</source> + <translation>Autocompletar habilitado</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="909"/> + <source>Complete</source> + <translation>Completo</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="4641"/> + <source>Auto-Completion Provider</source> + <translation>Proveedor de Autocompletado</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="4641"/> + <source>The completion list provider '{0}' was already registered. Ignoring duplicate request.</source> + <translation>El proveedor de lista de completado'{0}' ya está registrado. Se ignora la solicitud duplicada.</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="4895"/> + <source>Call-Tips Provider</source> + <translation>Proveedor de Call-Tips</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="4895"/> + <source>The call-tips provider '{0}' was already registered. Ignoring duplicate request.</source> + <translation>El proveedor de call-tips'{0}' ya está registrado. Se ignora la solicitud duplicada.</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="7971"/> + <source>Register Mouse Click Handler</source> + <translation>Registrar Manejador de Clicks de Ratón</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="7971"/> + <source>A mouse click handler for "{0}" was already registered by "{1}". Aborting request by "{2}"...</source> + <translation>Un manejador de clicks de ratón para "{0}" ya está registrado por "{1}". Abortando solicitud por "{2}"...</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="873"/> + <source>Save Copy...</source> + <translation>Guardar Copia...</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="912"/> + <source>Clear Completions Cache</source> + <translation>Limpiar Caché de Completado</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="839"/> + <source>Code Info</source> + <translation>Info del Código</translation> + </message> + <message> <location filename="../QScintilla/Editor.py" line="1268"/> - <source>Next change</source> - <translation>Siguiente cambio</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1271"/> - <source>Previous change</source> - <translation>Cambio anterior</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="7890"/> - <source>Sort Lines</source> - <translation>Ordenar Líneas</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="7890"/> - <source>The selection contains illegal data for a numerical sort.</source> - <translation>La selección contiene datos ilegales para una ordenación numérica.</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="6226"/> - <source>Warning</source> - <translation>Advertencia</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="6226"/> - <source>No warning messages available.</source> - <translation>No hay mensajes de advertencia disponibles.</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="6287"/> - <source>Style: {0}</source> - <translation>Estilo: {0}</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="859"/> - <source>New Document View</source> - <translation>Nueva Vista de Documento</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="862"/> - <source>New Document View (with new split)</source> - <translation>Nueva Vista de Documento (con nueva división)</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="949"/> - <source>Tools</source> - <translation>Herramientas</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1079"/> - <source>Re-Open With Encoding</source> - <translation>Reabrir Con Codificación</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="6671"/> - <source><p>The file <b>{0}</b> has been changed while it was opened in eric6. Reread it?</p></source> - <translation><p>El archivo <b>{0}</b> ha cambiado mientras estaba abierto en eric6. ¿Desea volver a cargarlo?</p></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="835"/> - <source>Automatic Completion enabled</source> - <translation>Autocompletar habilitado</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="915"/> - <source>Complete</source> - <translation>Completo</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="4647"/> - <source>Auto-Completion Provider</source> - <translation>Proveedor de Autocompletado</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="4647"/> - <source>The completion list provider '{0}' was already registered. Ignoring duplicate request.</source> - <translation>El proveedor de lista de completado'{0}' ya está registrado. Se ignora la solicitud duplicada.</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="4901"/> - <source>Call-Tips Provider</source> - <translation>Proveedor de Call-Tips</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="4901"/> - <source>The call-tips provider '{0}' was already registered. Ignoring duplicate request.</source> - <translation>El proveedor de call-tips'{0}' ya está registrado. Se ignora la solicitud duplicada.</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="7977"/> - <source>Register Mouse Click Handler</source> - <translation>Registrar Manejador de Clicks de Ratón</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="7977"/> - <source>A mouse click handler for "{0}" was already registered by "{1}". Aborting request by "{2}"...</source> - <translation>Un manejador de clicks de ratón para "{0}" ya está registrado por "{1}". Abortando solicitud por "{2}"...</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="879"/> - <source>Save Copy...</source> - <translation>Guardar Copia...</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="918"/> - <source>Clear Completions Cache</source> - <translation>Limpiar Caché de Completado</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="845"/> - <source>Code Info</source> - <translation>Info del Código</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1274"/> <source>Clear changes</source> <translation>Limpiar cambios</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="770"/> + <location filename="../QScintilla/Editor.py" line="764"/> <source>Execute Selection In Console</source> <translation>Ejecutar Selección en Consola</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="8098"/> + <location filename="../QScintilla/Editor.py" line="8092"/> <source>EditorConfig Properties</source> <translation>Propiedades de EditorConfig</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="8098"/> + <location filename="../QScintilla/Editor.py" line="8092"/> <source><p>The EditorConfig properties for file <b>{0}</b> could not be loaded.</p></source> <translation><p>Las propiedades de EditorConfig para el archivo <b>{0}</b> no se ha podido cargar.</p></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1197"/> + <location filename="../QScintilla/Editor.py" line="1191"/> <source>Toggle all folds</source> <translation>Recoger/Desplegar los anidamientos</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1201"/> + <location filename="../QScintilla/Editor.py" line="1195"/> <source>Toggle all folds (including children)</source> <translation>Recoger/Desplegar todos los anidamientos (inc. hijos)</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1205"/> + <location filename="../QScintilla/Editor.py" line="1199"/> <source>Toggle current fold</source> <translation>Recoger/Desplegar el anidamiento actual</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1210"/> + <location filename="../QScintilla/Editor.py" line="1204"/> <source>Expand (including children)</source> <translation>Expandir (incluídos hijos)</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1214"/> + <location filename="../QScintilla/Editor.py" line="1208"/> <source>Collapse (including children)</source> <translation>Contraer (incluídos hijos)</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1219"/> + <location filename="../QScintilla/Editor.py" line="1213"/> <source>Clear all folds</source> <translation>Limpiar todos los anidamientos</translation> </message> @@ -45607,12 +45607,12 @@ <translation><b>Guardar Copia</b><p>Guardar una copia del contenido de la ventana de editor actual. El archivo puede ser introducido usando un diálogo de selección de archivo.</p></translation> </message> <message> - <location filename="../QScintilla/MiniEditor.py" line="3401"/> + <location filename="../QScintilla/MiniEditor.py" line="3405"/> <source>EditorConfig Properties</source> <translation>Propiedades de EditorConfig</translation> </message> <message> - <location filename="../QScintilla/MiniEditor.py" line="3401"/> + <location filename="../QScintilla/MiniEditor.py" line="3405"/> <source><p>The EditorConfig properties for file <b>{0}</b> could not be loaded.</p></source> <translation><p>Las propiedades de EditorConfig para el archivo <b>{0}</b> no se ha podido cargar.</p></translation> </message> @@ -45625,252 +45625,252 @@ <context> <name>MiscellaneousChecker</name> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="476"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="482"/> <source>coding magic comment not found</source> <translation>comentario mágico de codificación no encontrado</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="479"/> - <source>unknown encoding ({0}) found in coding magic comment</source> - <translation>codificación desconocida ({0}) encontrada en comentario mágico de codificación</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="482"/> - <source>copyright notice not present</source> - <translation>nota de copyright no presente</translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="485"/> + <source>unknown encoding ({0}) found in coding magic comment</source> + <translation>codificación desconocida ({0}) encontrada en comentario mágico de codificación</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="488"/> + <source>copyright notice not present</source> + <translation>nota de copyright no presente</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="491"/> <source>copyright notice contains invalid author</source> <translation>la nota de copyright contiene un autor no válido</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="562"/> - <source>found {0} formatter</source> - <translation>encontrado formateador {0}</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="565"/> - <source>format string does contain unindexed parameters</source> - <translation>cadena de formato que contiene parámetros sin indexar</translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="568"/> - <source>docstring does contain unindexed parameters</source> - <translation>docstring cque contiene parámetros sin indexar</translation> + <source>found {0} formatter</source> + <translation>encontrado formateador {0}</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="571"/> - <source>other string does contain unindexed parameters</source> - <translation>otra cadena contiene parámetros sin indexar</translation> + <source>format string does contain unindexed parameters</source> + <translation>cadena de formato que contiene parámetros sin indexar</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="574"/> - <source>format call uses too large index ({0})</source> - <translation>llamada de formato usa un índice demasiado largo ({0})</translation> + <source>docstring does contain unindexed parameters</source> + <translation>docstring cque contiene parámetros sin indexar</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="577"/> - <source>format call uses missing keyword ({0})</source> - <translation>llamada de formato usa una palabra clave desaparecida ({0})</translation> + <source>other string does contain unindexed parameters</source> + <translation>otra cadena contiene parámetros sin indexar</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="580"/> - <source>format call uses keyword arguments but no named entries</source> - <translation>llamada de formato usa argumentos de palabra clave pero sin entradas con nombre</translation> + <source>format call uses too large index ({0})</source> + <translation>llamada de formato usa un índice demasiado largo ({0})</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="583"/> - <source>format call uses variable arguments but no numbered entries</source> - <translation>llamada de formato usa argumentos de variable pero sin entradas numeradas</translation> + <source>format call uses missing keyword ({0})</source> + <translation>llamada de formato usa una palabra clave desaparecida ({0})</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="586"/> - <source>format call uses implicit and explicit indexes together</source> - <translation>llamada de formato usa juntos índices implícitos y explícitos</translation> + <source>format call uses keyword arguments but no named entries</source> + <translation>llamada de formato usa argumentos de palabra clave pero sin entradas con nombre</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="589"/> - <source>format call provides unused index ({0})</source> - <translation>llamada de formato proporciona índice que no se usa ({0})</translation> + <source>format call uses variable arguments but no numbered entries</source> + <translation>llamada de formato usa argumentos de variable pero sin entradas numeradas</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="592"/> + <source>format call uses implicit and explicit indexes together</source> + <translation>llamada de formato usa juntos índices implícitos y explícitos</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="595"/> + <source>format call provides unused index ({0})</source> + <translation>llamada de formato proporciona índice que no se usa ({0})</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="598"/> <source>format call provides unused keyword ({0})</source> <translation>llamada de formato proporciona palabra clave que no se usa ({0})</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="610"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="616"/> <source>expected these __future__ imports: {0}; but only got: {1}</source> <translation>se esperaban estos __future__ imports: {0} pero solamente hay: {1}</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="613"/> - <source>expected these __future__ imports: {0}; but got none</source> - <translation>se esperaban estos __future__ imports: {0}; but no hay ninguno</translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="619"/> + <source>expected these __future__ imports: {0}; but got none</source> + <translation>se esperaban estos __future__ imports: {0}; but no hay ninguno</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="625"/> <source>print statement found</source> <translation>encontrada sentencia print</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="622"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="628"/> <source>one element tuple found</source> <translation>tupla de un elemento encontrada</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="634"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="640"/> <source>{0}: {1}</source> <translation>{0}: {1}</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="488"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="494"/> <source>"{0}" is a Python builtin and is being shadowed; consider renaming the variable</source> <translation>"{0}" es una variable nativa de Python a la que se está ocultando; considere renombrar la variable</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="492"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="498"/> <source>"{0}" is used as an argument and thus shadows a Python builtin; consider renaming the argument</source> <translation>"{0}" se está usando como un argumento pero oculta un argumento nativo de Python; considere renombrar el argumento</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="496"/> - <source>unnecessary generator - rewrite as a list comprehension</source> - <translation>generador innecesario - reescribir como lista de comprehensión</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="499"/> - <source>unnecessary generator - rewrite as a set comprehension</source> - <translation>generador innecesario - reescribir como conjunto de comprehensión</translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="502"/> - <source>unnecessary generator - rewrite as a dict comprehension</source> - <translation>generador innecesario - reescribir como diccionario de comprehensión</translation> + <source>unnecessary generator - rewrite as a list comprehension</source> + <translation>generador innecesario - reescribir como lista de comprehensión</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="505"/> - <source>unnecessary list comprehension - rewrite as a set comprehension</source> - <translation>lista de comprehensión innecesaria - reescribir como conjunto de comprehensión</translation> + <source>unnecessary generator - rewrite as a set comprehension</source> + <translation>generador innecesario - reescribir como conjunto de comprehensión</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="508"/> - <source>unnecessary list comprehension - rewrite as a dict comprehension</source> - <translation>lista de comprehensión innecesaria - reescribir como diccionario de comprehensión</translation> + <source>unnecessary generator - rewrite as a dict comprehension</source> + <translation>generador innecesario - reescribir como diccionario de comprehensión</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="511"/> - <source>unnecessary list literal - rewrite as a set literal</source> - <translation>lista literal innecesaria - reescribir como conjunto literal</translation> + <source>unnecessary list comprehension - rewrite as a set comprehension</source> + <translation>lista de comprehensión innecesaria - reescribir como conjunto de comprehensión</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="514"/> - <source>unnecessary list literal - rewrite as a dict literal</source> - <translation>lista literal innecesaria - reescribir como diccionario literal</translation> + <source>unnecessary list comprehension - rewrite as a dict comprehension</source> + <translation>lista de comprehensión innecesaria - reescribir como diccionario de comprehensión</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="517"/> - <source>unnecessary list comprehension - "{0}" can take a generator</source> - <translation>lista de comprehensión innecesaria - "{0}" puede aceptar un generador</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="628"/> - <source>mutable default argument of type {0}</source> - <translation>argumento por defecto mutable de tipo {0}</translation> + <source>unnecessary list literal - rewrite as a set literal</source> + <translation>lista literal innecesaria - reescribir como conjunto literal</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="520"/> + <source>unnecessary list literal - rewrite as a dict literal</source> + <translation>lista literal innecesaria - reescribir como diccionario literal</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="523"/> + <source>unnecessary list comprehension - "{0}" can take a generator</source> + <translation>lista de comprehensión innecesaria - "{0}" puede aceptar un generador</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="634"/> + <source>mutable default argument of type {0}</source> + <translation>argumento por defecto mutable de tipo {0}</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="526"/> <source>sort keys - '{0}' should be before '{1}'</source> <translation>ordenar claves - '{0}' debeía ser antes de '{1}'</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="598"/> - <source>logging statement uses '%'</source> - <translation>la sentencia de log usa '%'</translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="604"/> + <source>logging statement uses '%'</source> + <translation>la sentencia de log usa '%'</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="610"/> <source>logging statement uses f-string</source> <translation>la sentencia de log usa f-string</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="607"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="613"/> <source>logging statement uses 'warn' instead of 'warning'</source> <translation>la sentencia de log usa 'warn' en lugar de 'warning'</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="595"/> - <source>logging statement uses string.format()</source> - <translation>la sentencia de log usa string.format()</translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="601"/> + <source>logging statement uses string.format()</source> + <translation>la sentencia de log usa string.format()</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="607"/> <source>logging statement uses '+'</source> <translation>la sentencia de log usa '+'</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="616"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="622"/> <source>gettext import with alias _ found: {0}</source> <translation>encontrado gettext import con alias _ : {0}</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="523"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="529"/> <source>Python does not support the unary prefix increment</source> <translation>Python no soporta el prefijo unario de incremento</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="533"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="539"/> <source>'sys.maxint' is not defined in Python 3 - use 'sys.maxsize'</source> <translation>'sys.maxint' no está definido en Python 3 - usar 'sys.maxsize'</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="536"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="542"/> <source>'BaseException.message' has been deprecated as of Python 2.6 and is removed in Python 3 - use 'str(e)'</source> <translation>'BaseException.message' está marcada como deprecada en Python 2.6 y se ha eliminado en Python 3 - usar 'str(e)'</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="540"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="546"/> <source>assigning to 'os.environ' does not clear the environment - use 'os.environ.clear()'</source> <translation>asignaciones a 'os.environ' no limpian el entorno - usar 'os.environ.clear()'</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="548"/> - <source>Python 3 does not include '.iter*' methods on dictionaries</source> - <translation>Python 3 no incluye métodos '.iter*' en diccionarios</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="551"/> - <source>Python 3 does not include '.view*' methods on dictionaries</source> - <translation>Python 3 no incluye métodos '.view*' en diccionarios</translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="554"/> - <source>'.next()' does not exist in Python 3</source> - <translation>'.next()' no existe en Python 3</translation> + <source>Python 3 does not include '.iter*' methods on dictionaries</source> + <translation>Python 3 no incluye métodos '.iter*' en diccionarios</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="557"/> + <source>Python 3 does not include '.view*' methods on dictionaries</source> + <translation>Python 3 no incluye métodos '.view*' en diccionarios</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="560"/> + <source>'.next()' does not exist in Python 3</source> + <translation>'.next()' no existe en Python 3</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="563"/> <source>'__metaclass__' does nothing on Python 3 - use 'class MyClass(BaseClass, metaclass=...)'</source> <translation>'__metaclass__' no hace nada en Python 3 - usar 'class MyClass(BaseClass, metaclass=...)'</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="631"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="637"/> <source>mutable default argument of function call '{0}'</source> <translation>argumento por defecto mutable de llamada a función {0}</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="526"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="532"/> <source>using .strip() with multi-character strings is misleading</source> <translation>usar .strip() cpm cadenas multicarácter es engañoso</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="529"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="535"/> <source>using 'hasattr(x, "__call__")' to test if 'x' is callable is unreliable</source> <translation>usar 'hasattr(x, "__call__")' para probar si 'x' is invocable no es fiable</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="544"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="550"/> <source>loop control variable {0} not used within the loop body - start the name with an underscore</source> <translation>variable de control de bucle {0} no usada dentro del cuerpo del bucle - iniciar nombre con guión bajo</translation> </message> @@ -46301,72 +46301,72 @@ <context> <name>NamingStyleChecker</name> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="420"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="426"/> <source>class names should use CapWords convention</source> <translation>nombres de clase deben usar la convención de CapWords</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="423"/> - <source>function name should be lowercase</source> - <translation>nombres de función deben ser en minúsculas</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="426"/> - <source>argument name should be lowercase</source> - <translation>nombre de argumento debe ser en minúsculas</translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="429"/> - <source>first argument of a class method should be named 'cls'</source> - <translation>primer argumento de método de clase debe ser nombrado 'cls'</translation> + <source>function name should be lowercase</source> + <translation>nombres de función deben ser en minúsculas</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="432"/> - <source>first argument of a method should be named 'self'</source> - <translation>prmier argumento de un método debe ser nombrado 'self'</translation> + <source>argument name should be lowercase</source> + <translation>nombre de argumento debe ser en minúsculas</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="435"/> + <source>first argument of a class method should be named 'cls'</source> + <translation>primer argumento de método de clase debe ser nombrado 'cls'</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="438"/> + <source>first argument of a method should be named 'self'</source> + <translation>prmier argumento de un método debe ser nombrado 'self'</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="441"/> <source>first argument of a static method should not be named 'self' or 'cls</source> <translation>primer argumento de método estático no debe ser llamado 'self' o 'cls'</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="439"/> - <source>module names should be lowercase</source> - <translation>nombres de módulo deben ser en minúsculas</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="442"/> - <source>package names should be lowercase</source> - <translation>nombres de package deben ser en minúsculas</translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="445"/> - <source>constant imported as non constant</source> - <translation>constante importada como no constante</translation> + <source>module names should be lowercase</source> + <translation>nombres de módulo deben ser en minúsculas</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="448"/> - <source>lowercase imported as non lowercase</source> - <translation>minúscula importada como no minúscula</translation> + <source>package names should be lowercase</source> + <translation>nombres de package deben ser en minúsculas</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="451"/> - <source>camelcase imported as lowercase</source> - <translation>camelcase importado como minúsculas</translation> + <source>constant imported as non constant</source> + <translation>constante importada como no constante</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="454"/> - <source>camelcase imported as constant</source> - <translation>camelcase importado como constante</translation> + <source>lowercase imported as non lowercase</source> + <translation>minúscula importada como no minúscula</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="457"/> - <source>variable in function should be lowercase</source> - <translation>variable en función debe ser en minúsculas</translation> + <source>camelcase imported as lowercase</source> + <translation>camelcase importado como minúsculas</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="460"/> + <source>camelcase imported as constant</source> + <translation>camelcase importado como constante</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="463"/> + <source>variable in function should be lowercase</source> + <translation>variable en función debe ser en minúsculas</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="466"/> <source>names 'l', 'O' and 'I' should be avoided</source> <translation>nombres 'l', 'O' y 'I' deben ser evitados</translation> </message> @@ -87119,125 +87119,145 @@ <translation>Variable local {0!r} (definida en ámbito en la línea {1!r}) referenciada antes de asignación.</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="39"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="43"/> <source>Duplicate argument {0!r} in function definition.</source> <translation>Argumento duplicado {0!r} en definición de función.</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="45"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="49"/> <source>from __future__ imports must occur at the beginning of the file</source> <translation>from __future__ import debe estar al principio del archivo</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="48"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="52"/> <source>Local variable {0!r} is assigned to but never used.</source> <translation>La variable local {0!r} está asignada pero nunca es utilizada.</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="126"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="139"/> <source>no message defined for code '{0}'</source> <translation>sin mensaje definido para el código '{0}'</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="42"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="46"/> <source>Redefinition of {0!r} from line {1!r}.</source> <translation>Redefinición de {0!r} en la línea {1!r}.</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="51"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="55"/> <source>List comprehension redefines {0!r} from line {1!r}.</source> <translation>Lista por comprensión redefine {0!r} en línea {1!r}.</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="54"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="58"/> <source>Syntax error detected in doctest.</source> <translation>Error de sintaxis detectado en doctest.</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="57"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="61"/> <source>'return' with argument inside generator</source> <translation>'return' con argumento dentro de generator</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="60"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="64"/> <source>'return' outside function</source> <translation>'return' fuera de una función</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="63"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="67"/> <source>'from {0} import *' only allowed at module level</source> <translation>'from {0} import *' solamente se permite a nivel de módulo</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="66"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="70"/> <source>{0!r} may be undefined, or defined from star imports: {1}</source> <translation>{0} puede estar sin definir, o definido a través de import *: {1}</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="69"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="73"/> <source>Dictionary key {0!r} repeated with different values</source> <translation>Clave de Diccionario {0!r} repetida con diferentes valores</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="72"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="76"/> <source>Dictionary key variable {0} repeated with different values</source> <translation>Variable clave de diccionario {0} repetida con diferentes valores</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="75"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="79"/> <source>Future feature {0} is not defined</source> <translation>La característica future {0} no está definida</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="78"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="82"/> <source>'yield' outside function</source> <translation>'yield' fuera de una función</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="84"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="88"/> <source>'break' outside loop</source> <translation>'break' fuera de un bucle</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="87"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="91"/> <source>'continue' not supported inside 'finally' clause</source> <translation>'continue' no está soportado dentro de una cláusula 'finally'</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="90"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="94"/> <source>Default 'except:' must be last</source> <translation>Default 'except:' debe estar al final</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="93"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="97"/> <source>Two starred expressions in assignment</source> <translation>Dos expresiones con asterisco en la asignación</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="96"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="100"/> <source>Too many expressions in star-unpacking assignment</source> <translation>Demasiadas expresiones en asignación con desempaquetado de asterisco</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="99"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="103"/> <source>Assertion is always true, perhaps remove parentheses?</source> <translation>La aserción tiene siempre valor true, ¿quizás eliminar paréntesis?</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="81"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="85"/> <source>'continue' not properly in loop</source> <translation>'continue' no propiamente en un bucle</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="102"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="106"/> <source>syntax error in forward annotation {0!r}</source> <translation>error de sintaxis en anotación anticipada {0!r}</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="105"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="109"/> <source>'raise NotImplemented' should be 'raise NotImplementedError'</source> <translation>'raise NotImplemented' debería ser 'raise NotImplementedError'</translation> </message> + <message> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="39"/> + <source>Local variable {0!r} (defined as a builtin) referenced before assignment.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="112"/> + <source>syntax error in type comment {0!r}</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="115"/> + <source>use of >> is invalid with print function</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="118"/> + <source>use ==/!= to compare str, bytes, and int literals</source> + <translation type="unfinished"></translation> + </message> </context> <context> <name>pycodestyle</name> @@ -87277,375 +87297,385 @@ <translation>indentación inesperada (comentario)</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="40"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="43"/> <source>continuation line indentation is not a multiple of four</source> <translation>indentación de línea de continuación no es múltiplo de cuatro</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="43"/> - <source>continuation line missing indentation or outdented</source> - <translation>línea de continuación sin indentación o bien con indentación inversa</translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="46"/> + <source>continuation line missing indentation or outdented</source> + <translation>línea de continuación sin indentación o bien con indentación inversa</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="49"/> <source>closing bracket does not match indentation of opening bracket's line</source> <translation>llave de cierre no coincide con la indentación de la línea de la llave de apertura</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="50"/> - <source>closing bracket does not match visual indentation</source> - <translation>llave de cierre no coincide con indentación visual</translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="53"/> - <source>continuation line with same indent as next logical line</source> - <translation>indentación de línea de continuación como la siguiente línea lógica</translation> + <source>closing bracket does not match visual indentation</source> + <translation>llave de cierre no coincide con indentación visual</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="56"/> - <source>continuation line over-indented for hanging indent</source> - <translation>línea de continuación sobre-indentada por indentación colgada</translation> + <source>continuation line with same indent as next logical line</source> + <translation>indentación de línea de continuación como la siguiente línea lógica</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="59"/> - <source>continuation line over-indented for visual indent</source> - <translation>línea de continuación sobre indentada para indentación visual</translation> + <source>continuation line over-indented for hanging indent</source> + <translation>línea de continuación sobre-indentada por indentación colgada</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="62"/> - <source>continuation line under-indented for visual indent</source> - <translation>línea de continuación poco indentada para indentación visual</translation> + <source>continuation line over-indented for visual indent</source> + <translation>línea de continuación sobre indentada para indentación visual</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="65"/> - <source>visually indented line with same indent as next logical line</source> - <translation>línea visualmente indentada con la misma indentación que la siguiente línea lógica</translation> + <source>continuation line under-indented for visual indent</source> + <translation>línea de continuación poco indentada para indentación visual</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="68"/> - <source>continuation line unaligned for hanging indent</source> - <translation>línea de continuación sin alinear debido a indentación pendiente</translation> + <source>visually indented line with same indent as next logical line</source> + <translation>línea visualmente indentada con la misma indentación que la siguiente línea lógica</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="71"/> - <source>closing bracket is missing indentation</source> - <translation>llave de cierre a la que falta indentación</translation> + <source>continuation line unaligned for hanging indent</source> + <translation>línea de continuación sin alinear debido a indentación pendiente</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="74"/> - <source>indentation contains tabs</source> - <translation>la indentación contiene tabuladores</translation> + <source>closing bracket is missing indentation</source> + <translation>llave de cierre a la que falta indentación</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="77"/> + <source>indentation contains tabs</source> + <translation>la indentación contiene tabuladores</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="80"/> <source>whitespace after '{0}'</source> <translation>espacio en blanco después de'{0}'</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="86"/> - <source>whitespace before '{0}'</source> - <translation>espacio en blanco antes de'{0}'</translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="89"/> - <source>multiple spaces before operator</source> - <translation>múltiples espacios antes de operador</translation> + <source>whitespace before '{0}'</source> + <translation>espacio en blanco antes de'{0}'</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="92"/> - <source>multiple spaces after operator</source> - <translation>múltiples espacios después de operador</translation> + <source>multiple spaces before operator</source> + <translation>múltiples espacios antes de operador</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="95"/> - <source>tab before operator</source> - <translation>tabulador antes de operador</translation> + <source>multiple spaces after operator</source> + <translation>múltiples espacios después de operador</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="98"/> - <source>tab after operator</source> - <translation>tabulador después de operador</translation> + <source>tab before operator</source> + <translation>tabulador antes de operador</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="101"/> - <source>missing whitespace around operator</source> - <translation>falta espacio en blanco alrededor de un operador</translation> + <source>tab after operator</source> + <translation>tabulador después de operador</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="104"/> - <source>missing whitespace around arithmetic operator</source> - <translation>falta espacio en blanco alrededor de operador aritmético</translation> + <source>missing whitespace around operator</source> + <translation>falta espacio en blanco alrededor de un operador</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="107"/> - <source>missing whitespace around bitwise or shift operator</source> - <translation>falta espacio en blanco alrededor de operador a nivel de bit o shift</translation> + <source>missing whitespace around arithmetic operator</source> + <translation>falta espacio en blanco alrededor de operador aritmético</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="110"/> - <source>missing whitespace around modulo operator</source> - <translation>falta espacio en blanco alrededor de operador módulo</translation> + <source>missing whitespace around bitwise or shift operator</source> + <translation>falta espacio en blanco alrededor de operador a nivel de bit o shift</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="113"/> - <source>missing whitespace after '{0}'</source> - <translation>falta espacio en blanco después de {0}</translation> + <source>missing whitespace around modulo operator</source> + <translation>falta espacio en blanco alrededor de operador módulo</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="116"/> - <source>multiple spaces after '{0}'</source> - <translation>múltiples espacios en blanco después de '{0}'</translation> + <source>missing whitespace after '{0}'</source> + <translation>falta espacio en blanco después de {0}</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="119"/> - <source>tab after '{0}'</source> - <translation>tabulador después de '{0}'</translation> + <source>multiple spaces after '{0}'</source> + <translation>múltiples espacios en blanco después de '{0}'</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="122"/> + <source>tab after '{0}'</source> + <translation>tabulador después de '{0}'</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="125"/> <source>unexpected spaces around keyword / parameter equals</source> <translation>espacios inesperados alrededor de palabra clave / parámetro igual a</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="128"/> - <source>at least two spaces before inline comment</source> - <translation>al menos dos espacios antes de comentario inline</translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="131"/> - <source>inline comment should start with '# '</source> - <translation>un comentario inline debe comenzar con '#'</translation> + <source>at least two spaces before inline comment</source> + <translation>al menos dos espacios antes de comentario inline</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="134"/> - <source>block comment should start with '# '</source> - <translation>comentarios de bloque debería comenzar con '# '</translation> + <source>inline comment should start with '# '</source> + <translation>un comentario inline debe comenzar con '#'</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="137"/> - <source>too many leading '#' for block comment</source> - <translation>demasiados '#' al principio para comentario de bloque</translation> + <source>block comment should start with '# '</source> + <translation>comentarios de bloque debería comenzar con '# '</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="140"/> - <source>multiple spaces after keyword</source> - <translation>múltiples espacios después de palabra clave</translation> + <source>too many leading '#' for block comment</source> + <translation>demasiados '#' al principio para comentario de bloque</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="143"/> - <source>multiple spaces before keyword</source> - <translation>múltiples espacios antes de palabra clave</translation> + <source>multiple spaces after keyword</source> + <translation>múltiples espacios después de palabra clave</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="146"/> - <source>tab after keyword</source> - <translation>tabulador despues de palabra clave</translation> + <source>multiple spaces before keyword</source> + <translation>múltiples espacios antes de palabra clave</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="149"/> - <source>tab before keyword</source> - <translation>tabulador antes de palabra clave</translation> + <source>tab after keyword</source> + <translation>tabulador despues de palabra clave</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="152"/> - <source>missing whitespace after keyword</source> - <translation></translation> + <source>tab before keyword</source> + <translation>tabulador antes de palabra clave</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="155"/> - <source>trailing whitespace</source> - <translation>espacio en blanco por detrás</translation> + <source>missing whitespace after keyword</source> + <translation></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="158"/> - <source>no newline at end of file</source> - <translation>no hay carácter de nueva línea al final del archivo</translation> + <source>trailing whitespace</source> + <translation>espacio en blanco por detrás</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="161"/> + <source>no newline at end of file</source> + <translation>no hay carácter de nueva línea al final del archivo</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="164"/> <source>blank line contains whitespace</source> <translation>línea en blanco con espacios en blanco</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="186"/> - <source>too many blank lines ({0})</source> - <translation>demasiadas líneas en blanco ({0})</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="173"/> - <source>blank lines found after function decorator</source> - <translation>líneas en blanco encontradas después de decorador de función</translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="189"/> - <source>blank line at end of file</source> - <translation>línea en blanco al final del archivo</translation> + <source>too many blank lines ({0})</source> + <translation>demasiadas líneas en blanco ({0})</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="176"/> + <source>blank lines found after function decorator</source> + <translation>líneas en blanco encontradas después de decorador de función</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="192"/> - <source>multiple imports on one line</source> - <translation>múltiples import en una línea</translation> + <source>blank line at end of file</source> + <translation>línea en blanco al final del archivo</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="195"/> - <source>module level import not at top of file</source> - <translation>import a nivel de módulo no al principio del archivo</translation> + <source>multiple imports on one line</source> + <translation>múltiples import en una línea</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="198"/> - <source>line too long ({0} > {1} characters)</source> - <translation>línea demasiado larga ({0} > {1} caracteres)</translation> + <source>module level import not at top of file</source> + <translation>import a nivel de módulo no al principio del archivo</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="201"/> - <source>the backslash is redundant between brackets</source> - <translation>el backslash es redundante entre llaves</translation> + <source>line too long ({0} > {1} characters)</source> + <translation>línea demasiado larga ({0} > {1} caracteres)</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="204"/> + <source>the backslash is redundant between brackets</source> + <translation>el backslash es redundante entre llaves</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="207"/> <source>line break before binary operator</source> <translation>nueva línea antes de operador binario</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="210"/> - <source>.has_key() is deprecated, use 'in'</source> - <translation>.has_key()está obsoleto, use 'in'</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="213"/> - <source>deprecated form of raising exception</source> - <translation>forma obsoleta de lanzar una excepción</translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="216"/> - <source>'<>' is deprecated, use '!='</source> - <translation>'<>' está obsoleto, use '!='</translation> + <source>.has_key() is deprecated, use 'in'</source> + <translation>.has_key()está obsoleto, use 'in'</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="219"/> + <source>deprecated form of raising exception</source> + <translation>forma obsoleta de lanzar una excepción</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="222"/> + <source>'<>' is deprecated, use '!='</source> + <translation>'<>' está obsoleto, use '!='</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="225"/> <source>backticks are deprecated, use 'repr()'</source> <translation>las comillas hacia atrás están obsoletas, use 'repr()'</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="228"/> - <source>multiple statements on one line (colon)</source> - <translation>múltiples sentencias en una línea (dos puntos)</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="231"/> - <source>multiple statements on one line (semicolon)</source> - <translation>múltiples sentencias en una línea (punto y coma)</translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="234"/> - <source>statement ends with a semicolon</source> - <translation>sentencia termina en punto y coma</translation> + <source>multiple statements on one line (colon)</source> + <translation>múltiples sentencias en una línea (dos puntos)</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="237"/> - <source>multiple statements on one line (def)</source> - <translation>múltiples sentencias en una línea (def)</translation> + <source>multiple statements on one line (semicolon)</source> + <translation>múltiples sentencias en una línea (punto y coma)</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="240"/> + <source>statement ends with a semicolon</source> + <translation>sentencia termina en punto y coma</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="243"/> - <source>comparison to {0} should be {1}</source> - <translation>comparación con {0} debe ser {1}</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="246"/> - <source>test for membership should be 'not in'</source> - <translation>comprobación de 'miembro de' debería ser 'not in'</translation> + <source>multiple statements on one line (def)</source> + <translation>múltiples sentencias en una línea (def)</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="249"/> - <source>test for object identity should be 'is not'</source> - <translation>comprobación para identidad del objeto debería ser 'is not'</translation> + <source>comparison to {0} should be {1}</source> + <translation>comparación con {0} debe ser {1}</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="252"/> - <source>do not compare types, use 'isinstance()'</source> - <translation>no comparar tipos, usar 'isinstance()'</translation> + <source>test for membership should be 'not in'</source> + <translation>comprobación de 'miembro de' debería ser 'not in'</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="255"/> + <source>test for object identity should be 'is not'</source> + <translation>comprobación para identidad del objeto debería ser 'is not'</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="258"/> - <source>do not assign a lambda expression, use a def</source> - <translation>no asignar una expresión lambda, utilizar un def</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="261"/> - <source>ambiguous variable name '{0}'</source> - <translation>nombre de variable ambiguo '{0}'</translation> + <source>do not compare types, use 'isinstance()'</source> + <translation>no comparar tipos, usar 'isinstance()'</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="264"/> - <source>ambiguous class definition '{0}'</source> - <translation>definición ambigua de clase '{0}'</translation> + <source>do not assign a lambda expression, use a def</source> + <translation>no asignar una expresión lambda, utilizar un def</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="267"/> - <source>ambiguous function definition '{0}'</source> - <translation>definición ambigua de función '{0}'</translation> + <source>ambiguous variable name '{0}'</source> + <translation>nombre de variable ambiguo '{0}'</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="270"/> - <source>{0}: {1}</source> - <translation>{0}: {1}</translation> + <source>ambiguous class definition '{0}'</source> + <translation>definición ambigua de clase '{0}'</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="273"/> + <source>ambiguous function definition '{0}'</source> + <translation>definición ambigua de función '{0}'</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="276"/> + <source>{0}: {1}</source> + <translation>{0}: {1}</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="279"/> <source>{0}</source> <translation>{0}</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="255"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="261"/> <source>do not use bare except</source> <translation>no usar except sin tipo</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="176"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="179"/> <source>expected {0} blank lines after class or function definition, found {1}</source> <translation>se esperaban {0} líneas en blanco después de definición de clase o función, se han encontrado {1}</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="225"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="231"/> <source>'async' and 'await' are reserved keywords starting with Python 3.7</source> <translation>'async' y 'await' son palabras reservadas a partir de Python 3.7</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="125"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="128"/> <source>missing whitespace around parameter equals</source> <translation>faltan espacios en blanco alrededor de igual en parámetros</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="167"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="170"/> <source>expected {0} blank lines, found {1}</source> <translation>se esperaban {0} líneas en blanco, se han encontrado {1}</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="180"/> - <source>expected {0} blank lines before a nested definition, found {1}</source> - <translation>se esperaban {0} líneas en blanco antes de una definición anidada, se han encontrado {1}</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="207"/> - <source>line break after binary operator</source> - <translation>nueva línea después de operador binario</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="222"/> - <source>invalid escape sequence '\{0}'</source> - <translation>secuencia de escape no válida'\{0}'</translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="183"/> + <source>expected {0} blank lines before a nested definition, found {1}</source> + <translation>se esperaban {0} líneas en blanco antes de una definición anidada, se han encontrado {1}</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="210"/> + <source>line break after binary operator</source> + <translation>nueva línea después de operador binario</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="228"/> + <source>invalid escape sequence '\{0}'</source> + <translation>secuencia de escape no válida'\{0}'</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="186"/> <source>too many blank lines ({0}) before a nested definition, expected {1}</source> <translation>demasiadas líneas en blanco ({0}) antes de definición anidada, se esperaban {1}</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="170"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="173"/> <source>too many blank lines ({0}), expected {1}</source> <translation>demasiadas líneas en blanco ({0}), se esperaban {1}</translation> </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="40"/> + <source>over-indented</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="213"/> + <source>doc line too long ({0} > {1} characters)</source> + <translation type="unfinished"></translation> + </message> </context> <context> <name>subversion</name>
--- a/i18n/eric6_fr.ts Wed Feb 13 20:41:45 2019 +0100 +++ b/i18n/eric6_fr.ts Thu Feb 14 18:58:22 2019 +0100 @@ -3683,142 +3683,142 @@ <context> <name>CodeStyleFixer</name> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="639"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="645"/> <source>Triple single quotes converted to triple double quotes.</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="642"/> - <source>Introductory quotes corrected to be {0}"""</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="645"/> - <source>Single line docstring put on one line.</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="648"/> - <source>Period added to summary line.</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="675"/> - <source>Blank line before function/method docstring removed.</source> + <source>Introductory quotes corrected to be {0}"""</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="651"/> + <source>Single line docstring put on one line.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="654"/> - <source>Blank line inserted before class docstring.</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="657"/> - <source>Blank line inserted after class docstring.</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="660"/> - <source>Blank line inserted after docstring summary.</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="663"/> - <source>Blank line inserted after last paragraph of docstring.</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="666"/> - <source>Leading quotes put on separate line.</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="669"/> - <source>Trailing quotes put on separate line.</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="672"/> - <source>Blank line before class docstring removed.</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="678"/> - <source>Blank line after class docstring removed.</source> + <source>Period added to summary line.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="681"/> - <source>Blank line after function/method docstring removed.</source> + <source>Blank line before function/method docstring removed.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="660"/> + <source>Blank line inserted before class docstring.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="663"/> + <source>Blank line inserted after class docstring.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="666"/> + <source>Blank line inserted after docstring summary.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="669"/> + <source>Blank line inserted after last paragraph of docstring.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="672"/> + <source>Leading quotes put on separate line.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="675"/> + <source>Trailing quotes put on separate line.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="678"/> + <source>Blank line before class docstring removed.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="684"/> - <source>Blank line after last paragraph removed.</source> + <source>Blank line after class docstring removed.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="687"/> - <source>Tab converted to 4 spaces.</source> + <source>Blank line after function/method docstring removed.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="690"/> - <source>Indentation adjusted to be a multiple of four.</source> + <source>Blank line after last paragraph removed.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="693"/> - <source>Indentation of continuation line corrected.</source> + <source>Tab converted to 4 spaces.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="696"/> - <source>Indentation of closing bracket corrected.</source> + <source>Indentation adjusted to be a multiple of four.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="699"/> - <source>Missing indentation of continuation line corrected.</source> + <source>Indentation of continuation line corrected.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="702"/> - <source>Closing bracket aligned to opening bracket.</source> + <source>Indentation of closing bracket corrected.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="705"/> - <source>Indentation level changed.</source> + <source>Missing indentation of continuation line corrected.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="708"/> - <source>Indentation level of hanging indentation changed.</source> + <source>Closing bracket aligned to opening bracket.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="711"/> + <source>Indentation level changed.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="714"/> + <source>Indentation level of hanging indentation changed.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="717"/> <source>Visual indentation corrected.</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="726"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="732"/> <source>Extraneous whitespace removed.</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="723"/> - <source>Missing whitespace added.</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="729"/> + <source>Missing whitespace added.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="735"/> <source>Whitespace around comment sign corrected.</source> <translation type="unfinished"></translation> </message> <message numerus="yes"> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="733"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="739"/> <source>%n blank line(s) inserted.</source> <translation type="unfinished"> <numerusform></numerusform> @@ -3826,7 +3826,7 @@ </translation> </message> <message numerus="yes"> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="736"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="742"/> <source>%n superfluous lines removed</source> <translation type="unfinished"> <numerusform></numerusform> @@ -3834,77 +3834,77 @@ </translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="740"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="746"/> <source>Superfluous blank lines removed.</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="743"/> - <source>Superfluous blank lines after function decorator removed.</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="746"/> - <source>Imports were put on separate lines.</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="749"/> - <source>Long lines have been shortened.</source> + <source>Superfluous blank lines after function decorator removed.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="752"/> - <source>Redundant backslash in brackets removed.</source> + <source>Imports were put on separate lines.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="755"/> + <source>Long lines have been shortened.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="758"/> - <source>Compound statement corrected.</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="761"/> - <source>Comparison to None/True/False corrected.</source> + <source>Redundant backslash in brackets removed.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="764"/> - <source>'{0}' argument added.</source> + <source>Compound statement corrected.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="767"/> - <source>'{0}' argument removed.</source> + <source>Comparison to None/True/False corrected.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="770"/> - <source>Whitespace stripped from end of line.</source> + <source>'{0}' argument added.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="773"/> - <source>newline added to end of file.</source> + <source>'{0}' argument removed.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="776"/> - <source>Superfluous trailing blank lines removed from end of file.</source> + <source>Whitespace stripped from end of line.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="779"/> + <source>newline added to end of file.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="782"/> + <source>Superfluous trailing blank lines removed from end of file.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="785"/> <source>'<>' replaced by '!='.</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="783"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="789"/> <source>Could not save the file! Skipping it. Reason: {0}</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="872"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="879"/> <source> no message defined for code '{0}'</source> <translation type="unfinished"></translation> </message> @@ -4382,22 +4382,22 @@ <context> <name>ComplexityChecker</name> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="465"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="471"/> <source>'{0}' is too complex ({1})</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="467"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="473"/> <source>source code line is too complex ({0})</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="469"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="475"/> <source>overall source code line complexity is too high ({0})</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="472"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="478"/> <source>{0}: {1}</source> <translation type="unfinished"></translation> </message> @@ -7363,242 +7363,242 @@ <context> <name>DocStyleChecker</name> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="278"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="284"/> <source>module is missing a docstring</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="280"/> - <source>public function/method is missing a docstring</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="283"/> - <source>private function/method may be missing a docstring</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="286"/> - <source>public class is missing a docstring</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="288"/> - <source>private class may be missing a docstring</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="290"/> - <source>docstring not surrounded by """</source> + <source>public function/method is missing a docstring</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="289"/> + <source>private function/method may be missing a docstring</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="292"/> - <source>docstring containing \ not surrounded by r"""</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="295"/> - <source>docstring containing unicode character not surrounded by u"""</source> + <source>public class is missing a docstring</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="294"/> + <source>private class may be missing a docstring</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="296"/> + <source>docstring not surrounded by """</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="298"/> + <source>docstring containing \ not surrounded by r"""</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="301"/> + <source>docstring containing unicode character not surrounded by u"""</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="304"/> <source>one-liner docstring on multiple lines</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="300"/> - <source>docstring has wrong indentation</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="349"/> - <source>docstring summary does not end with a period</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="306"/> + <source>docstring has wrong indentation</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="355"/> + <source>docstring summary does not end with a period</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="312"/> <source>docstring summary is not in imperative mood (Does instead of Do)</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="310"/> - <source>docstring summary looks like a function's/method's signature</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="313"/> - <source>docstring does not mention the return value type</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="316"/> - <source>function/method docstring is separated by a blank line</source> + <source>docstring summary looks like a function's/method's signature</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="319"/> - <source>class docstring is not preceded by a blank line</source> + <source>docstring does not mention the return value type</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="322"/> - <source>class docstring is not followed by a blank line</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="383"/> - <source>docstring summary is not followed by a blank line</source> + <source>function/method docstring is separated by a blank line</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="325"/> + <source>class docstring is not preceded by a blank line</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="328"/> + <source>class docstring is not followed by a blank line</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="389"/> + <source>docstring summary is not followed by a blank line</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="334"/> <source>last paragraph of docstring is not followed by a blank line</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="336"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="342"/> <source>private function/method is missing a docstring</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="339"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="345"/> <source>private class is missing a docstring</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="343"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="349"/> <source>leading quotes of docstring not on separate line</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="346"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="352"/> <source>trailing quotes of docstring not on separate line</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="353"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="359"/> <source>docstring does not contain a @return line but function/method returns something</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="357"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="363"/> <source>docstring contains a @return line but function/method doesn't return anything</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="361"/> - <source>docstring does not contain enough @param/@keyparam lines</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="364"/> - <source>docstring contains too many @param/@keyparam lines</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="367"/> - <source>keyword only arguments must be documented with @keyparam lines</source> + <source>docstring does not contain enough @param/@keyparam lines</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="370"/> - <source>order of @param/@keyparam lines does not match the function/method signature</source> + <source>docstring contains too many @param/@keyparam lines</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="373"/> + <source>keyword only arguments must be documented with @keyparam lines</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="376"/> + <source>order of @param/@keyparam lines does not match the function/method signature</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="379"/> <source>class docstring is preceded by a blank line</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="375"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="381"/> <source>class docstring is followed by a blank line</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="377"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="383"/> <source>function/method docstring is preceded by a blank line</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="380"/> - <source>function/method docstring is followed by a blank line</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="386"/> + <source>function/method docstring is followed by a blank line</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="392"/> <source>last paragraph of docstring is followed by a blank line</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="389"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="395"/> <source>docstring does not contain a @exception line but function/method raises an exception</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="393"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="399"/> <source>docstring contains a @exception line but function/method doesn't raise an exception</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="416"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="422"/> <source>{0}: {1}</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="302"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="308"/> <source>docstring does not contain a summary</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="351"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="357"/> <source>docstring summary does not start with '{0}'</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="397"/> - <source>raised exception '{0}' is not documented in docstring</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="400"/> - <source>documented exception '{0}' is not raised</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="403"/> - <source>docstring does not contain a @signal line but class defines signals</source> + <source>raised exception '{0}' is not documented in docstring</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="406"/> - <source>docstring contains a @signal line but class doesn't define signals</source> + <source>documented exception '{0}' is not raised</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="409"/> - <source>defined signal '{0}' is not documented in docstring</source> + <source>docstring does not contain a @signal line but class defines signals</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="412"/> + <source>docstring contains a @signal line but class doesn't define signals</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="415"/> + <source>defined signal '{0}' is not documented in docstring</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="418"/> <source>documented signal '{0}' is not defined</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="341"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="347"/> <source>class docstring is still a default string</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="334"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="340"/> <source>function docstring is still a default string</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="332"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="338"/> <source>module docstring is still a default string</source> <translation type="unfinished"></translation> </message> @@ -9895,562 +9895,562 @@ <context> <name>Editor</name> <message> - <location filename="../QScintilla/Editor.py" line="750"/> + <location filename="../QScintilla/Editor.py" line="744"/> <source>Undo</source> <translation>Défaire</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="753"/> + <location filename="../QScintilla/Editor.py" line="747"/> <source>Redo</source> <translation>Refaire</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="756"/> + <location filename="../QScintilla/Editor.py" line="750"/> <source>Revert to last saved state</source> <translation>Ecraser avec le dernier état enregistré</translation> </message> <message> + <location filename="../QScintilla/Editor.py" line="754"/> + <source>Cut</source> + <translation>Couper</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="757"/> + <source>Copy</source> + <translation>Copier</translation> + </message> + <message> <location filename="../QScintilla/Editor.py" line="760"/> - <source>Cut</source> - <translation>Couper</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="763"/> - <source>Copy</source> - <translation>Copier</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="766"/> <source>Paste</source> <translation>Coller</translation> </message> <message> + <location filename="../QScintilla/Editor.py" line="768"/> + <source>Indent</source> + <translation>Indenter</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="771"/> + <source>Unindent</source> + <translation>Désindenter</translation> + </message> + <message> <location filename="../QScintilla/Editor.py" line="774"/> - <source>Indent</source> - <translation>Indenter</translation> + <source>Comment</source> + <translation>Commenter</translation> </message> <message> <location filename="../QScintilla/Editor.py" line="777"/> - <source>Unindent</source> - <translation>Désindenter</translation> + <source>Uncomment</source> + <translation>Décommenter</translation> </message> <message> <location filename="../QScintilla/Editor.py" line="780"/> - <source>Comment</source> - <translation>Commenter</translation> + <source>Stream Comment</source> + <translation>Commentaire type "Stream"</translation> </message> <message> <location filename="../QScintilla/Editor.py" line="783"/> - <source>Uncomment</source> - <translation>Décommenter</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="786"/> - <source>Stream Comment</source> - <translation>Commentaire type "Stream"</translation> + <source>Box Comment</source> + <translation>Commentaire type "Bloc"</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="787"/> + <source>Select to brace</source> + <translation>Sélection parenthèses</translation> </message> <message> <location filename="../QScintilla/Editor.py" line="789"/> - <source>Box Comment</source> - <translation>Commentaire type "Bloc"</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="793"/> - <source>Select to brace</source> - <translation>Sélection parenthèses</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="795"/> <source>Select all</source> <translation>Tout sélectionner</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="796"/> + <location filename="../QScintilla/Editor.py" line="790"/> <source>Deselect all</source> <translation>Tout déselectionner</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="812"/> + <location filename="../QScintilla/Editor.py" line="806"/> <source>Shorten empty lines</source> <translation>Raccourcir les lignes vides</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1009"/> + <location filename="../QScintilla/Editor.py" line="1003"/> <source>Languages</source> <translation>Langages</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="819"/> + <location filename="../QScintilla/Editor.py" line="813"/> <source>Use Monospaced Font</source> <translation>Utiliser une police monospacée</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="939"/> + <location filename="../QScintilla/Editor.py" line="933"/> <source>Check</source> <translation>Vérification</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="959"/> + <location filename="../QScintilla/Editor.py" line="953"/> <source>Show</source> <translation>Afficher...</translation> </message> <message> + <location filename="../QScintilla/Editor.py" line="861"/> + <source>Close</source> + <translation>Fermer</translation> + </message> + <message> <location filename="../QScintilla/Editor.py" line="867"/> - <source>Close</source> - <translation>Fermer</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="873"/> <source>Save</source> <translation>Enregistrer</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="876"/> + <location filename="../QScintilla/Editor.py" line="870"/> <source>Save As...</source> <translation>Enregistrer sous...</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="892"/> + <location filename="../QScintilla/Editor.py" line="886"/> <source>Print</source> <translation>Imprimer</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="961"/> + <location filename="../QScintilla/Editor.py" line="955"/> <source>Code metrics...</source> <translation>Statistiques du code...</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="962"/> + <location filename="../QScintilla/Editor.py" line="956"/> <source>Code coverage...</source> <translation>Code coverage...</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="970"/> + <location filename="../QScintilla/Editor.py" line="964"/> <source>Profile data...</source> <translation>Profiler les données...</translation> </message> <message> + <location filename="../QScintilla/Editor.py" line="1150"/> + <source>Toggle bookmark</source> + <translation>Placer/supprimer un signet</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="1152"/> + <source>Next bookmark</source> + <translation>Signet suivant</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="1154"/> + <source>Previous bookmark</source> + <translation>Signet précédent</translation> + </message> + <message> <location filename="../QScintilla/Editor.py" line="1156"/> - <source>Toggle bookmark</source> - <translation>Placer/supprimer un signet</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1158"/> - <source>Next bookmark</source> - <translation>Signet suivant</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1160"/> - <source>Previous bookmark</source> - <translation>Signet précédent</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1162"/> <source>Clear all bookmarks</source> <translation>Effacer tous les signets</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1171"/> + <location filename="../QScintilla/Editor.py" line="1165"/> <source>Toggle breakpoint</source> <translation>Placer/supprimer un point d'arrêt</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1176"/> + <location filename="../QScintilla/Editor.py" line="1170"/> <source>Edit breakpoint...</source> <translation>Éditer le point d'arrêt...</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="5316"/> + <location filename="../QScintilla/Editor.py" line="5310"/> <source>Enable breakpoint</source> <translation>Activer le point d'arrêt</translation> </message> <message> + <location filename="../QScintilla/Editor.py" line="1175"/> + <source>Next breakpoint</source> + <translation>Point d'arrêt suivant</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="1178"/> + <source>Previous breakpoint</source> + <translation>Point d'arrêt précédent</translation> + </message> + <message> <location filename="../QScintilla/Editor.py" line="1181"/> - <source>Next breakpoint</source> - <translation>Point d'arrêt suivant</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1184"/> - <source>Previous breakpoint</source> - <translation>Point d'arrêt précédent</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1187"/> <source>Clear all breakpoints</source> <translation>Effacer tous les points d'arrêts</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1816"/> + <location filename="../QScintilla/Editor.py" line="1810"/> <source>Modification of Read Only file</source> <translation>Modification de la lecture seule</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1816"/> + <location filename="../QScintilla/Editor.py" line="1810"/> <source>You are attempting to change a read only file. Please save to a different file first.</source> <translation>Le fichier est en lecture seule. Sauvez d'abord votre fichier sous un autre nom.</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="2502"/> + <location filename="../QScintilla/Editor.py" line="2496"/> <source>Printing...</source> <translation>Impression....</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="2519"/> + <location filename="../QScintilla/Editor.py" line="2513"/> <source>Printing completed</source> <translation>Impression terminée</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="2521"/> + <location filename="../QScintilla/Editor.py" line="2515"/> <source>Error while printing</source> <translation>Erreur durant l'impression</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="2524"/> + <location filename="../QScintilla/Editor.py" line="2518"/> <source>Printing aborted</source> <translation>Impression abandonnée</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="2946"/> + <location filename="../QScintilla/Editor.py" line="2940"/> <source>Open File</source> <translation>Ouvrir Fichier</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="3119"/> + <location filename="../QScintilla/Editor.py" line="3113"/> <source>Save File</source> <translation>Enregistrer Fichier</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="2886"/> + <location filename="../QScintilla/Editor.py" line="2880"/> <source>File Modified</source> <translation>Fichier Modifié</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="4522"/> + <location filename="../QScintilla/Editor.py" line="4516"/> <source>Autocompletion</source> <translation>Autocompletion</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="4522"/> + <location filename="../QScintilla/Editor.py" line="4516"/> <source>Autocompletion is not available because there is no autocompletion source set.</source> <translation>L'autocompletion n'est pas disponible car aucune source d'autocomplétion n'est définie.</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="5319"/> + <location filename="../QScintilla/Editor.py" line="5313"/> <source>Disable breakpoint</source> <translation>Désactiver le point d'arrêt</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="5676"/> + <location filename="../QScintilla/Editor.py" line="5670"/> <source>Code Coverage</source> <translation>Code Coverage</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="5676"/> + <location filename="../QScintilla/Editor.py" line="5670"/> <source>Please select a coverage file</source> <translation>Sélectionner un fichier coverage</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="5854"/> + <location filename="../QScintilla/Editor.py" line="5848"/> <source>Profile Data</source> <translation>Profiler de données</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="5854"/> + <location filename="../QScintilla/Editor.py" line="5848"/> <source>Please select a profile file</source> <translation>Sélectionner un fichier profile</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6400"/> + <location filename="../QScintilla/Editor.py" line="6394"/> <source>Macro Name</source> <translation>Nom de la macro</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6400"/> + <location filename="../QScintilla/Editor.py" line="6394"/> <source>Select a macro name:</source> <translation>Sélectionner un nom de macro:</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6471"/> + <location filename="../QScintilla/Editor.py" line="6465"/> <source>Macro files (*.macro)</source> <translation>Fichier Macro (*.macro)</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6428"/> + <location filename="../QScintilla/Editor.py" line="6422"/> <source>Load macro file</source> <translation>Charger un fichier macro</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6451"/> + <location filename="../QScintilla/Editor.py" line="6445"/> <source>Error loading macro</source> <translation>Erreur lors du chargement de la macro</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6471"/> + <location filename="../QScintilla/Editor.py" line="6465"/> <source>Save macro file</source> <translation>Enregistrer le fichier macro</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6488"/> + <location filename="../QScintilla/Editor.py" line="6482"/> <source>Save macro</source> <translation>Enregistrer la macro</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6504"/> + <location filename="../QScintilla/Editor.py" line="6498"/> <source>Error saving macro</source> <translation>Erreur lors de l'enregistrement de la macro</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6517"/> + <location filename="../QScintilla/Editor.py" line="6511"/> <source>Start Macro Recording</source> <translation>Démarrer l'enregistrement de la macro</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6543"/> + <location filename="../QScintilla/Editor.py" line="6537"/> <source>Macro Recording</source> <translation>Enregistrement de macro</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6543"/> + <location filename="../QScintilla/Editor.py" line="6537"/> <source>Enter name of the macro:</source> <translation>Entrer le nom de la macro:</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6681"/> + <location filename="../QScintilla/Editor.py" line="6675"/> <source>File changed</source> <translation>Fichier modifié</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="824"/> + <location filename="../QScintilla/Editor.py" line="818"/> <source>Autosave enabled</source> <translation>Sauvegarde automatique activée</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1230"/> + <location filename="../QScintilla/Editor.py" line="1224"/> <source>Goto syntax error</source> <translation>Aller à l'erreur de syntaxe suivante</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1237"/> + <location filename="../QScintilla/Editor.py" line="1231"/> <source>Clear syntax error</source> <translation>Supprimer les flags d'erreurs de syntaxe</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6985"/> + <location filename="../QScintilla/Editor.py" line="6979"/> <source>Drop Error</source> <translation>Erreur de suppression</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1233"/> + <location filename="../QScintilla/Editor.py" line="1227"/> <source>Show syntax error message</source> <translation>Afficher le message d'erreur de syntaxe</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6014"/> + <location filename="../QScintilla/Editor.py" line="6008"/> <source>Syntax Error</source> <translation>Erreur de syntaxe</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6014"/> + <location filename="../QScintilla/Editor.py" line="6008"/> <source>No syntax error message available.</source> <translation>Aucun message d'erreur de syntaxe..</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1173"/> + <location filename="../QScintilla/Editor.py" line="1167"/> <source>Toggle temporary breakpoint</source> <translation>Placer/Supprimer un point d'arret temporaire</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="964"/> + <location filename="../QScintilla/Editor.py" line="958"/> <source>Show code coverage annotations</source> <translation>Afficher les annotations de code coverage</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="967"/> + <location filename="../QScintilla/Editor.py" line="961"/> <source>Hide code coverage annotations</source> <translation>Masquer les annotations de code coverage</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1254"/> + <location filename="../QScintilla/Editor.py" line="1248"/> <source>Next uncovered line</source> <translation>Ligne non executée suivante</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1257"/> + <location filename="../QScintilla/Editor.py" line="1251"/> <source>Previous uncovered line</source> <translation>Ligne non executée précédente</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="5739"/> + <location filename="../QScintilla/Editor.py" line="5733"/> <source>Show Code Coverage Annotations</source> <translation>Afficher les annotations de Code Coverage</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="5732"/> + <location filename="../QScintilla/Editor.py" line="5726"/> <source>All lines have been covered.</source> <translation>Toutes les lignes ont été executées.</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="5739"/> + <location filename="../QScintilla/Editor.py" line="5733"/> <source>There is no coverage file available.</source> <translation>Impossible de trouver le fichier de coverage.</translation> </message> <message> + <location filename="../QScintilla/Editor.py" line="977"/> + <source>Diagrams</source> + <translation>Diagrammes</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="979"/> + <source>Class Diagram...</source> + <translation>Diagramme des classes...</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="981"/> + <source>Package Diagram...</source> + <translation>Diagramme des packages...</translation> + </message> + <message> <location filename="../QScintilla/Editor.py" line="983"/> - <source>Diagrams</source> - <translation>Diagrammes</translation> + <source>Imports Diagram...</source> + <translation>Diagramme des modules...</translation> </message> <message> <location filename="../QScintilla/Editor.py" line="985"/> - <source>Class Diagram...</source> - <translation>Diagramme des classes...</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="987"/> - <source>Package Diagram...</source> - <translation>Diagramme des packages...</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="989"/> - <source>Imports Diagram...</source> - <translation>Diagramme des modules...</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="991"/> <source>Application Diagram...</source> <translation>Diagramme de l'application...</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1012"/> + <location filename="../QScintilla/Editor.py" line="1006"/> <source>No Language</source> <translation>Pas de langage</translation> </message> <message> + <location filename="../QScintilla/Editor.py" line="7000"/> + <source>Resources</source> + <translation>Ressources</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="7002"/> + <source>Add file...</source> + <translation>Ajouter un fichier...</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="7004"/> + <source>Add files...</source> + <translation>Ajouter des fichiers...</translation> + </message> + <message> <location filename="../QScintilla/Editor.py" line="7006"/> - <source>Resources</source> - <translation>Ressources</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="7008"/> - <source>Add file...</source> - <translation>Ajouter un fichier...</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="7010"/> - <source>Add files...</source> - <translation>Ajouter des fichiers...</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="7012"/> <source>Add aliased file...</source> <translation>Ajouter un fichier alias...</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7015"/> + <location filename="../QScintilla/Editor.py" line="7009"/> <source>Add localized resource...</source> <translation>Ajouter une ressource localisée...</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7038"/> + <location filename="../QScintilla/Editor.py" line="7032"/> <source>Add file resource</source> <translation>Ajoute un fichier ressource</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7054"/> + <location filename="../QScintilla/Editor.py" line="7048"/> <source>Add file resources</source> <translation>Ajoute des fichiers ressources</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7082"/> + <location filename="../QScintilla/Editor.py" line="7076"/> <source>Add aliased file resource</source> <translation>Ajoute un alias de fichier ressource</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7146"/> + <location filename="../QScintilla/Editor.py" line="7140"/> <source>Package Diagram</source> <translation>Diagramme de package</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7146"/> + <location filename="../QScintilla/Editor.py" line="7140"/> <source>Include class attributes?</source> <translation>Inclure les attributs de classes ?</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7180"/> + <location filename="../QScintilla/Editor.py" line="7174"/> <source>Application Diagram</source> <translation>Diagramme de l'application</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7180"/> + <location filename="../QScintilla/Editor.py" line="7174"/> <source>Include module names?</source> <translation>Inclure les noms de modules ?</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7019"/> + <location filename="../QScintilla/Editor.py" line="7013"/> <source>Add resource frame</source> <translation>Ajouter un cadre ressource</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6517"/> + <location filename="../QScintilla/Editor.py" line="6511"/> <source>Macro recording is already active. Start new?</source> <translation>L'enregistrement de macro est déjà actif. En démarrer une nouvelle ?</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="921"/> + <location filename="../QScintilla/Editor.py" line="915"/> <source>Complete from Document</source> <translation type="unfinished">à partir du document</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="923"/> + <location filename="../QScintilla/Editor.py" line="917"/> <source>Complete from APIs</source> <translation type="unfinished">à partir des fichiers API</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="925"/> + <location filename="../QScintilla/Editor.py" line="919"/> <source>Complete from Document and APIs</source> <translation type="unfinished">à partir du document et des fichiers API</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1261"/> + <location filename="../QScintilla/Editor.py" line="1255"/> <source>Next task</source> <translation>Tâche suivante</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1264"/> + <location filename="../QScintilla/Editor.py" line="1258"/> <source>Previous task</source> <translation>Tâche précédente</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1134"/> + <location filename="../QScintilla/Editor.py" line="1128"/> <source>Export as</source> <translation>Exporter en tant que</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1309"/> + <location filename="../QScintilla/Editor.py" line="1303"/> <source>Export source</source> <translation>Exportation de source</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1309"/> + <location filename="../QScintilla/Editor.py" line="1303"/> <source>No export format given. Aborting...</source> <translation>Aucun format d'exportation indiqué. Abandon...</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7166"/> + <location filename="../QScintilla/Editor.py" line="7160"/> <source>Imports Diagram</source> <translation>Diagramme des modules</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7166"/> + <location filename="../QScintilla/Editor.py" line="7160"/> <source>Include imports from external modules?</source> <translation>Inclure l'importation de modules externes?</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="843"/> + <location filename="../QScintilla/Editor.py" line="837"/> <source>Calltip</source> <translation>Calltip</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="889"/> + <location filename="../QScintilla/Editor.py" line="883"/> <source>Print Preview</source> <translation>Aperçu avant impression</translation> </message> @@ -10460,77 +10460,77 @@ <translation><b>Fenêtre d'édition</b><p>Cette fenêtre est utilisée pour afficher et éditer les codes sources. Vous pouvez en ouvrir autant que vous le souhaitez. Le nom du fichier ouvert est inscrit dans la barre principale.</p><p>Vous pouvez définir des points d'arrêt en cliquant sur la marge de gauche, entre les numéros de lignes et les marques de pliage de code. Les points d'arrêt peuvent être édités via le menu contextuel (en cliquant droit sur le point).</p><p>De manière similaire, vous pouvez définir des signets avec Shift+Click dans la marge.</p><p>Pour ces deux types de points, le menu contextuel (click droit) permet de défaire l'action.</p><p>Le Ctrl+Click sur une marque d'erreur de sytaxe permet de visualiser les informations sur l'erreur.</p></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="828"/> + <location filename="../QScintilla/Editor.py" line="822"/> <source>Typing aids enabled</source> <translation>Aide à la frappe activée</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1098"/> + <location filename="../QScintilla/Editor.py" line="1092"/> <source>End-of-Line Type</source> <translation>Type de fin de ligne</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1102"/> + <location filename="../QScintilla/Editor.py" line="1096"/> <source>Unix</source> <translation>Unix</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1109"/> + <location filename="../QScintilla/Editor.py" line="1103"/> <source>Windows</source> <translation>Windows</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1116"/> + <location filename="../QScintilla/Editor.py" line="1110"/> <source>Macintosh</source> <translation>Macintosh</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1057"/> + <location filename="../QScintilla/Editor.py" line="1051"/> <source>Encodings</source> <translation>Encodings</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1037"/> + <location filename="../QScintilla/Editor.py" line="1031"/> <source>Guessed</source> <translation>Suggestion</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1324"/> + <location filename="../QScintilla/Editor.py" line="1318"/> <source>Alternatives</source> <translation>Alternatives</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1340"/> + <location filename="../QScintilla/Editor.py" line="1334"/> <source>Pygments Lexer</source> <translation>Analyseur Pygments</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1340"/> + <location filename="../QScintilla/Editor.py" line="1334"/> <source>Select the Pygments lexer to apply.</source> <translation>Sélectionne l'analyseur Pygments à appliquer.</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7473"/> + <location filename="../QScintilla/Editor.py" line="7467"/> <source>Check spelling...</source> <translation>Correction orthographique...</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="804"/> + <location filename="../QScintilla/Editor.py" line="798"/> <source>Check spelling of selection...</source> <translation>Correction orthographique de la sélection...</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7476"/> + <location filename="../QScintilla/Editor.py" line="7470"/> <source>Add to dictionary</source> <translation>Ajouter au dictionnaire</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7478"/> + <location filename="../QScintilla/Editor.py" line="7472"/> <source>Ignore All</source> <translation>Tout ignorer</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="808"/> + <location filename="../QScintilla/Editor.py" line="802"/> <source>Remove from dictionary</source> <translation>Supprimer du dictionnaire</translation> </message> @@ -10540,277 +10540,277 @@ <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1301"/> + <location filename="../QScintilla/Editor.py" line="1295"/> <source><p>No exporter available for the export format <b>{0}</b>. Aborting...</p></source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1320"/> + <location filename="../QScintilla/Editor.py" line="1314"/> <source>Alternatives ({0})</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="2886"/> + <location filename="../QScintilla/Editor.py" line="2880"/> <source><p>The file <b>{0}</b> has unsaved changes.</p></source> <translation type="unfinished"><p>Le fichier <b>{0}</b> a des modifications non enregistrées. </p></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="2946"/> + <location filename="../QScintilla/Editor.py" line="2940"/> <source><p>The file <b>{0}</b> could not be opened.</p><p>Reason: {1}</p></source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="3060"/> + <location filename="../QScintilla/Editor.py" line="3054"/> <source><p>The file <b>{0}</b> could not be saved.<br/>Reason: {1}</p></source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6442"/> + <location filename="../QScintilla/Editor.py" line="6436"/> <source><p>The macro file <b>{0}</b> could not be read.</p></source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6451"/> + <location filename="../QScintilla/Editor.py" line="6445"/> <source><p>The macro file <b>{0}</b> is corrupt.</p></source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6504"/> + <location filename="../QScintilla/Editor.py" line="6498"/> <source><p>The macro file <b>{0}</b> could not be written.</p></source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6845"/> + <location filename="../QScintilla/Editor.py" line="6839"/> <source>{0} (ro)</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6985"/> + <location filename="../QScintilla/Editor.py" line="6979"/> <source><p><b>{0}</b> is not a file.</p></source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7082"/> + <location filename="../QScintilla/Editor.py" line="7076"/> <source>Alias for file <b>{0}</b>:</source> <translation type="unfinished"></translation> </message> <message> + <location filename="../QScintilla/Editor.py" line="1235"/> + <source>Next warning</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="1238"/> + <source>Previous warning</source> + <translation type="unfinished"></translation> + </message> + <message> <location filename="../QScintilla/Editor.py" line="1241"/> - <source>Next warning</source> + <source>Show warning message</source> <translation type="unfinished"></translation> </message> <message> <location filename="../QScintilla/Editor.py" line="1244"/> - <source>Previous warning</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1247"/> - <source>Show warning message</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1250"/> <source>Clear warnings</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="3119"/> + <location filename="../QScintilla/Editor.py" line="3113"/> <source><p>The file <b>{0}</b> already exists. Overwrite it?</p></source> <translation type="unfinished"><p>Le fichier <b>{0}</b>existe déjà. Écraser ?</p></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6488"/> + <location filename="../QScintilla/Editor.py" line="6482"/> <source><p>The macro file <b>{0}</b> already exists. Overwrite it?</p></source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6290"/> + <location filename="../QScintilla/Editor.py" line="6284"/> <source>Warning: {0}</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6297"/> + <location filename="../QScintilla/Editor.py" line="6291"/> <source>Error: {0}</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6677"/> + <location filename="../QScintilla/Editor.py" line="6671"/> <source><br><b>Warning:</b> You will lose your changes upon reopening it.</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="885"/> + <location filename="../QScintilla/Editor.py" line="879"/> <source>Open 'rejection' file</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="995"/> + <location filename="../QScintilla/Editor.py" line="989"/> <source>Load Diagram...</source> <translation type="unfinished"></translation> </message> <message> + <location filename="../QScintilla/Editor.py" line="1262"/> + <source>Next change</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="1265"/> + <source>Previous change</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="7884"/> + <source>Sort Lines</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="7884"/> + <source>The selection contains illegal data for a numerical sort.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="6220"/> + <source>Warning</source> + <translation type="unfinished">Warning</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="6220"/> + <source>No warning messages available.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="6281"/> + <source>Style: {0}</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="853"/> + <source>New Document View</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="856"/> + <source>New Document View (with new split)</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="943"/> + <source>Tools</source> + <translation type="unfinished">Outils</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="1073"/> + <source>Re-Open With Encoding</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="6665"/> + <source><p>The file <b>{0}</b> has been changed while it was opened in eric6. Reread it?</p></source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="829"/> + <source>Automatic Completion enabled</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="909"/> + <source>Complete</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="4641"/> + <source>Auto-Completion Provider</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="4641"/> + <source>The completion list provider '{0}' was already registered. Ignoring duplicate request.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="4895"/> + <source>Call-Tips Provider</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="4895"/> + <source>The call-tips provider '{0}' was already registered. Ignoring duplicate request.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="7971"/> + <source>Register Mouse Click Handler</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="7971"/> + <source>A mouse click handler for "{0}" was already registered by "{1}". Aborting request by "{2}"...</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="873"/> + <source>Save Copy...</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="912"/> + <source>Clear Completions Cache</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="839"/> + <source>Code Info</source> + <translation type="unfinished"></translation> + </message> + <message> <location filename="../QScintilla/Editor.py" line="1268"/> - <source>Next change</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1271"/> - <source>Previous change</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="7890"/> - <source>Sort Lines</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="7890"/> - <source>The selection contains illegal data for a numerical sort.</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="6226"/> - <source>Warning</source> - <translation type="unfinished">Warning</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="6226"/> - <source>No warning messages available.</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="6287"/> - <source>Style: {0}</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="859"/> - <source>New Document View</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="862"/> - <source>New Document View (with new split)</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="949"/> - <source>Tools</source> - <translation type="unfinished">Outils</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1079"/> - <source>Re-Open With Encoding</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="6671"/> - <source><p>The file <b>{0}</b> has been changed while it was opened in eric6. Reread it?</p></source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="835"/> - <source>Automatic Completion enabled</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="915"/> - <source>Complete</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="4647"/> - <source>Auto-Completion Provider</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="4647"/> - <source>The completion list provider '{0}' was already registered. Ignoring duplicate request.</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="4901"/> - <source>Call-Tips Provider</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="4901"/> - <source>The call-tips provider '{0}' was already registered. Ignoring duplicate request.</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="7977"/> - <source>Register Mouse Click Handler</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="7977"/> - <source>A mouse click handler for "{0}" was already registered by "{1}". Aborting request by "{2}"...</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="879"/> - <source>Save Copy...</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="918"/> - <source>Clear Completions Cache</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="845"/> - <source>Code Info</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1274"/> <source>Clear changes</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="770"/> + <location filename="../QScintilla/Editor.py" line="764"/> <source>Execute Selection In Console</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="8098"/> + <location filename="../QScintilla/Editor.py" line="8092"/> <source>EditorConfig Properties</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="8098"/> + <location filename="../QScintilla/Editor.py" line="8092"/> <source><p>The EditorConfig properties for file <b>{0}</b> could not be loaded.</p></source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1197"/> + <location filename="../QScintilla/Editor.py" line="1191"/> <source>Toggle all folds</source> <translation type="unfinished">Contracte/Déploie tout le code</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1201"/> + <location filename="../QScintilla/Editor.py" line="1195"/> <source>Toggle all folds (including children)</source> <translation type="unfinished">Contracte/Déploie tout le code (sous-niveaux inclus)</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1205"/> + <location filename="../QScintilla/Editor.py" line="1199"/> <source>Toggle current fold</source> <translation type="unfinished">Contracte/Déploie le paragraphe courant</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1210"/> + <location filename="../QScintilla/Editor.py" line="1204"/> <source>Expand (including children)</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1214"/> + <location filename="../QScintilla/Editor.py" line="1208"/> <source>Collapse (including children)</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1219"/> + <location filename="../QScintilla/Editor.py" line="1213"/> <source>Clear all folds</source> <translation type="unfinished"></translation> </message> @@ -45498,12 +45498,12 @@ <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/MiniEditor.py" line="3401"/> + <location filename="../QScintilla/MiniEditor.py" line="3405"/> <source>EditorConfig Properties</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/MiniEditor.py" line="3401"/> + <location filename="../QScintilla/MiniEditor.py" line="3405"/> <source><p>The EditorConfig properties for file <b>{0}</b> could not be loaded.</p></source> <translation type="unfinished"></translation> </message> @@ -45516,252 +45516,252 @@ <context> <name>MiscellaneousChecker</name> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="476"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="482"/> <source>coding magic comment not found</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="479"/> - <source>unknown encoding ({0}) found in coding magic comment</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="482"/> - <source>copyright notice not present</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="485"/> + <source>unknown encoding ({0}) found in coding magic comment</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="488"/> + <source>copyright notice not present</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="491"/> <source>copyright notice contains invalid author</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="562"/> - <source>found {0} formatter</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="565"/> - <source>format string does contain unindexed parameters</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="568"/> - <source>docstring does contain unindexed parameters</source> + <source>found {0} formatter</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="571"/> - <source>other string does contain unindexed parameters</source> + <source>format string does contain unindexed parameters</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="574"/> - <source>format call uses too large index ({0})</source> + <source>docstring does contain unindexed parameters</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="577"/> - <source>format call uses missing keyword ({0})</source> + <source>other string does contain unindexed parameters</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="580"/> - <source>format call uses keyword arguments but no named entries</source> + <source>format call uses too large index ({0})</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="583"/> - <source>format call uses variable arguments but no numbered entries</source> + <source>format call uses missing keyword ({0})</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="586"/> - <source>format call uses implicit and explicit indexes together</source> + <source>format call uses keyword arguments but no named entries</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="589"/> - <source>format call provides unused index ({0})</source> + <source>format call uses variable arguments but no numbered entries</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="592"/> + <source>format call uses implicit and explicit indexes together</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="595"/> + <source>format call provides unused index ({0})</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="598"/> <source>format call provides unused keyword ({0})</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="610"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="616"/> <source>expected these __future__ imports: {0}; but only got: {1}</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="613"/> - <source>expected these __future__ imports: {0}; but got none</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="619"/> + <source>expected these __future__ imports: {0}; but got none</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="625"/> <source>print statement found</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="622"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="628"/> <source>one element tuple found</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="634"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="640"/> <source>{0}: {1}</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="488"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="494"/> <source>"{0}" is a Python builtin and is being shadowed; consider renaming the variable</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="492"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="498"/> <source>"{0}" is used as an argument and thus shadows a Python builtin; consider renaming the argument</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="496"/> - <source>unnecessary generator - rewrite as a list comprehension</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="499"/> - <source>unnecessary generator - rewrite as a set comprehension</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="502"/> - <source>unnecessary generator - rewrite as a dict comprehension</source> + <source>unnecessary generator - rewrite as a list comprehension</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="505"/> - <source>unnecessary list comprehension - rewrite as a set comprehension</source> + <source>unnecessary generator - rewrite as a set comprehension</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="508"/> - <source>unnecessary list comprehension - rewrite as a dict comprehension</source> + <source>unnecessary generator - rewrite as a dict comprehension</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="511"/> - <source>unnecessary list literal - rewrite as a set literal</source> + <source>unnecessary list comprehension - rewrite as a set comprehension</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="514"/> - <source>unnecessary list literal - rewrite as a dict literal</source> + <source>unnecessary list comprehension - rewrite as a dict comprehension</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="517"/> - <source>unnecessary list comprehension - "{0}" can take a generator</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="628"/> - <source>mutable default argument of type {0}</source> + <source>unnecessary list literal - rewrite as a set literal</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="520"/> + <source>unnecessary list literal - rewrite as a dict literal</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="523"/> + <source>unnecessary list comprehension - "{0}" can take a generator</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="634"/> + <source>mutable default argument of type {0}</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="526"/> <source>sort keys - '{0}' should be before '{1}'</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="598"/> - <source>logging statement uses '%'</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="604"/> + <source>logging statement uses '%'</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="610"/> <source>logging statement uses f-string</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="607"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="613"/> <source>logging statement uses 'warn' instead of 'warning'</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="595"/> - <source>logging statement uses string.format()</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="601"/> + <source>logging statement uses string.format()</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="607"/> <source>logging statement uses '+'</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="616"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="622"/> <source>gettext import with alias _ found: {0}</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="523"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="529"/> <source>Python does not support the unary prefix increment</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="533"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="539"/> <source>'sys.maxint' is not defined in Python 3 - use 'sys.maxsize'</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="536"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="542"/> <source>'BaseException.message' has been deprecated as of Python 2.6 and is removed in Python 3 - use 'str(e)'</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="540"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="546"/> <source>assigning to 'os.environ' does not clear the environment - use 'os.environ.clear()'</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="548"/> - <source>Python 3 does not include '.iter*' methods on dictionaries</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="551"/> - <source>Python 3 does not include '.view*' methods on dictionaries</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="554"/> - <source>'.next()' does not exist in Python 3</source> + <source>Python 3 does not include '.iter*' methods on dictionaries</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="557"/> + <source>Python 3 does not include '.view*' methods on dictionaries</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="560"/> + <source>'.next()' does not exist in Python 3</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="563"/> <source>'__metaclass__' does nothing on Python 3 - use 'class MyClass(BaseClass, metaclass=...)'</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="631"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="637"/> <source>mutable default argument of function call '{0}'</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="526"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="532"/> <source>using .strip() with multi-character strings is misleading</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="529"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="535"/> <source>using 'hasattr(x, "__call__")' to test if 'x' is callable is unreliable</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="544"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="550"/> <source>loop control variable {0} not used within the loop body - start the name with an underscore</source> <translation type="unfinished"></translation> </message> @@ -46192,72 +46192,72 @@ <context> <name>NamingStyleChecker</name> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="420"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="426"/> <source>class names should use CapWords convention</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="423"/> - <source>function name should be lowercase</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="426"/> - <source>argument name should be lowercase</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="429"/> - <source>first argument of a class method should be named 'cls'</source> + <source>function name should be lowercase</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="432"/> - <source>first argument of a method should be named 'self'</source> + <source>argument name should be lowercase</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="435"/> + <source>first argument of a class method should be named 'cls'</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="438"/> + <source>first argument of a method should be named 'self'</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="441"/> <source>first argument of a static method should not be named 'self' or 'cls</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="439"/> - <source>module names should be lowercase</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="442"/> - <source>package names should be lowercase</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="445"/> - <source>constant imported as non constant</source> + <source>module names should be lowercase</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="448"/> - <source>lowercase imported as non lowercase</source> + <source>package names should be lowercase</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="451"/> - <source>camelcase imported as lowercase</source> + <source>constant imported as non constant</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="454"/> - <source>camelcase imported as constant</source> + <source>lowercase imported as non lowercase</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="457"/> - <source>variable in function should be lowercase</source> + <source>camelcase imported as lowercase</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="460"/> + <source>camelcase imported as constant</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="463"/> + <source>variable in function should be lowercase</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="466"/> <source>names 'l', 'O' and 'I' should be avoided</source> <translation type="unfinished"></translation> </message> @@ -86873,125 +86873,145 @@ <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="39"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="43"/> <source>Duplicate argument {0!r} in function definition.</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="42"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="46"/> <source>Redefinition of {0!r} from line {1!r}.</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="45"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="49"/> <source>from __future__ imports must occur at the beginning of the file</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="48"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="52"/> <source>Local variable {0!r} is assigned to but never used.</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="51"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="55"/> <source>List comprehension redefines {0!r} from line {1!r}.</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="54"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="58"/> <source>Syntax error detected in doctest.</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="126"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="139"/> <source>no message defined for code '{0}'</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="57"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="61"/> <source>'return' with argument inside generator</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="60"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="64"/> <source>'return' outside function</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="63"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="67"/> <source>'from {0} import *' only allowed at module level</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="66"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="70"/> <source>{0!r} may be undefined, or defined from star imports: {1}</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="69"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="73"/> <source>Dictionary key {0!r} repeated with different values</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="72"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="76"/> <source>Dictionary key variable {0} repeated with different values</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="75"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="79"/> <source>Future feature {0} is not defined</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="78"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="82"/> <source>'yield' outside function</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="84"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="88"/> <source>'break' outside loop</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="87"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="91"/> <source>'continue' not supported inside 'finally' clause</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="90"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="94"/> <source>Default 'except:' must be last</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="93"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="97"/> <source>Two starred expressions in assignment</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="96"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="100"/> <source>Too many expressions in star-unpacking assignment</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="99"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="103"/> <source>Assertion is always true, perhaps remove parentheses?</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="81"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="85"/> <source>'continue' not properly in loop</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="102"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="106"/> <source>syntax error in forward annotation {0!r}</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="105"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="109"/> <source>'raise NotImplemented' should be 'raise NotImplementedError'</source> <translation type="unfinished"></translation> </message> + <message> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="39"/> + <source>Local variable {0!r} (defined as a builtin) referenced before assignment.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="112"/> + <source>syntax error in type comment {0!r}</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="115"/> + <source>use of >> is invalid with print function</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="118"/> + <source>use ==/!= to compare str, bytes, and int literals</source> + <translation type="unfinished"></translation> + </message> </context> <context> <name>pycodestyle</name> @@ -87031,375 +87051,385 @@ <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="40"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="43"/> <source>continuation line indentation is not a multiple of four</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="43"/> - <source>continuation line missing indentation or outdented</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="46"/> + <source>continuation line missing indentation or outdented</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="49"/> <source>closing bracket does not match indentation of opening bracket's line</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="50"/> - <source>closing bracket does not match visual indentation</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="53"/> - <source>continuation line with same indent as next logical line</source> + <source>closing bracket does not match visual indentation</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="56"/> - <source>continuation line over-indented for hanging indent</source> + <source>continuation line with same indent as next logical line</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="59"/> - <source>continuation line over-indented for visual indent</source> + <source>continuation line over-indented for hanging indent</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="62"/> - <source>continuation line under-indented for visual indent</source> + <source>continuation line over-indented for visual indent</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="65"/> - <source>visually indented line with same indent as next logical line</source> + <source>continuation line under-indented for visual indent</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="68"/> - <source>continuation line unaligned for hanging indent</source> + <source>visually indented line with same indent as next logical line</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="71"/> - <source>closing bracket is missing indentation</source> + <source>continuation line unaligned for hanging indent</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="74"/> - <source>indentation contains tabs</source> + <source>closing bracket is missing indentation</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="77"/> + <source>indentation contains tabs</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="80"/> <source>whitespace after '{0}'</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="86"/> - <source>whitespace before '{0}'</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="89"/> - <source>multiple spaces before operator</source> + <source>whitespace before '{0}'</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="92"/> - <source>multiple spaces after operator</source> + <source>multiple spaces before operator</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="95"/> - <source>tab before operator</source> + <source>multiple spaces after operator</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="98"/> - <source>tab after operator</source> + <source>tab before operator</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="101"/> - <source>missing whitespace around operator</source> + <source>tab after operator</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="104"/> - <source>missing whitespace around arithmetic operator</source> + <source>missing whitespace around operator</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="107"/> - <source>missing whitespace around bitwise or shift operator</source> + <source>missing whitespace around arithmetic operator</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="110"/> - <source>missing whitespace around modulo operator</source> + <source>missing whitespace around bitwise or shift operator</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="113"/> - <source>missing whitespace after '{0}'</source> + <source>missing whitespace around modulo operator</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="116"/> - <source>multiple spaces after '{0}'</source> + <source>missing whitespace after '{0}'</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="119"/> - <source>tab after '{0}'</source> + <source>multiple spaces after '{0}'</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="122"/> + <source>tab after '{0}'</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="125"/> <source>unexpected spaces around keyword / parameter equals</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="128"/> - <source>at least two spaces before inline comment</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="131"/> - <source>inline comment should start with '# '</source> + <source>at least two spaces before inline comment</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="134"/> - <source>block comment should start with '# '</source> + <source>inline comment should start with '# '</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="137"/> - <source>too many leading '#' for block comment</source> + <source>block comment should start with '# '</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="140"/> - <source>multiple spaces after keyword</source> + <source>too many leading '#' for block comment</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="143"/> - <source>multiple spaces before keyword</source> + <source>multiple spaces after keyword</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="146"/> - <source>tab after keyword</source> + <source>multiple spaces before keyword</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="149"/> - <source>tab before keyword</source> + <source>tab after keyword</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="152"/> - <source>missing whitespace after keyword</source> + <source>tab before keyword</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="155"/> - <source>trailing whitespace</source> + <source>missing whitespace after keyword</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="158"/> - <source>no newline at end of file</source> + <source>trailing whitespace</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="161"/> + <source>no newline at end of file</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="164"/> <source>blank line contains whitespace</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="186"/> - <source>too many blank lines ({0})</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="173"/> - <source>blank lines found after function decorator</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="189"/> - <source>blank line at end of file</source> + <source>too many blank lines ({0})</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="176"/> + <source>blank lines found after function decorator</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="192"/> - <source>multiple imports on one line</source> + <source>blank line at end of file</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="195"/> - <source>module level import not at top of file</source> + <source>multiple imports on one line</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="198"/> - <source>line too long ({0} > {1} characters)</source> + <source>module level import not at top of file</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="201"/> - <source>the backslash is redundant between brackets</source> + <source>line too long ({0} > {1} characters)</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="204"/> + <source>the backslash is redundant between brackets</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="207"/> <source>line break before binary operator</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="210"/> - <source>.has_key() is deprecated, use 'in'</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="213"/> - <source>deprecated form of raising exception</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="216"/> - <source>'<>' is deprecated, use '!='</source> + <source>.has_key() is deprecated, use 'in'</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="219"/> + <source>deprecated form of raising exception</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="222"/> + <source>'<>' is deprecated, use '!='</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="225"/> <source>backticks are deprecated, use 'repr()'</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="228"/> - <source>multiple statements on one line (colon)</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="231"/> - <source>multiple statements on one line (semicolon)</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="234"/> - <source>statement ends with a semicolon</source> + <source>multiple statements on one line (colon)</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="237"/> - <source>multiple statements on one line (def)</source> + <source>multiple statements on one line (semicolon)</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="240"/> + <source>statement ends with a semicolon</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="243"/> - <source>comparison to {0} should be {1}</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="246"/> - <source>test for membership should be 'not in'</source> + <source>multiple statements on one line (def)</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="249"/> - <source>test for object identity should be 'is not'</source> + <source>comparison to {0} should be {1}</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="252"/> - <source>do not compare types, use 'isinstance()'</source> + <source>test for membership should be 'not in'</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="255"/> + <source>test for object identity should be 'is not'</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="258"/> - <source>do not assign a lambda expression, use a def</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="261"/> - <source>ambiguous variable name '{0}'</source> + <source>do not compare types, use 'isinstance()'</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="264"/> - <source>ambiguous class definition '{0}'</source> + <source>do not assign a lambda expression, use a def</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="267"/> - <source>ambiguous function definition '{0}'</source> + <source>ambiguous variable name '{0}'</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="270"/> - <source>{0}: {1}</source> + <source>ambiguous class definition '{0}'</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="273"/> + <source>ambiguous function definition '{0}'</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="276"/> + <source>{0}: {1}</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="279"/> <source>{0}</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="255"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="261"/> <source>do not use bare except</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="176"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="179"/> <source>expected {0} blank lines after class or function definition, found {1}</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="225"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="231"/> <source>'async' and 'await' are reserved keywords starting with Python 3.7</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="125"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="128"/> <source>missing whitespace around parameter equals</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="167"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="170"/> <source>expected {0} blank lines, found {1}</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="180"/> - <source>expected {0} blank lines before a nested definition, found {1}</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="207"/> - <source>line break after binary operator</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="222"/> - <source>invalid escape sequence '\{0}'</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="183"/> + <source>expected {0} blank lines before a nested definition, found {1}</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="210"/> + <source>line break after binary operator</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="228"/> + <source>invalid escape sequence '\{0}'</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="186"/> <source>too many blank lines ({0}) before a nested definition, expected {1}</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="170"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="173"/> <source>too many blank lines ({0}), expected {1}</source> <translation type="unfinished"></translation> </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="40"/> + <source>over-indented</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="213"/> + <source>doc line too long ({0} > {1} characters)</source> + <translation type="unfinished"></translation> + </message> </context> <context> <name>subversion</name>
--- a/i18n/eric6_it.ts Wed Feb 13 20:41:45 2019 +0100 +++ b/i18n/eric6_it.ts Thu Feb 14 18:58:22 2019 +0100 @@ -3697,142 +3697,142 @@ <context> <name>CodeStyleFixer</name> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="639"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="645"/> <source>Triple single quotes converted to triple double quotes.</source> <translation>Triple virgolette singole convertite in triple virgolette doppie.</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="642"/> - <source>Introductory quotes corrected to be {0}"""</source> - <translation>Virgolette introduttive corrette in {0}"""</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="645"/> - <source>Single line docstring put on one line.</source> - <translation>Singole righe documentazione raggruppate su una sola.</translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="648"/> - <source>Period added to summary line.</source> - <translation>Aggiunto punto alla riga sommario.</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="675"/> - <source>Blank line before function/method docstring removed.</source> - <translation>Riga vuota prima della stringa di documentazione funzione/metodo rimossa.</translation> + <source>Introductory quotes corrected to be {0}"""</source> + <translation>Virgolette introduttive corrette in {0}"""</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="651"/> + <source>Single line docstring put on one line.</source> + <translation>Singole righe documentazione raggruppate su una sola.</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="654"/> - <source>Blank line inserted before class docstring.</source> - <translation>Riga vuota inserita prima della stringa di documentazione della classe.</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="657"/> - <source>Blank line inserted after class docstring.</source> - <translation>Linea vuota inserita dopo la stringa di documentazione della classe.</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="660"/> - <source>Blank line inserted after docstring summary.</source> - <translation>Linea vuota inserita dopo la stringa di documentazione del sommario.</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="663"/> - <source>Blank line inserted after last paragraph of docstring.</source> - <translation>Linea vuota inserita dopo l'ultimo paragrafo della stringa di documentazione.</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="666"/> - <source>Leading quotes put on separate line.</source> - <translation>Le virgolette di testa messe su una riga separata.</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="669"/> - <source>Trailing quotes put on separate line.</source> - <translation>Le virgolette di coda messe su una riga separata.</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="672"/> - <source>Blank line before class docstring removed.</source> - <translation>Rimossa riga vuota prima della stringa di documentazione.</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="678"/> - <source>Blank line after class docstring removed.</source> - <translation>Rimossa riga vuota dopo della stringa di documentazione.</translation> + <source>Period added to summary line.</source> + <translation>Aggiunto punto alla riga sommario.</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="681"/> - <source>Blank line after function/method docstring removed.</source> - <translation>Riga vuota dopo la stringa di documentazione funzione/metodo rimossa.</translation> + <source>Blank line before function/method docstring removed.</source> + <translation>Riga vuota prima della stringa di documentazione funzione/metodo rimossa.</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="660"/> + <source>Blank line inserted before class docstring.</source> + <translation>Riga vuota inserita prima della stringa di documentazione della classe.</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="663"/> + <source>Blank line inserted after class docstring.</source> + <translation>Linea vuota inserita dopo la stringa di documentazione della classe.</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="666"/> + <source>Blank line inserted after docstring summary.</source> + <translation>Linea vuota inserita dopo la stringa di documentazione del sommario.</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="669"/> + <source>Blank line inserted after last paragraph of docstring.</source> + <translation>Linea vuota inserita dopo l'ultimo paragrafo della stringa di documentazione.</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="672"/> + <source>Leading quotes put on separate line.</source> + <translation>Le virgolette di testa messe su una riga separata.</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="675"/> + <source>Trailing quotes put on separate line.</source> + <translation>Le virgolette di coda messe su una riga separata.</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="678"/> + <source>Blank line before class docstring removed.</source> + <translation>Rimossa riga vuota prima della stringa di documentazione.</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="684"/> - <source>Blank line after last paragraph removed.</source> - <translation>Rimossa riga vuota dopo l'ultimo paragrafo.</translation> + <source>Blank line after class docstring removed.</source> + <translation>Rimossa riga vuota dopo della stringa di documentazione.</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="687"/> - <source>Tab converted to 4 spaces.</source> - <translation>Convertita Tabulazione in 4 spazi.</translation> + <source>Blank line after function/method docstring removed.</source> + <translation>Riga vuota dopo la stringa di documentazione funzione/metodo rimossa.</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="690"/> - <source>Indentation adjusted to be a multiple of four.</source> - <translation>Identazione portata ad un multiplo di quattro.</translation> + <source>Blank line after last paragraph removed.</source> + <translation>Rimossa riga vuota dopo l'ultimo paragrafo.</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="693"/> - <source>Indentation of continuation line corrected.</source> - <translation>Identazione di continuazione riga corretta.</translation> + <source>Tab converted to 4 spaces.</source> + <translation>Convertita Tabulazione in 4 spazi.</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="696"/> - <source>Indentation of closing bracket corrected.</source> - <translation>Identazione di parentesi chiusa corretta.</translation> + <source>Indentation adjusted to be a multiple of four.</source> + <translation>Identazione portata ad un multiplo di quattro.</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="699"/> - <source>Missing indentation of continuation line corrected.</source> - <translation>Corretta la mancanza di indentazione della continuazione riga.</translation> + <source>Indentation of continuation line corrected.</source> + <translation>Identazione di continuazione riga corretta.</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="702"/> - <source>Closing bracket aligned to opening bracket.</source> - <translation>Parentesi chiusa allineata con quella d'apertura.</translation> + <source>Indentation of closing bracket corrected.</source> + <translation>Identazione di parentesi chiusa corretta.</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="705"/> - <source>Indentation level changed.</source> - <translation>Livello di indentazione modificato.</translation> + <source>Missing indentation of continuation line corrected.</source> + <translation>Corretta la mancanza di indentazione della continuazione riga.</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="708"/> - <source>Indentation level of hanging indentation changed.</source> - <translation>Modificato il livello di indentazione dell'indentazione pendente.</translation> + <source>Closing bracket aligned to opening bracket.</source> + <translation>Parentesi chiusa allineata con quella d'apertura.</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="711"/> + <source>Indentation level changed.</source> + <translation>Livello di indentazione modificato.</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="714"/> + <source>Indentation level of hanging indentation changed.</source> + <translation>Modificato il livello di indentazione dell'indentazione pendente.</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="717"/> <source>Visual indentation corrected.</source> <translation></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="726"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="732"/> <source>Extraneous whitespace removed.</source> <translation>Spazio non pertinente eliminato.</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="723"/> - <source>Missing whitespace added.</source> - <translation>Spazi mancanti aggiunti.</translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="729"/> + <source>Missing whitespace added.</source> + <translation>Spazi mancanti aggiunti.</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="735"/> <source>Whitespace around comment sign corrected.</source> <translation>Corretto spazio vicino al segno di commento.</translation> </message> <message numerus="yes"> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="733"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="739"/> <source>%n blank line(s) inserted.</source> <translation type="unfinished"> <numerusform>%n riga vuota inserita.</numerusform> @@ -3840,7 +3840,7 @@ </translation> </message> <message numerus="yes"> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="736"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="742"/> <source>%n superfluous lines removed</source> <translation type="unfinished"> <numerusform>%n riga superflua eliminata</numerusform> @@ -3848,77 +3848,77 @@ </translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="740"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="746"/> <source>Superfluous blank lines removed.</source> <translation>Righe vuote superflue eliminate.</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="743"/> - <source>Superfluous blank lines after function decorator removed.</source> - <translation>Righe vuote superflue eliminate dopo a dichiarazione della funzione.</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="746"/> - <source>Imports were put on separate lines.</source> - <translation>Import messi su righe separate.</translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="749"/> - <source>Long lines have been shortened.</source> - <translation>Accorciate righe lughe.</translation> + <source>Superfluous blank lines after function decorator removed.</source> + <translation>Righe vuote superflue eliminate dopo a dichiarazione della funzione.</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="752"/> - <source>Redundant backslash in brackets removed.</source> - <translation>Rimossi barre rovesciate ridondanti.</translation> + <source>Imports were put on separate lines.</source> + <translation>Import messi su righe separate.</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="755"/> + <source>Long lines have been shortened.</source> + <translation>Accorciate righe lughe.</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="758"/> - <source>Compound statement corrected.</source> - <translation>Corretta istruzione composta.</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="761"/> - <source>Comparison to None/True/False corrected.</source> - <translation>Corretta comparazione con None/True/False.</translation> + <source>Redundant backslash in brackets removed.</source> + <translation>Rimossi barre rovesciate ridondanti.</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="764"/> - <source>'{0}' argument added.</source> - <translation>'{0}' argumento aggiunto.</translation> + <source>Compound statement corrected.</source> + <translation>Corretta istruzione composta.</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="767"/> - <source>'{0}' argument removed.</source> - <translation>'{0}' argumento rimosso.</translation> + <source>Comparison to None/True/False corrected.</source> + <translation>Corretta comparazione con None/True/False.</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="770"/> - <source>Whitespace stripped from end of line.</source> - <translation>Eliminati gli spazi alla fine della linea.</translation> + <source>'{0}' argument added.</source> + <translation>'{0}' argumento aggiunto.</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="773"/> - <source>newline added to end of file.</source> - <translation>Aggiunta una nuova riga alla fine del file.</translation> + <source>'{0}' argument removed.</source> + <translation>'{0}' argumento rimosso.</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="776"/> - <source>Superfluous trailing blank lines removed from end of file.</source> - <translation>Rghe vuote superflue eliminate dalla fine del file.</translation> + <source>Whitespace stripped from end of line.</source> + <translation>Eliminati gli spazi alla fine della linea.</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="779"/> + <source>newline added to end of file.</source> + <translation>Aggiunta una nuova riga alla fine del file.</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="782"/> + <source>Superfluous trailing blank lines removed from end of file.</source> + <translation>Rghe vuote superflue eliminate dalla fine del file.</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="785"/> <source>'<>' replaced by '!='.</source> <translation>'<>' sostituito da '!='.</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="783"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="789"/> <source>Could not save the file! Skipping it. Reason: {0}</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="872"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="879"/> <source> no message defined for code '{0}'</source> <translation type="unfinished"></translation> </message> @@ -4396,22 +4396,22 @@ <context> <name>ComplexityChecker</name> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="465"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="471"/> <source>'{0}' is too complex ({1})</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="467"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="473"/> <source>source code line is too complex ({0})</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="469"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="475"/> <source>overall source code line complexity is too high ({0})</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="472"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="478"/> <source>{0}: {1}</source> <translation type="unfinished">{0}: {1}</translation> </message> @@ -7380,242 +7380,242 @@ <context> <name>DocStyleChecker</name> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="278"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="284"/> <source>module is missing a docstring</source> <translation>Modulo mancante di docstring</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="280"/> - <source>public function/method is missing a docstring</source> - <translation>Funzione/metodo pubblico mancante di docstring</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="283"/> - <source>private function/method may be missing a docstring</source> - <translation>Funzione/metodo pubblico con possibile mancanza di docstring</translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="286"/> - <source>public class is missing a docstring</source> - <translation>Classe pubblica mancante di docstring</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="288"/> - <source>private class may be missing a docstring</source> - <translation>Classe privata con possibile mancanza di docstring</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="290"/> - <source>docstring not surrounded by """</source> - <translation>docstring non inserita fra """</translation> + <source>public function/method is missing a docstring</source> + <translation>Funzione/metodo pubblico mancante di docstring</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="289"/> + <source>private function/method may be missing a docstring</source> + <translation>Funzione/metodo pubblico con possibile mancanza di docstring</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="292"/> - <source>docstring containing \ not surrounded by r"""</source> - <translation>docstring contenente \ non inserita fra r"""</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="295"/> - <source>docstring containing unicode character not surrounded by u"""</source> - <translation>docstring contenente carattere unicode non inserito fra u"""</translation> + <source>public class is missing a docstring</source> + <translation>Classe pubblica mancante di docstring</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="294"/> + <source>private class may be missing a docstring</source> + <translation>Classe privata con possibile mancanza di docstring</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="296"/> + <source>docstring not surrounded by """</source> + <translation>docstring non inserita fra """</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="298"/> + <source>docstring containing \ not surrounded by r"""</source> + <translation>docstring contenente \ non inserita fra r"""</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="301"/> + <source>docstring containing unicode character not surrounded by u"""</source> + <translation>docstring contenente carattere unicode non inserito fra u"""</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="304"/> <source>one-liner docstring on multiple lines</source> <translation>docstring in linea su righe multiple</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="300"/> - <source>docstring has wrong indentation</source> - <translation>docstring ha un'indentazione errata</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="349"/> - <source>docstring summary does not end with a period</source> - <translation>docstring sommario non si conclude con un punto</translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="306"/> + <source>docstring has wrong indentation</source> + <translation>docstring ha un'indentazione errata</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="355"/> + <source>docstring summary does not end with a period</source> + <translation>docstring sommario non si conclude con un punto</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="312"/> <source>docstring summary is not in imperative mood (Does instead of Do)</source> <translation>docstring sommario non è in modo imperativo (farebbe invece di fa)</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="310"/> - <source>docstring summary looks like a function's/method's signature</source> - <translation>docstring sommario sembra una firma di funzione/metodo</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="313"/> - <source>docstring does not mention the return value type</source> - <translation>docstring non indica il tipo di valore di ritorno</translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="316"/> - <source>function/method docstring is separated by a blank line</source> - <translation>docstring funzione/metodo è separato da una riga vuota</translation> + <source>docstring summary looks like a function's/method's signature</source> + <translation>docstring sommario sembra una firma di funzione/metodo</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="319"/> - <source>class docstring is not preceded by a blank line</source> - <translation>docstring della classe non è preceduta da una riga vuota</translation> + <source>docstring does not mention the return value type</source> + <translation>docstring non indica il tipo di valore di ritorno</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="322"/> - <source>class docstring is not followed by a blank line</source> - <translation>docstring della classe non è seguita da una riga vuota</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="383"/> - <source>docstring summary is not followed by a blank line</source> - <translation>docstring sommario non è seguito da una riga vuota</translation> + <source>function/method docstring is separated by a blank line</source> + <translation>docstring funzione/metodo è separato da una riga vuota</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="325"/> + <source>class docstring is not preceded by a blank line</source> + <translation>docstring della classe non è preceduta da una riga vuota</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="328"/> + <source>class docstring is not followed by a blank line</source> + <translation>docstring della classe non è seguita da una riga vuota</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="389"/> + <source>docstring summary is not followed by a blank line</source> + <translation>docstring sommario non è seguito da una riga vuota</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="334"/> <source>last paragraph of docstring is not followed by a blank line</source> <translation>L'ultimo paragrafo della docstring non è seguito da una riga vuota</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="336"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="342"/> <source>private function/method is missing a docstring</source> <translation>Funzione/metodo privato mancante di docstring</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="339"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="345"/> <source>private class is missing a docstring</source> <translation>Classe privata mancante di docstring</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="343"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="349"/> <source>leading quotes of docstring not on separate line</source> <translation>Virgolette iniziali della docstring non sono su riga separata</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="346"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="352"/> <source>trailing quotes of docstring not on separate line</source> <translation>Virgolette finali della docstring non sono su riga separata</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="353"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="359"/> <source>docstring does not contain a @return line but function/method returns something</source> <translation>docstring non contiene una riga @return ma la funzione/metodo ritorna dei valori</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="357"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="363"/> <source>docstring contains a @return line but function/method doesn't return anything</source> <translation>docstring contiene una riga @return ma la funzione/metodo non ritorna dei valori</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="361"/> - <source>docstring does not contain enough @param/@keyparam lines</source> - <translation>docstring non contiene sufficienti righe @param/@keyparam</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="364"/> - <source>docstring contains too many @param/@keyparam lines</source> - <translation>docstring contiene troppe righe @param/@keyparam</translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="367"/> - <source>keyword only arguments must be documented with @keyparam lines</source> - <translation>Argomenti con una sola parola-chiave devono essere documentati con righe @keyparam</translation> + <source>docstring does not contain enough @param/@keyparam lines</source> + <translation>docstring non contiene sufficienti righe @param/@keyparam</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="370"/> - <source>order of @param/@keyparam lines does not match the function/method signature</source> - <translation>La sequenza di righe @param/@keyparam non si raccorda con le definizioni funzione/metodo</translation> + <source>docstring contains too many @param/@keyparam lines</source> + <translation>docstring contiene troppe righe @param/@keyparam</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="373"/> + <source>keyword only arguments must be documented with @keyparam lines</source> + <translation>Argomenti con una sola parola-chiave devono essere documentati con righe @keyparam</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="376"/> + <source>order of @param/@keyparam lines does not match the function/method signature</source> + <translation>La sequenza di righe @param/@keyparam non si raccorda con le definizioni funzione/metodo</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="379"/> <source>class docstring is preceded by a blank line</source> <translation>docstring della classe è preceduta da una riga vuota</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="375"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="381"/> <source>class docstring is followed by a blank line</source> <translation>docstring della classe è seguita da una riga vuota</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="377"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="383"/> <source>function/method docstring is preceded by a blank line</source> <translation>docstring funzione/metodo è preceduto da una riga vuota</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="380"/> - <source>function/method docstring is followed by a blank line</source> - <translation>docstring funzione/metodo è seguito da una riga vuota</translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="386"/> + <source>function/method docstring is followed by a blank line</source> + <translation>docstring funzione/metodo è seguito da una riga vuota</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="392"/> <source>last paragraph of docstring is followed by a blank line</source> <translation>L'ultimo paragrafo della docstring è seguito da una riga vuota</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="389"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="395"/> <source>docstring does not contain a @exception line but function/method raises an exception</source> <translation>docstring non contiene una riga @exception ma la funzione/metodo causa un'eccezione</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="393"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="399"/> <source>docstring contains a @exception line but function/method doesn't raise an exception</source> <translation>docstring contiene una riga @return ma la funzione/metodo non causa un'eccezione</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="416"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="422"/> <source>{0}: {1}</source> <translation>{0}: {1}</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="302"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="308"/> <source>docstring does not contain a summary</source> <translation>docstring non contiene un sommario</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="351"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="357"/> <source>docstring summary does not start with '{0}'</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="397"/> - <source>raised exception '{0}' is not documented in docstring</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="400"/> - <source>documented exception '{0}' is not raised</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="403"/> - <source>docstring does not contain a @signal line but class defines signals</source> + <source>raised exception '{0}' is not documented in docstring</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="406"/> - <source>docstring contains a @signal line but class doesn't define signals</source> + <source>documented exception '{0}' is not raised</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="409"/> - <source>defined signal '{0}' is not documented in docstring</source> + <source>docstring does not contain a @signal line but class defines signals</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="412"/> + <source>docstring contains a @signal line but class doesn't define signals</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="415"/> + <source>defined signal '{0}' is not documented in docstring</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="418"/> <source>documented signal '{0}' is not defined</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="341"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="347"/> <source>class docstring is still a default string</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="334"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="340"/> <source>function docstring is still a default string</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="332"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="338"/> <source>module docstring is still a default string</source> <translation type="unfinished"></translation> </message> @@ -9925,562 +9925,562 @@ <context> <name>Editor</name> <message> - <location filename="../QScintilla/Editor.py" line="750"/> + <location filename="../QScintilla/Editor.py" line="744"/> <source>Undo</source> <translation>Annulla</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="753"/> + <location filename="../QScintilla/Editor.py" line="747"/> <source>Redo</source> <translation>Rifai</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="756"/> + <location filename="../QScintilla/Editor.py" line="750"/> <source>Revert to last saved state</source> <translation>Ritorna all'ultimo stato salvato</translation> </message> <message> + <location filename="../QScintilla/Editor.py" line="754"/> + <source>Cut</source> + <translation>Taglia</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="757"/> + <source>Copy</source> + <translation>Copia</translation> + </message> + <message> <location filename="../QScintilla/Editor.py" line="760"/> - <source>Cut</source> - <translation>Taglia</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="763"/> - <source>Copy</source> - <translation>Copia</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="766"/> <source>Paste</source> <translation>Incolla</translation> </message> <message> + <location filename="../QScintilla/Editor.py" line="768"/> + <source>Indent</source> + <translation>Identa</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="771"/> + <source>Unindent</source> + <translation>Annulla identazione</translation> + </message> + <message> <location filename="../QScintilla/Editor.py" line="774"/> - <source>Indent</source> - <translation>Identa</translation> + <source>Comment</source> + <translation>Commenta</translation> </message> <message> <location filename="../QScintilla/Editor.py" line="777"/> - <source>Unindent</source> - <translation>Annulla identazione</translation> + <source>Uncomment</source> + <translation>Annulla commenta</translation> </message> <message> <location filename="../QScintilla/Editor.py" line="780"/> - <source>Comment</source> - <translation>Commenta</translation> + <source>Stream Comment</source> + <translation>Flusso commento</translation> </message> <message> <location filename="../QScintilla/Editor.py" line="783"/> - <source>Uncomment</source> - <translation>Annulla commenta</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="786"/> - <source>Stream Comment</source> - <translation>Flusso commento</translation> + <source>Box Comment</source> + <translation>Commenti nel riquadro</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="787"/> + <source>Select to brace</source> + <translation>Seleziona per parentesizzare</translation> </message> <message> <location filename="../QScintilla/Editor.py" line="789"/> - <source>Box Comment</source> - <translation>Commenti nel riquadro</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="793"/> - <source>Select to brace</source> - <translation>Seleziona per parentesizzare</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="795"/> <source>Select all</source> <translation>Seleziona tutti</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="796"/> + <location filename="../QScintilla/Editor.py" line="790"/> <source>Deselect all</source> <translation>Deseleziona tutti</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="812"/> + <location filename="../QScintilla/Editor.py" line="806"/> <source>Shorten empty lines</source> <translation>Abbrevia righe vuote</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1009"/> + <location filename="../QScintilla/Editor.py" line="1003"/> <source>Languages</source> <translation>Linguaggi</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="819"/> + <location filename="../QScintilla/Editor.py" line="813"/> <source>Use Monospaced Font</source> <translation>Usa un font Monospaced</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="939"/> + <location filename="../QScintilla/Editor.py" line="933"/> <source>Check</source> <translation>Controlla</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="959"/> + <location filename="../QScintilla/Editor.py" line="953"/> <source>Show</source> <translation>Mostra</translation> </message> <message> + <location filename="../QScintilla/Editor.py" line="861"/> + <source>Close</source> + <translation>Chiudi</translation> + </message> + <message> <location filename="../QScintilla/Editor.py" line="867"/> - <source>Close</source> - <translation>Chiudi</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="873"/> <source>Save</source> <translation>Salva</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="876"/> + <location filename="../QScintilla/Editor.py" line="870"/> <source>Save As...</source> <translation>Salva come...</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="892"/> + <location filename="../QScintilla/Editor.py" line="886"/> <source>Print</source> <translation>Stampa</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="961"/> + <location filename="../QScintilla/Editor.py" line="955"/> <source>Code metrics...</source> <translation>Statistiche codice...</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="962"/> + <location filename="../QScintilla/Editor.py" line="956"/> <source>Code coverage...</source> <translation>Analisi codice...</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="970"/> + <location filename="../QScintilla/Editor.py" line="964"/> <source>Profile data...</source> <translation>Profilazione dati...</translation> </message> <message> + <location filename="../QScintilla/Editor.py" line="1150"/> + <source>Toggle bookmark</source> + <translation>Inverti bookmark</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="1152"/> + <source>Next bookmark</source> + <translation>Prossimo segnalibro</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="1154"/> + <source>Previous bookmark</source> + <translation>Segnalibro precedente</translation> + </message> + <message> <location filename="../QScintilla/Editor.py" line="1156"/> - <source>Toggle bookmark</source> - <translation>Inverti bookmark</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1158"/> - <source>Next bookmark</source> - <translation>Prossimo segnalibro</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1160"/> - <source>Previous bookmark</source> - <translation>Segnalibro precedente</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1162"/> <source>Clear all bookmarks</source> <translation>Pulisci di tutti di segnalibri</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1171"/> + <location filename="../QScintilla/Editor.py" line="1165"/> <source>Toggle breakpoint</source> <translation>Abilita/Disabilita breakpoint</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1176"/> + <location filename="../QScintilla/Editor.py" line="1170"/> <source>Edit breakpoint...</source> <translation>Modifica Breakpoint...</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="5316"/> + <location filename="../QScintilla/Editor.py" line="5310"/> <source>Enable breakpoint</source> <translation>Abilita breakpoint</translation> </message> <message> + <location filename="../QScintilla/Editor.py" line="1175"/> + <source>Next breakpoint</source> + <translation>Prossimo breakpoint</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="1178"/> + <source>Previous breakpoint</source> + <translation>Breakpoint precedente</translation> + </message> + <message> <location filename="../QScintilla/Editor.py" line="1181"/> - <source>Next breakpoint</source> - <translation>Prossimo breakpoint</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1184"/> - <source>Previous breakpoint</source> - <translation>Breakpoint precedente</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1187"/> <source>Clear all breakpoints</source> <translation>Elimina tutti i breakpoint</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1816"/> + <location filename="../QScintilla/Editor.py" line="1810"/> <source>Modification of Read Only file</source> <translation>Modifica di un file di sola lettura</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1816"/> + <location filename="../QScintilla/Editor.py" line="1810"/> <source>You are attempting to change a read only file. Please save to a different file first.</source> <translation>Stai tentando di modificare un file in sola lettura. Per favore prima salva come un file diverso.</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="2502"/> + <location filename="../QScintilla/Editor.py" line="2496"/> <source>Printing...</source> <translation>In stampa...</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="2519"/> + <location filename="../QScintilla/Editor.py" line="2513"/> <source>Printing completed</source> <translation>Stampa completata</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="2521"/> + <location filename="../QScintilla/Editor.py" line="2515"/> <source>Error while printing</source> <translation>Errore durante la stampa</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="2524"/> + <location filename="../QScintilla/Editor.py" line="2518"/> <source>Printing aborted</source> <translation>Stampa annullata</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="2946"/> + <location filename="../QScintilla/Editor.py" line="2940"/> <source>Open File</source> <translation>Apri File</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="3119"/> + <location filename="../QScintilla/Editor.py" line="3113"/> <source>Save File</source> <translation>Salva file</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="2886"/> + <location filename="../QScintilla/Editor.py" line="2880"/> <source>File Modified</source> <translation>File modificato</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="4522"/> + <location filename="../QScintilla/Editor.py" line="4516"/> <source>Autocompletion</source> <translation>Autocompletamento</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="4522"/> + <location filename="../QScintilla/Editor.py" line="4516"/> <source>Autocompletion is not available because there is no autocompletion source set.</source> <translation>L'autocomplentamento non è disponibile perchè non ci sono fonti impostate.</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="5319"/> + <location filename="../QScintilla/Editor.py" line="5313"/> <source>Disable breakpoint</source> <translation>Disabilita breakpoint</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="5676"/> + <location filename="../QScintilla/Editor.py" line="5670"/> <source>Code Coverage</source> <translation>Analisi codice</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="5676"/> + <location filename="../QScintilla/Editor.py" line="5670"/> <source>Please select a coverage file</source> <translation>Per favore seleziona un file per l'analisi</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="5854"/> + <location filename="../QScintilla/Editor.py" line="5848"/> <source>Profile Data</source> <translation>Profilazione dati</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="5854"/> + <location filename="../QScintilla/Editor.py" line="5848"/> <source>Please select a profile file</source> <translation>Per favore seleziona un file per la profilazione</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6400"/> + <location filename="../QScintilla/Editor.py" line="6394"/> <source>Macro Name</source> <translation>Nome Macro</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6400"/> + <location filename="../QScintilla/Editor.py" line="6394"/> <source>Select a macro name:</source> <translation>Seleziona un nome per la macro:</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6471"/> + <location filename="../QScintilla/Editor.py" line="6465"/> <source>Macro files (*.macro)</source> <translation>File Macro (*.macro)</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6428"/> + <location filename="../QScintilla/Editor.py" line="6422"/> <source>Load macro file</source> <translation>Carica un file di macro</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6451"/> + <location filename="../QScintilla/Editor.py" line="6445"/> <source>Error loading macro</source> <translation>Errore nel caricamento della macro</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6471"/> + <location filename="../QScintilla/Editor.py" line="6465"/> <source>Save macro file</source> <translation>Salva un file di macro</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6488"/> + <location filename="../QScintilla/Editor.py" line="6482"/> <source>Save macro</source> <translation>Salva macro</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6504"/> + <location filename="../QScintilla/Editor.py" line="6498"/> <source>Error saving macro</source> <translation>Errore nel salvataggio della macro</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6517"/> + <location filename="../QScintilla/Editor.py" line="6511"/> <source>Start Macro Recording</source> <translation>Avvia registrazione della macro</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6543"/> + <location filename="../QScintilla/Editor.py" line="6537"/> <source>Macro Recording</source> <translation>Registrazione Macro</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6543"/> + <location filename="../QScintilla/Editor.py" line="6537"/> <source>Enter name of the macro:</source> <translation>Inserisci un nome per la macro:</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6681"/> + <location filename="../QScintilla/Editor.py" line="6675"/> <source>File changed</source> <translation>File modificato</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="824"/> + <location filename="../QScintilla/Editor.py" line="818"/> <source>Autosave enabled</source> <translation>Salvataggio automatico abilitato</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1230"/> + <location filename="../QScintilla/Editor.py" line="1224"/> <source>Goto syntax error</source> <translation>Vai all'errore di sintassi</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1237"/> + <location filename="../QScintilla/Editor.py" line="1231"/> <source>Clear syntax error</source> <translation>Elimina errori di sintassi</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6985"/> + <location filename="../QScintilla/Editor.py" line="6979"/> <source>Drop Error</source> <translation>Errore Drop</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1233"/> + <location filename="../QScintilla/Editor.py" line="1227"/> <source>Show syntax error message</source> <translation>Mostra i messaggi degli errori di sintassi</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6014"/> + <location filename="../QScintilla/Editor.py" line="6008"/> <source>Syntax Error</source> <translation>Errore di sintassi</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6014"/> + <location filename="../QScintilla/Editor.py" line="6008"/> <source>No syntax error message available.</source> <translation>Nessun messaggio degli errori di sintassi disponibile.</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1173"/> + <location filename="../QScintilla/Editor.py" line="1167"/> <source>Toggle temporary breakpoint</source> <translation>Abilita/Disabilita breakpoint temporaneo</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="964"/> + <location filename="../QScintilla/Editor.py" line="958"/> <source>Show code coverage annotations</source> <translation>Mostra le annotazioni dell'analisi del codice</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="967"/> + <location filename="../QScintilla/Editor.py" line="961"/> <source>Hide code coverage annotations</source> <translation>Nascondi le annotazioni dell'analisi del codice</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1254"/> + <location filename="../QScintilla/Editor.py" line="1248"/> <source>Next uncovered line</source> <translation>Prossimo file non analizzato</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1257"/> + <location filename="../QScintilla/Editor.py" line="1251"/> <source>Previous uncovered line</source> <translation>File non analizzato precedente</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="5739"/> + <location filename="../QScintilla/Editor.py" line="5733"/> <source>Show Code Coverage Annotations</source> <translation>Mostra le annotazioni dell'analisi del codice</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="5732"/> + <location filename="../QScintilla/Editor.py" line="5726"/> <source>All lines have been covered.</source> <translation>Tutte le linee sono state analizzate.</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="5739"/> + <location filename="../QScintilla/Editor.py" line="5733"/> <source>There is no coverage file available.</source> <translation>Non ci sono file di analisi disponibili.</translation> </message> <message> + <location filename="../QScintilla/Editor.py" line="977"/> + <source>Diagrams</source> + <translation>Diagrammi</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="979"/> + <source>Class Diagram...</source> + <translation>Diagrammi di classe...</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="981"/> + <source>Package Diagram...</source> + <translation>Diagrammi del package...</translation> + </message> + <message> <location filename="../QScintilla/Editor.py" line="983"/> - <source>Diagrams</source> - <translation>Diagrammi</translation> + <source>Imports Diagram...</source> + <translation>Importa diagrammi...</translation> </message> <message> <location filename="../QScintilla/Editor.py" line="985"/> - <source>Class Diagram...</source> - <translation>Diagrammi di classe...</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="987"/> - <source>Package Diagram...</source> - <translation>Diagrammi del package...</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="989"/> - <source>Imports Diagram...</source> - <translation>Importa diagrammi...</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="991"/> <source>Application Diagram...</source> <translation>Diagrammi dell'applicazione...</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1012"/> + <location filename="../QScintilla/Editor.py" line="1006"/> <source>No Language</source> <translation>Nessun linguaggio</translation> </message> <message> + <location filename="../QScintilla/Editor.py" line="7000"/> + <source>Resources</source> + <translation>Risorse</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="7002"/> + <source>Add file...</source> + <translation>Aggiungi file...</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="7004"/> + <source>Add files...</source> + <translation>Aggiungi files...</translation> + </message> + <message> <location filename="../QScintilla/Editor.py" line="7006"/> - <source>Resources</source> - <translation>Risorse</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="7008"/> - <source>Add file...</source> - <translation>Aggiungi file...</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="7010"/> - <source>Add files...</source> - <translation>Aggiungi files...</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="7012"/> <source>Add aliased file...</source> <translation>Aggiungi file sinonimo...</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7015"/> + <location filename="../QScintilla/Editor.py" line="7009"/> <source>Add localized resource...</source> <translation>Aggiungi una risorsa localizzata...</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7038"/> + <location filename="../QScintilla/Editor.py" line="7032"/> <source>Add file resource</source> <translation>Aggiungi un file risorse</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7054"/> + <location filename="../QScintilla/Editor.py" line="7048"/> <source>Add file resources</source> <translation>Aggiundi dei file risorse</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7082"/> + <location filename="../QScintilla/Editor.py" line="7076"/> <source>Add aliased file resource</source> <translation>Aggiungi file sinonimo delle risorse</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7146"/> + <location filename="../QScintilla/Editor.py" line="7140"/> <source>Package Diagram</source> <translation>Diagrammi del package</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7146"/> + <location filename="../QScintilla/Editor.py" line="7140"/> <source>Include class attributes?</source> <translation>Includi gli attributi della classe ?</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7180"/> + <location filename="../QScintilla/Editor.py" line="7174"/> <source>Application Diagram</source> <translation>Diagrammi dell'applicazione</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7180"/> + <location filename="../QScintilla/Editor.py" line="7174"/> <source>Include module names?</source> <translation>Includi i nomi dei moduli ?</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7019"/> + <location filename="../QScintilla/Editor.py" line="7013"/> <source>Add resource frame</source> <translation>Aggiungi riquadro delle risorse</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6517"/> + <location filename="../QScintilla/Editor.py" line="6511"/> <source>Macro recording is already active. Start new?</source> <translation>Registrazione macro già attiva. Avvia nuovamente ?</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="921"/> + <location filename="../QScintilla/Editor.py" line="915"/> <source>Complete from Document</source> <translation type="unfinished">dal Documento</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="923"/> + <location filename="../QScintilla/Editor.py" line="917"/> <source>Complete from APIs</source> <translation type="unfinished">dalle APIs</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="925"/> + <location filename="../QScintilla/Editor.py" line="919"/> <source>Complete from Document and APIs</source> <translation type="unfinished">dal Documento e dalle APIs</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1261"/> + <location filename="../QScintilla/Editor.py" line="1255"/> <source>Next task</source> <translation>Prossimo task</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1264"/> + <location filename="../QScintilla/Editor.py" line="1258"/> <source>Previous task</source> <translation>Task precedente</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1134"/> + <location filename="../QScintilla/Editor.py" line="1128"/> <source>Export as</source> <translation>Esporta come</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1309"/> + <location filename="../QScintilla/Editor.py" line="1303"/> <source>Export source</source> <translation>Esporta sorgenti</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1309"/> + <location filename="../QScintilla/Editor.py" line="1303"/> <source>No export format given. Aborting...</source> <translation>Nessun formato di export impostato. Annullamento...</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7166"/> + <location filename="../QScintilla/Editor.py" line="7160"/> <source>Imports Diagram</source> <translation>Importa diagrammi</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7166"/> + <location filename="../QScintilla/Editor.py" line="7160"/> <source>Include imports from external modules?</source> <translation>Includi gli import dai moduli esterni ?</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="843"/> + <location filename="../QScintilla/Editor.py" line="837"/> <source>Calltip</source> <translation>Calltip</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="889"/> + <location filename="../QScintilla/Editor.py" line="883"/> <source>Print Preview</source> <translation>Anteprima Stampa</translation> </message> @@ -10490,77 +10490,77 @@ <translation><b>Una finesta di edit</b><p>Questa finestra è usata per visualizzare e modificare un file sorgente. Si possono aprire quante finestre si vogliono. Il nome del file è mostrato nella barra dei titolo della finestra.</p><p>Per impostare dei breakpoint basta cliccare nello spazio tra i numeri di riga e i marcatori di compressione. Con il menù contestuale del margine possono essere modificati.</p><p>Per impostare un segnalibro basta cliccare con lo Shift premuto nello spazio tra il numero di linea e i marcatori di compressione.</p><p>Queste azioni possono essere invertite con il menù contestuale.</p><p> Cliccare con il tasto Ctrl premuto un marcatore di errore della sintassi mostra delle informazioni sull'errore.</p></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="828"/> + <location filename="../QScintilla/Editor.py" line="822"/> <source>Typing aids enabled</source> <translation>Aiuti alla digitazione abilitati</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1098"/> + <location filename="../QScintilla/Editor.py" line="1092"/> <source>End-of-Line Type</source> <translation>Tipo di fine-linea</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1102"/> + <location filename="../QScintilla/Editor.py" line="1096"/> <source>Unix</source> <translation>Unix</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1109"/> + <location filename="../QScintilla/Editor.py" line="1103"/> <source>Windows</source> <translation>Windows</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1116"/> + <location filename="../QScintilla/Editor.py" line="1110"/> <source>Macintosh</source> <translation>Macintosh</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1057"/> + <location filename="../QScintilla/Editor.py" line="1051"/> <source>Encodings</source> <translation>Codifica</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1037"/> + <location filename="../QScintilla/Editor.py" line="1031"/> <source>Guessed</source> <translation>Indovinato</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1324"/> + <location filename="../QScintilla/Editor.py" line="1318"/> <source>Alternatives</source> <translation>Alternative</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1340"/> + <location filename="../QScintilla/Editor.py" line="1334"/> <source>Pygments Lexer</source> <translation>Analizzatore lessicale Pygments</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1340"/> + <location filename="../QScintilla/Editor.py" line="1334"/> <source>Select the Pygments lexer to apply.</source> <translation>Selezione l'analizzatore lessicale di Pygments da applicare.</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7473"/> + <location filename="../QScintilla/Editor.py" line="7467"/> <source>Check spelling...</source> <translation>Controllo sillabazione...</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="804"/> + <location filename="../QScintilla/Editor.py" line="798"/> <source>Check spelling of selection...</source> <translation>Controllo sillabazione della selezione...</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7476"/> + <location filename="../QScintilla/Editor.py" line="7470"/> <source>Add to dictionary</source> <translation>Aggiungi al dizionario</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7478"/> + <location filename="../QScintilla/Editor.py" line="7472"/> <source>Ignore All</source> <translation>Ignora tutto</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="808"/> + <location filename="../QScintilla/Editor.py" line="802"/> <source>Remove from dictionary</source> <translation>Rimuovi dal dizionario</translation> </message> @@ -10570,277 +10570,277 @@ <translation><p>La dimensione del file <b>{0}</b> è <b>{1} KB</b>. Sei sicuro di volerlo caricare ?</p></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1301"/> + <location filename="../QScintilla/Editor.py" line="1295"/> <source><p>No exporter available for the export format <b>{0}</b>. Aborting...</p></source> <translation><p>Nessun esportatore disponibile per il formato di export<b>{0}</b>. Termino...</p></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1320"/> + <location filename="../QScintilla/Editor.py" line="1314"/> <source>Alternatives ({0})</source> <translation>Alternative ({0})</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="2886"/> + <location filename="../QScintilla/Editor.py" line="2880"/> <source><p>The file <b>{0}</b> has unsaved changes.</p></source> <translation><p>Il file <b>{0}</b> contiene modifiche non salvate.</p></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="2946"/> + <location filename="../QScintilla/Editor.py" line="2940"/> <source><p>The file <b>{0}</b> could not be opened.</p><p>Reason: {1}</p></source> <translation><p>Il file <b>{0}</b> non può essere aperto.<br />Motivo: {1}</p></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="3060"/> + <location filename="../QScintilla/Editor.py" line="3054"/> <source><p>The file <b>{0}</b> could not be saved.<br/>Reason: {1}</p></source> <translation><p>Il file <b>{0}</b> non può essere salvato.<br />Motivo: {1}</p></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6442"/> + <location filename="../QScintilla/Editor.py" line="6436"/> <source><p>The macro file <b>{0}</b> could not be read.</p></source> <translation><p>Il file macro <b>{0}</b> non può essere letto.</p></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6451"/> + <location filename="../QScintilla/Editor.py" line="6445"/> <source><p>The macro file <b>{0}</b> is corrupt.</p></source> <translation><p>Il file macro <b>{0}</b> è danneggiato.</p></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6504"/> + <location filename="../QScintilla/Editor.py" line="6498"/> <source><p>The macro file <b>{0}</b> could not be written.</p></source> <translation><p>Il file macro <b>{0}</b> non può essere scritto.</p></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6845"/> + <location filename="../QScintilla/Editor.py" line="6839"/> <source>{0} (ro)</source> <translation>{0} (ro)</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6985"/> + <location filename="../QScintilla/Editor.py" line="6979"/> <source><p><b>{0}</b> is not a file.</p></source> <translation><p><b>{0}</b> non è un file.</p></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7082"/> + <location filename="../QScintilla/Editor.py" line="7076"/> <source>Alias for file <b>{0}</b>:</source> <translation>Alias per il file <b>{0}</b>:</translation> </message> <message> + <location filename="../QScintilla/Editor.py" line="1235"/> + <source>Next warning</source> + <translation>Warning successivo</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="1238"/> + <source>Previous warning</source> + <translation>Warning precedente</translation> + </message> + <message> <location filename="../QScintilla/Editor.py" line="1241"/> - <source>Next warning</source> - <translation>Warning successivo</translation> + <source>Show warning message</source> + <translation>Mostra Warning</translation> </message> <message> <location filename="../QScintilla/Editor.py" line="1244"/> - <source>Previous warning</source> - <translation>Warning precedente</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1247"/> - <source>Show warning message</source> - <translation>Mostra Warning</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1250"/> <source>Clear warnings</source> <translation>Pulisci warning</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="3119"/> + <location filename="../QScintilla/Editor.py" line="3113"/> <source><p>The file <b>{0}</b> already exists. Overwrite it?</p></source> <translation><p>Il file <b>{0}</b> esiste già. Sovrascriverlo ?</p></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6488"/> + <location filename="../QScintilla/Editor.py" line="6482"/> <source><p>The macro file <b>{0}</b> already exists. Overwrite it?</p></source> <translation><p>Il file delle macro <b>{0}</b> esiste già.Sovrascriverlo ?</p></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6290"/> + <location filename="../QScintilla/Editor.py" line="6284"/> <source>Warning: {0}</source> <translation>Attenzione: {0}</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6297"/> + <location filename="../QScintilla/Editor.py" line="6291"/> <source>Error: {0}</source> <translation>Errore: {0}</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6677"/> + <location filename="../QScintilla/Editor.py" line="6671"/> <source><br><b>Warning:</b> You will lose your changes upon reopening it.</source> <translation><br><b>Attenzione:</b> con la riapertura le modifiche andranno perse.</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="885"/> + <location filename="../QScintilla/Editor.py" line="879"/> <source>Open 'rejection' file</source> <translation>Apri file 'rifiuto'</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="995"/> + <location filename="../QScintilla/Editor.py" line="989"/> <source>Load Diagram...</source> <translation>Carica Diagramma...</translation> </message> <message> + <location filename="../QScintilla/Editor.py" line="1262"/> + <source>Next change</source> + <translation>Modifica successiva</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="1265"/> + <source>Previous change</source> + <translation>Modifica precedente</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="7884"/> + <source>Sort Lines</source> + <translation>Righe ordinate</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="7884"/> + <source>The selection contains illegal data for a numerical sort.</source> + <translation>La selezione contiene dati non validi per un ordinamento numerico.</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="6220"/> + <source>Warning</source> + <translation>Attenzione</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="6220"/> + <source>No warning messages available.</source> + <translation>Nessun messaggio di attenzione disponibile.</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="6281"/> + <source>Style: {0}</source> + <translation>Stile: {0}</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="853"/> + <source>New Document View</source> + <translation>Nuova vista Documento</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="856"/> + <source>New Document View (with new split)</source> + <translation>Nuova vista Documento (con nuova divisione)</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="943"/> + <source>Tools</source> + <translation>Strumenti</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="1073"/> + <source>Re-Open With Encoding</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="6665"/> + <source><p>The file <b>{0}</b> has been changed while it was opened in eric6. Reread it?</p></source> + <translation type="unfinished"><p>Il file <b>{0}</b> è stato modificato mentre era aperto in eric6. Rileggerlo ?</p></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="829"/> + <source>Automatic Completion enabled</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="909"/> + <source>Complete</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="4641"/> + <source>Auto-Completion Provider</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="4641"/> + <source>The completion list provider '{0}' was already registered. Ignoring duplicate request.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="4895"/> + <source>Call-Tips Provider</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="4895"/> + <source>The call-tips provider '{0}' was already registered. Ignoring duplicate request.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="7971"/> + <source>Register Mouse Click Handler</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="7971"/> + <source>A mouse click handler for "{0}" was already registered by "{1}". Aborting request by "{2}"...</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="873"/> + <source>Save Copy...</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="912"/> + <source>Clear Completions Cache</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="839"/> + <source>Code Info</source> + <translation type="unfinished"></translation> + </message> + <message> <location filename="../QScintilla/Editor.py" line="1268"/> - <source>Next change</source> - <translation>Modifica successiva</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1271"/> - <source>Previous change</source> - <translation>Modifica precedente</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="7890"/> - <source>Sort Lines</source> - <translation>Righe ordinate</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="7890"/> - <source>The selection contains illegal data for a numerical sort.</source> - <translation>La selezione contiene dati non validi per un ordinamento numerico.</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="6226"/> - <source>Warning</source> - <translation>Attenzione</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="6226"/> - <source>No warning messages available.</source> - <translation>Nessun messaggio di attenzione disponibile.</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="6287"/> - <source>Style: {0}</source> - <translation>Stile: {0}</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="859"/> - <source>New Document View</source> - <translation>Nuova vista Documento</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="862"/> - <source>New Document View (with new split)</source> - <translation>Nuova vista Documento (con nuova divisione)</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="949"/> - <source>Tools</source> - <translation>Strumenti</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1079"/> - <source>Re-Open With Encoding</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="6671"/> - <source><p>The file <b>{0}</b> has been changed while it was opened in eric6. Reread it?</p></source> - <translation type="unfinished"><p>Il file <b>{0}</b> è stato modificato mentre era aperto in eric6. Rileggerlo ?</p></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="835"/> - <source>Automatic Completion enabled</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="915"/> - <source>Complete</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="4647"/> - <source>Auto-Completion Provider</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="4647"/> - <source>The completion list provider '{0}' was already registered. Ignoring duplicate request.</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="4901"/> - <source>Call-Tips Provider</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="4901"/> - <source>The call-tips provider '{0}' was already registered. Ignoring duplicate request.</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="7977"/> - <source>Register Mouse Click Handler</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="7977"/> - <source>A mouse click handler for "{0}" was already registered by "{1}". Aborting request by "{2}"...</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="879"/> - <source>Save Copy...</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="918"/> - <source>Clear Completions Cache</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="845"/> - <source>Code Info</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1274"/> <source>Clear changes</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="770"/> + <location filename="../QScintilla/Editor.py" line="764"/> <source>Execute Selection In Console</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="8098"/> + <location filename="../QScintilla/Editor.py" line="8092"/> <source>EditorConfig Properties</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="8098"/> + <location filename="../QScintilla/Editor.py" line="8092"/> <source><p>The EditorConfig properties for file <b>{0}</b> could not be loaded.</p></source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1197"/> + <location filename="../QScintilla/Editor.py" line="1191"/> <source>Toggle all folds</source> <translation type="unfinished">Abilita/Disabilita tutti i raggruppamenti</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1201"/> + <location filename="../QScintilla/Editor.py" line="1195"/> <source>Toggle all folds (including children)</source> <translation type="unfinished">Abilita/Disabilita tutti i raggruppamenti (inclusi i figli)</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1205"/> + <location filename="../QScintilla/Editor.py" line="1199"/> <source>Toggle current fold</source> <translation type="unfinished">Abilita/Disabilita il raggruppamento corrente</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1210"/> + <location filename="../QScintilla/Editor.py" line="1204"/> <source>Expand (including children)</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1214"/> + <location filename="../QScintilla/Editor.py" line="1208"/> <source>Collapse (including children)</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1219"/> + <location filename="../QScintilla/Editor.py" line="1213"/> <source>Clear all folds</source> <translation type="unfinished"></translation> </message> @@ -45530,12 +45530,12 @@ <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/MiniEditor.py" line="3401"/> + <location filename="../QScintilla/MiniEditor.py" line="3405"/> <source>EditorConfig Properties</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/MiniEditor.py" line="3401"/> + <location filename="../QScintilla/MiniEditor.py" line="3405"/> <source><p>The EditorConfig properties for file <b>{0}</b> could not be loaded.</p></source> <translation type="unfinished"></translation> </message> @@ -45548,252 +45548,252 @@ <context> <name>MiscellaneousChecker</name> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="476"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="482"/> <source>coding magic comment not found</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="479"/> - <source>unknown encoding ({0}) found in coding magic comment</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="482"/> - <source>copyright notice not present</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="485"/> + <source>unknown encoding ({0}) found in coding magic comment</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="488"/> + <source>copyright notice not present</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="491"/> <source>copyright notice contains invalid author</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="562"/> - <source>found {0} formatter</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="565"/> - <source>format string does contain unindexed parameters</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="568"/> - <source>docstring does contain unindexed parameters</source> + <source>found {0} formatter</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="571"/> - <source>other string does contain unindexed parameters</source> + <source>format string does contain unindexed parameters</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="574"/> - <source>format call uses too large index ({0})</source> + <source>docstring does contain unindexed parameters</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="577"/> - <source>format call uses missing keyword ({0})</source> + <source>other string does contain unindexed parameters</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="580"/> - <source>format call uses keyword arguments but no named entries</source> + <source>format call uses too large index ({0})</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="583"/> - <source>format call uses variable arguments but no numbered entries</source> + <source>format call uses missing keyword ({0})</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="586"/> - <source>format call uses implicit and explicit indexes together</source> + <source>format call uses keyword arguments but no named entries</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="589"/> - <source>format call provides unused index ({0})</source> + <source>format call uses variable arguments but no numbered entries</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="592"/> + <source>format call uses implicit and explicit indexes together</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="595"/> + <source>format call provides unused index ({0})</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="598"/> <source>format call provides unused keyword ({0})</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="610"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="616"/> <source>expected these __future__ imports: {0}; but only got: {1}</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="613"/> - <source>expected these __future__ imports: {0}; but got none</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="619"/> + <source>expected these __future__ imports: {0}; but got none</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="625"/> <source>print statement found</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="622"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="628"/> <source>one element tuple found</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="634"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="640"/> <source>{0}: {1}</source> <translation type="unfinished">{0}: {1}</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="488"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="494"/> <source>"{0}" is a Python builtin and is being shadowed; consider renaming the variable</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="492"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="498"/> <source>"{0}" is used as an argument and thus shadows a Python builtin; consider renaming the argument</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="496"/> - <source>unnecessary generator - rewrite as a list comprehension</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="499"/> - <source>unnecessary generator - rewrite as a set comprehension</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="502"/> - <source>unnecessary generator - rewrite as a dict comprehension</source> + <source>unnecessary generator - rewrite as a list comprehension</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="505"/> - <source>unnecessary list comprehension - rewrite as a set comprehension</source> + <source>unnecessary generator - rewrite as a set comprehension</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="508"/> - <source>unnecessary list comprehension - rewrite as a dict comprehension</source> + <source>unnecessary generator - rewrite as a dict comprehension</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="511"/> - <source>unnecessary list literal - rewrite as a set literal</source> + <source>unnecessary list comprehension - rewrite as a set comprehension</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="514"/> - <source>unnecessary list literal - rewrite as a dict literal</source> + <source>unnecessary list comprehension - rewrite as a dict comprehension</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="517"/> - <source>unnecessary list comprehension - "{0}" can take a generator</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="628"/> - <source>mutable default argument of type {0}</source> + <source>unnecessary list literal - rewrite as a set literal</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="520"/> + <source>unnecessary list literal - rewrite as a dict literal</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="523"/> + <source>unnecessary list comprehension - "{0}" can take a generator</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="634"/> + <source>mutable default argument of type {0}</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="526"/> <source>sort keys - '{0}' should be before '{1}'</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="598"/> - <source>logging statement uses '%'</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="604"/> + <source>logging statement uses '%'</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="610"/> <source>logging statement uses f-string</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="607"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="613"/> <source>logging statement uses 'warn' instead of 'warning'</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="595"/> - <source>logging statement uses string.format()</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="601"/> + <source>logging statement uses string.format()</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="607"/> <source>logging statement uses '+'</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="616"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="622"/> <source>gettext import with alias _ found: {0}</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="523"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="529"/> <source>Python does not support the unary prefix increment</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="533"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="539"/> <source>'sys.maxint' is not defined in Python 3 - use 'sys.maxsize'</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="536"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="542"/> <source>'BaseException.message' has been deprecated as of Python 2.6 and is removed in Python 3 - use 'str(e)'</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="540"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="546"/> <source>assigning to 'os.environ' does not clear the environment - use 'os.environ.clear()'</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="548"/> - <source>Python 3 does not include '.iter*' methods on dictionaries</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="551"/> - <source>Python 3 does not include '.view*' methods on dictionaries</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="554"/> - <source>'.next()' does not exist in Python 3</source> + <source>Python 3 does not include '.iter*' methods on dictionaries</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="557"/> + <source>Python 3 does not include '.view*' methods on dictionaries</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="560"/> + <source>'.next()' does not exist in Python 3</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="563"/> <source>'__metaclass__' does nothing on Python 3 - use 'class MyClass(BaseClass, metaclass=...)'</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="631"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="637"/> <source>mutable default argument of function call '{0}'</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="526"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="532"/> <source>using .strip() with multi-character strings is misleading</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="529"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="535"/> <source>using 'hasattr(x, "__call__")' to test if 'x' is callable is unreliable</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="544"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="550"/> <source>loop control variable {0} not used within the loop body - start the name with an underscore</source> <translation type="unfinished"></translation> </message> @@ -46224,72 +46224,72 @@ <context> <name>NamingStyleChecker</name> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="420"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="426"/> <source>class names should use CapWords convention</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="423"/> - <source>function name should be lowercase</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="426"/> - <source>argument name should be lowercase</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="429"/> - <source>first argument of a class method should be named 'cls'</source> + <source>function name should be lowercase</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="432"/> - <source>first argument of a method should be named 'self'</source> + <source>argument name should be lowercase</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="435"/> + <source>first argument of a class method should be named 'cls'</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="438"/> + <source>first argument of a method should be named 'self'</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="441"/> <source>first argument of a static method should not be named 'self' or 'cls</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="439"/> - <source>module names should be lowercase</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="442"/> - <source>package names should be lowercase</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="445"/> - <source>constant imported as non constant</source> + <source>module names should be lowercase</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="448"/> - <source>lowercase imported as non lowercase</source> + <source>package names should be lowercase</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="451"/> - <source>camelcase imported as lowercase</source> + <source>constant imported as non constant</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="454"/> - <source>camelcase imported as constant</source> + <source>lowercase imported as non lowercase</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="457"/> - <source>variable in function should be lowercase</source> + <source>camelcase imported as lowercase</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="460"/> + <source>camelcase imported as constant</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="463"/> + <source>variable in function should be lowercase</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="466"/> <source>names 'l', 'O' and 'I' should be avoided</source> <translation type="unfinished"></translation> </message> @@ -86910,125 +86910,145 @@ <translation type="unfinished">Variabile locale {0!r} (definita nello scopo dalla linea {1!r}) usata prima di essere assegnata.</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="39"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="43"/> <source>Duplicate argument {0!r} in function definition.</source> <translation type="unfinished">Argomento duplicato {0!r} nella definizione della funzione.</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="45"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="49"/> <source>from __future__ imports must occur at the beginning of the file</source> <translation type="unfinished">Future import(s) {0!r} dopo altre istruzioni.</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="48"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="52"/> <source>Local variable {0!r} is assigned to but never used.</source> <translation type="unfinished">La variabile locale {0!r} è assegata ma mai utilizzata.</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="42"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="46"/> <source>Redefinition of {0!r} from line {1!r}.</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="51"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="55"/> <source>List comprehension redefines {0!r} from line {1!r}.</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="54"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="58"/> <source>Syntax error detected in doctest.</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="126"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="139"/> <source>no message defined for code '{0}'</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="57"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="61"/> <source>'return' with argument inside generator</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="60"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="64"/> <source>'return' outside function</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="63"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="67"/> <source>'from {0} import *' only allowed at module level</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="66"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="70"/> <source>{0!r} may be undefined, or defined from star imports: {1}</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="69"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="73"/> <source>Dictionary key {0!r} repeated with different values</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="72"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="76"/> <source>Dictionary key variable {0} repeated with different values</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="75"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="79"/> <source>Future feature {0} is not defined</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="78"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="82"/> <source>'yield' outside function</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="84"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="88"/> <source>'break' outside loop</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="87"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="91"/> <source>'continue' not supported inside 'finally' clause</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="90"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="94"/> <source>Default 'except:' must be last</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="93"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="97"/> <source>Two starred expressions in assignment</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="96"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="100"/> <source>Too many expressions in star-unpacking assignment</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="99"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="103"/> <source>Assertion is always true, perhaps remove parentheses?</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="81"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="85"/> <source>'continue' not properly in loop</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="102"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="106"/> <source>syntax error in forward annotation {0!r}</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="105"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="109"/> <source>'raise NotImplemented' should be 'raise NotImplementedError'</source> <translation type="unfinished"></translation> </message> + <message> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="39"/> + <source>Local variable {0!r} (defined as a builtin) referenced before assignment.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="112"/> + <source>syntax error in type comment {0!r}</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="115"/> + <source>use of >> is invalid with print function</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="118"/> + <source>use ==/!= to compare str, bytes, and int literals</source> + <translation type="unfinished"></translation> + </message> </context> <context> <name>pycodestyle</name> @@ -87068,375 +87088,385 @@ <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="40"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="43"/> <source>continuation line indentation is not a multiple of four</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="43"/> - <source>continuation line missing indentation or outdented</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="46"/> + <source>continuation line missing indentation or outdented</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="49"/> <source>closing bracket does not match indentation of opening bracket's line</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="50"/> - <source>closing bracket does not match visual indentation</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="53"/> - <source>continuation line with same indent as next logical line</source> + <source>closing bracket does not match visual indentation</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="56"/> - <source>continuation line over-indented for hanging indent</source> + <source>continuation line with same indent as next logical line</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="59"/> - <source>continuation line over-indented for visual indent</source> + <source>continuation line over-indented for hanging indent</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="62"/> - <source>continuation line under-indented for visual indent</source> + <source>continuation line over-indented for visual indent</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="65"/> - <source>visually indented line with same indent as next logical line</source> + <source>continuation line under-indented for visual indent</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="68"/> - <source>continuation line unaligned for hanging indent</source> + <source>visually indented line with same indent as next logical line</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="71"/> - <source>closing bracket is missing indentation</source> + <source>continuation line unaligned for hanging indent</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="74"/> - <source>indentation contains tabs</source> - <translation type="unfinished">identazione contiene tab</translation> + <source>closing bracket is missing indentation</source> + <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="77"/> + <source>indentation contains tabs</source> + <translation type="unfinished">identazione contiene tab</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="80"/> <source>whitespace after '{0}'</source> <translation type="unfinished">spazio dopo '{0}'</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="86"/> - <source>whitespace before '{0}'</source> - <translation type="unfinished">spazio prima '{0}'</translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="89"/> - <source>multiple spaces before operator</source> - <translation type="unfinished">spazi multipli prima dell'operatore</translation> + <source>whitespace before '{0}'</source> + <translation type="unfinished">spazio prima '{0}'</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="92"/> - <source>multiple spaces after operator</source> - <translation type="unfinished">spazi multipli dopo l'operatore</translation> + <source>multiple spaces before operator</source> + <translation type="unfinished">spazi multipli prima dell'operatore</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="95"/> - <source>tab before operator</source> - <translation type="unfinished">tab prima dell'operatore</translation> + <source>multiple spaces after operator</source> + <translation type="unfinished">spazi multipli dopo l'operatore</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="98"/> - <source>tab after operator</source> - <translation type="unfinished">tab dopo l'operatore</translation> + <source>tab before operator</source> + <translation type="unfinished">tab prima dell'operatore</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="101"/> - <source>missing whitespace around operator</source> - <translation type="unfinished">spazi intorno all'operatore mancanti</translation> + <source>tab after operator</source> + <translation type="unfinished">tab dopo l'operatore</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="104"/> - <source>missing whitespace around arithmetic operator</source> - <translation type="unfinished"></translation> + <source>missing whitespace around operator</source> + <translation type="unfinished">spazi intorno all'operatore mancanti</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="107"/> - <source>missing whitespace around bitwise or shift operator</source> + <source>missing whitespace around arithmetic operator</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="110"/> - <source>missing whitespace around modulo operator</source> + <source>missing whitespace around bitwise or shift operator</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="113"/> - <source>missing whitespace after '{0}'</source> - <translation type="unfinished">spazi dopo '{0}' mancanti</translation> + <source>missing whitespace around modulo operator</source> + <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="116"/> - <source>multiple spaces after '{0}'</source> - <translation type="unfinished">spazi multipli dopo '{0}'</translation> + <source>missing whitespace after '{0}'</source> + <translation type="unfinished">spazi dopo '{0}' mancanti</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="119"/> - <source>tab after '{0}'</source> - <translation type="unfinished">tab dopo '{0}'</translation> + <source>multiple spaces after '{0}'</source> + <translation type="unfinished">spazi multipli dopo '{0}'</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="122"/> + <source>tab after '{0}'</source> + <translation type="unfinished">tab dopo '{0}'</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="125"/> <source>unexpected spaces around keyword / parameter equals</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="128"/> - <source>at least two spaces before inline comment</source> - <translation type="unfinished">al massimo due spazi prima di un commento inline</translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="131"/> - <source>inline comment should start with '# '</source> - <translation type="unfinished">commento inline deve iniziare con '#'</translation> + <source>at least two spaces before inline comment</source> + <translation type="unfinished">al massimo due spazi prima di un commento inline</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="134"/> - <source>block comment should start with '# '</source> - <translation type="unfinished"></translation> + <source>inline comment should start with '# '</source> + <translation type="unfinished">commento inline deve iniziare con '#'</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="137"/> - <source>too many leading '#' for block comment</source> + <source>block comment should start with '# '</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="140"/> - <source>multiple spaces after keyword</source> + <source>too many leading '#' for block comment</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="143"/> - <source>multiple spaces before keyword</source> + <source>multiple spaces after keyword</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="146"/> - <source>tab after keyword</source> + <source>multiple spaces before keyword</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="149"/> - <source>tab before keyword</source> + <source>tab after keyword</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="152"/> - <source>missing whitespace after keyword</source> + <source>tab before keyword</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="155"/> - <source>trailing whitespace</source> - <translation type="unfinished">spazi all'inizio</translation> + <source>missing whitespace after keyword</source> + <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="158"/> - <source>no newline at end of file</source> - <translation type="unfinished">nessun ritorno a capo alla fine del file</translation> + <source>trailing whitespace</source> + <translation type="unfinished">spazi all'inizio</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="161"/> + <source>no newline at end of file</source> + <translation type="unfinished">nessun ritorno a capo alla fine del file</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="164"/> <source>blank line contains whitespace</source> <translation type="unfinished">attesa 1 line vuota, 0 trovate</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="186"/> - <source>too many blank lines ({0})</source> - <translation type="unfinished">troppe linee vuote ({0})</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="173"/> - <source>blank lines found after function decorator</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="189"/> - <source>blank line at end of file</source> - <translation type="unfinished">linea vuota alla fine del file</translation> + <source>too many blank lines ({0})</source> + <translation type="unfinished">troppe linee vuote ({0})</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="176"/> + <source>blank lines found after function decorator</source> + <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="192"/> - <source>multiple imports on one line</source> - <translation type="unfinished">import multipli su una linea</translation> + <source>blank line at end of file</source> + <translation type="unfinished">linea vuota alla fine del file</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="195"/> - <source>module level import not at top of file</source> - <translation type="unfinished"></translation> + <source>multiple imports on one line</source> + <translation type="unfinished">import multipli su una linea</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="198"/> - <source>line too long ({0} > {1} characters)</source> + <source>module level import not at top of file</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="201"/> - <source>the backslash is redundant between brackets</source> + <source>line too long ({0} > {1} characters)</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="204"/> + <source>the backslash is redundant between brackets</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="207"/> <source>line break before binary operator</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="210"/> - <source>.has_key() is deprecated, use 'in'</source> - <translation type="unfinished">.has_key è deprecato, usa 'in'</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="213"/> - <source>deprecated form of raising exception</source> - <translation type="unfinished">forma di sollevamento eccezioni deprecata</translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="216"/> - <source>'<>' is deprecated, use '!='</source> - <translation type="unfinished">'<>' è deprecato, usa '!='</translation> + <source>.has_key() is deprecated, use 'in'</source> + <translation type="unfinished">.has_key è deprecato, usa 'in'</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="219"/> + <source>deprecated form of raising exception</source> + <translation type="unfinished">forma di sollevamento eccezioni deprecata</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="222"/> + <source>'<>' is deprecated, use '!='</source> + <translation type="unfinished">'<>' è deprecato, usa '!='</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="225"/> <source>backticks are deprecated, use 'repr()'</source> <translation type="unfinished">virgolette rovesciare sono deprecate, usa 'repr()'</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="228"/> - <source>multiple statements on one line (colon)</source> - <translation type="unfinished">istruzioni multiple su una linea (due punti)</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="231"/> - <source>multiple statements on one line (semicolon)</source> - <translation type="unfinished">istruzioni multiple su una linea (punto e virgola)</translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="234"/> - <source>statement ends with a semicolon</source> - <translation type="unfinished"></translation> + <source>multiple statements on one line (colon)</source> + <translation type="unfinished">istruzioni multiple su una linea (due punti)</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="237"/> - <source>multiple statements on one line (def)</source> + <source>multiple statements on one line (semicolon)</source> + <translation type="unfinished">istruzioni multiple su una linea (punto e virgola)</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="240"/> + <source>statement ends with a semicolon</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="243"/> - <source>comparison to {0} should be {1}</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="246"/> - <source>test for membership should be 'not in'</source> + <source>multiple statements on one line (def)</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="249"/> - <source>test for object identity should be 'is not'</source> + <source>comparison to {0} should be {1}</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="252"/> - <source>do not compare types, use 'isinstance()'</source> + <source>test for membership should be 'not in'</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="255"/> + <source>test for object identity should be 'is not'</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="258"/> - <source>do not assign a lambda expression, use a def</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="261"/> - <source>ambiguous variable name '{0}'</source> + <source>do not compare types, use 'isinstance()'</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="264"/> - <source>ambiguous class definition '{0}'</source> + <source>do not assign a lambda expression, use a def</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="267"/> - <source>ambiguous function definition '{0}'</source> + <source>ambiguous variable name '{0}'</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="270"/> - <source>{0}: {1}</source> - <translation type="unfinished">{0}: {1}</translation> + <source>ambiguous class definition '{0}'</source> + <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="273"/> + <source>ambiguous function definition '{0}'</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="276"/> + <source>{0}: {1}</source> + <translation type="unfinished">{0}: {1}</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="279"/> <source>{0}</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="255"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="261"/> <source>do not use bare except</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="176"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="179"/> <source>expected {0} blank lines after class or function definition, found {1}</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="225"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="231"/> <source>'async' and 'await' are reserved keywords starting with Python 3.7</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="125"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="128"/> <source>missing whitespace around parameter equals</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="167"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="170"/> <source>expected {0} blank lines, found {1}</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="180"/> - <source>expected {0} blank lines before a nested definition, found {1}</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="207"/> - <source>line break after binary operator</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="222"/> - <source>invalid escape sequence '\{0}'</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="183"/> + <source>expected {0} blank lines before a nested definition, found {1}</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="210"/> + <source>line break after binary operator</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="228"/> + <source>invalid escape sequence '\{0}'</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="186"/> <source>too many blank lines ({0}) before a nested definition, expected {1}</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="170"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="173"/> <source>too many blank lines ({0}), expected {1}</source> <translation type="unfinished"></translation> </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="40"/> + <source>over-indented</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="213"/> + <source>doc line too long ({0} > {1} characters)</source> + <translation type="unfinished"></translation> + </message> </context> <context> <name>subversion</name>
--- a/i18n/eric6_pt.ts Wed Feb 13 20:41:45 2019 +0100 +++ b/i18n/eric6_pt.ts Thu Feb 14 18:58:22 2019 +0100 @@ -3696,142 +3696,142 @@ <context> <name>CodeStyleFixer</name> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="639"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="645"/> <source>Triple single quotes converted to triple double quotes.</source> <translation>Três aspas simples convertidas a três aspas duplas.</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="642"/> - <source>Introductory quotes corrected to be {0}"""</source> - <translation>Corrigidas as aspas introdutórias para ser {0}"""</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="645"/> - <source>Single line docstring put on one line.</source> - <translation>Docstring de linha única posta numa linha.</translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="648"/> - <source>Period added to summary line.</source> - <translation>Ponto adicionado à linha sumário.</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="675"/> - <source>Blank line before function/method docstring removed.</source> - <translation>Retirada a linha vazia antes da docstring de função/método.</translation> + <source>Introductory quotes corrected to be {0}"""</source> + <translation>Corrigidas as aspas introdutórias para ser {0}"""</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="651"/> + <source>Single line docstring put on one line.</source> + <translation>Docstring de linha única posta numa linha.</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="654"/> - <source>Blank line inserted before class docstring.</source> - <translation>Linha branca inserida antes da docstring de classe.</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="657"/> - <source>Blank line inserted after class docstring.</source> - <translation>Inserida linha vazia depois da docstring de classe.</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="660"/> - <source>Blank line inserted after docstring summary.</source> - <translation>Inserida linha vazia depois da docstring de sumário.</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="663"/> - <source>Blank line inserted after last paragraph of docstring.</source> - <translation>Inserida linha vazia depois do último parágrafo da docstring.</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="666"/> - <source>Leading quotes put on separate line.</source> - <translation>Aspas iniciais postas numa linha separada.</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="669"/> - <source>Trailing quotes put on separate line.</source> - <translation>Aspas finais postas numa linha separada.</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="672"/> - <source>Blank line before class docstring removed.</source> - <translation>Retirada linha vazia antes da docstring de classe.</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="678"/> - <source>Blank line after class docstring removed.</source> - <translation>Retirada linha vazia depois da docstring de classe.</translation> + <source>Period added to summary line.</source> + <translation>Ponto adicionado à linha sumário.</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="681"/> - <source>Blank line after function/method docstring removed.</source> - <translation>Retirada a linha vazia depois da docstring de função/método.</translation> + <source>Blank line before function/method docstring removed.</source> + <translation>Retirada a linha vazia antes da docstring de função/método.</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="660"/> + <source>Blank line inserted before class docstring.</source> + <translation>Linha branca inserida antes da docstring de classe.</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="663"/> + <source>Blank line inserted after class docstring.</source> + <translation>Inserida linha vazia depois da docstring de classe.</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="666"/> + <source>Blank line inserted after docstring summary.</source> + <translation>Inserida linha vazia depois da docstring de sumário.</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="669"/> + <source>Blank line inserted after last paragraph of docstring.</source> + <translation>Inserida linha vazia depois do último parágrafo da docstring.</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="672"/> + <source>Leading quotes put on separate line.</source> + <translation>Aspas iniciais postas numa linha separada.</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="675"/> + <source>Trailing quotes put on separate line.</source> + <translation>Aspas finais postas numa linha separada.</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="678"/> + <source>Blank line before class docstring removed.</source> + <translation>Retirada linha vazia antes da docstring de classe.</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="684"/> - <source>Blank line after last paragraph removed.</source> - <translation>Retirada linha vazia depois do último parágrafo.</translation> + <source>Blank line after class docstring removed.</source> + <translation>Retirada linha vazia depois da docstring de classe.</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="687"/> - <source>Tab converted to 4 spaces.</source> - <translation>Tabulação convertida a 4 espaços.</translation> + <source>Blank line after function/method docstring removed.</source> + <translation>Retirada a linha vazia depois da docstring de função/método.</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="690"/> - <source>Indentation adjusted to be a multiple of four.</source> - <translation>Ajustada a indentação a múltiplos de quatro.</translation> + <source>Blank line after last paragraph removed.</source> + <translation>Retirada linha vazia depois do último parágrafo.</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="693"/> - <source>Indentation of continuation line corrected.</source> - <translation>Corrigida a indentação da linha de continuação.</translation> + <source>Tab converted to 4 spaces.</source> + <translation>Tabulação convertida a 4 espaços.</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="696"/> - <source>Indentation of closing bracket corrected.</source> - <translation>Corrigida a indentação de parêntesis de fecho.</translation> + <source>Indentation adjusted to be a multiple of four.</source> + <translation>Ajustada a indentação a múltiplos de quatro.</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="699"/> - <source>Missing indentation of continuation line corrected.</source> - <translation>Corrigida falta de indentação na linha de continuação.</translation> + <source>Indentation of continuation line corrected.</source> + <translation>Corrigida a indentação da linha de continuação.</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="702"/> - <source>Closing bracket aligned to opening bracket.</source> - <translation>Parêntesis de fecho alinhado com parêntesis de abertura.</translation> + <source>Indentation of closing bracket corrected.</source> + <translation>Corrigida a indentação de parêntesis de fecho.</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="705"/> - <source>Indentation level changed.</source> - <translation>Alterado o nível da indentação.</translation> + <source>Missing indentation of continuation line corrected.</source> + <translation>Corrigida falta de indentação na linha de continuação.</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="708"/> - <source>Indentation level of hanging indentation changed.</source> - <translation>Alterado o nível da indentação pendente.</translation> + <source>Closing bracket aligned to opening bracket.</source> + <translation>Parêntesis de fecho alinhado com parêntesis de abertura.</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="711"/> + <source>Indentation level changed.</source> + <translation>Alterado o nível da indentação.</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="714"/> + <source>Indentation level of hanging indentation changed.</source> + <translation>Alterado o nível da indentação pendente.</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="717"/> <source>Visual indentation corrected.</source> <translation>Indentação visual corrigida.</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="726"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="732"/> <source>Extraneous whitespace removed.</source> <translation>Espaço estranho retirado.</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="723"/> - <source>Missing whitespace added.</source> - <translation>Adicionado espaço branco em falta.</translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="729"/> + <source>Missing whitespace added.</source> + <translation>Adicionado espaço branco em falta.</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="735"/> <source>Whitespace around comment sign corrected.</source> <translation>Corrigido espaço em volta do símbolo de comentário.</translation> </message> <message numerus="yes"> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="733"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="739"/> <source>%n blank line(s) inserted.</source> <translation> <numerusform>inserida uma linha vazia.</numerusform> @@ -3839,7 +3839,7 @@ </translation> </message> <message numerus="yes"> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="736"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="742"/> <source>%n superfluous lines removed</source> <translation> <numerusform>retirada uma linha desnecessária</numerusform> @@ -3847,77 +3847,77 @@ </translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="740"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="746"/> <source>Superfluous blank lines removed.</source> <translation>Retiradas linhas vazias desnecessárias.</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="743"/> - <source>Superfluous blank lines after function decorator removed.</source> - <translation>Retiradas linhas vazias desnecessárias após o decorador de função.</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="746"/> - <source>Imports were put on separate lines.</source> - <translation>Imports foram postos em linhas separadas.</translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="749"/> - <source>Long lines have been shortened.</source> - <translation>Foram encolhidas as linhas compridas.</translation> + <source>Superfluous blank lines after function decorator removed.</source> + <translation>Retiradas linhas vazias desnecessárias após o decorador de função.</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="752"/> - <source>Redundant backslash in brackets removed.</source> - <translation>Retirada barra invertida redundante entre parêntesis.</translation> + <source>Imports were put on separate lines.</source> + <translation>Imports foram postos em linhas separadas.</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="755"/> + <source>Long lines have been shortened.</source> + <translation>Foram encolhidas as linhas compridas.</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="758"/> - <source>Compound statement corrected.</source> - <translation>Instrução composta corrigida.</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="761"/> - <source>Comparison to None/True/False corrected.</source> - <translation>Corrigida a comparação a None/True/False.</translation> + <source>Redundant backslash in brackets removed.</source> + <translation>Retirada barra invertida redundante entre parêntesis.</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="764"/> - <source>'{0}' argument added.</source> - <translation>Adicionado o argumento '{0}'.</translation> + <source>Compound statement corrected.</source> + <translation>Instrução composta corrigida.</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="767"/> - <source>'{0}' argument removed.</source> - <translation>Removido o argumento '{0}'.</translation> + <source>Comparison to None/True/False corrected.</source> + <translation>Corrigida a comparação a None/True/False.</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="770"/> - <source>Whitespace stripped from end of line.</source> - <translation>Eliminado o espaço no fim de linha.</translation> + <source>'{0}' argument added.</source> + <translation>Adicionado o argumento '{0}'.</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="773"/> - <source>newline added to end of file.</source> - <translation>adicionada uma linha nova ao fim do ficheiro.</translation> + <source>'{0}' argument removed.</source> + <translation>Removido o argumento '{0}'.</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="776"/> - <source>Superfluous trailing blank lines removed from end of file.</source> - <translation>Retiradas linhas vazias desnecessárias do fim do ficheiro.</translation> + <source>Whitespace stripped from end of line.</source> + <translation>Eliminado o espaço no fim de linha.</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="779"/> + <source>newline added to end of file.</source> + <translation>adicionada uma linha nova ao fim do ficheiro.</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="782"/> + <source>Superfluous trailing blank lines removed from end of file.</source> + <translation>Retiradas linhas vazias desnecessárias do fim do ficheiro.</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="785"/> <source>'<>' replaced by '!='.</source> <translation>'<>' substituido por '!='.</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="783"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="789"/> <source>Could not save the file! Skipping it. Reason: {0}</source> <translation>Não se pode gravar ficheiro! Saltando-o. Motivo: {0}</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="872"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="879"/> <source> no message defined for code '{0}'</source> <translation> sem mensagem definida para código '{0}'</translation> </message> @@ -4395,22 +4395,22 @@ <context> <name>ComplexityChecker</name> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="465"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="471"/> <source>'{0}' is too complex ({1})</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="467"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="473"/> <source>source code line is too complex ({0})</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="469"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="475"/> <source>overall source code line complexity is too high ({0})</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="472"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="478"/> <source>{0}: {1}</source> <translation type="unfinished">{0}: {1}</translation> </message> @@ -7384,242 +7384,242 @@ <context> <name>DocStyleChecker</name> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="278"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="284"/> <source>module is missing a docstring</source> <translation>falta uma docstring ao modulo</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="280"/> - <source>public function/method is missing a docstring</source> - <translation>falta uma docstring ao método/função pública</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="283"/> - <source>private function/method may be missing a docstring</source> - <translation>pode faltar uma docstring ao método/função privada</translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="286"/> - <source>public class is missing a docstring</source> - <translation>falta uma docstring à classe pública</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="288"/> - <source>private class may be missing a docstring</source> - <translation>pode faltar uma docstring à classe privada</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="290"/> - <source>docstring not surrounded by """</source> - <translation>docstring não envolvida por """</translation> + <source>public function/method is missing a docstring</source> + <translation>falta uma docstring ao método/função pública</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="289"/> + <source>private function/method may be missing a docstring</source> + <translation>pode faltar uma docstring ao método/função privada</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="292"/> - <source>docstring containing \ not surrounded by r"""</source> - <translation>docstring contém \ não envolvida por r"""</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="295"/> - <source>docstring containing unicode character not surrounded by u"""</source> - <translation>docstring contém carácteres unicódigo não envolvida por u"""</translation> + <source>public class is missing a docstring</source> + <translation>falta uma docstring à classe pública</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="294"/> + <source>private class may be missing a docstring</source> + <translation>pode faltar uma docstring à classe privada</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="296"/> + <source>docstring not surrounded by """</source> + <translation>docstring não envolvida por """</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="298"/> + <source>docstring containing \ not surrounded by r"""</source> + <translation>docstring contém \ não envolvida por r"""</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="301"/> + <source>docstring containing unicode character not surrounded by u"""</source> + <translation>docstring contém carácteres unicódigo não envolvida por u"""</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="304"/> <source>one-liner docstring on multiple lines</source> <translation>docstring de uma linha em múltiplas linhas</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="300"/> - <source>docstring has wrong indentation</source> - <translation>docstring tem indentação errada</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="349"/> - <source>docstring summary does not end with a period</source> - <translation>sumário de docstring não termina com um ponto final</translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="306"/> + <source>docstring has wrong indentation</source> + <translation>docstring tem indentação errada</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="355"/> + <source>docstring summary does not end with a period</source> + <translation>sumário de docstring não termina com um ponto final</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="312"/> <source>docstring summary is not in imperative mood (Does instead of Do)</source> <translation>sumário de docstring não está no modo imperativo (Faz em vez de Faça)</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="310"/> - <source>docstring summary looks like a function's/method's signature</source> - <translation>sumário de docstring parece uma assinatura de método/função</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="313"/> - <source>docstring does not mention the return value type</source> - <translation>docstring não menciona o tipo de valor devolvido</translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="316"/> - <source>function/method docstring is separated by a blank line</source> - <translation>docstring de método/função está separada por uma linha em branco</translation> + <source>docstring summary looks like a function's/method's signature</source> + <translation>sumário de docstring parece uma assinatura de método/função</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="319"/> - <source>class docstring is not preceded by a blank line</source> - <translation>docstring de class não antecedida por uma linha em branco</translation> + <source>docstring does not mention the return value type</source> + <translation>docstring não menciona o tipo de valor devolvido</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="322"/> - <source>class docstring is not followed by a blank line</source> - <translation>docstring de classe não está seguida por uma linha em branco</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="383"/> - <source>docstring summary is not followed by a blank line</source> - <translation>sumário de docstring não seguido por uma linha em branco</translation> + <source>function/method docstring is separated by a blank line</source> + <translation>docstring de método/função está separada por uma linha em branco</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="325"/> + <source>class docstring is not preceded by a blank line</source> + <translation>docstring de class não antecedida por uma linha em branco</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="328"/> + <source>class docstring is not followed by a blank line</source> + <translation>docstring de classe não está seguida por uma linha em branco</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="389"/> + <source>docstring summary is not followed by a blank line</source> + <translation>sumário de docstring não seguido por uma linha em branco</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="334"/> <source>last paragraph of docstring is not followed by a blank line</source> <translation>último parágrafo da docstring não está seguido por uma linha em branco</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="336"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="342"/> <source>private function/method is missing a docstring</source> <translation>falta uma docstring ao método/função privado</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="339"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="345"/> <source>private class is missing a docstring</source> <translation>falta uma docstring à classe privada</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="343"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="349"/> <source>leading quotes of docstring not on separate line</source> <translation>aspas iniciais da docstring não estão em linha separada</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="346"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="352"/> <source>trailing quotes of docstring not on separate line</source> <translation>aspas de fecho da docstring não estão numa linha separada</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="353"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="359"/> <source>docstring does not contain a @return line but function/method returns something</source> <translation>docstring sem linha @return mas a função/método devolve algo</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="357"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="363"/> <source>docstring contains a @return line but function/method doesn't return anything</source> <translation>docstring com linha @return mas a função/método não devolve nada</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="361"/> - <source>docstring does not contain enough @param/@keyparam lines</source> - <translation>docstring sem linhas @param/@keyparam suficientes</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="364"/> - <source>docstring contains too many @param/@keyparam lines</source> - <translation>docstring com demasiadas linhas @param/@keyparam</translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="367"/> - <source>keyword only arguments must be documented with @keyparam lines</source> - <translation>argumentos de palavra chave devem de estar documentados com linhas @keyparam</translation> + <source>docstring does not contain enough @param/@keyparam lines</source> + <translation>docstring sem linhas @param/@keyparam suficientes</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="370"/> - <source>order of @param/@keyparam lines does not match the function/method signature</source> - <translation>ordem das linhas @param/@keyparam não coincidem com a assinatura de função/método</translation> + <source>docstring contains too many @param/@keyparam lines</source> + <translation>docstring com demasiadas linhas @param/@keyparam</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="373"/> + <source>keyword only arguments must be documented with @keyparam lines</source> + <translation>argumentos de palavra chave devem de estar documentados com linhas @keyparam</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="376"/> + <source>order of @param/@keyparam lines does not match the function/method signature</source> + <translation>ordem das linhas @param/@keyparam não coincidem com a assinatura de função/método</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="379"/> <source>class docstring is preceded by a blank line</source> <translation>docstring de classe está antecedida por uma linha em branco</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="375"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="381"/> <source>class docstring is followed by a blank line</source> <translation>docstring de classe está seguida por uma linha em branco</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="377"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="383"/> <source>function/method docstring is preceded by a blank line</source> <translation>docstring de função/método precedida por uma linha em branco</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="380"/> - <source>function/method docstring is followed by a blank line</source> - <translation>docstring de função/método seguida de uma linha em branco</translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="386"/> + <source>function/method docstring is followed by a blank line</source> + <translation>docstring de função/método seguida de uma linha em branco</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="392"/> <source>last paragraph of docstring is followed by a blank line</source> <translation>último parágrafo da docstring seguido de uma linha em branco</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="389"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="395"/> <source>docstring does not contain a @exception line but function/method raises an exception</source> <translation>docstring sem linha @exception mas a função/método cria uma exceção</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="393"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="399"/> <source>docstring contains a @exception line but function/method doesn't raise an exception</source> <translation>docstring contém uma linha @exception mas o método/função não levanta uma exceção</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="416"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="422"/> <source>{0}: {1}</source> <translation>{0}: {1}</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="302"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="308"/> <source>docstring does not contain a summary</source> <translation>docstring não contém um sumário</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="351"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="357"/> <source>docstring summary does not start with '{0}'</source> <translation>sumário de docstring não começa com '{0}'</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="397"/> - <source>raised exception '{0}' is not documented in docstring</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="400"/> - <source>documented exception '{0}' is not raised</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="403"/> - <source>docstring does not contain a @signal line but class defines signals</source> + <source>raised exception '{0}' is not documented in docstring</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="406"/> - <source>docstring contains a @signal line but class doesn't define signals</source> + <source>documented exception '{0}' is not raised</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="409"/> - <source>defined signal '{0}' is not documented in docstring</source> + <source>docstring does not contain a @signal line but class defines signals</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="412"/> + <source>docstring contains a @signal line but class doesn't define signals</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="415"/> + <source>defined signal '{0}' is not documented in docstring</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="418"/> <source>documented signal '{0}' is not defined</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="341"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="347"/> <source>class docstring is still a default string</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="334"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="340"/> <source>function docstring is still a default string</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="332"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="338"/> <source>module docstring is still a default string</source> <translation type="unfinished"></translation> </message> @@ -9929,7 +9929,7 @@ <context> <name>Editor</name> <message> - <location filename="../QScintilla/Editor.py" line="2946"/> + <location filename="../QScintilla/Editor.py" line="2940"/> <source>Open File</source> <translation>Abrir Ficheiro</translation> </message> @@ -9944,907 +9944,907 @@ <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="750"/> + <location filename="../QScintilla/Editor.py" line="744"/> <source>Undo</source> <translation>Desfazer</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="753"/> + <location filename="../QScintilla/Editor.py" line="747"/> <source>Redo</source> <translation>Refazer</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="756"/> + <location filename="../QScintilla/Editor.py" line="750"/> <source>Revert to last saved state</source> <translation>Voltar ao último estado guardado</translation> </message> <message> + <location filename="../QScintilla/Editor.py" line="754"/> + <source>Cut</source> + <translation>Cortar</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="757"/> + <source>Copy</source> + <translation>Copiar</translation> + </message> + <message> <location filename="../QScintilla/Editor.py" line="760"/> - <source>Cut</source> - <translation>Cortar</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="763"/> - <source>Copy</source> - <translation>Copiar</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="766"/> <source>Paste</source> <translation>Colar</translation> </message> <message> + <location filename="../QScintilla/Editor.py" line="768"/> + <source>Indent</source> + <translation>Indentar</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="771"/> + <source>Unindent</source> + <translation>Tirar Indentação</translation> + </message> + <message> <location filename="../QScintilla/Editor.py" line="774"/> - <source>Indent</source> - <translation>Indentar</translation> + <source>Comment</source> + <translation>Comentar</translation> </message> <message> <location filename="../QScintilla/Editor.py" line="777"/> - <source>Unindent</source> - <translation>Tirar Indentação</translation> + <source>Uncomment</source> + <translation>Descomentar</translation> </message> <message> <location filename="../QScintilla/Editor.py" line="780"/> - <source>Comment</source> - <translation>Comentar</translation> + <source>Stream Comment</source> + <translation type="unfinished"></translation> </message> <message> <location filename="../QScintilla/Editor.py" line="783"/> - <source>Uncomment</source> - <translation>Descomentar</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="786"/> - <source>Stream Comment</source> - <translation type="unfinished"></translation> + <source>Box Comment</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="787"/> + <source>Select to brace</source> + <translation>Selecionar até parentesis</translation> </message> <message> <location filename="../QScintilla/Editor.py" line="789"/> - <source>Box Comment</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="793"/> - <source>Select to brace</source> - <translation>Selecionar até parentesis</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="795"/> <source>Select all</source> <translation>Selecionar tudo</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="796"/> + <location filename="../QScintilla/Editor.py" line="790"/> <source>Deselect all</source> <translation>Desselecionar tudo</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7473"/> + <location filename="../QScintilla/Editor.py" line="7467"/> <source>Check spelling...</source> <translation>Verificação ortográfica...</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="804"/> + <location filename="../QScintilla/Editor.py" line="798"/> <source>Check spelling of selection...</source> <translation>Verificação ortográfica da seleção...</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="808"/> + <location filename="../QScintilla/Editor.py" line="802"/> <source>Remove from dictionary</source> <translation>Retirar do dicionário</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="812"/> + <location filename="../QScintilla/Editor.py" line="806"/> <source>Shorten empty lines</source> <translation>Encolher linhas vazias</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="819"/> + <location filename="../QScintilla/Editor.py" line="813"/> <source>Use Monospaced Font</source> <translation>Usar Tipo de Letra de Tamanho Único</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="824"/> + <location filename="../QScintilla/Editor.py" line="818"/> <source>Autosave enabled</source> <translation>Ativado autogravar </translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="828"/> + <location filename="../QScintilla/Editor.py" line="822"/> <source>Typing aids enabled</source> <translation>Habilitada a ajuda à escritura</translation> </message> <message> + <location filename="../QScintilla/Editor.py" line="861"/> + <source>Close</source> + <translation>Fechar</translation> + </message> + <message> <location filename="../QScintilla/Editor.py" line="867"/> - <source>Close</source> - <translation>Fechar</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="873"/> <source>Save</source> <translation>Gravar</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="876"/> + <location filename="../QScintilla/Editor.py" line="870"/> <source>Save As...</source> <translation>Gravar Como...</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="889"/> + <location filename="../QScintilla/Editor.py" line="883"/> <source>Print Preview</source> <translation>Antevisão da Impressão</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="892"/> + <location filename="../QScintilla/Editor.py" line="886"/> <source>Print</source> <translation>Imprimir</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="921"/> + <location filename="../QScintilla/Editor.py" line="915"/> <source>Complete from Document</source> <translation type="unfinished">desde Documento</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="923"/> + <location filename="../QScintilla/Editor.py" line="917"/> <source>Complete from APIs</source> <translation type="unfinished">desde APIs</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="925"/> + <location filename="../QScintilla/Editor.py" line="919"/> <source>Complete from Document and APIs</source> <translation type="unfinished">desde Documento e APIs</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="843"/> + <location filename="../QScintilla/Editor.py" line="837"/> <source>Calltip</source> <translation>Dica</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="939"/> + <location filename="../QScintilla/Editor.py" line="933"/> <source>Check</source> <translation>Verificar</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="959"/> + <location filename="../QScintilla/Editor.py" line="953"/> <source>Show</source> <translation>Mostrar</translation> </message> <message> + <location filename="../QScintilla/Editor.py" line="955"/> + <source>Code metrics...</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="956"/> + <source>Code coverage...</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="958"/> + <source>Show code coverage annotations</source> + <translation type="unfinished"></translation> + </message> + <message> <location filename="../QScintilla/Editor.py" line="961"/> - <source>Code metrics...</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="962"/> - <source>Code coverage...</source> + <source>Hide code coverage annotations</source> <translation type="unfinished"></translation> </message> <message> <location filename="../QScintilla/Editor.py" line="964"/> - <source>Show code coverage annotations</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="967"/> - <source>Hide code coverage annotations</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="970"/> <source>Profile data...</source> <translation>Dados de Perfil...</translation> </message> <message> + <location filename="../QScintilla/Editor.py" line="977"/> + <source>Diagrams</source> + <translation>Diagramas</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="979"/> + <source>Class Diagram...</source> + <translation>Diagrama de Classes...</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="981"/> + <source>Package Diagram...</source> + <translation>Diagrama do Pacote...</translation> + </message> + <message> <location filename="../QScintilla/Editor.py" line="983"/> - <source>Diagrams</source> - <translation>Diagramas</translation> + <source>Imports Diagram...</source> + <translation>Diagrama de Imports...</translation> </message> <message> <location filename="../QScintilla/Editor.py" line="985"/> - <source>Class Diagram...</source> - <translation>Diagrama de Classes...</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="987"/> - <source>Package Diagram...</source> - <translation>Diagrama do Pacote...</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="989"/> - <source>Imports Diagram...</source> - <translation>Diagrama de Imports...</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="991"/> <source>Application Diagram...</source> <translation>Diagrama da Aplicação...</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1009"/> + <location filename="../QScintilla/Editor.py" line="1003"/> <source>Languages</source> <translation>Linguagens</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1012"/> + <location filename="../QScintilla/Editor.py" line="1006"/> <source>No Language</source> <translation>Nenhuma Linguagem</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1037"/> + <location filename="../QScintilla/Editor.py" line="1031"/> <source>Guessed</source> <translation>Adivinhado</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1324"/> + <location filename="../QScintilla/Editor.py" line="1318"/> <source>Alternatives</source> <translation>Alternativas</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1057"/> + <location filename="../QScintilla/Editor.py" line="1051"/> <source>Encodings</source> <translation>Codificações</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1098"/> + <location filename="../QScintilla/Editor.py" line="1092"/> <source>End-of-Line Type</source> <translation>Tipo do Fim-de-Linha</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1102"/> + <location filename="../QScintilla/Editor.py" line="1096"/> <source>Unix</source> <translation></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1109"/> + <location filename="../QScintilla/Editor.py" line="1103"/> <source>Windows</source> <translation></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1116"/> + <location filename="../QScintilla/Editor.py" line="1110"/> <source>Macintosh</source> <translation></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1134"/> + <location filename="../QScintilla/Editor.py" line="1128"/> <source>Export as</source> <translation>Exportar como</translation> </message> <message> + <location filename="../QScintilla/Editor.py" line="1150"/> + <source>Toggle bookmark</source> + <translation>Alternar marcadores</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="1152"/> + <source>Next bookmark</source> + <translation>Marcador seguinte</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="1154"/> + <source>Previous bookmark</source> + <translation>Marcador anterior</translation> + </message> + <message> <location filename="../QScintilla/Editor.py" line="1156"/> - <source>Toggle bookmark</source> - <translation>Alternar marcadores</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1158"/> - <source>Next bookmark</source> - <translation>Marcador seguinte</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1160"/> - <source>Previous bookmark</source> - <translation>Marcador anterior</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1162"/> <source>Clear all bookmarks</source> <translation>Limpar os marcadores todos</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1171"/> + <location filename="../QScintilla/Editor.py" line="1165"/> <source>Toggle breakpoint</source> <translation>Alternar pontos de interrupção</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1173"/> + <location filename="../QScintilla/Editor.py" line="1167"/> <source>Toggle temporary breakpoint</source> <translation>Alternar pontos de interrupção temporais</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1176"/> + <location filename="../QScintilla/Editor.py" line="1170"/> <source>Edit breakpoint...</source> <translation>Editar ponto de interrupção...</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="5316"/> + <location filename="../QScintilla/Editor.py" line="5310"/> <source>Enable breakpoint</source> <translation>Habilitar pontos de interrupção</translation> </message> <message> + <location filename="../QScintilla/Editor.py" line="1175"/> + <source>Next breakpoint</source> + <translation>Ponto de interrupção seguinte</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="1178"/> + <source>Previous breakpoint</source> + <translation>Ponto de interrupção anterior</translation> + </message> + <message> <location filename="../QScintilla/Editor.py" line="1181"/> - <source>Next breakpoint</source> - <translation>Ponto de interrupção seguinte</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1184"/> - <source>Previous breakpoint</source> - <translation>Ponto de interrupção anterior</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1187"/> <source>Clear all breakpoints</source> <translation>Apagar todos os pontos de interrupção</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1230"/> + <location filename="../QScintilla/Editor.py" line="1224"/> <source>Goto syntax error</source> <translation>Ir ao erro de sintaxe</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1233"/> + <location filename="../QScintilla/Editor.py" line="1227"/> <source>Show syntax error message</source> <translation>Mostrar a mensagem de erro de sintaxe</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1237"/> + <location filename="../QScintilla/Editor.py" line="1231"/> <source>Clear syntax error</source> <translation>Limpar o erro de sintaxe</translation> </message> <message> + <location filename="../QScintilla/Editor.py" line="1235"/> + <source>Next warning</source> + <translation>Aviso seguinte</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="1238"/> + <source>Previous warning</source> + <translation>Aviso anterior</translation> + </message> + <message> <location filename="../QScintilla/Editor.py" line="1241"/> - <source>Next warning</source> - <translation>Aviso seguinte</translation> + <source>Show warning message</source> + <translation>Mostrar mensagem de aviso</translation> </message> <message> <location filename="../QScintilla/Editor.py" line="1244"/> - <source>Previous warning</source> - <translation>Aviso anterior</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1247"/> - <source>Show warning message</source> - <translation>Mostrar mensagem de aviso</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1250"/> <source>Clear warnings</source> <translation>Limpar avisos</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1254"/> + <location filename="../QScintilla/Editor.py" line="1248"/> <source>Next uncovered line</source> <translation>Linha seguinte sem cobrir</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1257"/> + <location filename="../QScintilla/Editor.py" line="1251"/> <source>Previous uncovered line</source> <translation>Linha anterior sem cobrir</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1261"/> + <location filename="../QScintilla/Editor.py" line="1255"/> <source>Next task</source> <translation>Tarefa seguinte</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1264"/> + <location filename="../QScintilla/Editor.py" line="1258"/> <source>Previous task</source> <translation>Tarefa anterior</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1309"/> + <location filename="../QScintilla/Editor.py" line="1303"/> <source>Export source</source> <translation>Exportar fonte</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1301"/> + <location filename="../QScintilla/Editor.py" line="1295"/> <source><p>No exporter available for the export format <b>{0}</b>. Aborting...</p></source> <translation><p>Não está disponível um exportador para formato <b>{0}</b>. A cancelar...</p></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1309"/> + <location filename="../QScintilla/Editor.py" line="1303"/> <source>No export format given. Aborting...</source> <translation>Não foi dado o formato para exportar. A cancelar...</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1320"/> + <location filename="../QScintilla/Editor.py" line="1314"/> <source>Alternatives ({0})</source> <translation>Alternativas ({0})</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1340"/> + <location filename="../QScintilla/Editor.py" line="1334"/> <source>Pygments Lexer</source> <translation>Analizador Léxico Pygments</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1340"/> + <location filename="../QScintilla/Editor.py" line="1334"/> <source>Select the Pygments lexer to apply.</source> <translation>Selecionar o analizador léxico Pygments a aplicar.</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1816"/> + <location filename="../QScintilla/Editor.py" line="1810"/> <source>Modification of Read Only file</source> <translation>Modificação do ficheiro de Apenas Leitura</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1816"/> + <location filename="../QScintilla/Editor.py" line="1810"/> <source>You are attempting to change a read only file. Please save to a different file first.</source> <translation>Tenta alterar um ficheiro de Apenas Leitura. Por favor guarde-o primeiro num ficheiro diferente. </translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="2502"/> + <location filename="../QScintilla/Editor.py" line="2496"/> <source>Printing...</source> <translation>A imprimir...</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="2519"/> + <location filename="../QScintilla/Editor.py" line="2513"/> <source>Printing completed</source> <translation>Impressão completa</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="2521"/> + <location filename="../QScintilla/Editor.py" line="2515"/> <source>Error while printing</source> <translation>Erro durante a impressão</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="2524"/> + <location filename="../QScintilla/Editor.py" line="2518"/> <source>Printing aborted</source> <translation>Impressão cancelada</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="2886"/> + <location filename="../QScintilla/Editor.py" line="2880"/> <source>File Modified</source> <translation>Ficheiro Modificado</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="2886"/> + <location filename="../QScintilla/Editor.py" line="2880"/> <source><p>The file <b>{0}</b> has unsaved changes.</p></source> <translation><p>O ficheiro <b>{0}</b> tem alterações por gravar.</p></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="2946"/> + <location filename="../QScintilla/Editor.py" line="2940"/> <source><p>The file <b>{0}</b> could not be opened.</p><p>Reason: {1}</p></source> <translation><p>Não se pôde abrir o ficheiro <b>{0}</b>.</p><p> Motivo: {1}</p></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="3119"/> + <location filename="../QScintilla/Editor.py" line="3113"/> <source>Save File</source> <translation>Gravar Ficheiro</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="3060"/> + <location filename="../QScintilla/Editor.py" line="3054"/> <source><p>The file <b>{0}</b> could not be saved.<br/>Reason: {1}</p></source> <translation><p>O ficheiro <b>{0}</b> não se pôde gravar. <br/>Motivo: {1}</p></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="3119"/> + <location filename="../QScintilla/Editor.py" line="3113"/> <source><p>The file <b>{0}</b> already exists. Overwrite it?</p></source> <translation><p>O ficheiro <b>{0}</b> já existe. Sobreescrever?</p></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="4522"/> + <location filename="../QScintilla/Editor.py" line="4516"/> <source>Autocompletion</source> <translation>Autocompletar</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="4522"/> + <location filename="../QScintilla/Editor.py" line="4516"/> <source>Autocompletion is not available because there is no autocompletion source set.</source> <translation>Autocompletar não está disponivel porque a fonte de autocompletar não está definida.</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="5319"/> + <location filename="../QScintilla/Editor.py" line="5313"/> <source>Disable breakpoint</source> <translation>Inabilitar ponto de interrupção</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="5676"/> + <location filename="../QScintilla/Editor.py" line="5670"/> <source>Code Coverage</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="5676"/> + <location filename="../QScintilla/Editor.py" line="5670"/> <source>Please select a coverage file</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="5739"/> + <location filename="../QScintilla/Editor.py" line="5733"/> <source>Show Code Coverage Annotations</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="5732"/> + <location filename="../QScintilla/Editor.py" line="5726"/> <source>All lines have been covered.</source> <translation>Foram cobertas as linhas todas.</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="5739"/> + <location filename="../QScintilla/Editor.py" line="5733"/> <source>There is no coverage file available.</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="5854"/> + <location filename="../QScintilla/Editor.py" line="5848"/> <source>Profile Data</source> <translation>Dados de Perfil</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="5854"/> + <location filename="../QScintilla/Editor.py" line="5848"/> <source>Please select a profile file</source> <translation>Escolha um ficheiro de perfil por favor</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6014"/> + <location filename="../QScintilla/Editor.py" line="6008"/> <source>Syntax Error</source> <translation>Erro de Sintaxe</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6014"/> + <location filename="../QScintilla/Editor.py" line="6008"/> <source>No syntax error message available.</source> <translation>Não está disponível a mensagem de erro de sintaxe.</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6400"/> + <location filename="../QScintilla/Editor.py" line="6394"/> <source>Macro Name</source> <translation>Nome de Macro</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6400"/> + <location filename="../QScintilla/Editor.py" line="6394"/> <source>Select a macro name:</source> <translation>Selecionar um nome de macro:</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6428"/> + <location filename="../QScintilla/Editor.py" line="6422"/> <source>Load macro file</source> <translation>Carregar ficheiro macro</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6471"/> + <location filename="../QScintilla/Editor.py" line="6465"/> <source>Macro files (*.macro)</source> <translation>Ficheiros Macro (*.macro)</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6451"/> + <location filename="../QScintilla/Editor.py" line="6445"/> <source>Error loading macro</source> <translation>Erro ao carregar macro</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6442"/> + <location filename="../QScintilla/Editor.py" line="6436"/> <source><p>The macro file <b>{0}</b> could not be read.</p></source> <translation><p>O ficheiro macro <b>{0}</b> não se pode ler.</p></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6451"/> + <location filename="../QScintilla/Editor.py" line="6445"/> <source><p>The macro file <b>{0}</b> is corrupt.</p></source> <translation><p>O ficheiro macro <b>{0}</b> está corrompido.</p></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6471"/> + <location filename="../QScintilla/Editor.py" line="6465"/> <source>Save macro file</source> <translation>Gravar ficheiro macro</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6488"/> + <location filename="../QScintilla/Editor.py" line="6482"/> <source>Save macro</source> <translation>Gravar macro</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6488"/> + <location filename="../QScintilla/Editor.py" line="6482"/> <source><p>The macro file <b>{0}</b> already exists. Overwrite it?</p></source> <translation><p>O ficheiro macro <b>{0}</b> já existe. Sobreescrever-lo?</p></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6504"/> + <location filename="../QScintilla/Editor.py" line="6498"/> <source>Error saving macro</source> <translation>Erro ao gravar macro</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6504"/> + <location filename="../QScintilla/Editor.py" line="6498"/> <source><p>The macro file <b>{0}</b> could not be written.</p></source> <translation><p>O ficheiro macro <b>{0}</b> não pode ser escrito.</p></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6517"/> + <location filename="../QScintilla/Editor.py" line="6511"/> <source>Start Macro Recording</source> <translation>Iniciar Registo de Macro</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6517"/> + <location filename="../QScintilla/Editor.py" line="6511"/> <source>Macro recording is already active. Start new?</source> <translation>A gravação de macro já está ativada. Começar nova?</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6543"/> + <location filename="../QScintilla/Editor.py" line="6537"/> <source>Macro Recording</source> <translation>Gravação de Macro</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6543"/> + <location filename="../QScintilla/Editor.py" line="6537"/> <source>Enter name of the macro:</source> <translation>Introduza o nome de macro:</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6681"/> + <location filename="../QScintilla/Editor.py" line="6675"/> <source>File changed</source> <translation>Ficheiro alterado</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6845"/> + <location filename="../QScintilla/Editor.py" line="6839"/> <source>{0} (ro)</source> <translation></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6985"/> + <location filename="../QScintilla/Editor.py" line="6979"/> <source>Drop Error</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6985"/> + <location filename="../QScintilla/Editor.py" line="6979"/> <source><p><b>{0}</b> is not a file.</p></source> <translation><p><b>{0}</b> não é um ficheiro.</p></translation> </message> <message> + <location filename="../QScintilla/Editor.py" line="7000"/> + <source>Resources</source> + <translation>Recursos</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="7002"/> + <source>Add file...</source> + <translation>Adicionar Ficheiro...</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="7004"/> + <source>Add files...</source> + <translation>Adicionar Ficheiros...</translation> + </message> + <message> <location filename="../QScintilla/Editor.py" line="7006"/> - <source>Resources</source> - <translation>Recursos</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="7008"/> - <source>Add file...</source> - <translation>Adicionar Ficheiro...</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="7010"/> - <source>Add files...</source> - <translation>Adicionar Ficheiros...</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="7012"/> <source>Add aliased file...</source> <translation>Adicionar ficheiro com pseudónimo...</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7015"/> + <location filename="../QScintilla/Editor.py" line="7009"/> <source>Add localized resource...</source> <translation>Adicionar recursos localizado...</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7019"/> + <location filename="../QScintilla/Editor.py" line="7013"/> <source>Add resource frame</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7038"/> + <location filename="../QScintilla/Editor.py" line="7032"/> <source>Add file resource</source> <translation>Adicionar recurso de ficheiro</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7054"/> + <location filename="../QScintilla/Editor.py" line="7048"/> <source>Add file resources</source> <translation>Adicionar recursos de ficheiro</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7082"/> + <location filename="../QScintilla/Editor.py" line="7076"/> <source>Add aliased file resource</source> <translation>Adicionar recurso de ficheiro com pseudónimo</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7082"/> + <location filename="../QScintilla/Editor.py" line="7076"/> <source>Alias for file <b>{0}</b>:</source> <translation>Pseudónimo para o ficheiro <b>{0}</b>:</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7146"/> + <location filename="../QScintilla/Editor.py" line="7140"/> <source>Package Diagram</source> <translation>Diagrama do Pacote</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7146"/> + <location filename="../QScintilla/Editor.py" line="7140"/> <source>Include class attributes?</source> <translation>Incluir atributos de classes?</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7166"/> + <location filename="../QScintilla/Editor.py" line="7160"/> <source>Imports Diagram</source> <translation>Diagrama de Imports</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7166"/> + <location filename="../QScintilla/Editor.py" line="7160"/> <source>Include imports from external modules?</source> <translation>Incluir imports de módulos externos?</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7180"/> + <location filename="../QScintilla/Editor.py" line="7174"/> <source>Application Diagram</source> <translation>Diagrama da Aplicação</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7180"/> + <location filename="../QScintilla/Editor.py" line="7174"/> <source>Include module names?</source> <translation>Incluir nome dos módulos?</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7476"/> + <location filename="../QScintilla/Editor.py" line="7470"/> <source>Add to dictionary</source> <translation>Adicionar dicionário</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7478"/> + <location filename="../QScintilla/Editor.py" line="7472"/> <source>Ignore All</source> <translation>Ignorar Tudo</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6290"/> + <location filename="../QScintilla/Editor.py" line="6284"/> <source>Warning: {0}</source> <translation>Aviso: {0}</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6297"/> + <location filename="../QScintilla/Editor.py" line="6291"/> <source>Error: {0}</source> <translation>Erro: {0}</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6677"/> - <source><br><b>Warning:</b> You will lose your changes upon reopening it.</source> - <translation><br><b>Aviso:</b> Perderá todas as alterações uma vez que o volte a abrir.</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="4901"/> - <source>Call-Tips Provider</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="885"/> - <source>Open 'rejection' file</source> - <translation>Abrir ficheiro de 'rejeição'</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="995"/> - <source>Load Diagram...</source> - <translation>Carregar Diagrama...</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1268"/> - <source>Next change</source> - <translation>Alteração seguinte</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1271"/> - <source>Previous change</source> - <translation>Alteração anterior</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="7890"/> - <source>Sort Lines</source> - <translation>Ordenar Linhas</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="7890"/> - <source>The selection contains illegal data for a numerical sort.</source> - <translation>A seleção contém dados ilegais para uma ordenação numérica.</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="6226"/> - <source>Warning</source> - <translation>Aviso</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="6226"/> - <source>No warning messages available.</source> - <translation>Não estão disponíveis mensagens de aviso.</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="6287"/> - <source>Style: {0}</source> - <translation>Estilo: {0}</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="859"/> - <source>New Document View</source> - <translation>Vista de Documento Novo</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="862"/> - <source>New Document View (with new split)</source> - <translation>Vista de Documento Novo (com divisão nova)</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="949"/> - <source>Tools</source> - <translation>Ferramentas</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1079"/> - <source>Re-Open With Encoding</source> - <translation>Reabrir Com Codificação</translation> - </message> - <message> <location filename="../QScintilla/Editor.py" line="6671"/> - <source><p>The file <b>{0}</b> has been changed while it was opened in eric6. Reread it?</p></source> - <translation><p>O ficheiro <b>{0}</b> foi alterado enquanto estava aberto em eric6. Recarregar?</p></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="835"/> - <source>Automatic Completion enabled</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="915"/> - <source>Complete</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="4647"/> - <source>Auto-Completion Provider</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="4647"/> - <source>The completion list provider '{0}' was already registered. Ignoring duplicate request.</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="4901"/> - <source>The call-tips provider '{0}' was already registered. Ignoring duplicate request.</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="7977"/> - <source>Register Mouse Click Handler</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="7977"/> - <source>A mouse click handler for "{0}" was already registered by "{1}". Aborting request by "{2}"...</source> + <source><br><b>Warning:</b> You will lose your changes upon reopening it.</source> + <translation><br><b>Aviso:</b> Perderá todas as alterações uma vez que o volte a abrir.</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="4895"/> + <source>Call-Tips Provider</source> <translation type="unfinished"></translation> </message> <message> <location filename="../QScintilla/Editor.py" line="879"/> + <source>Open 'rejection' file</source> + <translation>Abrir ficheiro de 'rejeição'</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="989"/> + <source>Load Diagram...</source> + <translation>Carregar Diagrama...</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="1262"/> + <source>Next change</source> + <translation>Alteração seguinte</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="1265"/> + <source>Previous change</source> + <translation>Alteração anterior</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="7884"/> + <source>Sort Lines</source> + <translation>Ordenar Linhas</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="7884"/> + <source>The selection contains illegal data for a numerical sort.</source> + <translation>A seleção contém dados ilegais para uma ordenação numérica.</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="6220"/> + <source>Warning</source> + <translation>Aviso</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="6220"/> + <source>No warning messages available.</source> + <translation>Não estão disponíveis mensagens de aviso.</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="6281"/> + <source>Style: {0}</source> + <translation>Estilo: {0}</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="853"/> + <source>New Document View</source> + <translation>Vista de Documento Novo</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="856"/> + <source>New Document View (with new split)</source> + <translation>Vista de Documento Novo (com divisão nova)</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="943"/> + <source>Tools</source> + <translation>Ferramentas</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="1073"/> + <source>Re-Open With Encoding</source> + <translation>Reabrir Com Codificação</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="6665"/> + <source><p>The file <b>{0}</b> has been changed while it was opened in eric6. Reread it?</p></source> + <translation><p>O ficheiro <b>{0}</b> foi alterado enquanto estava aberto em eric6. Recarregar?</p></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="829"/> + <source>Automatic Completion enabled</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="909"/> + <source>Complete</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="4641"/> + <source>Auto-Completion Provider</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="4641"/> + <source>The completion list provider '{0}' was already registered. Ignoring duplicate request.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="4895"/> + <source>The call-tips provider '{0}' was already registered. Ignoring duplicate request.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="7971"/> + <source>Register Mouse Click Handler</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="7971"/> + <source>A mouse click handler for "{0}" was already registered by "{1}". Aborting request by "{2}"...</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="873"/> <source>Save Copy...</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="918"/> + <location filename="../QScintilla/Editor.py" line="912"/> <source>Clear Completions Cache</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="845"/> + <location filename="../QScintilla/Editor.py" line="839"/> <source>Code Info</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1274"/> + <location filename="../QScintilla/Editor.py" line="1268"/> <source>Clear changes</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="770"/> + <location filename="../QScintilla/Editor.py" line="764"/> <source>Execute Selection In Console</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="8098"/> + <location filename="../QScintilla/Editor.py" line="8092"/> <source>EditorConfig Properties</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="8098"/> + <location filename="../QScintilla/Editor.py" line="8092"/> <source><p>The EditorConfig properties for file <b>{0}</b> could not be loaded.</p></source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1197"/> + <location filename="../QScintilla/Editor.py" line="1191"/> <source>Toggle all folds</source> <translation type="unfinished">Alternar as dobras todas</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1201"/> + <location filename="../QScintilla/Editor.py" line="1195"/> <source>Toggle all folds (including children)</source> <translation type="unfinished">Alternar as dobras todas (incluindo filhos)</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1205"/> + <location filename="../QScintilla/Editor.py" line="1199"/> <source>Toggle current fold</source> <translation type="unfinished">Alternar a dobra atual</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1210"/> + <location filename="../QScintilla/Editor.py" line="1204"/> <source>Expand (including children)</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1214"/> + <location filename="../QScintilla/Editor.py" line="1208"/> <source>Collapse (including children)</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1219"/> + <location filename="../QScintilla/Editor.py" line="1213"/> <source>Clear all folds</source> <translation type="unfinished"></translation> </message> @@ -45537,12 +45537,12 @@ <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/MiniEditor.py" line="3401"/> + <location filename="../QScintilla/MiniEditor.py" line="3405"/> <source>EditorConfig Properties</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/MiniEditor.py" line="3401"/> + <location filename="../QScintilla/MiniEditor.py" line="3405"/> <source><p>The EditorConfig properties for file <b>{0}</b> could not be loaded.</p></source> <translation type="unfinished"></translation> </message> @@ -45555,252 +45555,252 @@ <context> <name>MiscellaneousChecker</name> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="476"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="482"/> <source>coding magic comment not found</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="479"/> - <source>unknown encoding ({0}) found in coding magic comment</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="482"/> - <source>copyright notice not present</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="485"/> + <source>unknown encoding ({0}) found in coding magic comment</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="488"/> + <source>copyright notice not present</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="491"/> <source>copyright notice contains invalid author</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="562"/> - <source>found {0} formatter</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="565"/> - <source>format string does contain unindexed parameters</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="568"/> - <source>docstring does contain unindexed parameters</source> + <source>found {0} formatter</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="571"/> - <source>other string does contain unindexed parameters</source> + <source>format string does contain unindexed parameters</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="574"/> - <source>format call uses too large index ({0})</source> + <source>docstring does contain unindexed parameters</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="577"/> - <source>format call uses missing keyword ({0})</source> + <source>other string does contain unindexed parameters</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="580"/> - <source>format call uses keyword arguments but no named entries</source> + <source>format call uses too large index ({0})</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="583"/> - <source>format call uses variable arguments but no numbered entries</source> + <source>format call uses missing keyword ({0})</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="586"/> - <source>format call uses implicit and explicit indexes together</source> + <source>format call uses keyword arguments but no named entries</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="589"/> - <source>format call provides unused index ({0})</source> + <source>format call uses variable arguments but no numbered entries</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="592"/> + <source>format call uses implicit and explicit indexes together</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="595"/> + <source>format call provides unused index ({0})</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="598"/> <source>format call provides unused keyword ({0})</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="610"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="616"/> <source>expected these __future__ imports: {0}; but only got: {1}</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="613"/> - <source>expected these __future__ imports: {0}; but got none</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="619"/> + <source>expected these __future__ imports: {0}; but got none</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="625"/> <source>print statement found</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="622"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="628"/> <source>one element tuple found</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="634"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="640"/> <source>{0}: {1}</source> <translation type="unfinished">{0}: {1}</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="488"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="494"/> <source>"{0}" is a Python builtin and is being shadowed; consider renaming the variable</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="492"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="498"/> <source>"{0}" is used as an argument and thus shadows a Python builtin; consider renaming the argument</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="496"/> - <source>unnecessary generator - rewrite as a list comprehension</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="499"/> - <source>unnecessary generator - rewrite as a set comprehension</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="502"/> - <source>unnecessary generator - rewrite as a dict comprehension</source> + <source>unnecessary generator - rewrite as a list comprehension</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="505"/> - <source>unnecessary list comprehension - rewrite as a set comprehension</source> + <source>unnecessary generator - rewrite as a set comprehension</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="508"/> - <source>unnecessary list comprehension - rewrite as a dict comprehension</source> + <source>unnecessary generator - rewrite as a dict comprehension</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="511"/> - <source>unnecessary list literal - rewrite as a set literal</source> + <source>unnecessary list comprehension - rewrite as a set comprehension</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="514"/> - <source>unnecessary list literal - rewrite as a dict literal</source> + <source>unnecessary list comprehension - rewrite as a dict comprehension</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="517"/> - <source>unnecessary list comprehension - "{0}" can take a generator</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="628"/> - <source>mutable default argument of type {0}</source> + <source>unnecessary list literal - rewrite as a set literal</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="520"/> + <source>unnecessary list literal - rewrite as a dict literal</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="523"/> + <source>unnecessary list comprehension - "{0}" can take a generator</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="634"/> + <source>mutable default argument of type {0}</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="526"/> <source>sort keys - '{0}' should be before '{1}'</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="598"/> - <source>logging statement uses '%'</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="604"/> + <source>logging statement uses '%'</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="610"/> <source>logging statement uses f-string</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="607"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="613"/> <source>logging statement uses 'warn' instead of 'warning'</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="595"/> - <source>logging statement uses string.format()</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="601"/> + <source>logging statement uses string.format()</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="607"/> <source>logging statement uses '+'</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="616"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="622"/> <source>gettext import with alias _ found: {0}</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="523"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="529"/> <source>Python does not support the unary prefix increment</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="533"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="539"/> <source>'sys.maxint' is not defined in Python 3 - use 'sys.maxsize'</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="536"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="542"/> <source>'BaseException.message' has been deprecated as of Python 2.6 and is removed in Python 3 - use 'str(e)'</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="540"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="546"/> <source>assigning to 'os.environ' does not clear the environment - use 'os.environ.clear()'</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="548"/> - <source>Python 3 does not include '.iter*' methods on dictionaries</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="551"/> - <source>Python 3 does not include '.view*' methods on dictionaries</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="554"/> - <source>'.next()' does not exist in Python 3</source> + <source>Python 3 does not include '.iter*' methods on dictionaries</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="557"/> + <source>Python 3 does not include '.view*' methods on dictionaries</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="560"/> + <source>'.next()' does not exist in Python 3</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="563"/> <source>'__metaclass__' does nothing on Python 3 - use 'class MyClass(BaseClass, metaclass=...)'</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="631"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="637"/> <source>mutable default argument of function call '{0}'</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="526"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="532"/> <source>using .strip() with multi-character strings is misleading</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="529"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="535"/> <source>using 'hasattr(x, "__call__")' to test if 'x' is callable is unreliable</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="544"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="550"/> <source>loop control variable {0} not used within the loop body - start the name with an underscore</source> <translation type="unfinished"></translation> </message> @@ -46231,72 +46231,72 @@ <context> <name>NamingStyleChecker</name> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="420"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="426"/> <source>class names should use CapWords convention</source> <translation>nomes de classes devem usar a convenção de Maiúsculas</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="423"/> - <source>function name should be lowercase</source> - <translation>nome de função deve estar em minúsculas</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="426"/> - <source>argument name should be lowercase</source> - <translation>nome do argumento deve ser em minúsculas</translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="429"/> - <source>first argument of a class method should be named 'cls'</source> - <translation type="unfinished"></translation> + <source>function name should be lowercase</source> + <translation>nome de função deve estar em minúsculas</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="432"/> - <source>first argument of a method should be named 'self'</source> - <translation>primeiro argumento de um método deve chamar-se 'self'</translation> + <source>argument name should be lowercase</source> + <translation>nome do argumento deve ser em minúsculas</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="435"/> + <source>first argument of a class method should be named 'cls'</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="438"/> + <source>first argument of a method should be named 'self'</source> + <translation>primeiro argumento de um método deve chamar-se 'self'</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="441"/> <source>first argument of a static method should not be named 'self' or 'cls</source> <translation>primeiro argumento de um método estático não deve chamar-se 'self' ou 'cls</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="439"/> - <source>module names should be lowercase</source> - <translation>nomes de módulos devem estar em minúsculas</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="442"/> - <source>package names should be lowercase</source> - <translation>nomes de pacotes devem ser em minúsculas</translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="445"/> - <source>constant imported as non constant</source> - <translation type="unfinished"></translation> + <source>module names should be lowercase</source> + <translation>nomes de módulos devem estar em minúsculas</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="448"/> - <source>lowercase imported as non lowercase</source> - <translation type="unfinished"></translation> + <source>package names should be lowercase</source> + <translation>nomes de pacotes devem ser em minúsculas</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="451"/> - <source>camelcase imported as lowercase</source> + <source>constant imported as non constant</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="454"/> - <source>camelcase imported as constant</source> + <source>lowercase imported as non lowercase</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="457"/> - <source>variable in function should be lowercase</source> - <translation>variável na função deve estar em minúsculas</translation> + <source>camelcase imported as lowercase</source> + <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="460"/> + <source>camelcase imported as constant</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="463"/> + <source>variable in function should be lowercase</source> + <translation>variável na função deve estar em minúsculas</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="466"/> <source>names 'l', 'O' and 'I' should be avoided</source> <translation>nomes 'I', 'O' e 'l' devem ser evitados</translation> </message> @@ -86694,125 +86694,145 @@ <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="39"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="43"/> <source>Duplicate argument {0!r} in function definition.</source> <translation>Argumento {0!r} duplicado na definição da função.</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="42"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="46"/> <source>Redefinition of {0!r} from line {1!r}.</source> <translation>Redefinição de {0!r} da linha {1!r}.</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="45"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="49"/> <source>from __future__ imports must occur at the beginning of the file</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="48"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="52"/> <source>Local variable {0!r} is assigned to but never used.</source> <translation>Variável local {0!r} está assignada mas não se usa.</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="51"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="55"/> <source>List comprehension redefines {0!r} from line {1!r}.</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="54"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="58"/> <source>Syntax error detected in doctest.</source> <translation>Detetado erro de síntaxe em doctest.</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="57"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="61"/> <source>'return' with argument inside generator</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="126"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="139"/> <source>no message defined for code '{0}'</source> <translation>sem mensagem definida para código '{0}'</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="60"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="64"/> <source>'return' outside function</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="63"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="67"/> <source>'from {0} import *' only allowed at module level</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="66"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="70"/> <source>{0!r} may be undefined, or defined from star imports: {1}</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="69"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="73"/> <source>Dictionary key {0!r} repeated with different values</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="72"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="76"/> <source>Dictionary key variable {0} repeated with different values</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="75"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="79"/> <source>Future feature {0} is not defined</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="78"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="82"/> <source>'yield' outside function</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="84"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="88"/> <source>'break' outside loop</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="87"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="91"/> <source>'continue' not supported inside 'finally' clause</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="90"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="94"/> <source>Default 'except:' must be last</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="93"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="97"/> <source>Two starred expressions in assignment</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="96"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="100"/> <source>Too many expressions in star-unpacking assignment</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="99"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="103"/> <source>Assertion is always true, perhaps remove parentheses?</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="81"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="85"/> <source>'continue' not properly in loop</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="102"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="106"/> <source>syntax error in forward annotation {0!r}</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="105"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="109"/> <source>'raise NotImplemented' should be 'raise NotImplementedError'</source> <translation type="unfinished"></translation> </message> + <message> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="39"/> + <source>Local variable {0!r} (defined as a builtin) referenced before assignment.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="112"/> + <source>syntax error in type comment {0!r}</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="115"/> + <source>use of >> is invalid with print function</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="118"/> + <source>use ==/!= to compare str, bytes, and int literals</source> + <translation type="unfinished"></translation> + </message> </context> <context> <name>pycodestyle</name> @@ -86852,375 +86872,385 @@ <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="40"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="43"/> <source>continuation line indentation is not a multiple of four</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="43"/> - <source>continuation line missing indentation or outdented</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="46"/> + <source>continuation line missing indentation or outdented</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="49"/> <source>closing bracket does not match indentation of opening bracket's line</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="50"/> - <source>closing bracket does not match visual indentation</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="53"/> - <source>continuation line with same indent as next logical line</source> + <source>closing bracket does not match visual indentation</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="56"/> - <source>continuation line over-indented for hanging indent</source> + <source>continuation line with same indent as next logical line</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="59"/> - <source>continuation line over-indented for visual indent</source> + <source>continuation line over-indented for hanging indent</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="62"/> - <source>continuation line under-indented for visual indent</source> + <source>continuation line over-indented for visual indent</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="65"/> - <source>visually indented line with same indent as next logical line</source> + <source>continuation line under-indented for visual indent</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="68"/> - <source>continuation line unaligned for hanging indent</source> + <source>visually indented line with same indent as next logical line</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="71"/> - <source>closing bracket is missing indentation</source> + <source>continuation line unaligned for hanging indent</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="74"/> - <source>indentation contains tabs</source> - <translation type="unfinished">indentação com tabluações</translation> + <source>closing bracket is missing indentation</source> + <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="77"/> + <source>indentation contains tabs</source> + <translation type="unfinished">indentação com tabluações</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="80"/> <source>whitespace after '{0}'</source> <translation type="unfinished">espaço depois de '{0}'</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="86"/> - <source>whitespace before '{0}'</source> - <translation type="unfinished">espaço antes de '{0}</translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="89"/> - <source>multiple spaces before operator</source> - <translation type="unfinished">espaços múltiplos antes do operador</translation> + <source>whitespace before '{0}'</source> + <translation type="unfinished">espaço antes de '{0}</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="92"/> - <source>multiple spaces after operator</source> - <translation type="unfinished">espaços múltiplos depois do operador</translation> + <source>multiple spaces before operator</source> + <translation type="unfinished">espaços múltiplos antes do operador</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="95"/> - <source>tab before operator</source> - <translation type="unfinished">tabulação antes do operador</translation> + <source>multiple spaces after operator</source> + <translation type="unfinished">espaços múltiplos depois do operador</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="98"/> - <source>tab after operator</source> - <translation type="unfinished">tabulação depois do operador</translation> + <source>tab before operator</source> + <translation type="unfinished">tabulação antes do operador</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="101"/> - <source>missing whitespace around operator</source> - <translation type="unfinished">falta espaço à volta do operador</translation> + <source>tab after operator</source> + <translation type="unfinished">tabulação depois do operador</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="104"/> - <source>missing whitespace around arithmetic operator</source> - <translation type="unfinished">falta espaço à volta do operador aritmético</translation> + <source>missing whitespace around operator</source> + <translation type="unfinished">falta espaço à volta do operador</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="107"/> - <source>missing whitespace around bitwise or shift operator</source> - <translation type="unfinished"></translation> + <source>missing whitespace around arithmetic operator</source> + <translation type="unfinished">falta espaço à volta do operador aritmético</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="110"/> - <source>missing whitespace around modulo operator</source> + <source>missing whitespace around bitwise or shift operator</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="113"/> - <source>missing whitespace after '{0}'</source> - <translation type="unfinished">falta espaço depois de '{0}'</translation> + <source>missing whitespace around modulo operator</source> + <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="116"/> - <source>multiple spaces after '{0}'</source> - <translation type="unfinished">múltiplos espaços depois de '{0}'</translation> + <source>missing whitespace after '{0}'</source> + <translation type="unfinished">falta espaço depois de '{0}'</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="119"/> - <source>tab after '{0}'</source> - <translation type="unfinished">tabulação depois de '{0}'</translation> + <source>multiple spaces after '{0}'</source> + <translation type="unfinished">múltiplos espaços depois de '{0}'</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="122"/> + <source>tab after '{0}'</source> + <translation type="unfinished">tabulação depois de '{0}'</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="125"/> <source>unexpected spaces around keyword / parameter equals</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="128"/> - <source>at least two spaces before inline comment</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="131"/> - <source>inline comment should start with '# '</source> + <source>at least two spaces before inline comment</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="134"/> - <source>block comment should start with '# '</source> + <source>inline comment should start with '# '</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="137"/> - <source>too many leading '#' for block comment</source> + <source>block comment should start with '# '</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="140"/> - <source>multiple spaces after keyword</source> - <translation type="unfinished">múltiplos espaços depois da palavra-chave</translation> + <source>too many leading '#' for block comment</source> + <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="143"/> - <source>multiple spaces before keyword</source> - <translation type="unfinished">múltiplos espaços antes da palavra-chave</translation> + <source>multiple spaces after keyword</source> + <translation type="unfinished">múltiplos espaços depois da palavra-chave</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="146"/> - <source>tab after keyword</source> - <translation type="unfinished">tabulação depois da palavra-chave</translation> + <source>multiple spaces before keyword</source> + <translation type="unfinished">múltiplos espaços antes da palavra-chave</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="149"/> - <source>tab before keyword</source> - <translation type="unfinished">tabulação antes da palavra-chave</translation> + <source>tab after keyword</source> + <translation type="unfinished">tabulação depois da palavra-chave</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="152"/> - <source>missing whitespace after keyword</source> - <translation type="unfinished"></translation> + <source>tab before keyword</source> + <translation type="unfinished">tabulação antes da palavra-chave</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="155"/> - <source>trailing whitespace</source> - <translation type="unfinished">espaço ao final</translation> + <source>missing whitespace after keyword</source> + <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="158"/> - <source>no newline at end of file</source> - <translation type="unfinished">não há linha nova no final do ficheiro</translation> + <source>trailing whitespace</source> + <translation type="unfinished">espaço ao final</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="161"/> + <source>no newline at end of file</source> + <translation type="unfinished">não há linha nova no final do ficheiro</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="164"/> <source>blank line contains whitespace</source> <translation type="unfinished">esperada 1 linha vazia, encontradas 0</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="186"/> - <source>too many blank lines ({0})</source> - <translation type="unfinished">demasiadas linhas vazias ({0})</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="173"/> - <source>blank lines found after function decorator</source> - <translation type="unfinished">encontradas linhas vazias depois do decorador de função</translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="189"/> - <source>blank line at end of file</source> - <translation type="unfinished">linha vazia no fim do ficheiro</translation> + <source>too many blank lines ({0})</source> + <translation type="unfinished">demasiadas linhas vazias ({0})</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="176"/> + <source>blank lines found after function decorator</source> + <translation type="unfinished">encontradas linhas vazias depois do decorador de função</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="192"/> - <source>multiple imports on one line</source> - <translation type="unfinished">múltiplos imports numa linha</translation> + <source>blank line at end of file</source> + <translation type="unfinished">linha vazia no fim do ficheiro</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="195"/> - <source>module level import not at top of file</source> - <translation type="unfinished"></translation> + <source>multiple imports on one line</source> + <translation type="unfinished">múltiplos imports numa linha</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="198"/> - <source>line too long ({0} > {1} characters)</source> - <translation type="unfinished">linha demasiado comprida ({0} > {1} caráteres)</translation> + <source>module level import not at top of file</source> + <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="201"/> - <source>the backslash is redundant between brackets</source> - <translation type="unfinished">barra invertida é redundante entre parêntesis</translation> + <source>line too long ({0} > {1} characters)</source> + <translation type="unfinished">linha demasiado comprida ({0} > {1} caráteres)</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="204"/> + <source>the backslash is redundant between brackets</source> + <translation type="unfinished">barra invertida é redundante entre parêntesis</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="207"/> <source>line break before binary operator</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="210"/> - <source>.has_key() is deprecated, use 'in'</source> - <translation type="unfinished">.has_key está obsoleto, usar 'in'</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="213"/> - <source>deprecated form of raising exception</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="216"/> - <source>'<>' is deprecated, use '!='</source> - <translation type="unfinished">'<>' está obsoleto, usar '!='</translation> + <source>.has_key() is deprecated, use 'in'</source> + <translation type="unfinished">.has_key está obsoleto, usar 'in'</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="219"/> + <source>deprecated form of raising exception</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="222"/> + <source>'<>' is deprecated, use '!='</source> + <translation type="unfinished">'<>' está obsoleto, usar '!='</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="225"/> <source>backticks are deprecated, use 'repr()'</source> <translation type="unfinished">acentos graves estão obsoletos, usar 'repr()'</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="228"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="234"/> <source>multiple statements on one line (colon)</source> <translation type="unfinished"></translation> </message> <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="237"/> + <source>multiple statements on one line (semicolon)</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="240"/> + <source>statement ends with a semicolon</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="243"/> + <source>multiple statements on one line (def)</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="249"/> + <source>comparison to {0} should be {1}</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="252"/> + <source>test for membership should be 'not in'</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="255"/> + <source>test for object identity should be 'is not'</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="258"/> + <source>do not compare types, use 'isinstance()'</source> + <translation type="unfinished">não comparar tipos, usar 'isinstance()'</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="264"/> + <source>do not assign a lambda expression, use a def</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="267"/> + <source>ambiguous variable name '{0}'</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="270"/> + <source>ambiguous class definition '{0}'</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="273"/> + <source>ambiguous function definition '{0}'</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="276"/> + <source>{0}: {1}</source> + <translation type="unfinished">{0}: {1}</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="279"/> + <source>{0}</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="261"/> + <source>do not use bare except</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="179"/> + <source>expected {0} blank lines after class or function definition, found {1}</source> + <translation type="unfinished"></translation> + </message> + <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="231"/> - <source>multiple statements on one line (semicolon)</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="234"/> - <source>statement ends with a semicolon</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="237"/> - <source>multiple statements on one line (def)</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="243"/> - <source>comparison to {0} should be {1}</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="246"/> - <source>test for membership should be 'not in'</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="249"/> - <source>test for object identity should be 'is not'</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="252"/> - <source>do not compare types, use 'isinstance()'</source> - <translation type="unfinished">não comparar tipos, usar 'isinstance()'</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="258"/> - <source>do not assign a lambda expression, use a def</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="261"/> - <source>ambiguous variable name '{0}'</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="264"/> - <source>ambiguous class definition '{0}'</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="267"/> - <source>ambiguous function definition '{0}'</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="270"/> - <source>{0}: {1}</source> - <translation type="unfinished">{0}: {1}</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="273"/> - <source>{0}</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="255"/> - <source>do not use bare except</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="176"/> - <source>expected {0} blank lines after class or function definition, found {1}</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="225"/> <source>'async' and 'await' are reserved keywords starting with Python 3.7</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="125"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="128"/> <source>missing whitespace around parameter equals</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="167"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="170"/> <source>expected {0} blank lines, found {1}</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="180"/> - <source>expected {0} blank lines before a nested definition, found {1}</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="207"/> - <source>line break after binary operator</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="222"/> - <source>invalid escape sequence '\{0}'</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="183"/> + <source>expected {0} blank lines before a nested definition, found {1}</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="210"/> + <source>line break after binary operator</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="228"/> + <source>invalid escape sequence '\{0}'</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="186"/> <source>too many blank lines ({0}) before a nested definition, expected {1}</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="170"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="173"/> <source>too many blank lines ({0}), expected {1}</source> <translation type="unfinished"></translation> </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="40"/> + <source>over-indented</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="213"/> + <source>doc line too long ({0} > {1} characters)</source> + <translation type="unfinished"></translation> + </message> </context> <context> <name>subversion</name>
--- a/i18n/eric6_ru.ts Wed Feb 13 20:41:45 2019 +0100 +++ b/i18n/eric6_ru.ts Thu Feb 14 18:58:22 2019 +0100 @@ -3703,142 +3703,142 @@ <context> <name>CodeStyleFixer</name> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="639"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="645"/> <source>Triple single quotes converted to triple double quotes.</source> <translation>Тройные одинарные кавычки заменены тройными двойными.</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="642"/> - <source>Introductory quotes corrected to be {0}"""</source> - <translation>Кавычки во введении исправлены на {0}"""</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="645"/> - <source>Single line docstring put on one line.</source> - <translation>Одиночная строка документации распологается в одной строке.</translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="648"/> - <source>Period added to summary line.</source> - <translation>Добавлена точка в строке резюме.</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="675"/> - <source>Blank line before function/method docstring removed.</source> - <translation>Удалена пустая строка перед строкой документации для function/method.</translation> + <source>Introductory quotes corrected to be {0}"""</source> + <translation>Кавычки во введении исправлены на {0}"""</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="651"/> + <source>Single line docstring put on one line.</source> + <translation>Одиночная строка документации распологается в одной строке.</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="654"/> - <source>Blank line inserted before class docstring.</source> - <translation>Добавлена пустая строка перед строкой документации для class.</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="657"/> - <source>Blank line inserted after class docstring.</source> - <translation>Добавлена пустая строка после строки документации для class.</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="660"/> - <source>Blank line inserted after docstring summary.</source> - <translation>Добавлена пустая строка после резюме строки документации.</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="663"/> - <source>Blank line inserted after last paragraph of docstring.</source> - <translation>Добавлена пустая строка после последнего абзаца строки документации.</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="666"/> - <source>Leading quotes put on separate line.</source> - <translation>Открывающие кавычки размещены на отдельной строке.</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="669"/> - <source>Trailing quotes put on separate line.</source> - <translation>Закрывающие кавычки размещены на отдельной строке.</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="672"/> - <source>Blank line before class docstring removed.</source> - <translation>Удалена пустая строка перед строкой документации для class.</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="678"/> - <source>Blank line after class docstring removed.</source> - <translation>Удалена пустая строка после строки документации для class.</translation> + <source>Period added to summary line.</source> + <translation>Добавлена точка в строке резюме.</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="681"/> - <source>Blank line after function/method docstring removed.</source> - <translation>Удалена пустая строка после строки документации для function/method.</translation> + <source>Blank line before function/method docstring removed.</source> + <translation>Удалена пустая строка перед строкой документации для function/method.</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="660"/> + <source>Blank line inserted before class docstring.</source> + <translation>Добавлена пустая строка перед строкой документации для class.</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="663"/> + <source>Blank line inserted after class docstring.</source> + <translation>Добавлена пустая строка после строки документации для class.</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="666"/> + <source>Blank line inserted after docstring summary.</source> + <translation>Добавлена пустая строка после резюме строки документации.</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="669"/> + <source>Blank line inserted after last paragraph of docstring.</source> + <translation>Добавлена пустая строка после последнего абзаца строки документации.</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="672"/> + <source>Leading quotes put on separate line.</source> + <translation>Открывающие кавычки размещены на отдельной строке.</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="675"/> + <source>Trailing quotes put on separate line.</source> + <translation>Закрывающие кавычки размещены на отдельной строке.</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="678"/> + <source>Blank line before class docstring removed.</source> + <translation>Удалена пустая строка перед строкой документации для class.</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="684"/> - <source>Blank line after last paragraph removed.</source> - <translation>Удалена пустая строка после последнего абзаца.</translation> + <source>Blank line after class docstring removed.</source> + <translation>Удалена пустая строка после строки документации для class.</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="687"/> - <source>Tab converted to 4 spaces.</source> - <translation>Символы табуляции заменяются на 4 пробела.</translation> + <source>Blank line after function/method docstring removed.</source> + <translation>Удалена пустая строка после строки документации для function/method.</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="690"/> - <source>Indentation adjusted to be a multiple of four.</source> - <translation>Величина отступа задана кратной четырём.</translation> + <source>Blank line after last paragraph removed.</source> + <translation>Удалена пустая строка после последнего абзаца.</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="693"/> - <source>Indentation of continuation line corrected.</source> - <translation>Исправлен размер отступа строки продолжения.</translation> + <source>Tab converted to 4 spaces.</source> + <translation>Символы табуляции заменяются на 4 пробела.</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="696"/> - <source>Indentation of closing bracket corrected.</source> - <translation>Исправлен размер отступа закрывающей скобки.</translation> + <source>Indentation adjusted to be a multiple of four.</source> + <translation>Величина отступа задана кратной четырём.</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="699"/> - <source>Missing indentation of continuation line corrected.</source> - <translation>Добавлен отступ к строке продолжения.</translation> + <source>Indentation of continuation line corrected.</source> + <translation>Исправлен размер отступа строки продолжения.</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="702"/> - <source>Closing bracket aligned to opening bracket.</source> - <translation>Закрывающая скобка выровнена с открывающей.</translation> + <source>Indentation of closing bracket corrected.</source> + <translation>Исправлен размер отступа закрывающей скобки.</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="705"/> - <source>Indentation level changed.</source> - <translation>Изменен размер отступа.</translation> + <source>Missing indentation of continuation line corrected.</source> + <translation>Добавлен отступ к строке продолжения.</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="708"/> - <source>Indentation level of hanging indentation changed.</source> - <translation>Изменен размер отступа для висячих отступов.</translation> + <source>Closing bracket aligned to opening bracket.</source> + <translation>Закрывающая скобка выровнена с открывающей.</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="711"/> + <source>Indentation level changed.</source> + <translation>Изменен размер отступа.</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="714"/> + <source>Indentation level of hanging indentation changed.</source> + <translation>Изменен размер отступа для висячих отступов.</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="717"/> <source>Visual indentation corrected.</source> <translation>Исправленена величина визуального отступа.</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="726"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="732"/> <source>Extraneous whitespace removed.</source> <translation>Лишние символы пропуска удалены.</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="723"/> - <source>Missing whitespace added.</source> - <translation>Добавлены недостающие символы пропуска.</translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="729"/> + <source>Missing whitespace added.</source> + <translation>Добавлены недостающие символы пропуска.</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="735"/> <source>Whitespace around comment sign corrected.</source> <translation>Символы пропуска вокруг символа комментария откорректированы.</translation> </message> <message numerus="yes"> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="733"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="739"/> <source>%n blank line(s) inserted.</source> <translation> <numerusform>%n пустая строка вставлена.</numerusform> @@ -3847,7 +3847,7 @@ </translation> </message> <message numerus="yes"> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="736"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="742"/> <source>%n superfluous lines removed</source> <translation> <numerusform>%n лишняя пустая строка удалена</numerusform> @@ -3856,77 +3856,77 @@ </translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="740"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="746"/> <source>Superfluous blank lines removed.</source> <translation>Удалены лишние пустые строки.</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="743"/> - <source>Superfluous blank lines after function decorator removed.</source> - <translation>Удалены лишние пустые строки после декоратора функции.</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="746"/> - <source>Imports were put on separate lines.</source> - <translation>Операторы импорта помещены на отдельных строках.</translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="749"/> - <source>Long lines have been shortened.</source> - <translation>Укорочены длинные строки.</translation> + <source>Superfluous blank lines after function decorator removed.</source> + <translation>Удалены лишние пустые строки после декоратора функции.</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="752"/> - <source>Redundant backslash in brackets removed.</source> - <translation>Удалены излишние символы '\'.</translation> + <source>Imports were put on separate lines.</source> + <translation>Операторы импорта помещены на отдельных строках.</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="755"/> + <source>Long lines have been shortened.</source> + <translation>Укорочены длинные строки.</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="758"/> - <source>Compound statement corrected.</source> - <translation>Исправлены выражения оператора.</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="761"/> - <source>Comparison to None/True/False corrected.</source> - <translation>Исправлено сравнение с None/True/False.</translation> + <source>Redundant backslash in brackets removed.</source> + <translation>Удалены излишние символы '\'.</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="764"/> - <source>'{0}' argument added.</source> - <translation>Добавлен '{0}' аргумент.</translation> + <source>Compound statement corrected.</source> + <translation>Исправлены выражения оператора.</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="767"/> - <source>'{0}' argument removed.</source> - <translation>Удалён '{0}' аргумент.</translation> + <source>Comparison to None/True/False corrected.</source> + <translation>Исправлено сравнение с None/True/False.</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="770"/> - <source>Whitespace stripped from end of line.</source> - <translation>Завершающие пробельные символы обрезаны.</translation> + <source>'{0}' argument added.</source> + <translation>Добавлен '{0}' аргумент.</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="773"/> - <source>newline added to end of file.</source> - <translation>символ новой строки добавлен в конец файла.</translation> + <source>'{0}' argument removed.</source> + <translation>Удалён '{0}' аргумент.</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="776"/> - <source>Superfluous trailing blank lines removed from end of file.</source> - <translation>Удалены пустые строки в конце файла.</translation> + <source>Whitespace stripped from end of line.</source> + <translation>Завершающие пробельные символы обрезаны.</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="779"/> + <source>newline added to end of file.</source> + <translation>символ новой строки добавлен в конец файла.</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="782"/> + <source>Superfluous trailing blank lines removed from end of file.</source> + <translation>Удалены пустые строки в конце файла.</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="785"/> <source>'<>' replaced by '!='.</source> <translation>'<>' заменен на '!='.</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="783"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="789"/> <source>Could not save the file! Skipping it. Reason: {0}</source> <translation>Не удалось сохранить файл! Пропускаем. Причина: {0}</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="872"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="879"/> <source> no message defined for code '{0}'</source> <translation> нет сообщения, определенного для кода '{0}'</translation> </message> @@ -4410,22 +4410,22 @@ <context> <name>ComplexityChecker</name> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="465"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="471"/> <source>'{0}' is too complex ({1})</source> <translation>'{0}' слишком сложно ({1})</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="467"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="473"/> <source>source code line is too complex ({0})</source> <translation>строка исходного кода слишком сложная ({0})</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="469"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="475"/> <source>overall source code line complexity is too high ({0})</source> <translation>слишком большая общая сложность исходного кода ({0})</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="472"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="478"/> <source>{0}: {1}</source> <translation>{0}: {1}</translation> </message> @@ -7428,242 +7428,242 @@ <context> <name>DocStyleChecker</name> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="278"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="284"/> <source>module is missing a docstring</source> <translation>в модуле отсутствует строка документации</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="280"/> - <source>public function/method is missing a docstring</source> - <translation>для public function/method отсутствует строка документации</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="283"/> - <source>private function/method may be missing a docstring</source> - <translation>для private function/method возможно отсутствует строка документации</translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="286"/> - <source>public class is missing a docstring</source> - <translation>для public class отсутствует строка документации</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="288"/> - <source>private class may be missing a docstring</source> - <translation>для private class возможно отсутствует строка документации</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="290"/> - <source>docstring not surrounded by """</source> - <translation>строка документации не заключена в """</translation> + <source>public function/method is missing a docstring</source> + <translation>для public function/method отсутствует строка документации</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="289"/> + <source>private function/method may be missing a docstring</source> + <translation>для private function/method возможно отсутствует строка документации</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="292"/> - <source>docstring containing \ not surrounded by r"""</source> - <translation>строка документации содержит \ не заключеный в r"""</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="295"/> - <source>docstring containing unicode character not surrounded by u"""</source> - <translation>строка документации содержит unicode-символ не заключенный в u"""</translation> + <source>public class is missing a docstring</source> + <translation>для public class отсутствует строка документации</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="294"/> + <source>private class may be missing a docstring</source> + <translation>для private class возможно отсутствует строка документации</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="296"/> + <source>docstring not surrounded by """</source> + <translation>строка документации не заключена в """</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="298"/> + <source>docstring containing \ not surrounded by r"""</source> + <translation>строка документации содержит \ не заключеный в r"""</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="301"/> + <source>docstring containing unicode character not surrounded by u"""</source> + <translation>строка документации содержит unicode-символ не заключенный в u"""</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="304"/> <source>one-liner docstring on multiple lines</source> <translation>однострочная строка документации размещается на нескольких строках</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="300"/> - <source>docstring has wrong indentation</source> - <translation>строка документации с неправильным отступом</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="349"/> - <source>docstring summary does not end with a period</source> - <translation>резюме строки документации не заканчивается точкой</translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="306"/> + <source>docstring has wrong indentation</source> + <translation>строка документации с неправильным отступом</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="355"/> + <source>docstring summary does not end with a period</source> + <translation>резюме строки документации не заканчивается точкой</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="312"/> <source>docstring summary is not in imperative mood (Does instead of Do)</source> <translation>резюме строки документации не в повелительном наклонении</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="310"/> - <source>docstring summary looks like a function's/method's signature</source> - <translation>резюме строки документации выглядит как описание функции</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="313"/> - <source>docstring does not mention the return value type</source> - <translation>строка документации не описывает тип возвращаемого значения</translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="316"/> - <source>function/method docstring is separated by a blank line</source> - <translation>строка документации для function/method разделена пустыми строками</translation> + <source>docstring summary looks like a function's/method's signature</source> + <translation>резюме строки документации выглядит как описание функции</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="319"/> - <source>class docstring is not preceded by a blank line</source> - <translation>строка документации для class не предваряется пустой строкой</translation> + <source>docstring does not mention the return value type</source> + <translation>строка документации не описывает тип возвращаемого значения</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="322"/> - <source>class docstring is not followed by a blank line</source> - <translation>строка документации для class не завершается пустой строкой</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="383"/> - <source>docstring summary is not followed by a blank line</source> - <translation>резюме строки документации не завершается пустой строкой</translation> + <source>function/method docstring is separated by a blank line</source> + <translation>строка документации для function/method разделена пустыми строками</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="325"/> + <source>class docstring is not preceded by a blank line</source> + <translation>строка документации для class не предваряется пустой строкой</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="328"/> + <source>class docstring is not followed by a blank line</source> + <translation>строка документации для class не завершается пустой строкой</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="389"/> + <source>docstring summary is not followed by a blank line</source> + <translation>резюме строки документации не завершается пустой строкой</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="334"/> <source>last paragraph of docstring is not followed by a blank line</source> <translation>отсутствует пустая строка после последнего абзаца строки документации</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="336"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="342"/> <source>private function/method is missing a docstring</source> <translation>для private function/method отсутствует строка документации</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="339"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="345"/> <source>private class is missing a docstring</source> <translation>для private class отсутствует строка документации</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="343"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="349"/> <source>leading quotes of docstring not on separate line</source> <translation>открывающие кавычки строки документации размещены не в отдельной строке</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="346"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="352"/> <source>trailing quotes of docstring not on separate line</source> <translation>закрывающие кавычки строки документации размещены не в отдельной строке</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="353"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="359"/> <source>docstring does not contain a @return line but function/method returns something</source> <translation>строка документации не содержит строчки @return, но function/method что-то возвращает</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="357"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="363"/> <source>docstring contains a @return line but function/method doesn't return anything</source> <translation>строка документации содержит строчку @return, но function/method ничего не возвращает</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="361"/> - <source>docstring does not contain enough @param/@keyparam lines</source> - <translation>в строке документации недостаточно строк с @param/@keyparam</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="364"/> - <source>docstring contains too many @param/@keyparam lines</source> - <translation>в строке документации слишком много строк с @param/@keyparam</translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="367"/> - <source>keyword only arguments must be documented with @keyparam lines</source> - <translation>только аргументы ключевого слова должны быть описаны с помощью строк @keyparam</translation> + <source>docstring does not contain enough @param/@keyparam lines</source> + <translation>в строке документации недостаточно строк с @param/@keyparam</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="370"/> - <source>order of @param/@keyparam lines does not match the function/method signature</source> - <translation>порядок следования строк @param/@keyparam не соответствует сигнатуре функции</translation> + <source>docstring contains too many @param/@keyparam lines</source> + <translation>в строке документации слишком много строк с @param/@keyparam</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="373"/> + <source>keyword only arguments must be documented with @keyparam lines</source> + <translation>только аргументы ключевого слова должны быть описаны с помощью строк @keyparam</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="376"/> + <source>order of @param/@keyparam lines does not match the function/method signature</source> + <translation>порядок следования строк @param/@keyparam не соответствует сигнатуре функции</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="379"/> <source>class docstring is preceded by a blank line</source> <translation>строке документации class предшествует пустая строка</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="375"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="381"/> <source>class docstring is followed by a blank line</source> <translation>за строкой документации для class следует пустая строка</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="377"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="383"/> <source>function/method docstring is preceded by a blank line</source> <translation>строке документации для function/method предшествует пустая строка</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="380"/> - <source>function/method docstring is followed by a blank line</source> - <translation>за строкой документации для function/method следует пустая строка</translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="386"/> + <source>function/method docstring is followed by a blank line</source> + <translation>за строкой документации для function/method следует пустая строка</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="392"/> <source>last paragraph of docstring is followed by a blank line</source> <translation>за последним абзацем строки документации следует пустая строка</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="389"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="395"/> <source>docstring does not contain a @exception line but function/method raises an exception</source> <translation>строка документации не содержит @exception, но function/method вызывает исключение</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="393"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="399"/> <source>docstring contains a @exception line but function/method doesn't raise an exception</source> <translation>строка документации содержит @exception, но function/method не вызывает исключение</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="416"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="422"/> <source>{0}: {1}</source> <translation>{0}: {1}</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="302"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="308"/> <source>docstring does not contain a summary</source> <translation>строка документации не содержит резюме</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="351"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="357"/> <source>docstring summary does not start with '{0}'</source> <translation>резюме строки документации не начинается с '{0}'</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="397"/> - <source>raised exception '{0}' is not documented in docstring</source> - <translation>вызванное исключение '{0}' не документировано в строке документации</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="400"/> - <source>documented exception '{0}' is not raised</source> - <translation>документированное исключение '{0}' не вызвано</translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="403"/> - <source>docstring does not contain a @signal line but class defines signals</source> - <translation>строка документации не содержит строку @signal но сигналы определяет класс</translation> + <source>raised exception '{0}' is not documented in docstring</source> + <translation>вызванное исключение '{0}' не документировано в строке документации</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="406"/> - <source>docstring contains a @signal line but class doesn't define signals</source> - <translation>строка документации содержит строку @signal но класс не определяет сигналы</translation> + <source>documented exception '{0}' is not raised</source> + <translation>документированное исключение '{0}' не вызвано</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="409"/> - <source>defined signal '{0}' is not documented in docstring</source> - <translation>определенный сигнал '{0}' не документирован в строке документации</translation> + <source>docstring does not contain a @signal line but class defines signals</source> + <translation>строка документации не содержит строку @signal но сигналы определяет класс</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="412"/> + <source>docstring contains a @signal line but class doesn't define signals</source> + <translation>строка документации содержит строку @signal но класс не определяет сигналы</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="415"/> + <source>defined signal '{0}' is not documented in docstring</source> + <translation>определенный сигнал '{0}' не документирован в строке документации</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="418"/> <source>documented signal '{0}' is not defined</source> <translation>документированный сигнал '{0}' не определен</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="341"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="347"/> <source>class docstring is still a default string</source> <translation>class docstring is still a default string</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="334"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="340"/> <source>function docstring is still a default string</source> <translation>function docstring is still a default string</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="332"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="338"/> <source>module docstring is still a default string</source> <translation>module docstring is still a default string</translation> </message> @@ -9982,7 +9982,7 @@ <context> <name>Editor</name> <message> - <location filename="../QScintilla/Editor.py" line="2946"/> + <location filename="../QScintilla/Editor.py" line="2940"/> <source>Open File</source> <translation>Открыть файл</translation> </message> @@ -9997,907 +9997,907 @@ <translation><b>Окно редактора</b><p>Это окно используется для просмотра и редактирования исходных текстов приложений. Вы можете открыть несколько окон одновременно. Имя редактируемого файла отображается в заголовке окна.</p><p>Чтобы установить точку останова - кликните в пространство между номером строки и панелью свёртки на нужной строке. Появившийся маркер точки останова можно настроить через контекстное меню.</p><p>Чтобы установить закладку кликните в пространство между номером строки и панелью свёртки на нужной строке при нажатой клавише Shift.</p><p>Эти действия можно отменить через контекстное меню.</p><p>Если при нажатой клавише Ctrl кликнуть на маркер синтаксической ошибки, то будет показана дополнительная информация об ошибке.</p></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="750"/> + <location filename="../QScintilla/Editor.py" line="744"/> <source>Undo</source> <translation>Отмена</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="753"/> + <location filename="../QScintilla/Editor.py" line="747"/> <source>Redo</source> <translation>Повтор</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="756"/> + <location filename="../QScintilla/Editor.py" line="750"/> <source>Revert to last saved state</source> <translation>Вернуть к последнему записанному состоянию</translation> </message> <message> + <location filename="../QScintilla/Editor.py" line="754"/> + <source>Cut</source> + <translation>Вырезать</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="757"/> + <source>Copy</source> + <translation>Копировать</translation> + </message> + <message> <location filename="../QScintilla/Editor.py" line="760"/> - <source>Cut</source> - <translation>Вырезать</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="763"/> - <source>Copy</source> - <translation>Копировать</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="766"/> <source>Paste</source> <translation>Вставить</translation> </message> <message> + <location filename="../QScintilla/Editor.py" line="768"/> + <source>Indent</source> + <translation>Увеличить отступ</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="771"/> + <source>Unindent</source> + <translation>Уменьшить отступ</translation> + </message> + <message> <location filename="../QScintilla/Editor.py" line="774"/> - <source>Indent</source> - <translation>Увеличить отступ</translation> + <source>Comment</source> + <translation>Закомментировать</translation> </message> <message> <location filename="../QScintilla/Editor.py" line="777"/> - <source>Unindent</source> - <translation>Уменьшить отступ</translation> + <source>Uncomment</source> + <translation>Раскомментировать</translation> </message> <message> <location filename="../QScintilla/Editor.py" line="780"/> - <source>Comment</source> - <translation>Закомментировать</translation> + <source>Stream Comment</source> + <translation>Поточный комментарий</translation> </message> <message> <location filename="../QScintilla/Editor.py" line="783"/> - <source>Uncomment</source> - <translation>Раскомментировать</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="786"/> - <source>Stream Comment</source> - <translation>Поточный комментарий</translation> + <source>Box Comment</source> + <translation>Прямоугольный комментарий</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="787"/> + <source>Select to brace</source> + <translation>Выбрать до скобки</translation> </message> <message> <location filename="../QScintilla/Editor.py" line="789"/> - <source>Box Comment</source> - <translation>Прямоугольный комментарий</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="793"/> - <source>Select to brace</source> - <translation>Выбрать до скобки</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="795"/> <source>Select all</source> <translation>Выбрать всё</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="796"/> + <location filename="../QScintilla/Editor.py" line="790"/> <source>Deselect all</source> <translation>Снять выделение</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7473"/> + <location filename="../QScintilla/Editor.py" line="7467"/> <source>Check spelling...</source> <translation>Проверка орфографии...</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="804"/> + <location filename="../QScintilla/Editor.py" line="798"/> <source>Check spelling of selection...</source> <translation>Проверка орфографии выделенного участка...</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="808"/> + <location filename="../QScintilla/Editor.py" line="802"/> <source>Remove from dictionary</source> <translation>Удалить из словаря</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="812"/> + <location filename="../QScintilla/Editor.py" line="806"/> <source>Shorten empty lines</source> <translation>Укоротить пустые строки</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="819"/> + <location filename="../QScintilla/Editor.py" line="813"/> <source>Use Monospaced Font</source> <translation>Использовать моноширинный шрифт</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="824"/> + <location filename="../QScintilla/Editor.py" line="818"/> <source>Autosave enabled</source> <translation>Автосохранение разрешено</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="828"/> + <location filename="../QScintilla/Editor.py" line="822"/> <source>Typing aids enabled</source> <translation>Разрешить помощь при наборе</translation> </message> <message> + <location filename="../QScintilla/Editor.py" line="861"/> + <source>Close</source> + <translation>Закрыть</translation> + </message> + <message> <location filename="../QScintilla/Editor.py" line="867"/> - <source>Close</source> - <translation>Закрыть</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="873"/> <source>Save</source> <translation>Сохранить</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="876"/> + <location filename="../QScintilla/Editor.py" line="870"/> <source>Save As...</source> <translation>Сохранить как...</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="889"/> + <location filename="../QScintilla/Editor.py" line="883"/> <source>Print Preview</source> <translation>Предварительный просмотр печати</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="892"/> + <location filename="../QScintilla/Editor.py" line="886"/> <source>Print</source> <translation>Печать</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="921"/> + <location filename="../QScintilla/Editor.py" line="915"/> <source>Complete from Document</source> <translation>Дополнение из документа</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="923"/> + <location filename="../QScintilla/Editor.py" line="917"/> <source>Complete from APIs</source> <translation>Дополнение из API</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="925"/> + <location filename="../QScintilla/Editor.py" line="919"/> <source>Complete from Document and APIs</source> <translation>Дополнение из документа и API</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="843"/> + <location filename="../QScintilla/Editor.py" line="837"/> <source>Calltip</source> <translation>Подсказка</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="939"/> + <location filename="../QScintilla/Editor.py" line="933"/> <source>Check</source> <translation>Проверки</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="959"/> + <location filename="../QScintilla/Editor.py" line="953"/> <source>Show</source> <translation>Показать</translation> </message> <message> + <location filename="../QScintilla/Editor.py" line="955"/> + <source>Code metrics...</source> + <translation>Метрики кода...</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="956"/> + <source>Code coverage...</source> + <translation>Покрытие кода...</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="958"/> + <source>Show code coverage annotations</source> + <translation>Показать аннотации по покрытию кода</translation> + </message> + <message> <location filename="../QScintilla/Editor.py" line="961"/> - <source>Code metrics...</source> - <translation>Метрики кода...</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="962"/> - <source>Code coverage...</source> - <translation>Покрытие кода...</translation> + <source>Hide code coverage annotations</source> + <translation>Не показывать аннотации по покрытию кода</translation> </message> <message> <location filename="../QScintilla/Editor.py" line="964"/> - <source>Show code coverage annotations</source> - <translation>Показать аннотации по покрытию кода</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="967"/> - <source>Hide code coverage annotations</source> - <translation>Не показывать аннотации по покрытию кода</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="970"/> <source>Profile data...</source> <translation>Данные профайлера...</translation> </message> <message> + <location filename="../QScintilla/Editor.py" line="977"/> + <source>Diagrams</source> + <translation>Диаграммы</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="979"/> + <source>Class Diagram...</source> + <translation>Диаграмма классов...</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="981"/> + <source>Package Diagram...</source> + <translation>Диаграмма пакетов...</translation> + </message> + <message> <location filename="../QScintilla/Editor.py" line="983"/> - <source>Diagrams</source> - <translation>Диаграммы</translation> + <source>Imports Diagram...</source> + <translation>Диаграмма импортирования...</translation> </message> <message> <location filename="../QScintilla/Editor.py" line="985"/> - <source>Class Diagram...</source> - <translation>Диаграмма классов...</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="987"/> - <source>Package Diagram...</source> - <translation>Диаграмма пакетов...</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="989"/> - <source>Imports Diagram...</source> - <translation>Диаграмма импортирования...</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="991"/> <source>Application Diagram...</source> <translation>Диаграмма приложения...</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1009"/> + <location filename="../QScintilla/Editor.py" line="1003"/> <source>Languages</source> <translation>Языки</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1012"/> + <location filename="../QScintilla/Editor.py" line="1006"/> <source>No Language</source> <translation>Нет языка</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1037"/> + <location filename="../QScintilla/Editor.py" line="1031"/> <source>Guessed</source> <translation>Предполагаемый язык</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1324"/> + <location filename="../QScintilla/Editor.py" line="1318"/> <source>Alternatives</source> <translation>Альтернативная подсветка</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1057"/> + <location filename="../QScintilla/Editor.py" line="1051"/> <source>Encodings</source> <translation>Кодировки</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1098"/> + <location filename="../QScintilla/Editor.py" line="1092"/> <source>End-of-Line Type</source> <translation>Тип конца строки</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1102"/> + <location filename="../QScintilla/Editor.py" line="1096"/> <source>Unix</source> <translation>Unix</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1109"/> + <location filename="../QScintilla/Editor.py" line="1103"/> <source>Windows</source> <translation>Windows</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1116"/> + <location filename="../QScintilla/Editor.py" line="1110"/> <source>Macintosh</source> <translation>Macintosh</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1134"/> + <location filename="../QScintilla/Editor.py" line="1128"/> <source>Export as</source> <translation>Экспортировать как</translation> </message> <message> + <location filename="../QScintilla/Editor.py" line="1150"/> + <source>Toggle bookmark</source> + <translation>Создать/Удалить закладку</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="1152"/> + <source>Next bookmark</source> + <translation>Следующая закладка</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="1154"/> + <source>Previous bookmark</source> + <translation>Предыдущая закладка</translation> + </message> + <message> <location filename="../QScintilla/Editor.py" line="1156"/> - <source>Toggle bookmark</source> - <translation>Создать/Удалить закладку</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1158"/> - <source>Next bookmark</source> - <translation>Следующая закладка</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1160"/> - <source>Previous bookmark</source> - <translation>Предыдущая закладка</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1162"/> <source>Clear all bookmarks</source> <translation>Очистить все закладки</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1171"/> + <location filename="../QScintilla/Editor.py" line="1165"/> <source>Toggle breakpoint</source> <translation>Поставить/убрать точку останова</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1173"/> + <location filename="../QScintilla/Editor.py" line="1167"/> <source>Toggle temporary breakpoint</source> <translation>Поставить/убрать временную точку останова</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1176"/> + <location filename="../QScintilla/Editor.py" line="1170"/> <source>Edit breakpoint...</source> <translation>Редактировать точку останова...</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="5316"/> + <location filename="../QScintilla/Editor.py" line="5310"/> <source>Enable breakpoint</source> <translation>Разрешить точку останова</translation> </message> <message> + <location filename="../QScintilla/Editor.py" line="1175"/> + <source>Next breakpoint</source> + <translation>Следующая точка останова</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="1178"/> + <source>Previous breakpoint</source> + <translation>Предыдущая точка останова</translation> + </message> + <message> <location filename="../QScintilla/Editor.py" line="1181"/> - <source>Next breakpoint</source> - <translation>Следующая точка останова</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1184"/> - <source>Previous breakpoint</source> - <translation>Предыдущая точка останова</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1187"/> <source>Clear all breakpoints</source> <translation>Убрать все точки останова</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1230"/> + <location filename="../QScintilla/Editor.py" line="1224"/> <source>Goto syntax error</source> <translation>Перейти к синтаксической ошибке</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1233"/> + <location filename="../QScintilla/Editor.py" line="1227"/> <source>Show syntax error message</source> <translation>Показать сообщение о синтаксической ошибке</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1237"/> + <location filename="../QScintilla/Editor.py" line="1231"/> <source>Clear syntax error</source> <translation>Очистить синтаксическую ошибку</translation> </message> <message> + <location filename="../QScintilla/Editor.py" line="1235"/> + <source>Next warning</source> + <translation>Следующее предупреждение</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="1238"/> + <source>Previous warning</source> + <translation>Предыдущее предупреждение</translation> + </message> + <message> <location filename="../QScintilla/Editor.py" line="1241"/> - <source>Next warning</source> - <translation>Следующее предупреждение</translation> + <source>Show warning message</source> + <translation>Показать предупреждение</translation> </message> <message> <location filename="../QScintilla/Editor.py" line="1244"/> - <source>Previous warning</source> - <translation>Предыдущее предупреждение</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1247"/> - <source>Show warning message</source> - <translation>Показать предупреждение</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1250"/> <source>Clear warnings</source> <translation>Очистить предупреждения</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1254"/> + <location filename="../QScintilla/Editor.py" line="1248"/> <source>Next uncovered line</source> <translation>Следующая неохваченная строка</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1257"/> + <location filename="../QScintilla/Editor.py" line="1251"/> <source>Previous uncovered line</source> <translation>Предыдущая неохваченная строка</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1261"/> + <location filename="../QScintilla/Editor.py" line="1255"/> <source>Next task</source> <translation>Следующая задача</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1264"/> + <location filename="../QScintilla/Editor.py" line="1258"/> <source>Previous task</source> <translation>Предыдущая задача</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1309"/> + <location filename="../QScintilla/Editor.py" line="1303"/> <source>Export source</source> <translation>Экспортировать исходник</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1301"/> + <location filename="../QScintilla/Editor.py" line="1295"/> <source><p>No exporter available for the export format <b>{0}</b>. Aborting...</p></source> <translation><p>Не найден экспортёр для формата <b>{0}</b>. Отмена...</p></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1309"/> + <location filename="../QScintilla/Editor.py" line="1303"/> <source>No export format given. Aborting...</source> <translation>Не задан формат экспорта. Прерывание...</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1320"/> + <location filename="../QScintilla/Editor.py" line="1314"/> <source>Alternatives ({0})</source> <translation>Альтернативы ({0})</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1340"/> + <location filename="../QScintilla/Editor.py" line="1334"/> <source>Pygments Lexer</source> <translation>Лексер Pygments</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1340"/> + <location filename="../QScintilla/Editor.py" line="1334"/> <source>Select the Pygments lexer to apply.</source> <translation>Выберите для использования лексер Pygments.</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1816"/> + <location filename="../QScintilla/Editor.py" line="1810"/> <source>Modification of Read Only file</source> <translation>Редактирование файла, открытого только на чтение</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1816"/> + <location filename="../QScintilla/Editor.py" line="1810"/> <source>You are attempting to change a read only file. Please save to a different file first.</source> <translation>Попытка редактирования файла, открытого только на чтение. Пожалуйста, сначала сохраните изменения в другой файл.</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="2502"/> + <location filename="../QScintilla/Editor.py" line="2496"/> <source>Printing...</source> <translation>Печать...</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="2519"/> + <location filename="../QScintilla/Editor.py" line="2513"/> <source>Printing completed</source> <translation>Печать завершена</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="2521"/> + <location filename="../QScintilla/Editor.py" line="2515"/> <source>Error while printing</source> <translation>Ошибка печати</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="2524"/> + <location filename="../QScintilla/Editor.py" line="2518"/> <source>Printing aborted</source> <translation>Печать прервана</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="2886"/> + <location filename="../QScintilla/Editor.py" line="2880"/> <source>File Modified</source> <translation>Файл изменён</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="2886"/> + <location filename="../QScintilla/Editor.py" line="2880"/> <source><p>The file <b>{0}</b> has unsaved changes.</p></source> <translation><p>В файле <b>{0}</b> есть несохранённые изменения.</p></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="2946"/> + <location filename="../QScintilla/Editor.py" line="2940"/> <source><p>The file <b>{0}</b> could not be opened.</p><p>Reason: {1}</p></source> <translation><p>Невозможно прочитать файл <b>{0}</b>.</p><p>Причина: {1}</p></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="3119"/> + <location filename="../QScintilla/Editor.py" line="3113"/> <source>Save File</source> <translation>Сохранить файл</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="3060"/> + <location filename="../QScintilla/Editor.py" line="3054"/> <source><p>The file <b>{0}</b> could not be saved.<br/>Reason: {1}</p></source> <translation><p>Невозможно сохранить файл <b>{0}</b>:<br>Причина: {1}.</p></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="3119"/> + <location filename="../QScintilla/Editor.py" line="3113"/> <source><p>The file <b>{0}</b> already exists. Overwrite it?</p></source> <translation><p>Файл <b>{0}</b> уже существует. Переписать?</p></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="4522"/> + <location filename="../QScintilla/Editor.py" line="4516"/> <source>Autocompletion</source> <translation>Автодополнение</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="4522"/> + <location filename="../QScintilla/Editor.py" line="4516"/> <source>Autocompletion is not available because there is no autocompletion source set.</source> <translation>Автодополнение недоступно, так как не задан источник автодополнения.</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="5319"/> + <location filename="../QScintilla/Editor.py" line="5313"/> <source>Disable breakpoint</source> <translation>Запретить точку останова</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="5676"/> + <location filename="../QScintilla/Editor.py" line="5670"/> <source>Code Coverage</source> <translation>Покрытие кода</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="5676"/> + <location filename="../QScintilla/Editor.py" line="5670"/> <source>Please select a coverage file</source> <translation>Пожалуйста, выберите файл покрытия</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="5739"/> + <location filename="../QScintilla/Editor.py" line="5733"/> <source>Show Code Coverage Annotations</source> <translation>Показать аннотации по покрытию кода</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="5732"/> + <location filename="../QScintilla/Editor.py" line="5726"/> <source>All lines have been covered.</source> <translation>Все строки были охвачены.</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="5739"/> + <location filename="../QScintilla/Editor.py" line="5733"/> <source>There is no coverage file available.</source> <translation>Нет доступного файла покрытия.</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="5854"/> + <location filename="../QScintilla/Editor.py" line="5848"/> <source>Profile Data</source> <translation>Данные профайлера</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="5854"/> + <location filename="../QScintilla/Editor.py" line="5848"/> <source>Please select a profile file</source> <translation>Пожалуйста, выберите файл профиля</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6014"/> + <location filename="../QScintilla/Editor.py" line="6008"/> <source>Syntax Error</source> <translation>Синтаксическая ошибка</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6014"/> + <location filename="../QScintilla/Editor.py" line="6008"/> <source>No syntax error message available.</source> <translation>Нет сообщения о синтаксической ошибке.</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6400"/> + <location filename="../QScintilla/Editor.py" line="6394"/> <source>Macro Name</source> <translation>Имя макроса</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6400"/> + <location filename="../QScintilla/Editor.py" line="6394"/> <source>Select a macro name:</source> <translation>Задайте имя макроса:</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6428"/> + <location filename="../QScintilla/Editor.py" line="6422"/> <source>Load macro file</source> <translation>Загрузить макрос</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6471"/> + <location filename="../QScintilla/Editor.py" line="6465"/> <source>Macro files (*.macro)</source> <translation>Макросы (*.macro)</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6451"/> + <location filename="../QScintilla/Editor.py" line="6445"/> <source>Error loading macro</source> <translation>Ошибка при загрузке макроса</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6442"/> + <location filename="../QScintilla/Editor.py" line="6436"/> <source><p>The macro file <b>{0}</b> could not be read.</p></source> <translation><p>Невозможно прочитать файл с макросами: <b>{0}</b>.</p></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6451"/> + <location filename="../QScintilla/Editor.py" line="6445"/> <source><p>The macro file <b>{0}</b> is corrupt.</p></source> <translation><p>Файл с макросами <b>{0}</b> повреждён.</p></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6471"/> + <location filename="../QScintilla/Editor.py" line="6465"/> <source>Save macro file</source> <translation>Сохранить файл с макросами</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6488"/> + <location filename="../QScintilla/Editor.py" line="6482"/> <source>Save macro</source> <translation>Сохранить макрос</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6488"/> + <location filename="../QScintilla/Editor.py" line="6482"/> <source><p>The macro file <b>{0}</b> already exists. Overwrite it?</p></source> <translation><p>Макро <b>{0}</b> уже существует. Переписать?</p></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6504"/> + <location filename="../QScintilla/Editor.py" line="6498"/> <source>Error saving macro</source> <translation>Ошибка при сохранении макроса</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6504"/> + <location filename="../QScintilla/Editor.py" line="6498"/> <source><p>The macro file <b>{0}</b> could not be written.</p></source> <translation><p>Невозможно сохранить файл с макросами: <b>{0}</b>.</p></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6517"/> + <location filename="../QScintilla/Editor.py" line="6511"/> <source>Start Macro Recording</source> <translation>Начать запись макроса</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6517"/> + <location filename="../QScintilla/Editor.py" line="6511"/> <source>Macro recording is already active. Start new?</source> <translation>Запись макроса уже идёт. Начать новую запись?</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6543"/> + <location filename="../QScintilla/Editor.py" line="6537"/> <source>Macro Recording</source> <translation>Запись макроса</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6543"/> + <location filename="../QScintilla/Editor.py" line="6537"/> <source>Enter name of the macro:</source> <translation>Задайте имя макроса:</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6681"/> + <location filename="../QScintilla/Editor.py" line="6675"/> <source>File changed</source> <translation>Файл изменен</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6845"/> + <location filename="../QScintilla/Editor.py" line="6839"/> <source>{0} (ro)</source> <translation>{0} (только чтение)</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6985"/> + <location filename="../QScintilla/Editor.py" line="6979"/> <source>Drop Error</source> <translation>Ошибка Drag&&Drop</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6985"/> + <location filename="../QScintilla/Editor.py" line="6979"/> <source><p><b>{0}</b> is not a file.</p></source> <translation><p><b>{0}</b> не является файлом.</p></translation> </message> <message> + <location filename="../QScintilla/Editor.py" line="7000"/> + <source>Resources</source> + <translation>Ресурсы</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="7002"/> + <source>Add file...</source> + <translation>Добавить файл...</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="7004"/> + <source>Add files...</source> + <translation>Добавить файлы...</translation> + </message> + <message> <location filename="../QScintilla/Editor.py" line="7006"/> - <source>Resources</source> - <translation>Ресурсы</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="7008"/> - <source>Add file...</source> - <translation>Добавить файл...</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="7010"/> - <source>Add files...</source> - <translation>Добавить файлы...</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="7012"/> <source>Add aliased file...</source> <translation>Добавить файл под другим именем...</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7015"/> + <location filename="../QScintilla/Editor.py" line="7009"/> <source>Add localized resource...</source> <translation>Добавить локализованный ресурс...</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7019"/> + <location filename="../QScintilla/Editor.py" line="7013"/> <source>Add resource frame</source> <translation>Добавить фрагмент ресурсов</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7038"/> + <location filename="../QScintilla/Editor.py" line="7032"/> <source>Add file resource</source> <translation>Добавить файл ресурсов</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7054"/> + <location filename="../QScintilla/Editor.py" line="7048"/> <source>Add file resources</source> <translation>Добавить файлы ресурсов</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7082"/> + <location filename="../QScintilla/Editor.py" line="7076"/> <source>Add aliased file resource</source> <translation>Добавить файл ресурсов под другим именем</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7082"/> + <location filename="../QScintilla/Editor.py" line="7076"/> <source>Alias for file <b>{0}</b>:</source> <translation>Другое имя для файла <b>{0}</b>:</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7146"/> + <location filename="../QScintilla/Editor.py" line="7140"/> <source>Package Diagram</source> <translation>Диаграмма пакетов</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7146"/> + <location filename="../QScintilla/Editor.py" line="7140"/> <source>Include class attributes?</source> <translation>Включать атрибуты класса?</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7166"/> + <location filename="../QScintilla/Editor.py" line="7160"/> <source>Imports Diagram</source> <translation>Диаграмма импортов</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7166"/> + <location filename="../QScintilla/Editor.py" line="7160"/> <source>Include imports from external modules?</source> <translation>Включать импорты из внешних модулей?</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7180"/> + <location filename="../QScintilla/Editor.py" line="7174"/> <source>Application Diagram</source> <translation>Диаграмма приложения</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7180"/> + <location filename="../QScintilla/Editor.py" line="7174"/> <source>Include module names?</source> <translation>Включать имена модулей?</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7476"/> + <location filename="../QScintilla/Editor.py" line="7470"/> <source>Add to dictionary</source> <translation>Добавить в словарь</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7478"/> + <location filename="../QScintilla/Editor.py" line="7472"/> <source>Ignore All</source> <translation>Игнорировать всё</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6290"/> + <location filename="../QScintilla/Editor.py" line="6284"/> <source>Warning: {0}</source> <translation>Предупреждение: {0}</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6297"/> + <location filename="../QScintilla/Editor.py" line="6291"/> <source>Error: {0}</source> <translation>Ошибка: {0}</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6677"/> + <location filename="../QScintilla/Editor.py" line="6671"/> <source><br><b>Warning:</b> You will lose your changes upon reopening it.</source> <translation><br><b>Предупреждение:</b> При переоткрытии все изменения будут потеряны.</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="885"/> + <location filename="../QScintilla/Editor.py" line="879"/> <source>Open 'rejection' file</source> <translation>Открыть 'отбракованный' файл</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="995"/> + <location filename="../QScintilla/Editor.py" line="989"/> <source>Load Diagram...</source> <translation>Загрузить диаграмму...</translation> </message> <message> + <location filename="../QScintilla/Editor.py" line="1262"/> + <source>Next change</source> + <translation>Следующее изменение</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="1265"/> + <source>Previous change</source> + <translation>Предыдущее изменение</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="7884"/> + <source>Sort Lines</source> + <translation>Сортировать строки</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="7884"/> + <source>The selection contains illegal data for a numerical sort.</source> + <translation>Выборка содержит данные неподходящие для сортировки как числа.</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="6220"/> + <source>Warning</source> + <translation>Предупреждение</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="6220"/> + <source>No warning messages available.</source> + <translation>Нет предупреждающего сообщения.</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="6281"/> + <source>Style: {0}</source> + <translation>Стиль: {0}</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="853"/> + <source>New Document View</source> + <translation>Новое окно для документа</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="856"/> + <source>New Document View (with new split)</source> + <translation>Новое окно для документа (в новом разделе)</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="943"/> + <source>Tools</source> + <translation>Инструменты</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="1073"/> + <source>Re-Open With Encoding</source> + <translation>Открыть заново с кодировкой</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="6665"/> + <source><p>The file <b>{0}</b> has been changed while it was opened in eric6. Reread it?</p></source> + <translation><p>Файл <b>{0}</b> был изменён, будучи открытым в eric6. Перепрочесть?</p></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="829"/> + <source>Automatic Completion enabled</source> + <translation>Автоматическое дополнение</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="909"/> + <source>Complete</source> + <translation>Дополнить</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="4641"/> + <source>Auto-Completion Provider</source> + <translation>Источник автодополнений</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="4641"/> + <source>The completion list provider '{0}' was already registered. Ignoring duplicate request.</source> + <translation>Список дополнений источника '{0}' уже зарегистрирован. Повторный запрос проигнорирован.</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="4895"/> + <source>Call-Tips Provider</source> + <translation>Источник всплывающих подсказок</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="4895"/> + <source>The call-tips provider '{0}' was already registered. Ignoring duplicate request.</source> + <translation>Источник всплывающих подсказок '{0}' уже зарегистрирован. Повторный запрос проигнорирован.</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="7971"/> + <source>Register Mouse Click Handler</source> + <translation>Регистрация обработчика кликов мышки</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="7971"/> + <source>A mouse click handler for "{0}" was already registered by "{1}". Aborting request by "{2}"...</source> + <translation>Обработчик кликов мышки для "{0}" уже зарегистрирован "{1}". Запрос прерван "{2}"...</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="873"/> + <source>Save Copy...</source> + <translation>Сохранить копию...</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="912"/> + <source>Clear Completions Cache</source> + <translation>Очистить кэш дополнений</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="839"/> + <source>Code Info</source> + <translation>Инфо для кода</translation> + </message> + <message> <location filename="../QScintilla/Editor.py" line="1268"/> - <source>Next change</source> - <translation>Следующее изменение</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1271"/> - <source>Previous change</source> - <translation>Предыдущее изменение</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="7890"/> - <source>Sort Lines</source> - <translation>Сортировать строки</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="7890"/> - <source>The selection contains illegal data for a numerical sort.</source> - <translation>Выборка содержит данные неподходящие для сортировки как числа.</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="6226"/> - <source>Warning</source> - <translation>Предупреждение</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="6226"/> - <source>No warning messages available.</source> - <translation>Нет предупреждающего сообщения.</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="6287"/> - <source>Style: {0}</source> - <translation>Стиль: {0}</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="859"/> - <source>New Document View</source> - <translation>Новое окно для документа</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="862"/> - <source>New Document View (with new split)</source> - <translation>Новое окно для документа (в новом разделе)</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="949"/> - <source>Tools</source> - <translation>Инструменты</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1079"/> - <source>Re-Open With Encoding</source> - <translation>Открыть заново с кодировкой</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="6671"/> - <source><p>The file <b>{0}</b> has been changed while it was opened in eric6. Reread it?</p></source> - <translation><p>Файл <b>{0}</b> был изменён, будучи открытым в eric6. Перепрочесть?</p></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="835"/> - <source>Automatic Completion enabled</source> - <translation>Автоматическое дополнение</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="915"/> - <source>Complete</source> - <translation>Дополнить</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="4647"/> - <source>Auto-Completion Provider</source> - <translation>Источник автодополнений</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="4647"/> - <source>The completion list provider '{0}' was already registered. Ignoring duplicate request.</source> - <translation>Список дополнений источника '{0}' уже зарегистрирован. Повторный запрос проигнорирован.</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="4901"/> - <source>Call-Tips Provider</source> - <translation>Источник всплывающих подсказок</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="4901"/> - <source>The call-tips provider '{0}' was already registered. Ignoring duplicate request.</source> - <translation>Источник всплывающих подсказок '{0}' уже зарегистрирован. Повторный запрос проигнорирован.</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="7977"/> - <source>Register Mouse Click Handler</source> - <translation>Регистрация обработчика кликов мышки</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="7977"/> - <source>A mouse click handler for "{0}" was already registered by "{1}". Aborting request by "{2}"...</source> - <translation>Обработчик кликов мышки для "{0}" уже зарегистрирован "{1}". Запрос прерван "{2}"...</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="879"/> - <source>Save Copy...</source> - <translation>Сохранить копию...</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="918"/> - <source>Clear Completions Cache</source> - <translation>Очистить кэш дополнений</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="845"/> - <source>Code Info</source> - <translation>Инфо для кода</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1274"/> <source>Clear changes</source> <translation>Очистить изменения</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="770"/> + <location filename="../QScintilla/Editor.py" line="764"/> <source>Execute Selection In Console</source> <translation>Выполнить выбор в консоли</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="8098"/> + <location filename="../QScintilla/Editor.py" line="8092"/> <source>EditorConfig Properties</source> <translation>Свойства EditorConfig</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="8098"/> + <location filename="../QScintilla/Editor.py" line="8092"/> <source><p>The EditorConfig properties for file <b>{0}</b> could not be loaded.</p></source> <translation><p>Не удается загрузить свойства EditorConfig для файла <b>{0}</b>.</p></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1197"/> + <location filename="../QScintilla/Editor.py" line="1191"/> <source>Toggle all folds</source> <translation>Свернуть/Развернуть все свертки</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1201"/> + <location filename="../QScintilla/Editor.py" line="1195"/> <source>Toggle all folds (including children)</source> <translation>Свернуть/Развернуть все свёртки (включая дочерние)</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1205"/> + <location filename="../QScintilla/Editor.py" line="1199"/> <source>Toggle current fold</source> <translation>Свернуть/Развернуть текущую свертку</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1210"/> + <location filename="../QScintilla/Editor.py" line="1204"/> <source>Expand (including children)</source> <translation>Развернуть (включая дочерние)</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1214"/> + <location filename="../QScintilla/Editor.py" line="1208"/> <source>Collapse (including children)</source> <translation>Свернуть (включая дочерние)</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1219"/> + <location filename="../QScintilla/Editor.py" line="1213"/> <source>Clear all folds</source> <translation>Очистить все свертки</translation> </message> @@ -45693,12 +45693,12 @@ <translation><b>Сохранить копию</b><p>Сохранение контента текущего окна редактора. Имя файла может быть введено в диалоге выбора файла.</p></translation> </message> <message> - <location filename="../QScintilla/MiniEditor.py" line="3401"/> + <location filename="../QScintilla/MiniEditor.py" line="3405"/> <source>EditorConfig Properties</source> <translation>Свойства EditorConfig</translation> </message> <message> - <location filename="../QScintilla/MiniEditor.py" line="3401"/> + <location filename="../QScintilla/MiniEditor.py" line="3405"/> <source><p>The EditorConfig properties for file <b>{0}</b> could not be loaded.</p></source> <translation><p>Не удается загрузить свойства EditorConfig для файла <b>{0}</b>.</p></translation> </message> @@ -45711,252 +45711,252 @@ <context> <name>MiscellaneousChecker</name> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="476"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="482"/> <source>coding magic comment not found</source> <translation>кодирование magic компонентов не найдено</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="479"/> - <source>unknown encoding ({0}) found in coding magic comment</source> - <translation>неизвестный код ({0}) обнаружен в коде magic комментариев</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="482"/> - <source>copyright notice not present</source> - <translation>уведомление об авторских правах не предоставлено</translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="485"/> + <source>unknown encoding ({0}) found in coding magic comment</source> + <translation>неизвестный код ({0}) обнаружен в коде magic комментариев</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="488"/> + <source>copyright notice not present</source> + <translation>уведомление об авторских правах не предоставлено</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="491"/> <source>copyright notice contains invalid author</source> <translation>уведомление об авторских правах содержит недействительного автора</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="562"/> - <source>found {0} formatter</source> - <translation>найден {0} форматтер</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="565"/> - <source>format string does contain unindexed parameters</source> - <translation>строка формата действительно содержит неиндексированные параметры</translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="568"/> - <source>docstring does contain unindexed parameters</source> - <translation>строка документации действительно содержит неиндексированные параметры</translation> + <source>found {0} formatter</source> + <translation>найден {0} форматтер</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="571"/> - <source>other string does contain unindexed parameters</source> - <translation>другая строка действительно содержит неиндексированные параметры</translation> + <source>format string does contain unindexed parameters</source> + <translation>строка формата действительно содержит неиндексированные параметры</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="574"/> - <source>format call uses too large index ({0})</source> - <translation>формат вызова использует слишком большой индекс ({0})</translation> + <source>docstring does contain unindexed parameters</source> + <translation>строка документации действительно содержит неиндексированные параметры</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="577"/> - <source>format call uses missing keyword ({0})</source> - <translation>формат вызова использует недостающее ключевое слово ({0})</translation> + <source>other string does contain unindexed parameters</source> + <translation>другая строка действительно содержит неиндексированные параметры</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="580"/> - <source>format call uses keyword arguments but no named entries</source> - <translation>формат вызова использует ключевые аргументы, но нет именованных записей</translation> + <source>format call uses too large index ({0})</source> + <translation>формат вызова использует слишком большой индекс ({0})</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="583"/> - <source>format call uses variable arguments but no numbered entries</source> - <translation>формат ячейки использует переменные аргументы, но нет пронумерованных записей</translation> + <source>format call uses missing keyword ({0})</source> + <translation>формат вызова использует недостающее ключевое слово ({0})</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="586"/> - <source>format call uses implicit and explicit indexes together</source> - <translation>формат вызова использует скрытые и явные индексы вместе</translation> + <source>format call uses keyword arguments but no named entries</source> + <translation>формат вызова использует ключевые аргументы, но нет именованных записей</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="589"/> - <source>format call provides unused index ({0})</source> - <translation>формат вызова предоставляет неиспользованный индекс ({0})</translation> + <source>format call uses variable arguments but no numbered entries</source> + <translation>формат ячейки использует переменные аргументы, но нет пронумерованных записей</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="592"/> + <source>format call uses implicit and explicit indexes together</source> + <translation>формат вызова использует скрытые и явные индексы вместе</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="595"/> + <source>format call provides unused index ({0})</source> + <translation>формат вызова предоставляет неиспользованный индекс ({0})</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="598"/> <source>format call provides unused keyword ({0})</source> <translation>Формат вызова предоставляет неиспользованное ключевое слово ({0})</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="610"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="616"/> <source>expected these __future__ imports: {0}; but only got: {1}</source> <translation>ожидался __future__ imports: {0}; получены только: {1}</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="613"/> - <source>expected these __future__ imports: {0}; but got none</source> - <translation>ожидался __future__ imports: {0}; не получено ничего</translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="619"/> + <source>expected these __future__ imports: {0}; but got none</source> + <translation>ожидался __future__ imports: {0}; не получено ничего</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="625"/> <source>print statement found</source> <translation>обнаружен оператор печати</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="622"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="628"/> <source>one element tuple found</source> <translation>один элемент кортежа найден</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="634"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="640"/> <source>{0}: {1}</source> <translation>{0}: {1}</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="488"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="494"/> <source>"{0}" is a Python builtin and is being shadowed; consider renaming the variable</source> <translation>"{0}" является встроенным именем Python и затеняется; рассмотрите возможность переименования переменной</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="492"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="498"/> <source>"{0}" is used as an argument and thus shadows a Python builtin; consider renaming the argument</source> <translation>"{0}" используется как аргумент и таким образом затеняет встроенные имена Python; рассмотрите возможность переименования аргумента</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="496"/> - <source>unnecessary generator - rewrite as a list comprehension</source> - <translation>неподходящий генератор - перепишите как списк выражений</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="499"/> - <source>unnecessary generator - rewrite as a set comprehension</source> - <translation>неподходящий генератор - перепишите как набор выражений</translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="502"/> - <source>unnecessary generator - rewrite as a dict comprehension</source> - <translation>неподходящий генератор - перепишите как словарь выражений</translation> + <source>unnecessary generator - rewrite as a list comprehension</source> + <translation>неподходящий генератор - перепишите как списк выражений</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="505"/> - <source>unnecessary list comprehension - rewrite as a set comprehension</source> - <translation>неподходящий список выражений - перепишите как набор выражений</translation> + <source>unnecessary generator - rewrite as a set comprehension</source> + <translation>неподходящий генератор - перепишите как набор выражений</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="508"/> - <source>unnecessary list comprehension - rewrite as a dict comprehension</source> - <translation>неподходящий список выражений - перепишите как словарь выражений</translation> + <source>unnecessary generator - rewrite as a dict comprehension</source> + <translation>неподходящий генератор - перепишите как словарь выражений</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="511"/> - <source>unnecessary list literal - rewrite as a set literal</source> - <translation>неподходящий список литералов - перепишите как множество литералов</translation> + <source>unnecessary list comprehension - rewrite as a set comprehension</source> + <translation>неподходящий список выражений - перепишите как набор выражений</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="514"/> - <source>unnecessary list literal - rewrite as a dict literal</source> - <translation>неподходящий список литералов - перепишите как словарь литералов</translation> + <source>unnecessary list comprehension - rewrite as a dict comprehension</source> + <translation>неподходящий список выражений - перепишите как словарь выражений</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="517"/> - <source>unnecessary list comprehension - "{0}" can take a generator</source> - <translation>неподходящий список выражений - "{0}" может являться генератором</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="628"/> - <source>mutable default argument of type {0}</source> - <translation>изменяемый аргумент по умолчанию типа {0}</translation> + <source>unnecessary list literal - rewrite as a set literal</source> + <translation>неподходящий список литералов - перепишите как множество литералов</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="520"/> + <source>unnecessary list literal - rewrite as a dict literal</source> + <translation>неподходящий список литералов - перепишите как словарь литералов</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="523"/> + <source>unnecessary list comprehension - "{0}" can take a generator</source> + <translation>неподходящий список выражений - "{0}" может являться генератором</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="634"/> + <source>mutable default argument of type {0}</source> + <translation>изменяемый аргумент по умолчанию типа {0}</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="526"/> <source>sort keys - '{0}' should be before '{1}'</source> <translation>ключи сортировки - '{0}' должны быть прежде чем '{1}'</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="598"/> - <source>logging statement uses '%'</source> - <translation>оператор логирования использует '%'</translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="604"/> + <source>logging statement uses '%'</source> + <translation>оператор логирования использует '%'</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="610"/> <source>logging statement uses f-string</source> <translation>оператор логирования использует f-string</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="607"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="613"/> <source>logging statement uses 'warn' instead of 'warning'</source> <translation>оператор логирования использует 'warn' вместо 'warning'</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="595"/> - <source>logging statement uses string.format()</source> - <translation>оператор логирования использует string.format()</translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="601"/> + <source>logging statement uses string.format()</source> + <translation>оператор логирования использует string.format()</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="607"/> <source>logging statement uses '+'</source> <translation>оператор логирования использует '+'</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="616"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="622"/> <source>gettext import with alias _ found: {0}</source> <translation>gettext import with alias _ found: {0}</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="523"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="529"/> <source>Python does not support the unary prefix increment</source> <translation>Python не поддерживает инкремент унарного префикса</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="533"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="539"/> <source>'sys.maxint' is not defined in Python 3 - use 'sys.maxsize'</source> <translation>'sys.maxint' не определен в Python 3 - используйте 'sys.maxsize'</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="536"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="542"/> <source>'BaseException.message' has been deprecated as of Python 2.6 and is removed in Python 3 - use 'str(e)'</source> <translation>'BaseException.message' устарел в Python 2.6 и удален в Python 3 - используйте 'str(e)'</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="540"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="546"/> <source>assigning to 'os.environ' does not clear the environment - use 'os.environ.clear()'</source> <translation>назначение 'os.environ' не очищает среду окружения - используйте 'os.environ.clear()'</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="548"/> - <source>Python 3 does not include '.iter*' methods on dictionaries</source> - <translation>Python 3 не включает методы '.iter*' в словарях</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="551"/> - <source>Python 3 does not include '.view*' methods on dictionaries</source> - <translation>Python 3 не включает методы '.view*' в словарях</translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="554"/> - <source>'.next()' does not exist in Python 3</source> - <translation>'.next()' не существует в Python 3</translation> + <source>Python 3 does not include '.iter*' methods on dictionaries</source> + <translation>Python 3 не включает методы '.iter*' в словарях</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="557"/> + <source>Python 3 does not include '.view*' methods on dictionaries</source> + <translation>Python 3 не включает методы '.view*' в словарях</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="560"/> + <source>'.next()' does not exist in Python 3</source> + <translation>'.next()' не существует в Python 3</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="563"/> <source>'__metaclass__' does nothing on Python 3 - use 'class MyClass(BaseClass, metaclass=...)'</source> <translation>'__metaclass__' не работает в Python 3 - используйте 'class MyClass(BaseClass, metaclass=...)'</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="631"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="637"/> <source>mutable default argument of function call '{0}'</source> <translation>измененный аргумент по умолчанию для вызова функции '{0}'</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="526"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="532"/> <source>using .strip() with multi-character strings is misleading</source> <translation>использование .strip() с многосимвольными строками приводит к заблуждению</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="529"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="535"/> <source>using 'hasattr(x, "__call__")' to test if 'x' is callable is unreliable</source> <translation>использование 'hasattr(x, "__call__")' для проверки является ли 'x' вызываемым - ненадежно</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="544"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="550"/> <source>loop control variable {0} not used within the loop body - start the name with an underscore</source> <translation>переменная {0} управления циклом не используется внутри цикла - начните имя символом подчеркивания</translation> </message> @@ -46387,72 +46387,72 @@ <context> <name>NamingStyleChecker</name> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="420"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="426"/> <source>class names should use CapWords convention</source> <translation>имена классов должны использовать CapWords соглашение</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="423"/> - <source>function name should be lowercase</source> - <translation>имена функций должны быть в нижнем регистре</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="426"/> - <source>argument name should be lowercase</source> - <translation>имена парамеров должны быть в нижнем регистре</translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="429"/> - <source>first argument of a class method should be named 'cls'</source> - <translation>первый параметр метода класса должен быть 'cls'</translation> + <source>function name should be lowercase</source> + <translation>имена функций должны быть в нижнем регистре</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="432"/> - <source>first argument of a method should be named 'self'</source> - <translation>первый параметр метода должен быть 'self'</translation> + <source>argument name should be lowercase</source> + <translation>имена парамеров должны быть в нижнем регистре</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="435"/> + <source>first argument of a class method should be named 'cls'</source> + <translation>первый параметр метода класса должен быть 'cls'</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="438"/> + <source>first argument of a method should be named 'self'</source> + <translation>первый параметр метода должен быть 'self'</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="441"/> <source>first argument of a static method should not be named 'self' or 'cls</source> <translation>первый параметр статического метода класса не должен быть 'cls' или 'self'</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="439"/> - <source>module names should be lowercase</source> - <translation>имена модулей должны быть в нижнем регистре</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="442"/> - <source>package names should be lowercase</source> - <translation>имена пакетов должны быть в нижнем регистре</translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="445"/> - <source>constant imported as non constant</source> - <translation>константа импортирована как не константа</translation> + <source>module names should be lowercase</source> + <translation>имена модулей должны быть в нижнем регистре</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="448"/> - <source>lowercase imported as non lowercase</source> - <translation>имена в нижнем регистре импортированы не в нижнем регистре</translation> + <source>package names should be lowercase</source> + <translation>имена пакетов должны быть в нижнем регистре</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="451"/> - <source>camelcase imported as lowercase</source> - <translation>имена в camelcase импортированы в нижнем регистре</translation> + <source>constant imported as non constant</source> + <translation>константа импортирована как не константа</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="454"/> - <source>camelcase imported as constant</source> - <translation>имена в camelcase импортированы как константы</translation> + <source>lowercase imported as non lowercase</source> + <translation>имена в нижнем регистре импортированы не в нижнем регистре</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="457"/> - <source>variable in function should be lowercase</source> - <translation>имена переменных в функции должны быть в нижнем регистре</translation> + <source>camelcase imported as lowercase</source> + <translation>имена в camelcase импортированы в нижнем регистре</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="460"/> + <source>camelcase imported as constant</source> + <translation>имена в camelcase импортированы как константы</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="463"/> + <source>variable in function should be lowercase</source> + <translation>имена переменных в функции должны быть в нижнем регистре</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="466"/> <source>names 'l', 'O' and 'I' should be avoided</source> <translation>имена 'l', 'O' и 'I' следует избегать</translation> </message> @@ -87378,125 +87378,145 @@ <translation>Локальная переменная {0!r} (определение области действия в строке {1!r}) ссылается до присвоения.</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="39"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="43"/> <source>Duplicate argument {0!r} in function definition.</source> <translation>Повторное использование аргумента {0!r} в определении функции.</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="42"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="46"/> <source>Redefinition of {0!r} from line {1!r}.</source> <translation>Переопределение {0!r} из строки {1!r}.</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="45"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="49"/> <source>from __future__ imports must occur at the beginning of the file</source> <translation>оператор from __future__ imports должен находится в начале файла</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="48"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="52"/> <source>Local variable {0!r} is assigned to but never used.</source> <translation>Локальная переменная {0!r} определена, но не используется.</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="51"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="55"/> <source>List comprehension redefines {0!r} from line {1!r}.</source> <translation>Список выражений переопределяет{0!r} из строки {1!r}.</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="54"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="58"/> <source>Syntax error detected in doctest.</source> <translation>Определены синтаксические ошибки в doctest.</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="126"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="139"/> <source>no message defined for code '{0}'</source> <translation>нет сообщения, определенного для кода '{0}'</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="57"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="61"/> <source>'return' with argument inside generator</source> <translation>'return' с аргументом внутри генератора</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="60"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="64"/> <source>'return' outside function</source> <translation>'return' за пределами функции</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="63"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="67"/> <source>'from {0} import *' only allowed at module level</source> <translation>'from {0} import *' допустим только на уровне модуля</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="66"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="70"/> <source>{0!r} may be undefined, or defined from star imports: {1}</source> <translation>{0!r} может быть не определена, или определена из star imports: {1}</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="69"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="73"/> <source>Dictionary key {0!r} repeated with different values</source> <translation>Ключ словаря {0!r} повторяется с разными значениями</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="72"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="76"/> <source>Dictionary key variable {0} repeated with different values</source> <translation>Переменная {0} ключа словаря повторяется с разными значениями</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="75"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="79"/> <source>Future feature {0} is not defined</source> <translation>Будущая возможность {0} не определена</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="78"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="82"/> <source>'yield' outside function</source> <translation>'yield' за пределами функции</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="84"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="88"/> <source>'break' outside loop</source> <translation>'break' за пределами цикла</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="87"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="91"/> <source>'continue' not supported inside 'finally' clause</source> <translation>'continue' не поддерживается внутри предложения 'finally'</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="90"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="94"/> <source>Default 'except:' must be last</source> <translation>По умолчанию 'except:' должен быть последним</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="93"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="97"/> <source>Two starred expressions in assignment</source> <translation>Два помеченных звездочкой (*) выражения в присвоении</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="96"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="100"/> <source>Too many expressions in star-unpacking assignment</source> <translation>Слишком много выражений в звездно*распакованном присвоении</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="99"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="103"/> <source>Assertion is always true, perhaps remove parentheses?</source> <translation>Утверждение всегда верно, может быть, удалить круглые скобки?</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="81"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="85"/> <source>'continue' not properly in loop</source> <translation>'continue' неправильно расположена в цикле</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="102"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="106"/> <source>syntax error in forward annotation {0!r}</source> <translation>синтаксическая ошибка в форвардной аннотации {0!r}</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="105"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="109"/> <source>'raise NotImplemented' should be 'raise NotImplementedError'</source> <translation>'raise NotImplemented' должно быть 'raise NotImplementedError'</translation> </message> + <message> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="39"/> + <source>Local variable {0!r} (defined as a builtin) referenced before assignment.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="112"/> + <source>syntax error in type comment {0!r}</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="115"/> + <source>use of >> is invalid with print function</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="118"/> + <source>use ==/!= to compare str, bytes, and int literals</source> + <translation type="unfinished"></translation> + </message> </context> <context> <name>pycodestyle</name> @@ -87536,375 +87556,385 @@ <translation>неожиданный отступ (комментарий)</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="40"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="43"/> <source>continuation line indentation is not a multiple of four</source> <translation>отступ строки продолжения не кратен четырём</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="43"/> - <source>continuation line missing indentation or outdented</source> - <translation>строка продолжения не имеет отступа или выступа</translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="46"/> + <source>continuation line missing indentation or outdented</source> + <translation>строка продолжения не имеет отступа или выступа</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="49"/> <source>closing bracket does not match indentation of opening bracket's line</source> <translation>закрывающая скобка не соответствует отступу скобки, открывающей строку</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="50"/> - <source>closing bracket does not match visual indentation</source> - <translation>закрывающая скобка визуально не соответствует отступу</translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="53"/> - <source>continuation line with same indent as next logical line</source> - <translation>отступ строки продолжения такой же как у следующей логической строки</translation> + <source>closing bracket does not match visual indentation</source> + <translation>закрывающая скобка визуально не соответствует отступу</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="56"/> - <source>continuation line over-indented for hanging indent</source> - <translation>continuation line over-indented for hanging indent</translation> + <source>continuation line with same indent as next logical line</source> + <translation>отступ строки продолжения такой же как у следующей логической строки</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="59"/> - <source>continuation line over-indented for visual indent</source> - <translation>continuation line over-indented for visual indent</translation> + <source>continuation line over-indented for hanging indent</source> + <translation>continuation line over-indented for hanging indent</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="62"/> - <source>continuation line under-indented for visual indent</source> - <translation>continuation line under-indented for visual indent</translation> + <source>continuation line over-indented for visual indent</source> + <translation>continuation line over-indented for visual indent</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="65"/> - <source>visually indented line with same indent as next logical line</source> - <translation>визуально отступ строки такой же как у следующей логической строки</translation> + <source>continuation line under-indented for visual indent</source> + <translation>continuation line under-indented for visual indent</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="68"/> - <source>continuation line unaligned for hanging indent</source> - <translation>у висячего отступа невыровненная строка продолжения</translation> + <source>visually indented line with same indent as next logical line</source> + <translation>визуально отступ строки такой же как у следующей логической строки</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="71"/> - <source>closing bracket is missing indentation</source> - <translation>закрывающая скобка не имеет отступа</translation> + <source>continuation line unaligned for hanging indent</source> + <translation>у висячего отступа невыровненная строка продолжения</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="74"/> - <source>indentation contains tabs</source> - <translation>отступ содержит табуляцию</translation> + <source>closing bracket is missing indentation</source> + <translation>закрывающая скобка не имеет отступа</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="77"/> + <source>indentation contains tabs</source> + <translation>отступ содержит табуляцию</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="80"/> <source>whitespace after '{0}'</source> <translation>символ пропуска после '{0}'</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="86"/> - <source>whitespace before '{0}'</source> - <translation>символ пропуска перед '{0}'</translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="89"/> - <source>multiple spaces before operator</source> - <translation>множественные пробелы перед оператором</translation> + <source>whitespace before '{0}'</source> + <translation>символ пропуска перед '{0}'</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="92"/> - <source>multiple spaces after operator</source> - <translation>множественные пробелы после оператора</translation> + <source>multiple spaces before operator</source> + <translation>множественные пробелы перед оператором</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="95"/> - <source>tab before operator</source> - <translation>табуляция перед оператором</translation> + <source>multiple spaces after operator</source> + <translation>множественные пробелы после оператора</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="98"/> - <source>tab after operator</source> - <translation>табуляция после оператора</translation> + <source>tab before operator</source> + <translation>табуляция перед оператором</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="101"/> - <source>missing whitespace around operator</source> - <translation>отсутствуют символы пропуска вокруг оператора</translation> + <source>tab after operator</source> + <translation>табуляция после оператора</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="104"/> - <source>missing whitespace around arithmetic operator</source> - <translation>отсутствуют символы пропуска вокруг арифметического оператора</translation> + <source>missing whitespace around operator</source> + <translation>отсутствуют символы пропуска вокруг оператора</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="107"/> - <source>missing whitespace around bitwise or shift operator</source> - <translation>отсутствуют символы пропуска вокруг побитового оператора или оператора сдвига</translation> + <source>missing whitespace around arithmetic operator</source> + <translation>отсутствуют символы пропуска вокруг арифметического оператора</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="110"/> - <source>missing whitespace around modulo operator</source> - <translation>отсутствуют символы пропуска вокруг оператора по модулю</translation> + <source>missing whitespace around bitwise or shift operator</source> + <translation>отсутствуют символы пропуска вокруг побитового оператора или оператора сдвига</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="113"/> - <source>missing whitespace after '{0}'</source> - <translation>отсутствуют символы пропуска после '{0}'</translation> + <source>missing whitespace around modulo operator</source> + <translation>отсутствуют символы пропуска вокруг оператора по модулю</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="116"/> - <source>multiple spaces after '{0}'</source> - <translation>множественные пробелы после '{0}'</translation> + <source>missing whitespace after '{0}'</source> + <translation>отсутствуют символы пропуска после '{0}'</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="119"/> - <source>tab after '{0}'</source> - <translation>табуляция после '{0}'</translation> + <source>multiple spaces after '{0}'</source> + <translation>множественные пробелы после '{0}'</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="122"/> + <source>tab after '{0}'</source> + <translation>табуляция после '{0}'</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="125"/> <source>unexpected spaces around keyword / parameter equals</source> <translation>неожиданные пробелы вокруг ключевого слова / параметра equals</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="128"/> - <source>at least two spaces before inline comment</source> - <translation>по крайней мере два пробела перед комментарием в строке кода</translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="131"/> - <source>inline comment should start with '# '</source> - <translation>комментарий в строке кода должен начинаться с '# '</translation> + <source>at least two spaces before inline comment</source> + <translation>по крайней мере два пробела перед комментарием в строке кода</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="134"/> - <source>block comment should start with '# '</source> - <translation>блок комментариев должен начинаться с '# '</translation> + <source>inline comment should start with '# '</source> + <translation>комментарий в строке кода должен начинаться с '# '</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="137"/> - <source>too many leading '#' for block comment</source> - <translation>слишком много лидирующих '#' для блока комментария</translation> + <source>block comment should start with '# '</source> + <translation>блок комментариев должен начинаться с '# '</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="140"/> - <source>multiple spaces after keyword</source> - <translation>множественные пробелы после ключевого слова</translation> + <source>too many leading '#' for block comment</source> + <translation>слишком много лидирующих '#' для блока комментария</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="143"/> - <source>multiple spaces before keyword</source> - <translation>множественные пробелы перед ключевым словом</translation> + <source>multiple spaces after keyword</source> + <translation>множественные пробелы после ключевого слова</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="146"/> - <source>tab after keyword</source> - <translation>табуляция после ключевого слова</translation> + <source>multiple spaces before keyword</source> + <translation>множественные пробелы перед ключевым словом</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="149"/> - <source>tab before keyword</source> - <translation>табуляция перед ключевым словом</translation> + <source>tab after keyword</source> + <translation>табуляция после ключевого слова</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="152"/> - <source>missing whitespace after keyword</source> - <translation>отсутствует символ пропуска после ключевого слова</translation> + <source>tab before keyword</source> + <translation>табуляция перед ключевым словом</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="155"/> - <source>trailing whitespace</source> - <translation>завершающие символы пропуска</translation> + <source>missing whitespace after keyword</source> + <translation>отсутствует символ пропуска после ключевого слова</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="158"/> - <source>no newline at end of file</source> - <translation>нет символа новой строки в конце файла</translation> + <source>trailing whitespace</source> + <translation>завершающие символы пропуска</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="161"/> + <source>no newline at end of file</source> + <translation>нет символа новой строки в конце файла</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="164"/> <source>blank line contains whitespace</source> <translation>пустая строка содержит символы пропуска</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="186"/> - <source>too many blank lines ({0})</source> - <translation>слишком много пустых строк ({0})</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="173"/> - <source>blank lines found after function decorator</source> - <translation>пустые строки после декоратора функции</translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="189"/> - <source>blank line at end of file</source> - <translation>пустая строка в конце файла</translation> + <source>too many blank lines ({0})</source> + <translation>слишком много пустых строк ({0})</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="176"/> + <source>blank lines found after function decorator</source> + <translation>пустые строки после декоратора функции</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="192"/> - <source>multiple imports on one line</source> - <translation>множественный импорт в одной строке</translation> + <source>blank line at end of file</source> + <translation>пустая строка в конце файла</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="195"/> - <source>module level import not at top of file</source> - <translation>импорт модуля не в начале файла</translation> + <source>multiple imports on one line</source> + <translation>множественный импорт в одной строке</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="198"/> - <source>line too long ({0} > {1} characters)</source> - <translation>слишком длинная строка ({0} > {1} символов)</translation> + <source>module level import not at top of file</source> + <translation>импорт модуля не в начале файла</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="201"/> - <source>the backslash is redundant between brackets</source> - <translation>символ '\' излишний внутри скобок</translation> + <source>line too long ({0} > {1} characters)</source> + <translation>слишком длинная строка ({0} > {1} символов)</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="204"/> + <source>the backslash is redundant between brackets</source> + <translation>символ '\' излишний внутри скобок</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="207"/> <source>line break before binary operator</source> <translation>перевод строки перед бинарным оператором</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="210"/> - <source>.has_key() is deprecated, use 'in'</source> - <translation>.has_key() устарел, используйте 'in'</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="213"/> - <source>deprecated form of raising exception</source> - <translation>устаревший метод возбуждения исключений</translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="216"/> - <source>'<>' is deprecated, use '!='</source> - <translation>оператор '<>' устарел, используйте '!='</translation> + <source>.has_key() is deprecated, use 'in'</source> + <translation>.has_key() устарел, используйте 'in'</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="219"/> + <source>deprecated form of raising exception</source> + <translation>устаревший метод возбуждения исключений</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="222"/> + <source>'<>' is deprecated, use '!='</source> + <translation>оператор '<>' устарел, используйте '!='</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="225"/> <source>backticks are deprecated, use 'repr()'</source> <translation>обратные апострофы устарели, используйте функцию 'repr()'</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="228"/> - <source>multiple statements on one line (colon)</source> - <translation>несколько операторов в одной строке (двоеточие)</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="231"/> - <source>multiple statements on one line (semicolon)</source> - <translation>несколько команд в одной строке (точка с запятой)</translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="234"/> - <source>statement ends with a semicolon</source> - <translation>команда завершается точкой с запятой</translation> + <source>multiple statements on one line (colon)</source> + <translation>несколько операторов в одной строке (двоеточие)</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="237"/> - <source>multiple statements on one line (def)</source> - <translation>несколько команд в одной строке (def)</translation> + <source>multiple statements on one line (semicolon)</source> + <translation>несколько команд в одной строке (точка с запятой)</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="240"/> + <source>statement ends with a semicolon</source> + <translation>команда завершается точкой с запятой</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="243"/> - <source>comparison to {0} should be {1}</source> - <translation>сравнение с {0} должно быть {1}</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="246"/> - <source>test for membership should be 'not in'</source> - <translation>проверка на членство должна быть 'not in'</translation> + <source>multiple statements on one line (def)</source> + <translation>несколько команд в одной строке (def)</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="249"/> - <source>test for object identity should be 'is not'</source> - <translation>проверка на идентичность объекта должна быть 'is not'</translation> + <source>comparison to {0} should be {1}</source> + <translation>сравнение с {0} должно быть {1}</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="252"/> - <source>do not compare types, use 'isinstance()'</source> - <translation>используйте 'isinstance()' вместо сравнения типов</translation> + <source>test for membership should be 'not in'</source> + <translation>проверка на членство должна быть 'not in'</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="255"/> + <source>test for object identity should be 'is not'</source> + <translation>проверка на идентичность объекта должна быть 'is not'</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="258"/> - <source>do not assign a lambda expression, use a def</source> - <translation>не назначайте лямбда-выражение, используйте def</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="261"/> - <source>ambiguous variable name '{0}'</source> - <translation>неоднозначное имя переменной '{0}'</translation> + <source>do not compare types, use 'isinstance()'</source> + <translation>используйте 'isinstance()' вместо сравнения типов</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="264"/> - <source>ambiguous class definition '{0}'</source> - <translation>неоднозначное определение класса '{0}'</translation> + <source>do not assign a lambda expression, use a def</source> + <translation>не назначайте лямбда-выражение, используйте def</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="267"/> - <source>ambiguous function definition '{0}'</source> - <translation>неоднозначное определение функции '{0}'</translation> + <source>ambiguous variable name '{0}'</source> + <translation>неоднозначное имя переменной '{0}'</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="270"/> - <source>{0}: {1}</source> - <translation>{0}: {1}</translation> + <source>ambiguous class definition '{0}'</source> + <translation>неоднозначное определение класса '{0}'</translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="273"/> + <source>ambiguous function definition '{0}'</source> + <translation>неоднозначное определение функции '{0}'</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="276"/> + <source>{0}: {1}</source> + <translation>{0}: {1}</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="279"/> <source>{0}</source> <translation>{0}</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="255"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="261"/> <source>do not use bare except</source> <translation>не используйте bare except</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="176"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="179"/> <source>expected {0} blank lines after class or function definition, found {1}</source> <translation>ожидалось {0} пустых строк после определения класса или функции, найдено {1}</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="225"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="231"/> <source>'async' and 'await' are reserved keywords starting with Python 3.7</source> <translation>'async' и 'await' - зарезервированные ключевые слова начиная с Python 3.7</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="125"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="128"/> <source>missing whitespace around parameter equals</source> <translation>отсутствие символов пробела вокруг параметра equals</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="167"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="170"/> <source>expected {0} blank lines, found {1}</source> <translation>ожидалось {0} пустых строк, найдено {1}</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="180"/> - <source>expected {0} blank lines before a nested definition, found {1}</source> - <translation>ожидалось {0} пустых строк перед вложенным определением, найдено {1}</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="207"/> - <source>line break after binary operator</source> - <translation>перевод строки после бинарного оператора</translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="222"/> - <source>invalid escape sequence '\{0}'</source> - <translation>недействительная escape-последовательность '\{0}'</translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="183"/> + <source>expected {0} blank lines before a nested definition, found {1}</source> + <translation>ожидалось {0} пустых строк перед вложенным определением, найдено {1}</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="210"/> + <source>line break after binary operator</source> + <translation>перевод строки после бинарного оператора</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="228"/> + <source>invalid escape sequence '\{0}'</source> + <translation>недействительная escape-последовательность '\{0}'</translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="186"/> <source>too many blank lines ({0}) before a nested definition, expected {1}</source> <translation>слишком много пустых строк ({0}) перед вложенным определением, ожидалось {1}</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="170"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="173"/> <source>too many blank lines ({0}), expected {1}</source> <translation>слишком много пустых строк ({0}), ожидалось {1}</translation> </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="40"/> + <source>over-indented</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="213"/> + <source>doc line too long ({0} > {1} characters)</source> + <translation type="unfinished"></translation> + </message> </context> <context> <name>subversion</name>
--- a/i18n/eric6_tr.ts Wed Feb 13 20:41:45 2019 +0100 +++ b/i18n/eric6_tr.ts Thu Feb 14 18:58:22 2019 +0100 @@ -3684,142 +3684,142 @@ <context> <name>CodeStyleFixer</name> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="639"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="645"/> <source>Triple single quotes converted to triple double quotes.</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="642"/> - <source>Introductory quotes corrected to be {0}"""</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="645"/> - <source>Single line docstring put on one line.</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="648"/> - <source>Period added to summary line.</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="675"/> - <source>Blank line before function/method docstring removed.</source> + <source>Introductory quotes corrected to be {0}"""</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="651"/> + <source>Single line docstring put on one line.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="654"/> - <source>Blank line inserted before class docstring.</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="657"/> - <source>Blank line inserted after class docstring.</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="660"/> - <source>Blank line inserted after docstring summary.</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="663"/> - <source>Blank line inserted after last paragraph of docstring.</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="666"/> - <source>Leading quotes put on separate line.</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="669"/> - <source>Trailing quotes put on separate line.</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="672"/> - <source>Blank line before class docstring removed.</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="678"/> - <source>Blank line after class docstring removed.</source> + <source>Period added to summary line.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="681"/> - <source>Blank line after function/method docstring removed.</source> + <source>Blank line before function/method docstring removed.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="660"/> + <source>Blank line inserted before class docstring.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="663"/> + <source>Blank line inserted after class docstring.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="666"/> + <source>Blank line inserted after docstring summary.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="669"/> + <source>Blank line inserted after last paragraph of docstring.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="672"/> + <source>Leading quotes put on separate line.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="675"/> + <source>Trailing quotes put on separate line.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="678"/> + <source>Blank line before class docstring removed.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="684"/> - <source>Blank line after last paragraph removed.</source> + <source>Blank line after class docstring removed.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="687"/> - <source>Tab converted to 4 spaces.</source> + <source>Blank line after function/method docstring removed.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="690"/> - <source>Indentation adjusted to be a multiple of four.</source> + <source>Blank line after last paragraph removed.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="693"/> - <source>Indentation of continuation line corrected.</source> + <source>Tab converted to 4 spaces.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="696"/> - <source>Indentation of closing bracket corrected.</source> + <source>Indentation adjusted to be a multiple of four.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="699"/> - <source>Missing indentation of continuation line corrected.</source> + <source>Indentation of continuation line corrected.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="702"/> - <source>Closing bracket aligned to opening bracket.</source> + <source>Indentation of closing bracket corrected.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="705"/> - <source>Indentation level changed.</source> + <source>Missing indentation of continuation line corrected.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="708"/> - <source>Indentation level of hanging indentation changed.</source> + <source>Closing bracket aligned to opening bracket.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="711"/> + <source>Indentation level changed.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="714"/> + <source>Indentation level of hanging indentation changed.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="717"/> <source>Visual indentation corrected.</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="726"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="732"/> <source>Extraneous whitespace removed.</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="723"/> - <source>Missing whitespace added.</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="729"/> + <source>Missing whitespace added.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="735"/> <source>Whitespace around comment sign corrected.</source> <translation type="unfinished"></translation> </message> <message numerus="yes"> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="733"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="739"/> <source>%n blank line(s) inserted.</source> <translation type="unfinished"> <numerusform></numerusform> @@ -3827,7 +3827,7 @@ </translation> </message> <message numerus="yes"> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="736"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="742"/> <source>%n superfluous lines removed</source> <translation type="unfinished"> <numerusform></numerusform> @@ -3835,77 +3835,77 @@ </translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="740"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="746"/> <source>Superfluous blank lines removed.</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="743"/> - <source>Superfluous blank lines after function decorator removed.</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="746"/> - <source>Imports were put on separate lines.</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="749"/> - <source>Long lines have been shortened.</source> + <source>Superfluous blank lines after function decorator removed.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="752"/> - <source>Redundant backslash in brackets removed.</source> + <source>Imports were put on separate lines.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="755"/> + <source>Long lines have been shortened.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="758"/> - <source>Compound statement corrected.</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="761"/> - <source>Comparison to None/True/False corrected.</source> + <source>Redundant backslash in brackets removed.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="764"/> - <source>'{0}' argument added.</source> + <source>Compound statement corrected.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="767"/> - <source>'{0}' argument removed.</source> + <source>Comparison to None/True/False corrected.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="770"/> - <source>Whitespace stripped from end of line.</source> + <source>'{0}' argument added.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="773"/> - <source>newline added to end of file.</source> + <source>'{0}' argument removed.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="776"/> - <source>Superfluous trailing blank lines removed from end of file.</source> + <source>Whitespace stripped from end of line.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="779"/> + <source>newline added to end of file.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="782"/> + <source>Superfluous trailing blank lines removed from end of file.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="785"/> <source>'<>' replaced by '!='.</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="783"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="789"/> <source>Could not save the file! Skipping it. Reason: {0}</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="872"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="879"/> <source> no message defined for code '{0}'</source> <translation type="unfinished"></translation> </message> @@ -4383,22 +4383,22 @@ <context> <name>ComplexityChecker</name> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="465"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="471"/> <source>'{0}' is too complex ({1})</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="467"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="473"/> <source>source code line is too complex ({0})</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="469"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="475"/> <source>overall source code line complexity is too high ({0})</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="472"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="478"/> <source>{0}: {1}</source> <translation type="unfinished"></translation> </message> @@ -7363,242 +7363,242 @@ <context> <name>DocStyleChecker</name> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="278"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="284"/> <source>module is missing a docstring</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="280"/> - <source>public function/method is missing a docstring</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="283"/> - <source>private function/method may be missing a docstring</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="286"/> - <source>public class is missing a docstring</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="288"/> - <source>private class may be missing a docstring</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="290"/> - <source>docstring not surrounded by """</source> + <source>public function/method is missing a docstring</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="289"/> + <source>private function/method may be missing a docstring</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="292"/> - <source>docstring containing \ not surrounded by r"""</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="295"/> - <source>docstring containing unicode character not surrounded by u"""</source> + <source>public class is missing a docstring</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="294"/> + <source>private class may be missing a docstring</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="296"/> + <source>docstring not surrounded by """</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="298"/> + <source>docstring containing \ not surrounded by r"""</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="301"/> + <source>docstring containing unicode character not surrounded by u"""</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="304"/> <source>one-liner docstring on multiple lines</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="300"/> - <source>docstring has wrong indentation</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="349"/> - <source>docstring summary does not end with a period</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="306"/> + <source>docstring has wrong indentation</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="355"/> + <source>docstring summary does not end with a period</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="312"/> <source>docstring summary is not in imperative mood (Does instead of Do)</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="310"/> - <source>docstring summary looks like a function's/method's signature</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="313"/> - <source>docstring does not mention the return value type</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="316"/> - <source>function/method docstring is separated by a blank line</source> + <source>docstring summary looks like a function's/method's signature</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="319"/> - <source>class docstring is not preceded by a blank line</source> + <source>docstring does not mention the return value type</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="322"/> - <source>class docstring is not followed by a blank line</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="383"/> - <source>docstring summary is not followed by a blank line</source> + <source>function/method docstring is separated by a blank line</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="325"/> + <source>class docstring is not preceded by a blank line</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="328"/> + <source>class docstring is not followed by a blank line</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="389"/> + <source>docstring summary is not followed by a blank line</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="334"/> <source>last paragraph of docstring is not followed by a blank line</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="336"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="342"/> <source>private function/method is missing a docstring</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="339"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="345"/> <source>private class is missing a docstring</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="343"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="349"/> <source>leading quotes of docstring not on separate line</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="346"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="352"/> <source>trailing quotes of docstring not on separate line</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="353"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="359"/> <source>docstring does not contain a @return line but function/method returns something</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="357"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="363"/> <source>docstring contains a @return line but function/method doesn't return anything</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="361"/> - <source>docstring does not contain enough @param/@keyparam lines</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="364"/> - <source>docstring contains too many @param/@keyparam lines</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="367"/> - <source>keyword only arguments must be documented with @keyparam lines</source> + <source>docstring does not contain enough @param/@keyparam lines</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="370"/> - <source>order of @param/@keyparam lines does not match the function/method signature</source> + <source>docstring contains too many @param/@keyparam lines</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="373"/> + <source>keyword only arguments must be documented with @keyparam lines</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="376"/> + <source>order of @param/@keyparam lines does not match the function/method signature</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="379"/> <source>class docstring is preceded by a blank line</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="375"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="381"/> <source>class docstring is followed by a blank line</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="377"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="383"/> <source>function/method docstring is preceded by a blank line</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="380"/> - <source>function/method docstring is followed by a blank line</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="386"/> + <source>function/method docstring is followed by a blank line</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="392"/> <source>last paragraph of docstring is followed by a blank line</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="389"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="395"/> <source>docstring does not contain a @exception line but function/method raises an exception</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="393"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="399"/> <source>docstring contains a @exception line but function/method doesn't raise an exception</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="416"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="422"/> <source>{0}: {1}</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="302"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="308"/> <source>docstring does not contain a summary</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="351"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="357"/> <source>docstring summary does not start with '{0}'</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="397"/> - <source>raised exception '{0}' is not documented in docstring</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="400"/> - <source>documented exception '{0}' is not raised</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="403"/> - <source>docstring does not contain a @signal line but class defines signals</source> + <source>raised exception '{0}' is not documented in docstring</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="406"/> - <source>docstring contains a @signal line but class doesn't define signals</source> + <source>documented exception '{0}' is not raised</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="409"/> - <source>defined signal '{0}' is not documented in docstring</source> + <source>docstring does not contain a @signal line but class defines signals</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="412"/> + <source>docstring contains a @signal line but class doesn't define signals</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="415"/> + <source>defined signal '{0}' is not documented in docstring</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="418"/> <source>documented signal '{0}' is not defined</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="341"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="347"/> <source>class docstring is still a default string</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="334"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="340"/> <source>function docstring is still a default string</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="332"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="338"/> <source>module docstring is still a default string</source> <translation type="unfinished"></translation> </message> @@ -9898,7 +9898,7 @@ <context> <name>Editor</name> <message> - <location filename="../QScintilla/Editor.py" line="2946"/> + <location filename="../QScintilla/Editor.py" line="2940"/> <source>Open File</source> <translation>Dosya Aç</translation> </message> @@ -9913,907 +9913,907 @@ <translation><b>Kaynak Düzenleme Penceresi</b><p>Bu pencere kaynak kod dosyalarını düzenlemek ve göstermek için kullanılır.Bunu pekçok kez kullanmak üzere açabilirsiniz. Dosyanın isim başlıkçubuğunda gösterilir.</p><p>Bekleme noktaların kolayca ekleyip düzenleyebilmeniz için satır numaraları ve işaret alanı vardır..İçerik menüsü aracılığı ile sınırları düzenleyebilirsiniz.</p><p>Bekleme noktalarını ayarlamak için Shift ve ara çubuğuna beraber basabilirsiniz.</p><p>Bu işlem içerik menüsü ilede yapılabilir.</p><p>Bir yazım hatasının üzerinde Ctrl ile tıklarsanız o hata ile ilgili ayrıntılı yardım alırsınız.</p></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="750"/> + <location filename="../QScintilla/Editor.py" line="744"/> <source>Undo</source> <translation>Geri Al</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="753"/> + <location filename="../QScintilla/Editor.py" line="747"/> <source>Redo</source> <translation>İleri al</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="756"/> + <location filename="../QScintilla/Editor.py" line="750"/> <source>Revert to last saved state</source> <translation>En son kaydedileni eski haline getir</translation> </message> <message> + <location filename="../QScintilla/Editor.py" line="754"/> + <source>Cut</source> + <translation>Kes</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="757"/> + <source>Copy</source> + <translation>Kopyala</translation> + </message> + <message> <location filename="../QScintilla/Editor.py" line="760"/> - <source>Cut</source> - <translation>Kes</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="763"/> - <source>Copy</source> - <translation>Kopyala</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="766"/> <source>Paste</source> <translation>Yapıştır</translation> </message> <message> + <location filename="../QScintilla/Editor.py" line="768"/> + <source>Indent</source> + <translation>Girinti</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="771"/> + <source>Unindent</source> + <translation>Girintisiz</translation> + </message> + <message> <location filename="../QScintilla/Editor.py" line="774"/> - <source>Indent</source> - <translation>Girinti</translation> + <source>Comment</source> + <translation>Yorumlayıcı</translation> </message> <message> <location filename="../QScintilla/Editor.py" line="777"/> - <source>Unindent</source> - <translation>Girintisiz</translation> + <source>Uncomment</source> + <translation>Yorumlanamaz</translation> </message> <message> <location filename="../QScintilla/Editor.py" line="780"/> - <source>Comment</source> + <source>Stream Comment</source> <translation>Yorumlayıcı</translation> </message> <message> <location filename="../QScintilla/Editor.py" line="783"/> - <source>Uncomment</source> - <translation>Yorumlanamaz</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="786"/> - <source>Stream Comment</source> - <translation>Yorumlayıcı</translation> + <source>Box Comment</source> + <translation>Kutu Yorumlayıcı</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="787"/> + <source>Select to brace</source> + <translation>Köşeli ayracı seç</translation> </message> <message> <location filename="../QScintilla/Editor.py" line="789"/> - <source>Box Comment</source> - <translation>Kutu Yorumlayıcı</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="793"/> - <source>Select to brace</source> - <translation>Köşeli ayracı seç</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="795"/> <source>Select all</source> <translation>Hepsini seç</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="796"/> + <location filename="../QScintilla/Editor.py" line="790"/> <source>Deselect all</source> <translation>Tüm seçimi iptal et</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7473"/> + <location filename="../QScintilla/Editor.py" line="7467"/> <source>Check spelling...</source> <translation>Yazım Kontrolü...</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="804"/> + <location filename="../QScintilla/Editor.py" line="798"/> <source>Check spelling of selection...</source> <translation>Seçilen alanın yazım kontrolü...</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="808"/> + <location filename="../QScintilla/Editor.py" line="802"/> <source>Remove from dictionary</source> <translation>Sözlükten çıkar</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="812"/> + <location filename="../QScintilla/Editor.py" line="806"/> <source>Shorten empty lines</source> <translation>Boş satırları kısalt</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="819"/> + <location filename="../QScintilla/Editor.py" line="813"/> <source>Use Monospaced Font</source> <translation>Tek hacimli yazıtipi kullan</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="824"/> + <location filename="../QScintilla/Editor.py" line="818"/> <source>Autosave enabled</source> <translation>Otomatik kayıt kabul edildi</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="828"/> + <location filename="../QScintilla/Editor.py" line="822"/> <source>Typing aids enabled</source> <translation>Yazım yardımı etkinleştirildi</translation> </message> <message> + <location filename="../QScintilla/Editor.py" line="861"/> + <source>Close</source> + <translation>Kapat</translation> + </message> + <message> <location filename="../QScintilla/Editor.py" line="867"/> - <source>Close</source> - <translation>Kapat</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="873"/> <source>Save</source> <translation>Kaydet</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="876"/> + <location filename="../QScintilla/Editor.py" line="870"/> <source>Save As...</source> <translation>Farklı Kaydet...</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="889"/> + <location filename="../QScintilla/Editor.py" line="883"/> <source>Print Preview</source> <translation>Baskı Öngörünümü</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="892"/> + <location filename="../QScintilla/Editor.py" line="886"/> <source>Print</source> <translation>Yazdır</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="921"/> + <location filename="../QScintilla/Editor.py" line="915"/> <source>Complete from Document</source> <translation type="unfinished">Belgeden</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="923"/> + <location filename="../QScintilla/Editor.py" line="917"/> <source>Complete from APIs</source> <translation type="unfinished">API'den</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="925"/> + <location filename="../QScintilla/Editor.py" line="919"/> <source>Complete from Document and APIs</source> <translation type="unfinished">Belgeden ve API'den</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="843"/> + <location filename="../QScintilla/Editor.py" line="837"/> <source>Calltip</source> <translation>İpucu</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="939"/> + <location filename="../QScintilla/Editor.py" line="933"/> <source>Check</source> <translation>Kontrol</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="959"/> + <location filename="../QScintilla/Editor.py" line="953"/> <source>Show</source> <translation>Göster</translation> </message> <message> + <location filename="../QScintilla/Editor.py" line="955"/> + <source>Code metrics...</source> + <translation>Metrik Kod...</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="956"/> + <source>Code coverage...</source> + <translation>Kod koruyucu...</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="958"/> + <source>Show code coverage annotations</source> + <translation>Kodun dipnotunu göster</translation> + </message> + <message> <location filename="../QScintilla/Editor.py" line="961"/> - <source>Code metrics...</source> - <translation>Metrik Kod...</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="962"/> - <source>Code coverage...</source> - <translation>Kod koruyucu...</translation> + <source>Hide code coverage annotations</source> + <translation>Kod koruyucu dipnotunu gizle</translation> </message> <message> <location filename="../QScintilla/Editor.py" line="964"/> - <source>Show code coverage annotations</source> - <translation>Kodun dipnotunu göster</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="967"/> - <source>Hide code coverage annotations</source> - <translation>Kod koruyucu dipnotunu gizle</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="970"/> <source>Profile data...</source> <translation>Veri kesiti...</translation> </message> <message> + <location filename="../QScintilla/Editor.py" line="977"/> + <source>Diagrams</source> + <translation>Şema</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="979"/> + <source>Class Diagram...</source> + <translation>Sınıf Şeması...</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="981"/> + <source>Package Diagram...</source> + <translation>Paket Şeması...</translation> + </message> + <message> <location filename="../QScintilla/Editor.py" line="983"/> - <source>Diagrams</source> - <translation>Şema</translation> + <source>Imports Diagram...</source> + <translation>Şemayı İçe aktar...</translation> </message> <message> <location filename="../QScintilla/Editor.py" line="985"/> - <source>Class Diagram...</source> - <translation>Sınıf Şeması...</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="987"/> - <source>Package Diagram...</source> - <translation>Paket Şeması...</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="989"/> - <source>Imports Diagram...</source> - <translation>Şemayı İçe aktar...</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="991"/> <source>Application Diagram...</source> <translation>Uygulama Şeması...</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1009"/> + <location filename="../QScintilla/Editor.py" line="1003"/> <source>Languages</source> <translation>Diller</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1012"/> + <location filename="../QScintilla/Editor.py" line="1006"/> <source>No Language</source> <translation>Dil Yok</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1037"/> + <location filename="../QScintilla/Editor.py" line="1031"/> <source>Guessed</source> <translation>Tahmin edilen</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1324"/> + <location filename="../QScintilla/Editor.py" line="1318"/> <source>Alternatives</source> <translation>Alternatifler</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1057"/> + <location filename="../QScintilla/Editor.py" line="1051"/> <source>Encodings</source> <translation>Kodlama</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1098"/> + <location filename="../QScintilla/Editor.py" line="1092"/> <source>End-of-Line Type</source> <translation>Yazım satırının sonu</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1102"/> + <location filename="../QScintilla/Editor.py" line="1096"/> <source>Unix</source> <translation>Unix</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1109"/> + <location filename="../QScintilla/Editor.py" line="1103"/> <source>Windows</source> <translation>Windows</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1116"/> + <location filename="../QScintilla/Editor.py" line="1110"/> <source>Macintosh</source> <translation>Macintosh</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1134"/> + <location filename="../QScintilla/Editor.py" line="1128"/> <source>Export as</source> <translation>Farklı Dışaktar</translation> </message> <message> + <location filename="../QScintilla/Editor.py" line="1150"/> + <source>Toggle bookmark</source> + <translation>Yerimi açkapa</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="1152"/> + <source>Next bookmark</source> + <translation>Sonraki yerimi</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="1154"/> + <source>Previous bookmark</source> + <translation>Önceki yerimi</translation> + </message> + <message> <location filename="../QScintilla/Editor.py" line="1156"/> - <source>Toggle bookmark</source> - <translation>Yerimi açkapa</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1158"/> - <source>Next bookmark</source> - <translation>Sonraki yerimi</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1160"/> - <source>Previous bookmark</source> - <translation>Önceki yerimi</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1162"/> <source>Clear all bookmarks</source> <translation>Tüm yerimlerini temizle</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1171"/> + <location filename="../QScintilla/Editor.py" line="1165"/> <source>Toggle breakpoint</source> <translation>Beklemenoktası açkapa</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1173"/> + <location filename="../QScintilla/Editor.py" line="1167"/> <source>Toggle temporary breakpoint</source> <translation>Geçici bekleme noktası açkapa</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1176"/> + <location filename="../QScintilla/Editor.py" line="1170"/> <source>Edit breakpoint...</source> <translation>Bekleme noktasını düzenle...</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="5316"/> + <location filename="../QScintilla/Editor.py" line="5310"/> <source>Enable breakpoint</source> <translation>Beklemenoktasını etkinleştir</translation> </message> <message> + <location filename="../QScintilla/Editor.py" line="1175"/> + <source>Next breakpoint</source> + <translation>Sonraki Beklemenoktası</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="1178"/> + <source>Previous breakpoint</source> + <translation>Önceki bekleme noktası</translation> + </message> + <message> <location filename="../QScintilla/Editor.py" line="1181"/> - <source>Next breakpoint</source> - <translation>Sonraki Beklemenoktası</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1184"/> - <source>Previous breakpoint</source> - <translation>Önceki bekleme noktası</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1187"/> <source>Clear all breakpoints</source> <translation>Tüm beklemenoktalarını temizle</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1230"/> + <location filename="../QScintilla/Editor.py" line="1224"/> <source>Goto syntax error</source> <translation>Sözdizimi hatasına git</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1233"/> + <location filename="../QScintilla/Editor.py" line="1227"/> <source>Show syntax error message</source> <translation>Sözdizimi hata mesajını göster</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1237"/> + <location filename="../QScintilla/Editor.py" line="1231"/> <source>Clear syntax error</source> <translation>Sözdizimi hatalarını sil</translation> </message> <message> + <location filename="../QScintilla/Editor.py" line="1235"/> + <source>Next warning</source> + <translation>Sonraki Uyarı</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="1238"/> + <source>Previous warning</source> + <translation>Önceki Uyarı</translation> + </message> + <message> <location filename="../QScintilla/Editor.py" line="1241"/> - <source>Next warning</source> - <translation>Sonraki Uyarı</translation> + <source>Show warning message</source> + <translation>Uyarı mesajını göster</translation> </message> <message> <location filename="../QScintilla/Editor.py" line="1244"/> - <source>Previous warning</source> - <translation>Önceki Uyarı</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1247"/> - <source>Show warning message</source> - <translation>Uyarı mesajını göster</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1250"/> <source>Clear warnings</source> <translation>Uyarıları temizle</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1254"/> + <location filename="../QScintilla/Editor.py" line="1248"/> <source>Next uncovered line</source> <translation>Sonraki kapanmamış satır</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1257"/> + <location filename="../QScintilla/Editor.py" line="1251"/> <source>Previous uncovered line</source> <translation>Önceki kaplanmamış satır</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1261"/> + <location filename="../QScintilla/Editor.py" line="1255"/> <source>Next task</source> <translation>Sonraki görev</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1264"/> + <location filename="../QScintilla/Editor.py" line="1258"/> <source>Previous task</source> <translation>Önceki görev</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1309"/> + <location filename="../QScintilla/Editor.py" line="1303"/> <source>Export source</source> <translation>Kaynağı dışaktar</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1301"/> + <location filename="../QScintilla/Editor.py" line="1295"/> <source><p>No exporter available for the export format <b>{0}</b>. Aborting...</p></source> <translation><p>dışa katarma tipi <b>{0}</b>için dışaaktarıcı yok. Vazgeçiliyior...</p></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1309"/> + <location filename="../QScintilla/Editor.py" line="1303"/> <source>No export format given. Aborting...</source> <translation>Girilen dışaaktarma formatı yok. İptal edildi...</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1320"/> + <location filename="../QScintilla/Editor.py" line="1314"/> <source>Alternatives ({0})</source> <translation>Alternatifler ({0})</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1340"/> + <location filename="../QScintilla/Editor.py" line="1334"/> <source>Pygments Lexer</source> <translation>Pygments Lexer</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1340"/> + <location filename="../QScintilla/Editor.py" line="1334"/> <source>Select the Pygments lexer to apply.</source> <translation>Kullanmak için Pygment lexer seç.</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1816"/> + <location filename="../QScintilla/Editor.py" line="1810"/> <source>Modification of Read Only file</source> <translation>Yalnızca okunabilir dosyada değişiklik</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1816"/> + <location filename="../QScintilla/Editor.py" line="1810"/> <source>You are attempting to change a read only file. Please save to a different file first.</source> <translation>Yalnızca okunabilir bir dosyayı değiştirmeşe çalışıyorsunuz. Lütfen önce farklı bir isimde kaydediniz.</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="2502"/> + <location filename="../QScintilla/Editor.py" line="2496"/> <source>Printing...</source> <translation>Yazılıyor...</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="2519"/> + <location filename="../QScintilla/Editor.py" line="2513"/> <source>Printing completed</source> <translation>Yazdırma tamalandı</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="2521"/> + <location filename="../QScintilla/Editor.py" line="2515"/> <source>Error while printing</source> <translation>Yazdırılırken hata</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="2524"/> + <location filename="../QScintilla/Editor.py" line="2518"/> <source>Printing aborted</source> <translation>Yazdırma iptal edildi</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="2886"/> + <location filename="../QScintilla/Editor.py" line="2880"/> <source>File Modified</source> <translation>Dosya Değiştirildi</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="2886"/> + <location filename="../QScintilla/Editor.py" line="2880"/> <source><p>The file <b>{0}</b> has unsaved changes.</p></source> <translation><p><b>{0}</b>dosyasında kaydedilmemiş değişiklikler var.</p></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="2946"/> + <location filename="../QScintilla/Editor.py" line="2940"/> <source><p>The file <b>{0}</b> could not be opened.</p><p>Reason: {1}</p></source> <translation><p>Dosya <b>{0}</b> açılamıyor.</p><p>Sebep: {1}</p></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="3119"/> + <location filename="../QScintilla/Editor.py" line="3113"/> <source>Save File</source> <translation>Dosyayı Kaydet</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="3060"/> + <location filename="../QScintilla/Editor.py" line="3054"/> <source><p>The file <b>{0}</b> could not be saved.<br/>Reason: {1}</p></source> <translation><p>Dosya <b>{0}</b> kaydedilemiyor.</p><p>Sebep: {1}</p></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="4522"/> + <location filename="../QScintilla/Editor.py" line="4516"/> <source>Autocompletion</source> <translation>Otomatik tamamlama</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="4522"/> + <location filename="../QScintilla/Editor.py" line="4516"/> <source>Autocompletion is not available because there is no autocompletion source set.</source> <translation>Otomatiktamamlama uygun değil çünkü bu otomatiktamamlama kaynağı değil.</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="5319"/> + <location filename="../QScintilla/Editor.py" line="5313"/> <source>Disable breakpoint</source> <translation>Durmanoktasını iptal et</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="5676"/> + <location filename="../QScintilla/Editor.py" line="5670"/> <source>Code Coverage</source> <translation>Kod Koruyucu</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="5676"/> + <location filename="../QScintilla/Editor.py" line="5670"/> <source>Please select a coverage file</source> <translation>Lütfen bir koruyucu dosya seçiniz</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="5739"/> + <location filename="../QScintilla/Editor.py" line="5733"/> <source>Show Code Coverage Annotations</source> <translation>Kodların Dipnotunu Göster</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="5732"/> + <location filename="../QScintilla/Editor.py" line="5726"/> <source>All lines have been covered.</source> <translation>Tüm satırlar korumaya alındı.</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="5739"/> + <location filename="../QScintilla/Editor.py" line="5733"/> <source>There is no coverage file available.</source> <translation>Hazırda koruma dosyası yok.</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="5854"/> + <location filename="../QScintilla/Editor.py" line="5848"/> <source>Profile Data</source> <translation>Veri Kesiti</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="5854"/> + <location filename="../QScintilla/Editor.py" line="5848"/> <source>Please select a profile file</source> <translation>Lütfen kesit dosyasını seçiniz</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6014"/> + <location filename="../QScintilla/Editor.py" line="6008"/> <source>Syntax Error</source> <translation>Sözdizimi Hatası</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6014"/> + <location filename="../QScintilla/Editor.py" line="6008"/> <source>No syntax error message available.</source> <translation>Uygun söz dizimi hata mesajı yok.</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6400"/> + <location filename="../QScintilla/Editor.py" line="6394"/> <source>Macro Name</source> <translation>Makro Adı</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6400"/> + <location filename="../QScintilla/Editor.py" line="6394"/> <source>Select a macro name:</source> <translation>Bir makro ismi seç:</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6428"/> + <location filename="../QScintilla/Editor.py" line="6422"/> <source>Load macro file</source> <translation>Makro dosyasını yükle</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6471"/> + <location filename="../QScintilla/Editor.py" line="6465"/> <source>Macro files (*.macro)</source> <translation>Makro dosyaları (*.macro)</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6451"/> + <location filename="../QScintilla/Editor.py" line="6445"/> <source>Error loading macro</source> <translation>Makronun yüklenmesinde hata</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6442"/> + <location filename="../QScintilla/Editor.py" line="6436"/> <source><p>The macro file <b>{0}</b> could not be read.</p></source> <translation><p>Makro dosyası <b>{0}</b> okunamıyor.</p></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6451"/> + <location filename="../QScintilla/Editor.py" line="6445"/> <source><p>The macro file <b>{0}</b> is corrupt.</p></source> <translation><p>Makro dosyası <b>{0}</b> bozuk.</p></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6471"/> + <location filename="../QScintilla/Editor.py" line="6465"/> <source>Save macro file</source> <translation>Makro Dosyasını Kaydet</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6488"/> + <location filename="../QScintilla/Editor.py" line="6482"/> <source>Save macro</source> <translation>Makro Kaydet</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6504"/> + <location filename="../QScintilla/Editor.py" line="6498"/> <source>Error saving macro</source> <translation>Makronun kaydedilmesinde hata</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6504"/> + <location filename="../QScintilla/Editor.py" line="6498"/> <source><p>The macro file <b>{0}</b> could not be written.</p></source> <translation><p>Makro dosyası <b>{0}</b> yazılamıyor.</p></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6517"/> + <location filename="../QScintilla/Editor.py" line="6511"/> <source>Start Macro Recording</source> <translation>Makro Kaydı Başladı</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6517"/> + <location filename="../QScintilla/Editor.py" line="6511"/> <source>Macro recording is already active. Start new?</source> <translation>Makro kaydı şuan aktif. Yeniden başlasın mı?</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6543"/> + <location filename="../QScintilla/Editor.py" line="6537"/> <source>Macro Recording</source> <translation>Makro Kaydediliyor</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6543"/> + <location filename="../QScintilla/Editor.py" line="6537"/> <source>Enter name of the macro:</source> <translation>Makronun ismini gir:</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6681"/> + <location filename="../QScintilla/Editor.py" line="6675"/> <source>File changed</source> <translation>Dosya değiştirilmiş</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6845"/> + <location filename="../QScintilla/Editor.py" line="6839"/> <source>{0} (ro)</source> <translation>{0} (ro)</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6985"/> + <location filename="../QScintilla/Editor.py" line="6979"/> <source>Drop Error</source> <translation>Düşme hatası</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6985"/> + <location filename="../QScintilla/Editor.py" line="6979"/> <source><p><b>{0}</b> is not a file.</p></source> <translation><p><b>{0}</b> bir dosya değil.</p></translation> </message> <message> + <location filename="../QScintilla/Editor.py" line="7000"/> + <source>Resources</source> + <translation>Kaynaklar</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="7002"/> + <source>Add file...</source> + <translation>Dosya ekle...</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="7004"/> + <source>Add files...</source> + <translation>Dosyaları ekle...</translation> + </message> + <message> <location filename="../QScintilla/Editor.py" line="7006"/> - <source>Resources</source> - <translation>Kaynaklar</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="7008"/> - <source>Add file...</source> - <translation>Dosya ekle...</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="7010"/> - <source>Add files...</source> - <translation>Dosyaları ekle...</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="7012"/> <source>Add aliased file...</source> <translation>Kısaltmalar dosyasına ekle...</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7015"/> + <location filename="../QScintilla/Editor.py" line="7009"/> <source>Add localized resource...</source> <translation>Yaral kaynak ekle...</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7019"/> + <location filename="../QScintilla/Editor.py" line="7013"/> <source>Add resource frame</source> <translation>Çerçeve kaynağı ekle</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7038"/> + <location filename="../QScintilla/Editor.py" line="7032"/> <source>Add file resource</source> <translation>Dosya kaynağını ekle</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7054"/> + <location filename="../QScintilla/Editor.py" line="7048"/> <source>Add file resources</source> <translation>Dosya kaynaklarını ekle</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7082"/> + <location filename="../QScintilla/Editor.py" line="7076"/> <source>Add aliased file resource</source> <translation>Kısaltmalar dosyası kaynağını ekle</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7082"/> + <location filename="../QScintilla/Editor.py" line="7076"/> <source>Alias for file <b>{0}</b>:</source> <translation><b>{0} dosyası için takma ad</b>:</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7146"/> + <location filename="../QScintilla/Editor.py" line="7140"/> <source>Package Diagram</source> <translation>Paket Şeması</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7146"/> + <location filename="../QScintilla/Editor.py" line="7140"/> <source>Include class attributes?</source> <translation>Sınıf nitelikleri dahil edilsin mi?</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7166"/> + <location filename="../QScintilla/Editor.py" line="7160"/> <source>Imports Diagram</source> <translation>Şemayı İçe Aktar</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7166"/> + <location filename="../QScintilla/Editor.py" line="7160"/> <source>Include imports from external modules?</source> <translation>Harici modüllerdan içe aktarım dahil edilsin mi?</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7180"/> + <location filename="../QScintilla/Editor.py" line="7174"/> <source>Application Diagram</source> <translation>Uygulama Şeması</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7180"/> + <location filename="../QScintilla/Editor.py" line="7174"/> <source>Include module names?</source> <translation>Modül isimleri dahil edilsin mi?</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7476"/> + <location filename="../QScintilla/Editor.py" line="7470"/> <source>Add to dictionary</source> <translation>Sözlüğe ekle</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7478"/> + <location filename="../QScintilla/Editor.py" line="7472"/> <source>Ignore All</source> <translation>Hepsini Yoksay</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="3119"/> + <location filename="../QScintilla/Editor.py" line="3113"/> <source><p>The file <b>{0}</b> already exists. Overwrite it?</p></source> <translation><p><b>{0}</b> dosyası halen mevcut. Üzerine yazılsın mı?</p></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6290"/> + <location filename="../QScintilla/Editor.py" line="6284"/> <source>Warning: {0}</source> <translation>Dikkat: {0}</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6297"/> + <location filename="../QScintilla/Editor.py" line="6291"/> <source>Error: {0}</source> <translation>Hata: {0}</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6488"/> + <location filename="../QScintilla/Editor.py" line="6482"/> <source><p>The macro file <b>{0}</b> already exists. Overwrite it?</p></source> <translation><p>Makro dosyası <b>{0}</b> zaten var. Üzerine yazılsın mı?</p></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6677"/> + <location filename="../QScintilla/Editor.py" line="6671"/> <source><br><b>Warning:</b> You will lose your changes upon reopening it.</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="885"/> + <location filename="../QScintilla/Editor.py" line="879"/> <source>Open 'rejection' file</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="995"/> + <location filename="../QScintilla/Editor.py" line="989"/> <source>Load Diagram...</source> <translation type="unfinished"></translation> </message> <message> + <location filename="../QScintilla/Editor.py" line="1262"/> + <source>Next change</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="1265"/> + <source>Previous change</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="7884"/> + <source>Sort Lines</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="7884"/> + <source>The selection contains illegal data for a numerical sort.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="6220"/> + <source>Warning</source> + <translation type="unfinished">Dikkat</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="6220"/> + <source>No warning messages available.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="6281"/> + <source>Style: {0}</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="853"/> + <source>New Document View</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="856"/> + <source>New Document View (with new split)</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="943"/> + <source>Tools</source> + <translation type="unfinished">Araçlar</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="1073"/> + <source>Re-Open With Encoding</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="6665"/> + <source><p>The file <b>{0}</b> has been changed while it was opened in eric6. Reread it?</p></source> + <translation type="unfinished"><p>Eric5 ile açıldıktan sonra <b>{0}</b> dosyasında değişiklik olmuş. Yeniden açılsın mı?</p> {0}?} {6.?}</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="829"/> + <source>Automatic Completion enabled</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="909"/> + <source>Complete</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="4641"/> + <source>Auto-Completion Provider</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="4641"/> + <source>The completion list provider '{0}' was already registered. Ignoring duplicate request.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="4895"/> + <source>Call-Tips Provider</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="4895"/> + <source>The call-tips provider '{0}' was already registered. Ignoring duplicate request.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="7971"/> + <source>Register Mouse Click Handler</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="7971"/> + <source>A mouse click handler for "{0}" was already registered by "{1}". Aborting request by "{2}"...</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="873"/> + <source>Save Copy...</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="912"/> + <source>Clear Completions Cache</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="839"/> + <source>Code Info</source> + <translation type="unfinished"></translation> + </message> + <message> <location filename="../QScintilla/Editor.py" line="1268"/> - <source>Next change</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1271"/> - <source>Previous change</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="7890"/> - <source>Sort Lines</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="7890"/> - <source>The selection contains illegal data for a numerical sort.</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="6226"/> - <source>Warning</source> - <translation type="unfinished">Dikkat</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="6226"/> - <source>No warning messages available.</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="6287"/> - <source>Style: {0}</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="859"/> - <source>New Document View</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="862"/> - <source>New Document View (with new split)</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="949"/> - <source>Tools</source> - <translation type="unfinished">Araçlar</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1079"/> - <source>Re-Open With Encoding</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="6671"/> - <source><p>The file <b>{0}</b> has been changed while it was opened in eric6. Reread it?</p></source> - <translation type="unfinished"><p>Eric5 ile açıldıktan sonra <b>{0}</b> dosyasında değişiklik olmuş. Yeniden açılsın mı?</p> {0}?} {6.?}</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="835"/> - <source>Automatic Completion enabled</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="915"/> - <source>Complete</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="4647"/> - <source>Auto-Completion Provider</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="4647"/> - <source>The completion list provider '{0}' was already registered. Ignoring duplicate request.</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="4901"/> - <source>Call-Tips Provider</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="4901"/> - <source>The call-tips provider '{0}' was already registered. Ignoring duplicate request.</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="7977"/> - <source>Register Mouse Click Handler</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="7977"/> - <source>A mouse click handler for "{0}" was already registered by "{1}". Aborting request by "{2}"...</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="879"/> - <source>Save Copy...</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="918"/> - <source>Clear Completions Cache</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="845"/> - <source>Code Info</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1274"/> <source>Clear changes</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="770"/> + <location filename="../QScintilla/Editor.py" line="764"/> <source>Execute Selection In Console</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="8098"/> + <location filename="../QScintilla/Editor.py" line="8092"/> <source>EditorConfig Properties</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="8098"/> + <location filename="../QScintilla/Editor.py" line="8092"/> <source><p>The EditorConfig properties for file <b>{0}</b> could not be loaded.</p></source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1197"/> + <location filename="../QScintilla/Editor.py" line="1191"/> <source>Toggle all folds</source> <translation type="unfinished">Tüm Açkapaları Kapat</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1201"/> + <location filename="../QScintilla/Editor.py" line="1195"/> <source>Toggle all folds (including children)</source> <translation type="unfinished">Tüm açkapalar (iç içe olanlar dahil)</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1205"/> + <location filename="../QScintilla/Editor.py" line="1199"/> <source>Toggle current fold</source> <translation type="unfinished">Geçerli açkapayı kapat</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1210"/> + <location filename="../QScintilla/Editor.py" line="1204"/> <source>Expand (including children)</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1214"/> + <location filename="../QScintilla/Editor.py" line="1208"/> <source>Collapse (including children)</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1219"/> + <location filename="../QScintilla/Editor.py" line="1213"/> <source>Clear all folds</source> <translation type="unfinished"></translation> </message> @@ -45472,12 +45472,12 @@ <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/MiniEditor.py" line="3401"/> + <location filename="../QScintilla/MiniEditor.py" line="3405"/> <source>EditorConfig Properties</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/MiniEditor.py" line="3401"/> + <location filename="../QScintilla/MiniEditor.py" line="3405"/> <source><p>The EditorConfig properties for file <b>{0}</b> could not be loaded.</p></source> <translation type="unfinished"></translation> </message> @@ -45490,252 +45490,252 @@ <context> <name>MiscellaneousChecker</name> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="476"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="482"/> <source>coding magic comment not found</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="479"/> - <source>unknown encoding ({0}) found in coding magic comment</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="482"/> - <source>copyright notice not present</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="485"/> + <source>unknown encoding ({0}) found in coding magic comment</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="488"/> + <source>copyright notice not present</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="491"/> <source>copyright notice contains invalid author</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="562"/> - <source>found {0} formatter</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="565"/> - <source>format string does contain unindexed parameters</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="568"/> - <source>docstring does contain unindexed parameters</source> + <source>found {0} formatter</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="571"/> - <source>other string does contain unindexed parameters</source> + <source>format string does contain unindexed parameters</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="574"/> - <source>format call uses too large index ({0})</source> + <source>docstring does contain unindexed parameters</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="577"/> - <source>format call uses missing keyword ({0})</source> + <source>other string does contain unindexed parameters</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="580"/> - <source>format call uses keyword arguments but no named entries</source> + <source>format call uses too large index ({0})</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="583"/> - <source>format call uses variable arguments but no numbered entries</source> + <source>format call uses missing keyword ({0})</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="586"/> - <source>format call uses implicit and explicit indexes together</source> + <source>format call uses keyword arguments but no named entries</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="589"/> - <source>format call provides unused index ({0})</source> + <source>format call uses variable arguments but no numbered entries</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="592"/> + <source>format call uses implicit and explicit indexes together</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="595"/> + <source>format call provides unused index ({0})</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="598"/> <source>format call provides unused keyword ({0})</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="610"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="616"/> <source>expected these __future__ imports: {0}; but only got: {1}</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="613"/> - <source>expected these __future__ imports: {0}; but got none</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="619"/> + <source>expected these __future__ imports: {0}; but got none</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="625"/> <source>print statement found</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="622"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="628"/> <source>one element tuple found</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="634"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="640"/> <source>{0}: {1}</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="488"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="494"/> <source>"{0}" is a Python builtin and is being shadowed; consider renaming the variable</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="492"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="498"/> <source>"{0}" is used as an argument and thus shadows a Python builtin; consider renaming the argument</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="496"/> - <source>unnecessary generator - rewrite as a list comprehension</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="499"/> - <source>unnecessary generator - rewrite as a set comprehension</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="502"/> - <source>unnecessary generator - rewrite as a dict comprehension</source> + <source>unnecessary generator - rewrite as a list comprehension</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="505"/> - <source>unnecessary list comprehension - rewrite as a set comprehension</source> + <source>unnecessary generator - rewrite as a set comprehension</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="508"/> - <source>unnecessary list comprehension - rewrite as a dict comprehension</source> + <source>unnecessary generator - rewrite as a dict comprehension</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="511"/> - <source>unnecessary list literal - rewrite as a set literal</source> + <source>unnecessary list comprehension - rewrite as a set comprehension</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="514"/> - <source>unnecessary list literal - rewrite as a dict literal</source> + <source>unnecessary list comprehension - rewrite as a dict comprehension</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="517"/> - <source>unnecessary list comprehension - "{0}" can take a generator</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="628"/> - <source>mutable default argument of type {0}</source> + <source>unnecessary list literal - rewrite as a set literal</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="520"/> + <source>unnecessary list literal - rewrite as a dict literal</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="523"/> + <source>unnecessary list comprehension - "{0}" can take a generator</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="634"/> + <source>mutable default argument of type {0}</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="526"/> <source>sort keys - '{0}' should be before '{1}'</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="598"/> - <source>logging statement uses '%'</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="604"/> + <source>logging statement uses '%'</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="610"/> <source>logging statement uses f-string</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="607"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="613"/> <source>logging statement uses 'warn' instead of 'warning'</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="595"/> - <source>logging statement uses string.format()</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="601"/> + <source>logging statement uses string.format()</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="607"/> <source>logging statement uses '+'</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="616"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="622"/> <source>gettext import with alias _ found: {0}</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="523"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="529"/> <source>Python does not support the unary prefix increment</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="533"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="539"/> <source>'sys.maxint' is not defined in Python 3 - use 'sys.maxsize'</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="536"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="542"/> <source>'BaseException.message' has been deprecated as of Python 2.6 and is removed in Python 3 - use 'str(e)'</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="540"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="546"/> <source>assigning to 'os.environ' does not clear the environment - use 'os.environ.clear()'</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="548"/> - <source>Python 3 does not include '.iter*' methods on dictionaries</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="551"/> - <source>Python 3 does not include '.view*' methods on dictionaries</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="554"/> - <source>'.next()' does not exist in Python 3</source> + <source>Python 3 does not include '.iter*' methods on dictionaries</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="557"/> + <source>Python 3 does not include '.view*' methods on dictionaries</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="560"/> + <source>'.next()' does not exist in Python 3</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="563"/> <source>'__metaclass__' does nothing on Python 3 - use 'class MyClass(BaseClass, metaclass=...)'</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="631"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="637"/> <source>mutable default argument of function call '{0}'</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="526"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="532"/> <source>using .strip() with multi-character strings is misleading</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="529"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="535"/> <source>using 'hasattr(x, "__call__")' to test if 'x' is callable is unreliable</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="544"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="550"/> <source>loop control variable {0} not used within the loop body - start the name with an underscore</source> <translation type="unfinished"></translation> </message> @@ -46166,72 +46166,72 @@ <context> <name>NamingStyleChecker</name> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="420"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="426"/> <source>class names should use CapWords convention</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="423"/> - <source>function name should be lowercase</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="426"/> - <source>argument name should be lowercase</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="429"/> - <source>first argument of a class method should be named 'cls'</source> + <source>function name should be lowercase</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="432"/> - <source>first argument of a method should be named 'self'</source> + <source>argument name should be lowercase</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="435"/> + <source>first argument of a class method should be named 'cls'</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="438"/> + <source>first argument of a method should be named 'self'</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="441"/> <source>first argument of a static method should not be named 'self' or 'cls</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="439"/> - <source>module names should be lowercase</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="442"/> - <source>package names should be lowercase</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="445"/> - <source>constant imported as non constant</source> + <source>module names should be lowercase</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="448"/> - <source>lowercase imported as non lowercase</source> + <source>package names should be lowercase</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="451"/> - <source>camelcase imported as lowercase</source> + <source>constant imported as non constant</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="454"/> - <source>camelcase imported as constant</source> + <source>lowercase imported as non lowercase</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="457"/> - <source>variable in function should be lowercase</source> + <source>camelcase imported as lowercase</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="460"/> + <source>camelcase imported as constant</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="463"/> + <source>variable in function should be lowercase</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="466"/> <source>names 'l', 'O' and 'I' should be avoided</source> <translation type="unfinished"></translation> </message> @@ -86605,7 +86605,7 @@ <translation type="unfinished"> {0!r} adı __all__ içinde tanımlı edğil.</translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="48"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="52"/> <source>Local variable {0!r} is assigned to but never used.</source> <translation type="unfinished">Yerel değiişken {0!r}e atanır ama kullanılmaz.</translation> </message> @@ -86630,120 +86630,140 @@ <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="39"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="43"/> <source>Duplicate argument {0!r} in function definition.</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="42"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="46"/> <source>Redefinition of {0!r} from line {1!r}.</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="45"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="49"/> <source>from __future__ imports must occur at the beginning of the file</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="51"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="55"/> <source>List comprehension redefines {0!r} from line {1!r}.</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="54"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="58"/> <source>Syntax error detected in doctest.</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="126"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="139"/> <source>no message defined for code '{0}'</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="57"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="61"/> <source>'return' with argument inside generator</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="60"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="64"/> <source>'return' outside function</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="63"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="67"/> <source>'from {0} import *' only allowed at module level</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="66"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="70"/> <source>{0!r} may be undefined, or defined from star imports: {1}</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="69"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="73"/> <source>Dictionary key {0!r} repeated with different values</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="72"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="76"/> <source>Dictionary key variable {0} repeated with different values</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="75"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="79"/> <source>Future feature {0} is not defined</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="78"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="82"/> <source>'yield' outside function</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="84"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="88"/> <source>'break' outside loop</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="87"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="91"/> <source>'continue' not supported inside 'finally' clause</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="90"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="94"/> <source>Default 'except:' must be last</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="93"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="97"/> <source>Two starred expressions in assignment</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="96"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="100"/> <source>Too many expressions in star-unpacking assignment</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="99"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="103"/> <source>Assertion is always true, perhaps remove parentheses?</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="81"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="85"/> <source>'continue' not properly in loop</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="102"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="106"/> <source>syntax error in forward annotation {0!r}</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="105"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="109"/> <source>'raise NotImplemented' should be 'raise NotImplementedError'</source> <translation type="unfinished"></translation> </message> + <message> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="39"/> + <source>Local variable {0!r} (defined as a builtin) referenced before assignment.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="112"/> + <source>syntax error in type comment {0!r}</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="115"/> + <source>use of >> is invalid with print function</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="118"/> + <source>use ==/!= to compare str, bytes, and int literals</source> + <translation type="unfinished"></translation> + </message> </context> <context> <name>pycodestyle</name> @@ -86783,375 +86803,385 @@ <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="40"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="43"/> <source>continuation line indentation is not a multiple of four</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="43"/> - <source>continuation line missing indentation or outdented</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="46"/> + <source>continuation line missing indentation or outdented</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="49"/> <source>closing bracket does not match indentation of opening bracket's line</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="50"/> - <source>closing bracket does not match visual indentation</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="53"/> - <source>continuation line with same indent as next logical line</source> + <source>closing bracket does not match visual indentation</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="56"/> - <source>continuation line over-indented for hanging indent</source> + <source>continuation line with same indent as next logical line</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="59"/> - <source>continuation line over-indented for visual indent</source> + <source>continuation line over-indented for hanging indent</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="62"/> - <source>continuation line under-indented for visual indent</source> + <source>continuation line over-indented for visual indent</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="65"/> - <source>visually indented line with same indent as next logical line</source> + <source>continuation line under-indented for visual indent</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="68"/> - <source>continuation line unaligned for hanging indent</source> + <source>visually indented line with same indent as next logical line</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="71"/> - <source>closing bracket is missing indentation</source> + <source>continuation line unaligned for hanging indent</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="74"/> - <source>indentation contains tabs</source> + <source>closing bracket is missing indentation</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="77"/> + <source>indentation contains tabs</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="80"/> <source>whitespace after '{0}'</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="86"/> - <source>whitespace before '{0}'</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="89"/> - <source>multiple spaces before operator</source> + <source>whitespace before '{0}'</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="92"/> - <source>multiple spaces after operator</source> + <source>multiple spaces before operator</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="95"/> - <source>tab before operator</source> + <source>multiple spaces after operator</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="98"/> - <source>tab after operator</source> + <source>tab before operator</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="101"/> - <source>missing whitespace around operator</source> + <source>tab after operator</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="104"/> - <source>missing whitespace around arithmetic operator</source> + <source>missing whitespace around operator</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="107"/> - <source>missing whitespace around bitwise or shift operator</source> + <source>missing whitespace around arithmetic operator</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="110"/> - <source>missing whitespace around modulo operator</source> + <source>missing whitespace around bitwise or shift operator</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="113"/> - <source>missing whitespace after '{0}'</source> + <source>missing whitespace around modulo operator</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="116"/> - <source>multiple spaces after '{0}'</source> + <source>missing whitespace after '{0}'</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="119"/> - <source>tab after '{0}'</source> + <source>multiple spaces after '{0}'</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="122"/> + <source>tab after '{0}'</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="125"/> <source>unexpected spaces around keyword / parameter equals</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="128"/> - <source>at least two spaces before inline comment</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="131"/> - <source>inline comment should start with '# '</source> + <source>at least two spaces before inline comment</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="134"/> - <source>block comment should start with '# '</source> + <source>inline comment should start with '# '</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="137"/> - <source>too many leading '#' for block comment</source> + <source>block comment should start with '# '</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="140"/> - <source>multiple spaces after keyword</source> + <source>too many leading '#' for block comment</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="143"/> - <source>multiple spaces before keyword</source> + <source>multiple spaces after keyword</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="146"/> - <source>tab after keyword</source> + <source>multiple spaces before keyword</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="149"/> - <source>tab before keyword</source> + <source>tab after keyword</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="152"/> - <source>missing whitespace after keyword</source> + <source>tab before keyword</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="155"/> - <source>trailing whitespace</source> + <source>missing whitespace after keyword</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="158"/> - <source>no newline at end of file</source> + <source>trailing whitespace</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="161"/> + <source>no newline at end of file</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="164"/> <source>blank line contains whitespace</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="186"/> - <source>too many blank lines ({0})</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="173"/> - <source>blank lines found after function decorator</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="189"/> - <source>blank line at end of file</source> + <source>too many blank lines ({0})</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="176"/> + <source>blank lines found after function decorator</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="192"/> - <source>multiple imports on one line</source> + <source>blank line at end of file</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="195"/> - <source>module level import not at top of file</source> + <source>multiple imports on one line</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="198"/> - <source>line too long ({0} > {1} characters)</source> + <source>module level import not at top of file</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="201"/> - <source>the backslash is redundant between brackets</source> + <source>line too long ({0} > {1} characters)</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="204"/> + <source>the backslash is redundant between brackets</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="207"/> <source>line break before binary operator</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="210"/> - <source>.has_key() is deprecated, use 'in'</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="213"/> - <source>deprecated form of raising exception</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="216"/> - <source>'<>' is deprecated, use '!='</source> + <source>.has_key() is deprecated, use 'in'</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="219"/> + <source>deprecated form of raising exception</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="222"/> + <source>'<>' is deprecated, use '!='</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="225"/> <source>backticks are deprecated, use 'repr()'</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="228"/> - <source>multiple statements on one line (colon)</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="231"/> - <source>multiple statements on one line (semicolon)</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="234"/> - <source>statement ends with a semicolon</source> + <source>multiple statements on one line (colon)</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="237"/> - <source>multiple statements on one line (def)</source> + <source>multiple statements on one line (semicolon)</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="240"/> + <source>statement ends with a semicolon</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="243"/> - <source>comparison to {0} should be {1}</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="246"/> - <source>test for membership should be 'not in'</source> + <source>multiple statements on one line (def)</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="249"/> - <source>test for object identity should be 'is not'</source> + <source>comparison to {0} should be {1}</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="252"/> - <source>do not compare types, use 'isinstance()'</source> + <source>test for membership should be 'not in'</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="255"/> + <source>test for object identity should be 'is not'</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="258"/> - <source>do not assign a lambda expression, use a def</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="261"/> - <source>ambiguous variable name '{0}'</source> + <source>do not compare types, use 'isinstance()'</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="264"/> - <source>ambiguous class definition '{0}'</source> + <source>do not assign a lambda expression, use a def</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="267"/> - <source>ambiguous function definition '{0}'</source> + <source>ambiguous variable name '{0}'</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="270"/> - <source>{0}: {1}</source> + <source>ambiguous class definition '{0}'</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="273"/> + <source>ambiguous function definition '{0}'</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="276"/> + <source>{0}: {1}</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="279"/> <source>{0}</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="255"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="261"/> <source>do not use bare except</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="176"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="179"/> <source>expected {0} blank lines after class or function definition, found {1}</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="225"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="231"/> <source>'async' and 'await' are reserved keywords starting with Python 3.7</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="125"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="128"/> <source>missing whitespace around parameter equals</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="167"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="170"/> <source>expected {0} blank lines, found {1}</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="180"/> - <source>expected {0} blank lines before a nested definition, found {1}</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="207"/> - <source>line break after binary operator</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="222"/> - <source>invalid escape sequence '\{0}'</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="183"/> + <source>expected {0} blank lines before a nested definition, found {1}</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="210"/> + <source>line break after binary operator</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="228"/> + <source>invalid escape sequence '\{0}'</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="186"/> <source>too many blank lines ({0}) before a nested definition, expected {1}</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="170"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="173"/> <source>too many blank lines ({0}), expected {1}</source> <translation type="unfinished"></translation> </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="40"/> + <source>over-indented</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="213"/> + <source>doc line too long ({0} > {1} characters)</source> + <translation type="unfinished"></translation> + </message> </context> <context> <name>subversion</name>
--- a/i18n/eric6_zh_CN.ts Wed Feb 13 20:41:45 2019 +0100 +++ b/i18n/eric6_zh_CN.ts Thu Feb 14 18:58:22 2019 +0100 @@ -3686,226 +3686,226 @@ <context> <name>CodeStyleFixer</name> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="639"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="645"/> <source>Triple single quotes converted to triple double quotes.</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="642"/> - <source>Introductory quotes corrected to be {0}"""</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="645"/> - <source>Single line docstring put on one line.</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="648"/> - <source>Period added to summary line.</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="675"/> - <source>Blank line before function/method docstring removed.</source> + <source>Introductory quotes corrected to be {0}"""</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="651"/> + <source>Single line docstring put on one line.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="654"/> - <source>Blank line inserted before class docstring.</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="657"/> - <source>Blank line inserted after class docstring.</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="660"/> - <source>Blank line inserted after docstring summary.</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="663"/> - <source>Blank line inserted after last paragraph of docstring.</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="666"/> - <source>Leading quotes put on separate line.</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="669"/> - <source>Trailing quotes put on separate line.</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="672"/> - <source>Blank line before class docstring removed.</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="678"/> - <source>Blank line after class docstring removed.</source> + <source>Period added to summary line.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="681"/> - <source>Blank line after function/method docstring removed.</source> + <source>Blank line before function/method docstring removed.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="660"/> + <source>Blank line inserted before class docstring.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="663"/> + <source>Blank line inserted after class docstring.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="666"/> + <source>Blank line inserted after docstring summary.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="669"/> + <source>Blank line inserted after last paragraph of docstring.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="672"/> + <source>Leading quotes put on separate line.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="675"/> + <source>Trailing quotes put on separate line.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="678"/> + <source>Blank line before class docstring removed.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="684"/> - <source>Blank line after last paragraph removed.</source> + <source>Blank line after class docstring removed.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="687"/> - <source>Tab converted to 4 spaces.</source> + <source>Blank line after function/method docstring removed.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="690"/> - <source>Indentation adjusted to be a multiple of four.</source> + <source>Blank line after last paragraph removed.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="693"/> - <source>Indentation of continuation line corrected.</source> + <source>Tab converted to 4 spaces.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="696"/> - <source>Indentation of closing bracket corrected.</source> + <source>Indentation adjusted to be a multiple of four.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="699"/> - <source>Missing indentation of continuation line corrected.</source> + <source>Indentation of continuation line corrected.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="702"/> - <source>Closing bracket aligned to opening bracket.</source> + <source>Indentation of closing bracket corrected.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="705"/> - <source>Indentation level changed.</source> + <source>Missing indentation of continuation line corrected.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="708"/> - <source>Indentation level of hanging indentation changed.</source> + <source>Closing bracket aligned to opening bracket.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="711"/> + <source>Indentation level changed.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="714"/> + <source>Indentation level of hanging indentation changed.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="717"/> <source>Visual indentation corrected.</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="726"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="732"/> <source>Extraneous whitespace removed.</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="723"/> - <source>Missing whitespace added.</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="729"/> + <source>Missing whitespace added.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="735"/> <source>Whitespace around comment sign corrected.</source> <translation type="unfinished"></translation> </message> <message numerus="yes"> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="733"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="739"/> <source>%n blank line(s) inserted.</source> <translation type="unfinished"> <numerusform></numerusform> </translation> </message> <message numerus="yes"> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="736"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="742"/> <source>%n superfluous lines removed</source> <translation type="unfinished"> <numerusform></numerusform> </translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="740"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="746"/> <source>Superfluous blank lines removed.</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="743"/> - <source>Superfluous blank lines after function decorator removed.</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="746"/> - <source>Imports were put on separate lines.</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="749"/> - <source>Long lines have been shortened.</source> + <source>Superfluous blank lines after function decorator removed.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="752"/> - <source>Redundant backslash in brackets removed.</source> + <source>Imports were put on separate lines.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="755"/> + <source>Long lines have been shortened.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="758"/> - <source>Compound statement corrected.</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="761"/> - <source>Comparison to None/True/False corrected.</source> + <source>Redundant backslash in brackets removed.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="764"/> - <source>'{0}' argument added.</source> + <source>Compound statement corrected.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="767"/> - <source>'{0}' argument removed.</source> + <source>Comparison to None/True/False corrected.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="770"/> - <source>Whitespace stripped from end of line.</source> + <source>'{0}' argument added.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="773"/> - <source>newline added to end of file.</source> + <source>'{0}' argument removed.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="776"/> - <source>Superfluous trailing blank lines removed from end of file.</source> + <source>Whitespace stripped from end of line.</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="779"/> + <source>newline added to end of file.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="782"/> + <source>Superfluous trailing blank lines removed from end of file.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="785"/> <source>'<>' replaced by '!='.</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="783"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="789"/> <source>Could not save the file! Skipping it. Reason: {0}</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="872"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="879"/> <source> no message defined for code '{0}'</source> <translation type="unfinished"></translation> </message> @@ -4378,22 +4378,22 @@ <context> <name>ComplexityChecker</name> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="465"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="471"/> <source>'{0}' is too complex ({1})</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="467"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="473"/> <source>source code line is too complex ({0})</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="469"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="475"/> <source>overall source code line complexity is too high ({0})</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="472"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="478"/> <source>{0}: {1}</source> <translation type="unfinished"></translation> </message> @@ -7362,242 +7362,242 @@ <context> <name>DocStyleChecker</name> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="278"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="284"/> <source>module is missing a docstring</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="280"/> - <source>public function/method is missing a docstring</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="283"/> - <source>private function/method may be missing a docstring</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="286"/> - <source>public class is missing a docstring</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="288"/> - <source>private class may be missing a docstring</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="290"/> - <source>docstring not surrounded by """</source> + <source>public function/method is missing a docstring</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="289"/> + <source>private function/method may be missing a docstring</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="292"/> - <source>docstring containing \ not surrounded by r"""</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="295"/> - <source>docstring containing unicode character not surrounded by u"""</source> + <source>public class is missing a docstring</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="294"/> + <source>private class may be missing a docstring</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="296"/> + <source>docstring not surrounded by """</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="298"/> + <source>docstring containing \ not surrounded by r"""</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="301"/> + <source>docstring containing unicode character not surrounded by u"""</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="304"/> <source>one-liner docstring on multiple lines</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="300"/> - <source>docstring has wrong indentation</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="349"/> - <source>docstring summary does not end with a period</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="306"/> + <source>docstring has wrong indentation</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="355"/> + <source>docstring summary does not end with a period</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="312"/> <source>docstring summary is not in imperative mood (Does instead of Do)</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="310"/> - <source>docstring summary looks like a function's/method's signature</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="313"/> - <source>docstring does not mention the return value type</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="316"/> - <source>function/method docstring is separated by a blank line</source> + <source>docstring summary looks like a function's/method's signature</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="319"/> - <source>class docstring is not preceded by a blank line</source> + <source>docstring does not mention the return value type</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="322"/> - <source>class docstring is not followed by a blank line</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="383"/> - <source>docstring summary is not followed by a blank line</source> + <source>function/method docstring is separated by a blank line</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="325"/> + <source>class docstring is not preceded by a blank line</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="328"/> + <source>class docstring is not followed by a blank line</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="389"/> + <source>docstring summary is not followed by a blank line</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="334"/> <source>last paragraph of docstring is not followed by a blank line</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="336"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="342"/> <source>private function/method is missing a docstring</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="339"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="345"/> <source>private class is missing a docstring</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="343"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="349"/> <source>leading quotes of docstring not on separate line</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="346"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="352"/> <source>trailing quotes of docstring not on separate line</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="353"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="359"/> <source>docstring does not contain a @return line but function/method returns something</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="357"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="363"/> <source>docstring contains a @return line but function/method doesn't return anything</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="361"/> - <source>docstring does not contain enough @param/@keyparam lines</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="364"/> - <source>docstring contains too many @param/@keyparam lines</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="367"/> - <source>keyword only arguments must be documented with @keyparam lines</source> + <source>docstring does not contain enough @param/@keyparam lines</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="370"/> - <source>order of @param/@keyparam lines does not match the function/method signature</source> + <source>docstring contains too many @param/@keyparam lines</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="373"/> + <source>keyword only arguments must be documented with @keyparam lines</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="376"/> + <source>order of @param/@keyparam lines does not match the function/method signature</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="379"/> <source>class docstring is preceded by a blank line</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="375"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="381"/> <source>class docstring is followed by a blank line</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="377"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="383"/> <source>function/method docstring is preceded by a blank line</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="380"/> - <source>function/method docstring is followed by a blank line</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="386"/> + <source>function/method docstring is followed by a blank line</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="392"/> <source>last paragraph of docstring is followed by a blank line</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="389"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="395"/> <source>docstring does not contain a @exception line but function/method raises an exception</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="393"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="399"/> <source>docstring contains a @exception line but function/method doesn't raise an exception</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="416"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="422"/> <source>{0}: {1}</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="302"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="308"/> <source>docstring does not contain a summary</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="351"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="357"/> <source>docstring summary does not start with '{0}'</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="397"/> - <source>raised exception '{0}' is not documented in docstring</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="400"/> - <source>documented exception '{0}' is not raised</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="403"/> - <source>docstring does not contain a @signal line but class defines signals</source> + <source>raised exception '{0}' is not documented in docstring</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="406"/> - <source>docstring contains a @signal line but class doesn't define signals</source> + <source>documented exception '{0}' is not raised</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="409"/> - <source>defined signal '{0}' is not documented in docstring</source> + <source>docstring does not contain a @signal line but class defines signals</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="412"/> + <source>docstring contains a @signal line but class doesn't define signals</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="415"/> + <source>defined signal '{0}' is not documented in docstring</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="418"/> <source>documented signal '{0}' is not defined</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="341"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="347"/> <source>class docstring is still a default string</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="334"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="340"/> <source>function docstring is still a default string</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="332"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="338"/> <source>module docstring is still a default string</source> <translation type="unfinished"></translation> </message> @@ -9879,7 +9879,7 @@ <context> <name>Editor</name> <message> - <location filename="../QScintilla/Editor.py" line="2946"/> + <location filename="../QScintilla/Editor.py" line="2940"/> <source>Open File</source> <translation>打开文件</translation> </message> @@ -9889,632 +9889,632 @@ <translation><b>源代码编辑器窗口</b><p>该窗口用于显示和编辑源文件。可以打开任意多个窗口。文件名显示在窗口标题栏中。</p><p>要设置断点只需在行号与折叠标记之间的空白处点击即可。通过页边空白的上下文菜单可进行编辑。</p><p>要设置书签只需按住 Shift 键再在行号与折叠标记之间的空白处点击即可。</p><p>以上行为都可能通过上下文菜单进行反转。</p><p>按住 Ctrl 再语法错误标记上点击可显示该错误的部分信息。</p></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="750"/> + <location filename="../QScintilla/Editor.py" line="744"/> <source>Undo</source> <translation>撤消</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="753"/> + <location filename="../QScintilla/Editor.py" line="747"/> <source>Redo</source> <translation>重做</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="756"/> + <location filename="../QScintilla/Editor.py" line="750"/> <source>Revert to last saved state</source> <translation>还原到最后保存的状态</translation> </message> <message> + <location filename="../QScintilla/Editor.py" line="754"/> + <source>Cut</source> + <translation>剪切</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="757"/> + <source>Copy</source> + <translation>复制</translation> + </message> + <message> <location filename="../QScintilla/Editor.py" line="760"/> - <source>Cut</source> - <translation>剪切</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="763"/> - <source>Copy</source> - <translation>复制</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="766"/> <source>Paste</source> <translation>粘贴</translation> </message> <message> + <location filename="../QScintilla/Editor.py" line="768"/> + <source>Indent</source> + <translation>缩进</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="771"/> + <source>Unindent</source> + <translation>取消缩进</translation> + </message> + <message> <location filename="../QScintilla/Editor.py" line="774"/> - <source>Indent</source> - <translation>缩进</translation> + <source>Comment</source> + <translation>注释</translation> </message> <message> <location filename="../QScintilla/Editor.py" line="777"/> - <source>Unindent</source> - <translation>取消缩进</translation> + <source>Uncomment</source> + <translation>取消注释</translation> </message> <message> <location filename="../QScintilla/Editor.py" line="780"/> - <source>Comment</source> - <translation>注释</translation> + <source>Stream Comment</source> + <translation>流注释</translation> </message> <message> <location filename="../QScintilla/Editor.py" line="783"/> - <source>Uncomment</source> - <translation>取消注释</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="786"/> - <source>Stream Comment</source> - <translation>流注释</translation> + <source>Box Comment</source> + <translation>块注释</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="787"/> + <source>Select to brace</source> + <translation>选择括号内容</translation> </message> <message> <location filename="../QScintilla/Editor.py" line="789"/> - <source>Box Comment</source> - <translation>块注释</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="793"/> - <source>Select to brace</source> - <translation>选择括号内容</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="795"/> <source>Select all</source> <translation>全选</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="796"/> + <location filename="../QScintilla/Editor.py" line="790"/> <source>Deselect all</source> <translation>全部取消选择</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7473"/> + <location filename="../QScintilla/Editor.py" line="7467"/> <source>Check spelling...</source> <translation>正在进行拼写检查…</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="804"/> + <location filename="../QScintilla/Editor.py" line="798"/> <source>Check spelling of selection...</source> <translation>正在对所选内容进行拼写检查…</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="812"/> + <location filename="../QScintilla/Editor.py" line="806"/> <source>Shorten empty lines</source> <translation>缩减空行</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="819"/> + <location filename="../QScintilla/Editor.py" line="813"/> <source>Use Monospaced Font</source> <translation>使用单空格字体</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="824"/> + <location filename="../QScintilla/Editor.py" line="818"/> <source>Autosave enabled</source> <translation>允许自动保存</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="828"/> + <location filename="../QScintilla/Editor.py" line="822"/> <source>Typing aids enabled</source> <translation>允许输入辅助</translation> </message> <message> + <location filename="../QScintilla/Editor.py" line="861"/> + <source>Close</source> + <translation>关闭</translation> + </message> + <message> <location filename="../QScintilla/Editor.py" line="867"/> - <source>Close</source> - <translation>关闭</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="873"/> <source>Save</source> <translation>保存</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="876"/> + <location filename="../QScintilla/Editor.py" line="870"/> <source>Save As...</source> <translation>另存为…</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="889"/> + <location filename="../QScintilla/Editor.py" line="883"/> <source>Print Preview</source> <translation>打印预览</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="892"/> + <location filename="../QScintilla/Editor.py" line="886"/> <source>Print</source> <translation>打印</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="921"/> + <location filename="../QScintilla/Editor.py" line="915"/> <source>Complete from Document</source> <translation type="unfinished">从文档</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="923"/> + <location filename="../QScintilla/Editor.py" line="917"/> <source>Complete from APIs</source> <translation type="unfinished">从 APIs</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="925"/> + <location filename="../QScintilla/Editor.py" line="919"/> <source>Complete from Document and APIs</source> <translation type="unfinished">从文档和 APIs</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="843"/> + <location filename="../QScintilla/Editor.py" line="837"/> <source>Calltip</source> <translation>调用提示</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="939"/> + <location filename="../QScintilla/Editor.py" line="933"/> <source>Check</source> <translation>检查</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="959"/> + <location filename="../QScintilla/Editor.py" line="953"/> <source>Show</source> <translation>显示</translation> </message> <message> + <location filename="../QScintilla/Editor.py" line="955"/> + <source>Code metrics...</source> + <translation>代码度量…</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="956"/> + <source>Code coverage...</source> + <translation>代码覆盖率…</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="958"/> + <source>Show code coverage annotations</source> + <translation>显示代码覆盖率注解</translation> + </message> + <message> <location filename="../QScintilla/Editor.py" line="961"/> - <source>Code metrics...</source> - <translation>代码度量…</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="962"/> - <source>Code coverage...</source> - <translation>代码覆盖率…</translation> + <source>Hide code coverage annotations</source> + <translation>隐藏代码覆盖率注解</translation> </message> <message> <location filename="../QScintilla/Editor.py" line="964"/> - <source>Show code coverage annotations</source> - <translation>显示代码覆盖率注解</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="967"/> - <source>Hide code coverage annotations</source> - <translation>隐藏代码覆盖率注解</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="970"/> <source>Profile data...</source> <translation>剖析数据…</translation> </message> <message> + <location filename="../QScintilla/Editor.py" line="977"/> + <source>Diagrams</source> + <translation>图表</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="979"/> + <source>Class Diagram...</source> + <translation>类图…</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="981"/> + <source>Package Diagram...</source> + <translation>程序包图…</translation> + </message> + <message> <location filename="../QScintilla/Editor.py" line="983"/> - <source>Diagrams</source> - <translation>图表</translation> + <source>Imports Diagram...</source> + <translation>引用图…</translation> </message> <message> <location filename="../QScintilla/Editor.py" line="985"/> - <source>Class Diagram...</source> - <translation>类图…</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="987"/> - <source>Package Diagram...</source> - <translation>程序包图…</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="989"/> - <source>Imports Diagram...</source> - <translation>引用图…</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="991"/> <source>Application Diagram...</source> <translation>应用程序图…</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1009"/> + <location filename="../QScintilla/Editor.py" line="1003"/> <source>Languages</source> <translation>语言</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1012"/> + <location filename="../QScintilla/Editor.py" line="1006"/> <source>No Language</source> <translation>无语言</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1037"/> + <location filename="../QScintilla/Editor.py" line="1031"/> <source>Guessed</source> <translation>猜测</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1324"/> + <location filename="../QScintilla/Editor.py" line="1318"/> <source>Alternatives</source> <translation>备选</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1057"/> + <location filename="../QScintilla/Editor.py" line="1051"/> <source>Encodings</source> <translation>编码</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1098"/> + <location filename="../QScintilla/Editor.py" line="1092"/> <source>End-of-Line Type</source> <translation>行尾类型</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1102"/> + <location filename="../QScintilla/Editor.py" line="1096"/> <source>Unix</source> <translation>Unix</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1109"/> + <location filename="../QScintilla/Editor.py" line="1103"/> <source>Windows</source> <translation>Windows</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1116"/> + <location filename="../QScintilla/Editor.py" line="1110"/> <source>Macintosh</source> <translation>Macintosh</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1134"/> + <location filename="../QScintilla/Editor.py" line="1128"/> <source>Export as</source> <translation>导出为</translation> </message> <message> + <location filename="../QScintilla/Editor.py" line="1150"/> + <source>Toggle bookmark</source> + <translation>切换书签</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="1152"/> + <source>Next bookmark</source> + <translation>下一个书签</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="1154"/> + <source>Previous bookmark</source> + <translation>上一个书签</translation> + </message> + <message> <location filename="../QScintilla/Editor.py" line="1156"/> - <source>Toggle bookmark</source> - <translation>切换书签</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1158"/> - <source>Next bookmark</source> - <translation>下一个书签</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1160"/> - <source>Previous bookmark</source> - <translation>上一个书签</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1162"/> <source>Clear all bookmarks</source> <translation>清除所有书签</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1171"/> + <location filename="../QScintilla/Editor.py" line="1165"/> <source>Toggle breakpoint</source> <translation>切换断点</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1173"/> + <location filename="../QScintilla/Editor.py" line="1167"/> <source>Toggle temporary breakpoint</source> <translation>切换临时断点</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1176"/> + <location filename="../QScintilla/Editor.py" line="1170"/> <source>Edit breakpoint...</source> <translation>编辑断点…</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="5316"/> + <location filename="../QScintilla/Editor.py" line="5310"/> <source>Enable breakpoint</source> <translation>允许断点</translation> </message> <message> + <location filename="../QScintilla/Editor.py" line="1175"/> + <source>Next breakpoint</source> + <translation>下一个断点</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="1178"/> + <source>Previous breakpoint</source> + <translation>上一个断点</translation> + </message> + <message> <location filename="../QScintilla/Editor.py" line="1181"/> - <source>Next breakpoint</source> - <translation>下一个断点</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1184"/> - <source>Previous breakpoint</source> - <translation>上一个断点</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1187"/> <source>Clear all breakpoints</source> <translation>清除所有断点</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1230"/> + <location filename="../QScintilla/Editor.py" line="1224"/> <source>Goto syntax error</source> <translation>转到语法错误处</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1233"/> + <location filename="../QScintilla/Editor.py" line="1227"/> <source>Show syntax error message</source> <translation>显示语法错误消息</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1237"/> + <location filename="../QScintilla/Editor.py" line="1231"/> <source>Clear syntax error</source> <translation>清除语法错误</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1254"/> + <location filename="../QScintilla/Editor.py" line="1248"/> <source>Next uncovered line</source> <translation>下一个未覆盖行</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1257"/> + <location filename="../QScintilla/Editor.py" line="1251"/> <source>Previous uncovered line</source> <translation>上一个未覆盖行</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1261"/> + <location filename="../QScintilla/Editor.py" line="1255"/> <source>Next task</source> <translation>下一个任务</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1264"/> + <location filename="../QScintilla/Editor.py" line="1258"/> <source>Previous task</source> <translation>上一个任务</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1309"/> + <location filename="../QScintilla/Editor.py" line="1303"/> <source>Export source</source> <translation>导出源代码</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1309"/> + <location filename="../QScintilla/Editor.py" line="1303"/> <source>No export format given. Aborting...</source> <translation>没有给定导出格式。终止…</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1340"/> + <location filename="../QScintilla/Editor.py" line="1334"/> <source>Pygments Lexer</source> <translation>Pygments 词法分析器</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1340"/> + <location filename="../QScintilla/Editor.py" line="1334"/> <source>Select the Pygments lexer to apply.</source> <translation>选择要应用的 Pygments 词法分析器。</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1816"/> + <location filename="../QScintilla/Editor.py" line="1810"/> <source>Modification of Read Only file</source> <translation>只读文件的改变</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1816"/> + <location filename="../QScintilla/Editor.py" line="1810"/> <source>You are attempting to change a read only file. Please save to a different file first.</source> <translation>试图改变只读文件。请先保存到另一个文件中。</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="2502"/> + <location filename="../QScintilla/Editor.py" line="2496"/> <source>Printing...</source> <translation>打印中…</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="2519"/> + <location filename="../QScintilla/Editor.py" line="2513"/> <source>Printing completed</source> <translation>打印已完成</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="2521"/> + <location filename="../QScintilla/Editor.py" line="2515"/> <source>Error while printing</source> <translation>打印时出错</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="2524"/> + <location filename="../QScintilla/Editor.py" line="2518"/> <source>Printing aborted</source> <translation>打印失败</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="2886"/> + <location filename="../QScintilla/Editor.py" line="2880"/> <source>File Modified</source> <translation>文件已改变</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="3119"/> + <location filename="../QScintilla/Editor.py" line="3113"/> <source>Save File</source> <translation>保存文件</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="4522"/> + <location filename="../QScintilla/Editor.py" line="4516"/> <source>Autocompletion</source> <translation>自动完成</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="4522"/> + <location filename="../QScintilla/Editor.py" line="4516"/> <source>Autocompletion is not available because there is no autocompletion source set.</source> <translation>自动完成无效,没有设定自动完成源。</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="5319"/> + <location filename="../QScintilla/Editor.py" line="5313"/> <source>Disable breakpoint</source> <translation>去除断点</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="5676"/> + <location filename="../QScintilla/Editor.py" line="5670"/> <source>Code Coverage</source> <translation>代码覆盖率</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="5676"/> + <location filename="../QScintilla/Editor.py" line="5670"/> <source>Please select a coverage file</source> <translation>请选择一个覆盖率文件</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="5739"/> + <location filename="../QScintilla/Editor.py" line="5733"/> <source>Show Code Coverage Annotations</source> <translation>显示代码覆盖率注解</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="5732"/> + <location filename="../QScintilla/Editor.py" line="5726"/> <source>All lines have been covered.</source> <translation>所有行均被已覆盖。</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="5739"/> + <location filename="../QScintilla/Editor.py" line="5733"/> <source>There is no coverage file available.</source> <translation>没有有效的覆盖率文件。</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="5854"/> + <location filename="../QScintilla/Editor.py" line="5848"/> <source>Profile Data</source> <translation>剖析数据</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="5854"/> + <location filename="../QScintilla/Editor.py" line="5848"/> <source>Please select a profile file</source> <translation>请选择一个剖析文件</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6014"/> + <location filename="../QScintilla/Editor.py" line="6008"/> <source>Syntax Error</source> <translation>语法错误</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6014"/> + <location filename="../QScintilla/Editor.py" line="6008"/> <source>No syntax error message available.</source> <translation>语法错误消息无效。</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6400"/> + <location filename="../QScintilla/Editor.py" line="6394"/> <source>Macro Name</source> <translation>宏名称</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6400"/> + <location filename="../QScintilla/Editor.py" line="6394"/> <source>Select a macro name:</source> <translation>选择一个宏名称:</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6428"/> + <location filename="../QScintilla/Editor.py" line="6422"/> <source>Load macro file</source> <translation>输入宏文件</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6471"/> + <location filename="../QScintilla/Editor.py" line="6465"/> <source>Macro files (*.macro)</source> <translation>宏文件 (*.macro)</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6451"/> + <location filename="../QScintilla/Editor.py" line="6445"/> <source>Error loading macro</source> <translation>载入宏文件出错</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6471"/> + <location filename="../QScintilla/Editor.py" line="6465"/> <source>Save macro file</source> <translation>保存宏文件</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6488"/> + <location filename="../QScintilla/Editor.py" line="6482"/> <source>Save macro</source> <translation>保存宏</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6504"/> + <location filename="../QScintilla/Editor.py" line="6498"/> <source>Error saving macro</source> <translation>保存宏出错</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6517"/> + <location filename="../QScintilla/Editor.py" line="6511"/> <source>Start Macro Recording</source> <translation>开始宏录制</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6517"/> + <location filename="../QScintilla/Editor.py" line="6511"/> <source>Macro recording is already active. Start new?</source> <translation>宏录制已激活。开始录制新宏?</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6543"/> + <location filename="../QScintilla/Editor.py" line="6537"/> <source>Macro Recording</source> <translation>宏录制</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6543"/> + <location filename="../QScintilla/Editor.py" line="6537"/> <source>Enter name of the macro:</source> <translation>输入宏名称:</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6681"/> + <location filename="../QScintilla/Editor.py" line="6675"/> <source>File changed</source> <translation>文件已改变</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6985"/> + <location filename="../QScintilla/Editor.py" line="6979"/> <source>Drop Error</source> <translation>降落误差</translation> </message> <message> + <location filename="../QScintilla/Editor.py" line="7000"/> + <source>Resources</source> + <translation>资源</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="7002"/> + <source>Add file...</source> + <translation>添加文件…</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="7004"/> + <source>Add files...</source> + <translation>添加文件…</translation> + </message> + <message> <location filename="../QScintilla/Editor.py" line="7006"/> - <source>Resources</source> - <translation>资源</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="7008"/> - <source>Add file...</source> - <translation>添加文件…</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="7010"/> - <source>Add files...</source> - <translation>添加文件…</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="7012"/> <source>Add aliased file...</source> <translation>添加别名文件…</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7015"/> + <location filename="../QScintilla/Editor.py" line="7009"/> <source>Add localized resource...</source> <translation>添加本地资源…</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7019"/> + <location filename="../QScintilla/Editor.py" line="7013"/> <source>Add resource frame</source> <translation>添加资源结构</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7038"/> + <location filename="../QScintilla/Editor.py" line="7032"/> <source>Add file resource</source> <translation>添加文件资源</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7054"/> + <location filename="../QScintilla/Editor.py" line="7048"/> <source>Add file resources</source> <translation>添加多个文件资源</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7082"/> + <location filename="../QScintilla/Editor.py" line="7076"/> <source>Add aliased file resource</source> <translation>添加别名文件资源</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7146"/> + <location filename="../QScintilla/Editor.py" line="7140"/> <source>Package Diagram</source> <translation>程序包图</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7146"/> + <location filename="../QScintilla/Editor.py" line="7140"/> <source>Include class attributes?</source> <translation>包含类属性?</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7166"/> + <location filename="../QScintilla/Editor.py" line="7160"/> <source>Imports Diagram</source> <translation>引用图</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7166"/> + <location filename="../QScintilla/Editor.py" line="7160"/> <source>Include imports from external modules?</source> <translation>从外部模块包含引用?</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7180"/> + <location filename="../QScintilla/Editor.py" line="7174"/> <source>Application Diagram</source> <translation>应用程序图</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7180"/> + <location filename="../QScintilla/Editor.py" line="7174"/> <source>Include module names?</source> <translation>包含模块名?</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7476"/> + <location filename="../QScintilla/Editor.py" line="7470"/> <source>Add to dictionary</source> <translation>添加到文件夹</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7478"/> + <location filename="../QScintilla/Editor.py" line="7472"/> <source>Ignore All</source> <translation>全部忽略</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="808"/> + <location filename="../QScintilla/Editor.py" line="802"/> <source>Remove from dictionary</source> <translation>从词典里移除</translation> </message> @@ -10524,277 +10524,277 @@ <translation><p>文件 <b>{0}</b> 的大小为 <b>{1} KB</b>。确认要读取它?</p></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1301"/> + <location filename="../QScintilla/Editor.py" line="1295"/> <source><p>No exporter available for the export format <b>{0}</b>. Aborting...</p></source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1320"/> + <location filename="../QScintilla/Editor.py" line="1314"/> <source>Alternatives ({0})</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="2886"/> + <location filename="../QScintilla/Editor.py" line="2880"/> <source><p>The file <b>{0}</b> has unsaved changes.</p></source> <translation><p>文件 <b>{0}</b> 有未保存的更改。</p></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="2946"/> + <location filename="../QScintilla/Editor.py" line="2940"/> <source><p>The file <b>{0}</b> could not be opened.</p><p>Reason: {1}</p></source> <translation><p>文件 <b>{0}</b> 无法打开。</p><p>原因:{1}</p></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="3060"/> + <location filename="../QScintilla/Editor.py" line="3054"/> <source><p>The file <b>{0}</b> could not be saved.<br/>Reason: {1}</p></source> <translation><p>文件 <b>{0}</b> 无法保存。<br />原因:{1}</p></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6442"/> + <location filename="../QScintilla/Editor.py" line="6436"/> <source><p>The macro file <b>{0}</b> could not be read.</p></source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6451"/> + <location filename="../QScintilla/Editor.py" line="6445"/> <source><p>The macro file <b>{0}</b> is corrupt.</p></source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6504"/> + <location filename="../QScintilla/Editor.py" line="6498"/> <source><p>The macro file <b>{0}</b> could not be written.</p></source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6845"/> + <location filename="../QScintilla/Editor.py" line="6839"/> <source>{0} (ro)</source> <translation>{0}(只读)</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6985"/> + <location filename="../QScintilla/Editor.py" line="6979"/> <source><p><b>{0}</b> is not a file.</p></source> <translation><p><b>{0}</b> 不是一个文件。</p></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="7082"/> + <location filename="../QScintilla/Editor.py" line="7076"/> <source>Alias for file <b>{0}</b>:</source> <translation type="unfinished"></translation> </message> <message> + <location filename="../QScintilla/Editor.py" line="1235"/> + <source>Next warning</source> + <translation>下一个警告</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="1238"/> + <source>Previous warning</source> + <translation>上一个警告</translation> + </message> + <message> <location filename="../QScintilla/Editor.py" line="1241"/> - <source>Next warning</source> - <translation>下一个警告</translation> + <source>Show warning message</source> + <translation>显示警告信息</translation> </message> <message> <location filename="../QScintilla/Editor.py" line="1244"/> - <source>Previous warning</source> - <translation>上一个警告</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1247"/> - <source>Show warning message</source> - <translation>显示警告信息</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1250"/> <source>Clear warnings</source> <translation>清空警告</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="3119"/> + <location filename="../QScintilla/Editor.py" line="3113"/> <source><p>The file <b>{0}</b> already exists. Overwrite it?</p></source> <translation><p>文件 <b>{0}</b> 已经存在。是否覆盖?</p></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6488"/> + <location filename="../QScintilla/Editor.py" line="6482"/> <source><p>The macro file <b>{0}</b> already exists. Overwrite it?</p></source> <translation><p>宏文件 <b>{0}</b> 已经存在。是否覆盖?</p></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6290"/> + <location filename="../QScintilla/Editor.py" line="6284"/> <source>Warning: {0}</source> <translation>警告:{0}</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6297"/> + <location filename="../QScintilla/Editor.py" line="6291"/> <source>Error: {0}</source> <translation>错误:{0}</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="6677"/> + <location filename="../QScintilla/Editor.py" line="6671"/> <source><br><b>Warning:</b> You will lose your changes upon reopening it.</source> <translation><br><b>警告:</b>您在重新打开时将丢失所有更改。</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="885"/> + <location filename="../QScintilla/Editor.py" line="879"/> <source>Open 'rejection' file</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="995"/> + <location filename="../QScintilla/Editor.py" line="989"/> <source>Load Diagram...</source> <translation type="unfinished"></translation> </message> <message> + <location filename="../QScintilla/Editor.py" line="1262"/> + <source>Next change</source> + <translation>下一个更改</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="1265"/> + <source>Previous change</source> + <translation>上一个更改</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="7884"/> + <source>Sort Lines</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="7884"/> + <source>The selection contains illegal data for a numerical sort.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="6220"/> + <source>Warning</source> + <translation>警告</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="6220"/> + <source>No warning messages available.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="6281"/> + <source>Style: {0}</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="853"/> + <source>New Document View</source> + <translation>新建文档视图</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="856"/> + <source>New Document View (with new split)</source> + <translation>新建文档视图(在新拆分页中)</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="943"/> + <source>Tools</source> + <translation>工具</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="1073"/> + <source>Re-Open With Encoding</source> + <translation>使用指定编码重新打开</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="6665"/> + <source><p>The file <b>{0}</b> has been changed while it was opened in eric6. Reread it?</p></source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="829"/> + <source>Automatic Completion enabled</source> + <translation>允许自动补全</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="909"/> + <source>Complete</source> + <translation>补全</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="4641"/> + <source>Auto-Completion Provider</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="4641"/> + <source>The completion list provider '{0}' was already registered. Ignoring duplicate request.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="4895"/> + <source>Call-Tips Provider</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="4895"/> + <source>The call-tips provider '{0}' was already registered. Ignoring duplicate request.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="7971"/> + <source>Register Mouse Click Handler</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="7971"/> + <source>A mouse click handler for "{0}" was already registered by "{1}". Aborting request by "{2}"...</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="873"/> + <source>Save Copy...</source> + <translation type="unfinished">保存副本…</translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="912"/> + <source>Clear Completions Cache</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../QScintilla/Editor.py" line="839"/> + <source>Code Info</source> + <translation type="unfinished"></translation> + </message> + <message> <location filename="../QScintilla/Editor.py" line="1268"/> - <source>Next change</source> - <translation>下一个更改</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1271"/> - <source>Previous change</source> - <translation>上一个更改</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="7890"/> - <source>Sort Lines</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="7890"/> - <source>The selection contains illegal data for a numerical sort.</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="6226"/> - <source>Warning</source> - <translation>警告</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="6226"/> - <source>No warning messages available.</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="6287"/> - <source>Style: {0}</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="859"/> - <source>New Document View</source> - <translation>新建文档视图</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="862"/> - <source>New Document View (with new split)</source> - <translation>新建文档视图(在新拆分页中)</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="949"/> - <source>Tools</source> - <translation>工具</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1079"/> - <source>Re-Open With Encoding</source> - <translation>使用指定编码重新打开</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="6671"/> - <source><p>The file <b>{0}</b> has been changed while it was opened in eric6. Reread it?</p></source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="835"/> - <source>Automatic Completion enabled</source> - <translation>允许自动补全</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="915"/> - <source>Complete</source> - <translation>补全</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="4647"/> - <source>Auto-Completion Provider</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="4647"/> - <source>The completion list provider '{0}' was already registered. Ignoring duplicate request.</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="4901"/> - <source>Call-Tips Provider</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="4901"/> - <source>The call-tips provider '{0}' was already registered. Ignoring duplicate request.</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="7977"/> - <source>Register Mouse Click Handler</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="7977"/> - <source>A mouse click handler for "{0}" was already registered by "{1}". Aborting request by "{2}"...</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="879"/> - <source>Save Copy...</source> - <translation type="unfinished">保存副本…</translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="918"/> - <source>Clear Completions Cache</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="845"/> - <source>Code Info</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../QScintilla/Editor.py" line="1274"/> <source>Clear changes</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="770"/> + <location filename="../QScintilla/Editor.py" line="764"/> <source>Execute Selection In Console</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="8098"/> + <location filename="../QScintilla/Editor.py" line="8092"/> <source>EditorConfig Properties</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="8098"/> + <location filename="../QScintilla/Editor.py" line="8092"/> <source><p>The EditorConfig properties for file <b>{0}</b> could not be loaded.</p></source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1197"/> + <location filename="../QScintilla/Editor.py" line="1191"/> <source>Toggle all folds</source> <translation type="unfinished">开关所有折叠</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1201"/> + <location filename="../QScintilla/Editor.py" line="1195"/> <source>Toggle all folds (including children)</source> <translation type="unfinished">开关所有折叠(包含子项)</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1205"/> + <location filename="../QScintilla/Editor.py" line="1199"/> <source>Toggle current fold</source> <translation type="unfinished">开关当前折叠</translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1210"/> + <location filename="../QScintilla/Editor.py" line="1204"/> <source>Expand (including children)</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1214"/> + <location filename="../QScintilla/Editor.py" line="1208"/> <source>Collapse (including children)</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/Editor.py" line="1219"/> + <location filename="../QScintilla/Editor.py" line="1213"/> <source>Clear all folds</source> <translation type="unfinished"></translation> </message> @@ -45444,12 +45444,12 @@ <translation><b>保存副本</b>保存当前编辑器窗口内容的一个副本。文件可以在文件选择对话框中输入。</p></translation> </message> <message> - <location filename="../QScintilla/MiniEditor.py" line="3401"/> + <location filename="../QScintilla/MiniEditor.py" line="3405"/> <source>EditorConfig Properties</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../QScintilla/MiniEditor.py" line="3401"/> + <location filename="../QScintilla/MiniEditor.py" line="3405"/> <source><p>The EditorConfig properties for file <b>{0}</b> could not be loaded.</p></source> <translation type="unfinished"></translation> </message> @@ -45462,252 +45462,252 @@ <context> <name>MiscellaneousChecker</name> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="476"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="482"/> <source>coding magic comment not found</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="479"/> - <source>unknown encoding ({0}) found in coding magic comment</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="482"/> - <source>copyright notice not present</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="485"/> + <source>unknown encoding ({0}) found in coding magic comment</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="488"/> + <source>copyright notice not present</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="491"/> <source>copyright notice contains invalid author</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="562"/> - <source>found {0} formatter</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="565"/> - <source>format string does contain unindexed parameters</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="568"/> - <source>docstring does contain unindexed parameters</source> + <source>found {0} formatter</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="571"/> - <source>other string does contain unindexed parameters</source> + <source>format string does contain unindexed parameters</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="574"/> - <source>format call uses too large index ({0})</source> + <source>docstring does contain unindexed parameters</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="577"/> - <source>format call uses missing keyword ({0})</source> + <source>other string does contain unindexed parameters</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="580"/> - <source>format call uses keyword arguments but no named entries</source> + <source>format call uses too large index ({0})</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="583"/> - <source>format call uses variable arguments but no numbered entries</source> + <source>format call uses missing keyword ({0})</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="586"/> - <source>format call uses implicit and explicit indexes together</source> + <source>format call uses keyword arguments but no named entries</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="589"/> - <source>format call provides unused index ({0})</source> + <source>format call uses variable arguments but no numbered entries</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="592"/> + <source>format call uses implicit and explicit indexes together</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="595"/> + <source>format call provides unused index ({0})</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="598"/> <source>format call provides unused keyword ({0})</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="610"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="616"/> <source>expected these __future__ imports: {0}; but only got: {1}</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="613"/> - <source>expected these __future__ imports: {0}; but got none</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="619"/> + <source>expected these __future__ imports: {0}; but got none</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="625"/> <source>print statement found</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="622"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="628"/> <source>one element tuple found</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="634"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="640"/> <source>{0}: {1}</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="488"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="494"/> <source>"{0}" is a Python builtin and is being shadowed; consider renaming the variable</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="492"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="498"/> <source>"{0}" is used as an argument and thus shadows a Python builtin; consider renaming the argument</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="496"/> - <source>unnecessary generator - rewrite as a list comprehension</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="499"/> - <source>unnecessary generator - rewrite as a set comprehension</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="502"/> - <source>unnecessary generator - rewrite as a dict comprehension</source> + <source>unnecessary generator - rewrite as a list comprehension</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="505"/> - <source>unnecessary list comprehension - rewrite as a set comprehension</source> + <source>unnecessary generator - rewrite as a set comprehension</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="508"/> - <source>unnecessary list comprehension - rewrite as a dict comprehension</source> + <source>unnecessary generator - rewrite as a dict comprehension</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="511"/> - <source>unnecessary list literal - rewrite as a set literal</source> + <source>unnecessary list comprehension - rewrite as a set comprehension</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="514"/> - <source>unnecessary list literal - rewrite as a dict literal</source> + <source>unnecessary list comprehension - rewrite as a dict comprehension</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="517"/> - <source>unnecessary list comprehension - "{0}" can take a generator</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="628"/> - <source>mutable default argument of type {0}</source> + <source>unnecessary list literal - rewrite as a set literal</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="520"/> + <source>unnecessary list literal - rewrite as a dict literal</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="523"/> + <source>unnecessary list comprehension - "{0}" can take a generator</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="634"/> + <source>mutable default argument of type {0}</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="526"/> <source>sort keys - '{0}' should be before '{1}'</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="598"/> - <source>logging statement uses '%'</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="604"/> + <source>logging statement uses '%'</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="610"/> <source>logging statement uses f-string</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="607"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="613"/> <source>logging statement uses 'warn' instead of 'warning'</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="595"/> - <source>logging statement uses string.format()</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="601"/> + <source>logging statement uses string.format()</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="607"/> <source>logging statement uses '+'</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="616"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="622"/> <source>gettext import with alias _ found: {0}</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="523"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="529"/> <source>Python does not support the unary prefix increment</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="533"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="539"/> <source>'sys.maxint' is not defined in Python 3 - use 'sys.maxsize'</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="536"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="542"/> <source>'BaseException.message' has been deprecated as of Python 2.6 and is removed in Python 3 - use 'str(e)'</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="540"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="546"/> <source>assigning to 'os.environ' does not clear the environment - use 'os.environ.clear()'</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="548"/> - <source>Python 3 does not include '.iter*' methods on dictionaries</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="551"/> - <source>Python 3 does not include '.view*' methods on dictionaries</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="554"/> - <source>'.next()' does not exist in Python 3</source> + <source>Python 3 does not include '.iter*' methods on dictionaries</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="557"/> + <source>Python 3 does not include '.view*' methods on dictionaries</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="560"/> + <source>'.next()' does not exist in Python 3</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="563"/> <source>'__metaclass__' does nothing on Python 3 - use 'class MyClass(BaseClass, metaclass=...)'</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="631"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="637"/> <source>mutable default argument of function call '{0}'</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="526"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="532"/> <source>using .strip() with multi-character strings is misleading</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="529"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="535"/> <source>using 'hasattr(x, "__call__")' to test if 'x' is callable is unreliable</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="544"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="550"/> <source>loop control variable {0} not used within the loop body - start the name with an underscore</source> <translation type="unfinished"></translation> </message> @@ -46138,72 +46138,72 @@ <context> <name>NamingStyleChecker</name> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="420"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="426"/> <source>class names should use CapWords convention</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="423"/> - <source>function name should be lowercase</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="426"/> - <source>argument name should be lowercase</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="429"/> - <source>first argument of a class method should be named 'cls'</source> + <source>function name should be lowercase</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="432"/> - <source>first argument of a method should be named 'self'</source> + <source>argument name should be lowercase</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="435"/> + <source>first argument of a class method should be named 'cls'</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="438"/> + <source>first argument of a method should be named 'self'</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="441"/> <source>first argument of a static method should not be named 'self' or 'cls</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="439"/> - <source>module names should be lowercase</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="442"/> - <source>package names should be lowercase</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="445"/> - <source>constant imported as non constant</source> + <source>module names should be lowercase</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="448"/> - <source>lowercase imported as non lowercase</source> + <source>package names should be lowercase</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="451"/> - <source>camelcase imported as lowercase</source> + <source>constant imported as non constant</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="454"/> - <source>camelcase imported as constant</source> + <source>lowercase imported as non lowercase</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="457"/> - <source>variable in function should be lowercase</source> + <source>camelcase imported as lowercase</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="460"/> + <source>camelcase imported as constant</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="463"/> + <source>variable in function should be lowercase</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="466"/> <source>names 'l', 'O' and 'I' should be avoided</source> <translation type="unfinished"></translation> </message> @@ -86807,125 +86807,145 @@ <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="39"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="43"/> <source>Duplicate argument {0!r} in function definition.</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="42"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="46"/> <source>Redefinition of {0!r} from line {1!r}.</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="45"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="49"/> <source>from __future__ imports must occur at the beginning of the file</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="48"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="52"/> <source>Local variable {0!r} is assigned to but never used.</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="51"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="55"/> <source>List comprehension redefines {0!r} from line {1!r}.</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="54"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="58"/> <source>Syntax error detected in doctest.</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="126"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="139"/> <source>no message defined for code '{0}'</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="57"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="61"/> <source>'return' with argument inside generator</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="60"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="64"/> <source>'return' outside function</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="63"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="67"/> <source>'from {0} import *' only allowed at module level</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="66"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="70"/> <source>{0!r} may be undefined, or defined from star imports: {1}</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="69"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="73"/> <source>Dictionary key {0!r} repeated with different values</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="72"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="76"/> <source>Dictionary key variable {0} repeated with different values</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="75"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="79"/> <source>Future feature {0} is not defined</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="78"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="82"/> <source>'yield' outside function</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="84"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="88"/> <source>'break' outside loop</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="87"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="91"/> <source>'continue' not supported inside 'finally' clause</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="90"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="94"/> <source>Default 'except:' must be last</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="93"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="97"/> <source>Two starred expressions in assignment</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="96"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="100"/> <source>Too many expressions in star-unpacking assignment</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="99"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="103"/> <source>Assertion is always true, perhaps remove parentheses?</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="81"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="85"/> <source>'continue' not properly in loop</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="102"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="106"/> <source>syntax error in forward annotation {0!r}</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="105"/> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="109"/> <source>'raise NotImplemented' should be 'raise NotImplementedError'</source> <translation type="unfinished"></translation> </message> + <message> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="39"/> + <source>Local variable {0!r} (defined as a builtin) referenced before assignment.</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="112"/> + <source>syntax error in type comment {0!r}</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="115"/> + <source>use of >> is invalid with print function</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/SyntaxChecker/pyflakes/translations.py" line="118"/> + <source>use ==/!= to compare str, bytes, and int literals</source> + <translation type="unfinished"></translation> + </message> </context> <context> <name>pycodestyle</name> @@ -86965,375 +86985,385 @@ <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="40"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="43"/> <source>continuation line indentation is not a multiple of four</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="43"/> - <source>continuation line missing indentation or outdented</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="46"/> + <source>continuation line missing indentation or outdented</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="49"/> <source>closing bracket does not match indentation of opening bracket's line</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="50"/> - <source>closing bracket does not match visual indentation</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="53"/> - <source>continuation line with same indent as next logical line</source> + <source>closing bracket does not match visual indentation</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="56"/> - <source>continuation line over-indented for hanging indent</source> + <source>continuation line with same indent as next logical line</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="59"/> - <source>continuation line over-indented for visual indent</source> + <source>continuation line over-indented for hanging indent</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="62"/> - <source>continuation line under-indented for visual indent</source> + <source>continuation line over-indented for visual indent</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="65"/> - <source>visually indented line with same indent as next logical line</source> + <source>continuation line under-indented for visual indent</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="68"/> - <source>continuation line unaligned for hanging indent</source> + <source>visually indented line with same indent as next logical line</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="71"/> - <source>closing bracket is missing indentation</source> + <source>continuation line unaligned for hanging indent</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="74"/> - <source>indentation contains tabs</source> + <source>closing bracket is missing indentation</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="77"/> + <source>indentation contains tabs</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="80"/> <source>whitespace after '{0}'</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="86"/> - <source>whitespace before '{0}'</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="89"/> - <source>multiple spaces before operator</source> + <source>whitespace before '{0}'</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="92"/> - <source>multiple spaces after operator</source> + <source>multiple spaces before operator</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="95"/> - <source>tab before operator</source> + <source>multiple spaces after operator</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="98"/> - <source>tab after operator</source> + <source>tab before operator</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="101"/> - <source>missing whitespace around operator</source> + <source>tab after operator</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="104"/> - <source>missing whitespace around arithmetic operator</source> + <source>missing whitespace around operator</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="107"/> - <source>missing whitespace around bitwise or shift operator</source> + <source>missing whitespace around arithmetic operator</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="110"/> - <source>missing whitespace around modulo operator</source> + <source>missing whitespace around bitwise or shift operator</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="113"/> - <source>missing whitespace after '{0}'</source> + <source>missing whitespace around modulo operator</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="116"/> - <source>multiple spaces after '{0}'</source> + <source>missing whitespace after '{0}'</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="119"/> - <source>tab after '{0}'</source> + <source>multiple spaces after '{0}'</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="122"/> + <source>tab after '{0}'</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="125"/> <source>unexpected spaces around keyword / parameter equals</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="128"/> - <source>at least two spaces before inline comment</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="131"/> - <source>inline comment should start with '# '</source> + <source>at least two spaces before inline comment</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="134"/> - <source>block comment should start with '# '</source> + <source>inline comment should start with '# '</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="137"/> - <source>too many leading '#' for block comment</source> + <source>block comment should start with '# '</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="140"/> - <source>multiple spaces after keyword</source> + <source>too many leading '#' for block comment</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="143"/> - <source>multiple spaces before keyword</source> + <source>multiple spaces after keyword</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="146"/> - <source>tab after keyword</source> + <source>multiple spaces before keyword</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="149"/> - <source>tab before keyword</source> + <source>tab after keyword</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="152"/> - <source>missing whitespace after keyword</source> + <source>tab before keyword</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="155"/> - <source>trailing whitespace</source> + <source>missing whitespace after keyword</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="158"/> - <source>no newline at end of file</source> + <source>trailing whitespace</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="161"/> + <source>no newline at end of file</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="164"/> <source>blank line contains whitespace</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="186"/> - <source>too many blank lines ({0})</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="173"/> - <source>blank lines found after function decorator</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="189"/> - <source>blank line at end of file</source> + <source>too many blank lines ({0})</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="176"/> + <source>blank lines found after function decorator</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="192"/> - <source>multiple imports on one line</source> + <source>blank line at end of file</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="195"/> - <source>module level import not at top of file</source> + <source>multiple imports on one line</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="198"/> - <source>line too long ({0} > {1} characters)</source> + <source>module level import not at top of file</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="201"/> - <source>the backslash is redundant between brackets</source> + <source>line too long ({0} > {1} characters)</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="204"/> + <source>the backslash is redundant between brackets</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="207"/> <source>line break before binary operator</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="210"/> - <source>.has_key() is deprecated, use 'in'</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="213"/> - <source>deprecated form of raising exception</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="216"/> - <source>'<>' is deprecated, use '!='</source> + <source>.has_key() is deprecated, use 'in'</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="219"/> + <source>deprecated form of raising exception</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="222"/> + <source>'<>' is deprecated, use '!='</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="225"/> <source>backticks are deprecated, use 'repr()'</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="228"/> - <source>multiple statements on one line (colon)</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="231"/> - <source>multiple statements on one line (semicolon)</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="234"/> - <source>statement ends with a semicolon</source> + <source>multiple statements on one line (colon)</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="237"/> - <source>multiple statements on one line (def)</source> + <source>multiple statements on one line (semicolon)</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="240"/> + <source>statement ends with a semicolon</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="243"/> - <source>comparison to {0} should be {1}</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="246"/> - <source>test for membership should be 'not in'</source> + <source>multiple statements on one line (def)</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="249"/> - <source>test for object identity should be 'is not'</source> + <source>comparison to {0} should be {1}</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="252"/> - <source>do not compare types, use 'isinstance()'</source> + <source>test for membership should be 'not in'</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="255"/> + <source>test for object identity should be 'is not'</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="258"/> - <source>do not assign a lambda expression, use a def</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="261"/> - <source>ambiguous variable name '{0}'</source> + <source>do not compare types, use 'isinstance()'</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="264"/> - <source>ambiguous class definition '{0}'</source> + <source>do not assign a lambda expression, use a def</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="267"/> - <source>ambiguous function definition '{0}'</source> + <source>ambiguous variable name '{0}'</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="270"/> - <source>{0}: {1}</source> + <source>ambiguous class definition '{0}'</source> <translation type="unfinished"></translation> </message> <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="273"/> + <source>ambiguous function definition '{0}'</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="276"/> + <source>{0}: {1}</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="279"/> <source>{0}</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="255"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="261"/> <source>do not use bare except</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="176"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="179"/> <source>expected {0} blank lines after class or function definition, found {1}</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="225"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="231"/> <source>'async' and 'await' are reserved keywords starting with Python 3.7</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="125"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="128"/> <source>missing whitespace around parameter equals</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="167"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="170"/> <source>expected {0} blank lines, found {1}</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="180"/> - <source>expected {0} blank lines before a nested definition, found {1}</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="207"/> - <source>line break after binary operator</source> - <translation type="unfinished"></translation> - </message> - <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="222"/> - <source>invalid escape sequence '\{0}'</source> - <translation type="unfinished"></translation> - </message> - <message> <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="183"/> + <source>expected {0} blank lines before a nested definition, found {1}</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="210"/> + <source>line break after binary operator</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="228"/> + <source>invalid escape sequence '\{0}'</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="186"/> <source>too many blank lines ({0}) before a nested definition, expected {1}</source> <translation type="unfinished"></translation> </message> <message> - <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="170"/> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="173"/> <source>too many blank lines ({0}), expected {1}</source> <translation type="unfinished"></translation> </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="40"/> + <source>over-indented</source> + <translation type="unfinished"></translation> + </message> + <message> + <location filename="../Plugins/CheckerPlugins/CodeStyleChecker/translations.py" line="213"/> + <source>doc line too long ({0} > {1} characters)</source> + <translation type="unfinished"></translation> + </message> </context> <context> <name>subversion</name>