File size: 12,401 Bytes
bc20498 |
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 |
import { parser } from '@lezer/python';
import { syntaxTree, LRLanguage, indentNodeProp, delimitedIndent, foldNodeProp, foldInside, LanguageSupport } from '@codemirror/language';
import { NodeWeakMap, IterMode } from '@lezer/common';
import { snippetCompletion, ifNotIn, completeFromList } from '@codemirror/autocomplete';
const cache = /*@__PURE__*/new NodeWeakMap();
const ScopeNodes = /*@__PURE__*/new Set([
"Script", "Body",
"FunctionDefinition", "ClassDefinition", "LambdaExpression",
"ForStatement", "MatchClause"
]);
function defID(type) {
return (node, def, outer) => {
if (outer)
return false;
let id = node.node.getChild("VariableName");
if (id)
def(id, type);
return true;
};
}
const gatherCompletions = {
FunctionDefinition: /*@__PURE__*/defID("function"),
ClassDefinition: /*@__PURE__*/defID("class"),
ForStatement(node, def, outer) {
if (outer)
for (let child = node.node.firstChild; child; child = child.nextSibling) {
if (child.name == "VariableName")
def(child, "variable");
else if (child.name == "in")
break;
}
},
ImportStatement(_node, def) {
var _a, _b;
let { node } = _node;
let isFrom = ((_a = node.firstChild) === null || _a === void 0 ? void 0 : _a.name) == "from";
for (let ch = node.getChild("import"); ch; ch = ch.nextSibling) {
if (ch.name == "VariableName" && ((_b = ch.nextSibling) === null || _b === void 0 ? void 0 : _b.name) != "as")
def(ch, isFrom ? "variable" : "namespace");
}
},
AssignStatement(node, def) {
for (let child = node.node.firstChild; child; child = child.nextSibling) {
if (child.name == "VariableName")
def(child, "variable");
else if (child.name == ":" || child.name == "AssignOp")
break;
}
},
ParamList(node, def) {
for (let prev = null, child = node.node.firstChild; child; child = child.nextSibling) {
if (child.name == "VariableName" && (!prev || !/\*|AssignOp/.test(prev.name)))
def(child, "variable");
prev = child;
}
},
CapturePattern: /*@__PURE__*/defID("variable"),
AsPattern: /*@__PURE__*/defID("variable"),
__proto__: null
};
function getScope(doc, node) {
let cached = cache.get(node);
if (cached)
return cached;
let completions = [], top = true;
function def(node, type) {
let name = doc.sliceString(node.from, node.to);
completions.push({ label: name, type });
}
node.cursor(IterMode.IncludeAnonymous).iterate(node => {
if (node.name) {
let gather = gatherCompletions[node.name];
if (gather && gather(node, def, top) || !top && ScopeNodes.has(node.name))
return false;
top = false;
}
else if (node.to - node.from > 8192) {
// Allow caching for bigger internal nodes
for (let c of getScope(doc, node.node))
completions.push(c);
return false;
}
});
cache.set(node, completions);
return completions;
}
const Identifier = /^[\w\xa1-\uffff][\w\d\xa1-\uffff]*$/;
const dontComplete = ["String", "FormatString", "Comment", "PropertyName"];
/**
Completion source that looks up locally defined names in
Python code.
*/
function localCompletionSource(context) {
let inner = syntaxTree(context.state).resolveInner(context.pos, -1);
if (dontComplete.indexOf(inner.name) > -1)
return null;
let isWord = inner.name == "VariableName" ||
inner.to - inner.from < 20 && Identifier.test(context.state.sliceDoc(inner.from, inner.to));
if (!isWord && !context.explicit)
return null;
let options = [];
for (let pos = inner; pos; pos = pos.parent) {
if (ScopeNodes.has(pos.name))
options = options.concat(getScope(context.state.doc, pos));
}
return {
options,
from: isWord ? inner.from : context.pos,
validFor: Identifier
};
}
const globals = /*@__PURE__*/[
"__annotations__", "__builtins__", "__debug__", "__doc__", "__import__", "__name__",
"__loader__", "__package__", "__spec__",
"False", "None", "True"
].map(n => ({ label: n, type: "constant" })).concat(/*@__PURE__*/[
"ArithmeticError", "AssertionError", "AttributeError", "BaseException", "BlockingIOError",
"BrokenPipeError", "BufferError", "BytesWarning", "ChildProcessError", "ConnectionAbortedError",
"ConnectionError", "ConnectionRefusedError", "ConnectionResetError", "DeprecationWarning",
"EOFError", "Ellipsis", "EncodingWarning", "EnvironmentError", "Exception", "FileExistsError",
"FileNotFoundError", "FloatingPointError", "FutureWarning", "GeneratorExit", "IOError",
"ImportError", "ImportWarning", "IndentationError", "IndexError", "InterruptedError",
"IsADirectoryError", "KeyError", "KeyboardInterrupt", "LookupError", "MemoryError",
"ModuleNotFoundError", "NameError", "NotADirectoryError", "NotImplemented", "NotImplementedError",
"OSError", "OverflowError", "PendingDeprecationWarning", "PermissionError", "ProcessLookupError",
"RecursionError", "ReferenceError", "ResourceWarning", "RuntimeError", "RuntimeWarning",
"StopAsyncIteration", "StopIteration", "SyntaxError", "SyntaxWarning", "SystemError",
"SystemExit", "TabError", "TimeoutError", "TypeError", "UnboundLocalError", "UnicodeDecodeError",
"UnicodeEncodeError", "UnicodeError", "UnicodeTranslateError", "UnicodeWarning", "UserWarning",
"ValueError", "Warning", "ZeroDivisionError"
].map(n => ({ label: n, type: "type" }))).concat(/*@__PURE__*/[
"bool", "bytearray", "bytes", "classmethod", "complex", "float", "frozenset", "int", "list",
"map", "memoryview", "object", "range", "set", "staticmethod", "str", "super", "tuple", "type"
].map(n => ({ label: n, type: "class" }))).concat(/*@__PURE__*/[
"abs", "aiter", "all", "anext", "any", "ascii", "bin", "breakpoint", "callable", "chr",
"compile", "delattr", "dict", "dir", "divmod", "enumerate", "eval", "exec", "exit", "filter",
"format", "getattr", "globals", "hasattr", "hash", "help", "hex", "id", "input", "isinstance",
"issubclass", "iter", "len", "license", "locals", "max", "min", "next", "oct", "open",
"ord", "pow", "print", "property", "quit", "repr", "reversed", "round", "setattr", "slice",
"sorted", "sum", "vars", "zip"
].map(n => ({ label: n, type: "function" })));
const snippets = [
/*@__PURE__*/snippetCompletion("def ${name}(${params}):\n\t${}", {
label: "def",
detail: "function",
type: "keyword"
}),
/*@__PURE__*/snippetCompletion("for ${name} in ${collection}:\n\t${}", {
label: "for",
detail: "loop",
type: "keyword"
}),
/*@__PURE__*/snippetCompletion("while ${}:\n\t${}", {
label: "while",
detail: "loop",
type: "keyword"
}),
/*@__PURE__*/snippetCompletion("try:\n\t${}\nexcept ${error}:\n\t${}", {
label: "try",
detail: "/ except block",
type: "keyword"
}),
/*@__PURE__*/snippetCompletion("if ${}:\n\t\n", {
label: "if",
detail: "block",
type: "keyword"
}),
/*@__PURE__*/snippetCompletion("if ${}:\n\t${}\nelse:\n\t${}", {
label: "if",
detail: "/ else block",
type: "keyword"
}),
/*@__PURE__*/snippetCompletion("class ${name}:\n\tdef __init__(self, ${params}):\n\t\t\t${}", {
label: "class",
detail: "definition",
type: "keyword"
}),
/*@__PURE__*/snippetCompletion("import ${module}", {
label: "import",
detail: "statement",
type: "keyword"
}),
/*@__PURE__*/snippetCompletion("from ${module} import ${names}", {
label: "from",
detail: "import",
type: "keyword"
})
];
/**
Autocompletion for built-in Python globals and keywords.
*/
const globalCompletion = /*@__PURE__*/ifNotIn(dontComplete, /*@__PURE__*/completeFromList(/*@__PURE__*/globals.concat(snippets)));
function innerBody(context) {
let { node, pos } = context;
let lineIndent = context.lineIndent(pos, -1);
let found = null;
for (;;) {
let before = node.childBefore(pos);
if (!before) {
break;
}
else if (before.name == "Comment") {
pos = before.from;
}
else if (before.name == "Body") {
if (context.baseIndentFor(before) + context.unit <= lineIndent)
found = before;
node = before;
}
else if (before.type.is("Statement")) {
node = before;
}
else {
break;
}
}
return found;
}
function indentBody(context, node) {
let base = context.baseIndentFor(node);
let line = context.lineAt(context.pos, -1), to = line.from + line.text.length;
// Don't consider blank, deindented lines at the end of the
// block part of the block
if (/^\s*($|#)/.test(line.text) &&
context.node.to < to + 100 &&
!/\S/.test(context.state.sliceDoc(to, context.node.to)) &&
context.lineIndent(context.pos, -1) <= base)
return null;
// A normally deindenting keyword that appears at a higher
// indentation than the block should probably be handled by the next
// level
if (/^\s*(else:|elif |except |finally:)/.test(context.textAfter) && context.lineIndent(context.pos, -1) > base)
return null;
return base + context.unit;
}
/**
A language provider based on the [Lezer Python
parser](https://github.com/lezer-parser/python), extended with
highlighting and indentation information.
*/
const pythonLanguage = /*@__PURE__*/LRLanguage.define({
name: "python",
parser: /*@__PURE__*/parser.configure({
props: [
/*@__PURE__*/indentNodeProp.add({
Body: context => {
var _a;
let inner = innerBody(context);
return (_a = indentBody(context, inner || context.node)) !== null && _a !== void 0 ? _a : context.continue();
},
IfStatement: cx => /^\s*(else:|elif )/.test(cx.textAfter) ? cx.baseIndent : cx.continue(),
"ForStatement WhileStatement": cx => /^\s*else:/.test(cx.textAfter) ? cx.baseIndent : cx.continue(),
TryStatement: cx => /^\s*(except |finally:|else:)/.test(cx.textAfter) ? cx.baseIndent : cx.continue(),
"TupleExpression ComprehensionExpression ParamList ArgList ParenthesizedExpression": /*@__PURE__*/delimitedIndent({ closing: ")" }),
"DictionaryExpression DictionaryComprehensionExpression SetExpression SetComprehensionExpression": /*@__PURE__*/delimitedIndent({ closing: "}" }),
"ArrayExpression ArrayComprehensionExpression": /*@__PURE__*/delimitedIndent({ closing: "]" }),
"String FormatString": () => null,
Script: context => {
var _a;
let inner = innerBody(context);
return (_a = (inner && indentBody(context, inner))) !== null && _a !== void 0 ? _a : context.continue();
}
}),
/*@__PURE__*/foldNodeProp.add({
"ArrayExpression DictionaryExpression SetExpression TupleExpression": foldInside,
Body: (node, state) => ({ from: node.from + 1, to: node.to - (node.to == state.doc.length ? 0 : 1) })
})
],
}),
languageData: {
closeBrackets: {
brackets: ["(", "[", "{", "'", '"', "'''", '"""'],
stringPrefixes: ["f", "fr", "rf", "r", "u", "b", "br", "rb",
"F", "FR", "RF", "R", "U", "B", "BR", "RB"]
},
commentTokens: { line: "#" },
indentOnInput: /^\s*([\}\]\)]|else:|elif |except |finally:)$/
}
});
/**
Python language support.
*/
function python() {
return new LanguageSupport(pythonLanguage, [
pythonLanguage.data.of({ autocomplete: localCompletionSource }),
pythonLanguage.data.of({ autocomplete: globalCompletion }),
]);
}
export { globalCompletion, localCompletionSource, python, pythonLanguage };
|