mirror of
				https://github.com/fofolee/uTools-quickcommand.git
				synced 2025-10-25 13:01:22 +08:00 
			
		
		
		
	标记处魔改了codemirror哪些内容
This commit is contained in:
		| @@ -61,11 +61,9 @@ | ||||
|     } else { | ||||
|       // add anyword
 | ||||
|       var anyword = CodeMirror.hint.anyword(editor, options).list | ||||
|       if (anyword[0] != token.string) { | ||||
|         anyword.forEach(a => { | ||||
|       anyword.forEach(a => { | ||||
|           if (!hints.includes(a)) hints.push(a) | ||||
|         }) | ||||
|       } | ||||
|       }) | ||||
|       // add specialVars
 | ||||
|       var specialVars = localStorage['specialVars'] | ||||
|       if(specialVars) specialVars.split(',').forEach(s => { | ||||
							
								
								
									
										121
									
								
								src/assets/plugins/codemirror/addon/hint/python-hint-additional.js
									
									
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										121
									
								
								src/assets/plugins/codemirror/addon/hint/python-hint-additional.js
									
									
									
									
										vendored
									
									
										Normal file
									
								
							| @@ -0,0 +1,121 @@ | ||||
| // CodeMirror, copyright (c) by Marijn Haverbeke and others | ||||
| // Distributed under an MIT license: https://codemirror.net/LICENSE | ||||
| // python-hints by fofolee | ||||
|  | ||||
| (function(mod) { | ||||
|     if (typeof exports == "object" && typeof module == "object") // CommonJS | ||||
|         mod(require("../../lib/codemirror")); | ||||
|     else if (typeof define == "function" && define.amd) // AMD | ||||
|         define(["../../lib/codemirror"], mod); | ||||
|     else // Plain browser env | ||||
|         mod(CodeMirror); | ||||
| })(function(CodeMirror) { | ||||
|     var Pos = CodeMirror.Pos; | ||||
|  | ||||
|     function scriptHint(editor, getToken, options) { | ||||
|         // Find the token at the cursor | ||||
|         var cur = editor.getCursor(), | ||||
|             token = getToken(editor, cur); | ||||
|         if (/\b(?:string|comment)\b/.test(token.type)) return; | ||||
|         var innerMode = CodeMirror.innerMode(editor.getMode(), token.state); | ||||
|         if (innerMode.mode.helperType === "json") return; | ||||
|         token.state = innerMode.state; | ||||
|         // If it's not a 'word-style' token, ignore the token. | ||||
|         if (!/^[\w$_]*$/.test(token.string)) { | ||||
|             token = { | ||||
|                 start: cur.ch, | ||||
|                 end: cur.ch, | ||||
|                 string: "", | ||||
|                 state: token.state, | ||||
|                 type: token.string == "." ? "property" : null | ||||
|             }; | ||||
|         } else if (token.end > cur.ch) { | ||||
|             token.end = cur.ch; | ||||
|             token.string = token.string.slice(0, cur.ch - token.start); | ||||
|         } | ||||
|         var hints = [], | ||||
|             lineText = editor.getLine(cur.line) | ||||
|         if (token.type == "property") { | ||||
|             // 已导入模块的属性(方法)提示 | ||||
|             mod = getToken(editor, Pos(cur.line, token.start - 1)).string; | ||||
|             if (editor.loadedPyModes && editor.loadedPyModes[mod]) { | ||||
|                 var context = editor.loadedPyModes[mod] | ||||
|                 hints = token.string ? context.filter(x => x.slice(0, token.string.length) == token.string) : context | ||||
|             } | ||||
|         } else if (token.string == "") { | ||||
|             if (!token.end && editor.loadedPyModes && editor.loadedPyModes.loading && cur.line) { | ||||
|                 // 获取已导入的模块 | ||||
|                 var lastline = editor.getLine(cur.line - 1) | ||||
|                 mods = lastline.replace('import', '').trim().split(',').map(x => x.trim()) | ||||
|                 mods.forEach(mod => { | ||||
|                     dirPythonMod(mod, items => { | ||||
|                         editor.loadedPyModes[mod] = items | ||||
|                     }) | ||||
|                 }) | ||||
|                 editor.loadedPyModes.loading = false | ||||
|             } | ||||
|         } else if (/^import/.test(lineText)) { | ||||
|             // 已安装模块提示 | ||||
|             hints = JSON.parse(localStorage['pyModules']).filter(x => x.slice(0, token.string.length) == token.string) | ||||
|             editor.loadedPyModes || (editor.loadedPyModes = {}) | ||||
|             editor.loadedPyModes.loading = true | ||||
|         } else { | ||||
|             // 关键字提示 | ||||
|             hints = getCommonHints().filter(x => x.slice(0, token.string.length) == token.string) | ||||
|             // 特殊变量提示 | ||||
|             var specialVars = localStorage['specialVars'] | ||||
|             if (specialVars) specialVars.split(',').forEach(s => { | ||||
|                 if (s.toUpperCase().slice(2, token.string.length + 2) == token.string.toUpperCase()) hints.push(s) | ||||
|             }) | ||||
|             // 本地单词提示 | ||||
|             var anyword = CodeMirror.hint.anyword(editor, options).list | ||||
|             anyword.forEach(a => { | ||||
|                 if (!hints.includes(a)) hints.push(a) | ||||
|             }) | ||||
|         } | ||||
|         return { | ||||
|             list: hints, | ||||
|             from: Pos(cur.line, token.start), | ||||
|             to: Pos(cur.line, token.end) | ||||
|         }; | ||||
|     } | ||||
|  | ||||
|     function pythonHint(editor, options) { | ||||
|         return scriptHint(editor, function(e, cur) { return e.getTokenAt(cur); }, options); | ||||
|     }; | ||||
|     CodeMirror.registerHelper("hint", "python", pythonHint); | ||||
|  | ||||
|     function getCommonHints(py3) { | ||||
|         var wordOperators = ["and", "or", "not", "is"] | ||||
|         var commonKeywords = ["as", "assert", "break", "class", "continue", | ||||
|             "def", "del", "elif", "else", "except", "finally", | ||||
|             "for", "from", "global", "if", "import", | ||||
|             "lambda", "pass", "raise", "return", | ||||
|             "try", "while", "with", "yield", "in" | ||||
|         ]; | ||||
|         var commonBuiltins = ["abs", "all", "any", "bin", "bool", "bytearray", "callable", "chr", | ||||
|             "classmethod", "compile", "complex", "delattr", "dict", "dir", "divmod", | ||||
|             "enumerate", "eval", "filter", "float", "format", "frozenset", | ||||
|             "getattr", "globals", "hasattr", "hash", "help", "hex", "id", | ||||
|             "input", "int", "isinstance", "issubclass", "iter", "len", | ||||
|             "list", "locals", "map", "max", "memoryview", "min", "next", | ||||
|             "object", "oct", "open", "ord", "pow", "property", "range", | ||||
|             "repr", "reversed", "round", "set", "setattr", "slice", | ||||
|             "sorted", "staticmethod", "str", "sum", "super", "tuple", | ||||
|             "type", "vars", "zip", "__import__", "NotImplemented", | ||||
|             "Ellipsis", "__debug__" | ||||
|         ]; | ||||
|         var myKeywords, myBuiltins | ||||
|         if (py3) { | ||||
|             myKeywords = ["nonlocal", "False", "True", "None", "async", "await"] | ||||
|             myBuiltins = ["ascii", "bytes", "exec", "print"] | ||||
|         } else { | ||||
|             myKeywords = ["exec", "print"] | ||||
|             myBuiltins = ["apply", "basestring", "buffer", "cmp", "coerce", "execfile", | ||||
|                 "file", "intern", "long", "raw_input", "reduce", "reload", | ||||
|                 "unichr", "unicode", "xrange", "False", "True", "None" | ||||
|             ] | ||||
|         } | ||||
|         return wordOperators.concat(commonKeywords, commonBuiltins, myKeywords, myBuiltins) | ||||
|     } | ||||
| }); | ||||
							
								
								
									
										174
									
								
								src/assets/plugins/codemirror/mode/cmd/cmd-additional.js
									
									
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										174
									
								
								src/assets/plugins/codemirror/mode/cmd/cmd-additional.js
									
									
									
									
										vendored
									
									
										Normal file
									
								
							| @@ -0,0 +1,174 @@ | ||||
| // CodeMirror, copyright (c) by Marijn Haverbeke and others | ||||
| // Distributed under an MIT license: https://codemirror.net/LICENSE | ||||
|  | ||||
| (function(mod) { | ||||
|     if (typeof exports == "object" && typeof module == "object") // CommonJS | ||||
|         mod(require("../../lib/codemirror")); | ||||
|     else if (typeof define == "function" && define.amd) // AMD | ||||
|         define(["../../lib/codemirror"], mod); | ||||
|     else // Plain browser env | ||||
|         mod(CodeMirror); | ||||
| })(function(CodeMirror) { | ||||
|     "use strict"; | ||||
|  | ||||
|     CodeMirror.defineMode('cmd', function() { | ||||
|  | ||||
|         var words = {}; | ||||
|  | ||||
|         function define(style, dict) { | ||||
|             for (var i = 0; i < dict.length; i++) { | ||||
|                 words[dict[i]] = style; | ||||
|             } | ||||
|         }; | ||||
|  | ||||
|         var commonAtoms = ["true", "false"] | ||||
|         var commonKeywords = 'goto|call|exit|break|exist|defined|errorlevel|cmdextversion|if|else|for|EQU|NEQ|LSS|LEQ|GTR|GEQ'.split('|') | ||||
|         var commonCommands = 'assoc|bcdedit|cd|chcp|chdir|cls|color|copy|date|del|dir|echo|endlocal|erase|format|ftype|graftabl|md|mkdir|mklink|mode|more|move|path|pause|popd|prompt|pushd|rd|rem|ren|rename|rmdir|robocopy|set|setlocal|shift|start|time|title|tree|type|ver|verify|vol|wmic'.split("|") | ||||
|  | ||||
|         function cmdHint(editor, options) { | ||||
|             var cur = editor.getCursor(), | ||||
|                 token = editor.getTokenAt(cur); | ||||
|             if (token.string == "") return | ||||
|             // 关键字提示 | ||||
|             var hints = commonAtoms.concat(commonKeywords, commonCommands) | ||||
|             var localCommands = JSON.parse(localStorage['cmdCommands']).filter(x => !hints.includes(x)) | ||||
|             hints = hints.concat(localCommands).filter(x => x.slice(0, token.string.length) == token.string) | ||||
|             // 特殊变量提示 | ||||
|             var specialVars = localStorage['specialVars'] | ||||
|             if (specialVars) specialVars.split(',').forEach(s => { | ||||
|                 if (s.toUpperCase().slice(2, token.string.length + 2) == token.string.toUpperCase()) hints.push(s) | ||||
|             }) | ||||
|             // 本地单词提示 | ||||
|             var anyword = CodeMirror.hint.anyword(editor, options).list | ||||
|             anyword.forEach(a => { | ||||
|                 if (!hints.includes(a)) hints.push(a) | ||||
|             })  | ||||
|             return { | ||||
|                 list: hints, | ||||
|                 from: CodeMirror.Pos(cur.line, token.start), | ||||
|                 to: CodeMirror.Pos(cur.line, token.end) | ||||
|             }; | ||||
|         } | ||||
|  | ||||
|         CodeMirror.registerHelper("hint", "cmd", cmdHint); | ||||
|  | ||||
|         define('atom', commonAtoms); | ||||
|         define('keyword', commonKeywords); | ||||
|         define('builtin', commonCommands); | ||||
|  | ||||
|         function tokenBase(stream, state) { | ||||
|             if (stream.eatSpace()) return null; | ||||
|  | ||||
|             var sol = stream.sol(); | ||||
|             var ch = stream.next(); | ||||
|  | ||||
|             // if (ch === '\\') { | ||||
|             //   stream.next(); | ||||
|             //   return null; | ||||
|             // } | ||||
|             if (ch === '\'' || ch === '"') { | ||||
|                 state.tokens.unshift(tokenString(ch, ch === "`" ? "quote" : "string")); | ||||
|                 return tokenize(stream, state); | ||||
|             } | ||||
|             if (ch === ':') { | ||||
|                 //   if (sol && stream.eat('!')) { | ||||
|                 //     stream.skipToEnd(); | ||||
|                 //     return 'meta'; // 'comment'? | ||||
|                 //   } | ||||
|                 if (stream.eat(':')) { | ||||
|                     stream.skipToEnd(); | ||||
|                     return 'comment'; | ||||
|                 } | ||||
|             } | ||||
|             if (ch === '%') { | ||||
|                 state.tokens.unshift(tokenDollar); | ||||
|                 return tokenize(stream, state); | ||||
|             } | ||||
|             if (ch === '+' || ch === '=' || ch === '@') { | ||||
|                 return 'operator'; | ||||
|             } | ||||
|             if (ch === '-') { | ||||
|                 stream.eat(ch); | ||||
|                 stream.eatWhile(/\w/); | ||||
|                 return 'attribute'; | ||||
|             } | ||||
|             if (/^[0-9\.]/.test(ch)) { | ||||
|                 stream.eatWhile(/\d/); | ||||
|                 if (stream.eol() || !/\w/.test(stream.peek())) { | ||||
|                     return 'number'; | ||||
|                 } | ||||
|             } | ||||
|             stream.eatWhile(/[\w-]/); | ||||
|             var cur = stream.current(); | ||||
|             if (stream.peek() === '=' && /\w+/.test(cur)) return 'def'; | ||||
|             return words.hasOwnProperty(cur) ? words[cur] : null; | ||||
|         } | ||||
|  | ||||
|         function tokenString(quote, style) { | ||||
|             var close = quote == "(" ? ")" : quote == "{" ? "}" : quote | ||||
|             return function(stream, state) { | ||||
|                 var next, escaped = false; | ||||
|                 while ((next = stream.next()) != null) { | ||||
|                     if (next === close && !escaped) { | ||||
|                         state.tokens.shift(); | ||||
|                         break; | ||||
|                     } else if (next === '$' && !escaped && quote !== "'" && stream.peek() != close) { | ||||
|                         escaped = true; | ||||
|                         stream.backUp(1); | ||||
|                         state.tokens.unshift(tokenDollar); | ||||
|                         break; | ||||
|                     } else if (!escaped && quote !== close && next === quote) { | ||||
|                         state.tokens.unshift(tokenString(quote, style)) | ||||
|                         return tokenize(stream, state) | ||||
|                     } else if (!escaped && /['"]/.test(next) && !/['"]/.test(quote)) { | ||||
|                         state.tokens.unshift(tokenStringStart(next, "string")); | ||||
|                         stream.backUp(1); | ||||
|                         break; | ||||
|                     } | ||||
|                     escaped = !escaped && next === '\\'; | ||||
|                 } | ||||
|                 return style; | ||||
|             }; | ||||
|         }; | ||||
|  | ||||
|         function tokenStringStart(quote, style) { | ||||
|             return function(stream, state) { | ||||
|                 state.tokens[0] = tokenString(quote, style) | ||||
|                 stream.next() | ||||
|                 return tokenize(stream, state) | ||||
|             } | ||||
|         } | ||||
|  | ||||
|         var tokenDollar = function(stream, state) { | ||||
|             if (state.tokens.length > 1) stream.eat('$'); | ||||
|             var ch = stream.next() | ||||
|             if (/['"({]/.test(ch)) { | ||||
|                 state.tokens[0] = tokenString(ch, ch == "(" ? "quote" : ch == "{" ? "def" : "string"); | ||||
|                 return tokenize(stream, state); | ||||
|             } | ||||
|             if (!/\d/.test(ch)) stream.eatWhile(/\w/); | ||||
|             state.tokens.shift(); | ||||
|             return 'def'; | ||||
|         }; | ||||
|  | ||||
|         function tokenize(stream, state) { | ||||
|             return (state.tokens[0] || tokenBase)(stream, state); | ||||
|         }; | ||||
|  | ||||
|         return { | ||||
|             startState: function() { return { tokens: [] }; }, | ||||
|             token: function(stream, state) { | ||||
|                 return tokenize(stream, state); | ||||
|             }, | ||||
|             closeBrackets: "()[]{}''\"\"", | ||||
|             lineComment: '::', | ||||
|             fold: "brace" | ||||
|         }; | ||||
|     }); | ||||
|  | ||||
|     CodeMirror.defineMIME('text/x-sh', 'cmd'); | ||||
|     // Apache uses a slightly different Media Type for cmd scripts | ||||
|     // http://svn.apache.org/repos/asf/httpd/httpd/trunk/docs/conf/mime.types | ||||
|     CodeMirror.defineMIME('application/x-sh', 'cmd'); | ||||
|  | ||||
| }); | ||||
							
								
								
									
										150
									
								
								src/assets/plugins/codemirror/mode/cmd/cmd.js
									
									
									
									
										vendored
									
									
								
							
							
						
						
									
										150
									
								
								src/assets/plugins/codemirror/mode/cmd/cmd.js
									
									
									
									
										vendored
									
									
								
							| @@ -1,150 +0,0 @@ | ||||
| // CodeMirror, copyright (c) by Marijn Haverbeke and others | ||||
| // Distributed under an MIT license: https://codemirror.net/LICENSE | ||||
|  | ||||
| (function(mod) { | ||||
|   if (typeof exports == "object" && typeof module == "object") // CommonJS | ||||
|     mod(require("../../lib/codemirror")); | ||||
|   else if (typeof define == "function" && define.amd) // AMD | ||||
|     define(["../../lib/codemirror"], mod); | ||||
|   else // Plain browser env | ||||
|     mod(CodeMirror); | ||||
| })(function(CodeMirror) { | ||||
| "use strict"; | ||||
|  | ||||
| CodeMirror.defineMode('cmd', function() { | ||||
|  | ||||
|   var words = {}; | ||||
|   function define(style, dict) { | ||||
|     for(var i = 0; i < dict.length; i++) { | ||||
|       words[dict[i]] = style; | ||||
|     } | ||||
|   }; | ||||
|  | ||||
|   var commonAtoms = ["true", "false"] | ||||
|   var commonKeywords = 'goto|call|exit|break|exist|defined|errorlevel|cmdextversion|if|else|for|EQU|NEQ|LSS|LEQ|GTR|GEQ'.split('|') | ||||
|   var commonCommands = 'assoc|bcdedit|cd|chcp|chdir|cls|color|copy|date|del|dir|echo|endlocal|erase|format|ftype|graftabl|md|mkdir|mklink|mode|more|move|path|pause|popd|prompt|pushd|rd|rem|ren|rename|rmdir|robocopy|set|setlocal|shift|start|time|title|tree|type|ver|verify|vol|wmic'.split("|") | ||||
|   commonCommands = commonCommands.concat(getCmdCommand()) | ||||
|  | ||||
|  | ||||
|   CodeMirror.registerHelper("hintWords", "cmd", commonAtoms.concat(commonKeywords, commonCommands)); | ||||
|  | ||||
|   define('atom', commonAtoms); | ||||
|   define('keyword', commonKeywords); | ||||
|   define('builtin', commonCommands); | ||||
|  | ||||
|   function tokenBase(stream, state) { | ||||
|     if (stream.eatSpace()) return null; | ||||
|  | ||||
|     var sol = stream.sol(); | ||||
|     var ch = stream.next(); | ||||
|  | ||||
|     // if (ch === '\\') { | ||||
|     //   stream.next(); | ||||
|     //   return null; | ||||
|     // } | ||||
|     if (ch === '\'' || ch === '"') { | ||||
|       state.tokens.unshift(tokenString(ch, ch === "`" ? "quote" : "string")); | ||||
|       return tokenize(stream, state); | ||||
|     } | ||||
|     if (ch === ':') { | ||||
|     //   if (sol && stream.eat('!')) { | ||||
|     //     stream.skipToEnd(); | ||||
|     //     return 'meta'; // 'comment'? | ||||
|     //   } | ||||
|     if (stream.eat(':')) { | ||||
|         stream.skipToEnd(); | ||||
|         return 'comment'; | ||||
|         } | ||||
|     } | ||||
|     if (ch === '%') { | ||||
|       state.tokens.unshift(tokenDollar); | ||||
|       return tokenize(stream, state); | ||||
|     } | ||||
|     if (ch === '+' || ch === '=' || ch === '@') { | ||||
|       return 'operator'; | ||||
|     } | ||||
|     if (ch === '-') { | ||||
|       stream.eat(ch); | ||||
|       stream.eatWhile(/\w/); | ||||
|       return 'attribute'; | ||||
|     } | ||||
|     if (/^[0-9\.]/.test(ch)) { | ||||
|       stream.eatWhile(/\d/); | ||||
|       if(stream.eol() || !/\w/.test(stream.peek())) { | ||||
|         return 'number'; | ||||
|       } | ||||
|     } | ||||
|     stream.eatWhile(/[\w-]/); | ||||
|     var cur = stream.current(); | ||||
|     if (stream.peek() === '=' && /\w+/.test(cur)) return 'def'; | ||||
|     return words.hasOwnProperty(cur) ? words[cur] : null; | ||||
|   } | ||||
|  | ||||
|   function tokenString(quote, style) { | ||||
|     var close = quote == "(" ? ")" : quote == "{" ? "}" : quote | ||||
|     return function(stream, state) { | ||||
|       var next, escaped = false; | ||||
|       while ((next = stream.next()) != null) { | ||||
|         if (next === close && !escaped) { | ||||
|           state.tokens.shift(); | ||||
|           break; | ||||
|         } else if (next === '$' && !escaped && quote !== "'" && stream.peek() != close) { | ||||
|           escaped = true; | ||||
|           stream.backUp(1); | ||||
|           state.tokens.unshift(tokenDollar); | ||||
|           break; | ||||
|         } else if (!escaped && quote !== close && next === quote) { | ||||
|           state.tokens.unshift(tokenString(quote, style)) | ||||
|           return tokenize(stream, state) | ||||
|         } else if (!escaped && /['"]/.test(next) && !/['"]/.test(quote)) { | ||||
|           state.tokens.unshift(tokenStringStart(next, "string")); | ||||
|           stream.backUp(1); | ||||
|           break; | ||||
|         } | ||||
|         escaped = !escaped && next === '\\'; | ||||
|       } | ||||
|       return style; | ||||
|     }; | ||||
|   }; | ||||
|  | ||||
|   function tokenStringStart(quote, style) { | ||||
|     return function(stream, state) { | ||||
|       state.tokens[0] = tokenString(quote, style) | ||||
|       stream.next() | ||||
|       return tokenize(stream, state) | ||||
|     } | ||||
|   } | ||||
|  | ||||
|   var tokenDollar = function(stream, state) { | ||||
|     if (state.tokens.length > 1) stream.eat('$'); | ||||
|     var ch = stream.next() | ||||
|     if (/['"({]/.test(ch)) { | ||||
|       state.tokens[0] = tokenString(ch, ch == "(" ? "quote" : ch == "{" ? "def" : "string"); | ||||
|       return tokenize(stream, state); | ||||
|     } | ||||
|     if (!/\d/.test(ch)) stream.eatWhile(/\w/); | ||||
|     state.tokens.shift(); | ||||
|     return 'def'; | ||||
|   }; | ||||
|  | ||||
|   function tokenize(stream, state) { | ||||
|     return (state.tokens[0] || tokenBase) (stream, state); | ||||
|   }; | ||||
|  | ||||
|   return { | ||||
|     startState: function() {return {tokens:[]};}, | ||||
|     token: function(stream, state) { | ||||
|       return tokenize(stream, state); | ||||
|     }, | ||||
|     closeBrackets: "()[]{}''\"\"", | ||||
|     lineComment: '::', | ||||
|     fold: "brace" | ||||
|   }; | ||||
| }); | ||||
|  | ||||
| CodeMirror.defineMIME('text/x-sh', 'cmd'); | ||||
| // Apache uses a slightly different Media Type for cmd scripts | ||||
| // http://svn.apache.org/repos/asf/httpd/httpd/trunk/docs/conf/mime.types | ||||
| CodeMirror.defineMIME('application/x-sh', 'cmd'); | ||||
|  | ||||
| }); | ||||
							
								
								
									
										207
									
								
								src/assets/plugins/codemirror/mode/python/index.html
									
									
									
									
										vendored
									
									
								
							
							
						
						
									
										207
									
								
								src/assets/plugins/codemirror/mode/python/index.html
									
									
									
									
										vendored
									
									
								
							| @@ -1,207 +0,0 @@ | ||||
| <!doctype html> | ||||
|  | ||||
| <title>CodeMirror: Python mode</title> | ||||
| <meta charset="utf-8"/> | ||||
| <link rel=stylesheet href="../../doc/docs.css"> | ||||
|  | ||||
| <link rel="stylesheet" href="../../lib/codemirror.css"> | ||||
| <script src="../../lib/codemirror.js"></script> | ||||
| <script src="../../addon/edit/matchbrackets.js"></script> | ||||
| <script src="python.js"></script> | ||||
| <style>.CodeMirror {border-top: 1px solid black; border-bottom: 1px solid black;}</style> | ||||
| <div id=nav> | ||||
|   <a href="https://codemirror.net"><h1>CodeMirror</h1><img id=logo src="../../doc/logo.png" alt=""></a> | ||||
|  | ||||
|   <ul> | ||||
|     <li><a href="../../index.html">Home</a> | ||||
|     <li><a href="../../doc/manual.html">Manual</a> | ||||
|     <li><a href="https://github.com/codemirror/codemirror">Code</a> | ||||
|   </ul> | ||||
|   <ul> | ||||
|     <li><a href="../index.html">Language modes</a> | ||||
|     <li><a class=active href="#">Python</a> | ||||
|   </ul> | ||||
| </div> | ||||
|  | ||||
| <article> | ||||
| <h2>Python mode</h2> | ||||
|  | ||||
|     <div><textarea id="code" name="code"> | ||||
| # Literals | ||||
| 1234 | ||||
| 0.0e101 | ||||
| .123 | ||||
| 0b01010011100 | ||||
| 0o01234567 | ||||
| 0x0987654321abcdef | ||||
| 7 | ||||
| 2147483647 | ||||
| 3L | ||||
| 79228162514264337593543950336L | ||||
| 0x100000000L | ||||
| 79228162514264337593543950336 | ||||
| 0xdeadbeef | ||||
| 3.14j | ||||
| 10.j | ||||
| 10j | ||||
| .001j | ||||
| 1e100j | ||||
| 3.14e-10j | ||||
|  | ||||
|  | ||||
| # String Literals | ||||
| 'For\'' | ||||
| "God\"" | ||||
| """so loved | ||||
| the world""" | ||||
| '''that he gave | ||||
| his only begotten\' ''' | ||||
| 'that whosoever believeth \ | ||||
| in him' | ||||
| '' | ||||
|  | ||||
| # Identifiers | ||||
| __a__ | ||||
| a.b | ||||
| a.b.c | ||||
|  | ||||
| #Unicode identifiers on Python3 | ||||
| # a = x\ddot | ||||
| a⃗ = ẍ | ||||
| # a = v\dot | ||||
| a⃗ = v̇ | ||||
|  | ||||
| #F\vec = m \cdot a\vec | ||||
| F⃗ = m•a⃗  | ||||
|  | ||||
| # Operators | ||||
| + - * / % & | ^ ~ < > | ||||
| == != <= >= <> << >> // ** | ||||
| and or not in is | ||||
|  | ||||
| #infix matrix multiplication operator (PEP 465) | ||||
| A @ B | ||||
|  | ||||
| # Delimiters | ||||
| () [] {} , : ` = ; @ .  # Note that @ and . require the proper context on Python 2. | ||||
| += -= *= /= %= &= |= ^= | ||||
| //= >>= <<= **= | ||||
|  | ||||
| # Keywords | ||||
| as assert break class continue def del elif else except | ||||
| finally for from global if import lambda pass raise | ||||
| return try while with yield | ||||
|  | ||||
| # Python 2 Keywords (otherwise Identifiers) | ||||
| exec print | ||||
|  | ||||
| # Python 3 Keywords (otherwise Identifiers) | ||||
| nonlocal | ||||
|  | ||||
| # Types | ||||
| bool classmethod complex dict enumerate float frozenset int list object | ||||
| property reversed set slice staticmethod str super tuple type | ||||
|  | ||||
| # Python 2 Types (otherwise Identifiers) | ||||
| basestring buffer file long unicode xrange | ||||
|  | ||||
| # Python 3 Types (otherwise Identifiers) | ||||
| bytearray bytes filter map memoryview open range zip | ||||
|  | ||||
| # Some Example code | ||||
| import os | ||||
| from package import ParentClass | ||||
|  | ||||
| @nonsenseDecorator | ||||
| def doesNothing(): | ||||
|     pass | ||||
|  | ||||
| class ExampleClass(ParentClass): | ||||
|     @staticmethod | ||||
|     def example(inputStr): | ||||
|         a = list(inputStr) | ||||
|         a.reverse() | ||||
|         return ''.join(a) | ||||
|  | ||||
|     def __init__(self, mixin = 'Hello'): | ||||
|         self.mixin = mixin | ||||
|  | ||||
| # Python 3.6 f-strings (https://www.python.org/dev/peps/pep-0498/) | ||||
| f'My name is {name}, my age next year is {age+1}, my anniversary is {anniversary:%A, %B %d, %Y}.' | ||||
| f'He said his name is {name!r}.' | ||||
| f"""He said his name is {name!r}.""" | ||||
| f'{"quoted string"}' | ||||
| f'{{ {4*10} }}' | ||||
| f'This is an error }' | ||||
| f'This is ok }}' | ||||
| fr'x={4*10}\n' | ||||
| </textarea></div> | ||||
|  | ||||
|  | ||||
| <h2>Cython mode</h2> | ||||
|  | ||||
| <div><textarea id="code-cython" name="code-cython"> | ||||
|  | ||||
| import numpy as np | ||||
| cimport cython | ||||
| from libc.math cimport sqrt | ||||
|  | ||||
| @cython.boundscheck(False) | ||||
| @cython.wraparound(False) | ||||
| def pairwise_cython(double[:, ::1] X): | ||||
|     cdef int M = X.shape[0] | ||||
|     cdef int N = X.shape[1] | ||||
|     cdef double tmp, d | ||||
|     cdef double[:, ::1] D = np.empty((M, M), dtype=np.float64) | ||||
|     for i in range(M): | ||||
|         for j in range(M): | ||||
|             d = 0.0 | ||||
|             for k in range(N): | ||||
|                 tmp = X[i, k] - X[j, k] | ||||
|                 d += tmp * tmp | ||||
|             D[i, j] = sqrt(d) | ||||
|     return np.asarray(D) | ||||
|  | ||||
| </textarea></div> | ||||
|  | ||||
|     <script> | ||||
|       var editor = CodeMirror.fromTextArea(document.getElementById("code"), { | ||||
|         mode: {name: "python", | ||||
|                version: 3, | ||||
|                singleLineStringErrors: false}, | ||||
|         lineNumbers: true, | ||||
|         indentUnit: 4, | ||||
|         matchBrackets: true | ||||
|     }); | ||||
|  | ||||
|     CodeMirror.fromTextArea(document.getElementById("code-cython"), { | ||||
|         mode: {name: "text/x-cython", | ||||
|                version: 2, | ||||
|                singleLineStringErrors: false}, | ||||
|         lineNumbers: true, | ||||
|         indentUnit: 4, | ||||
|         matchBrackets: true | ||||
|       }); | ||||
|     </script> | ||||
|     <h2>Configuration Options for Python mode:</h2> | ||||
|     <ul> | ||||
|       <li>version - 2/3 - The version of Python to recognize.  Default is 3.</li> | ||||
|       <li>singleLineStringErrors - true/false - If you have a single-line string that is not terminated at the end of the line, this will show subsequent lines as errors if true, otherwise it will consider the newline as the end of the string. Default is false.</li> | ||||
|       <li>hangingIndent - int - If you want to write long arguments to a function starting on a new line, how much that line should be indented. Defaults to one normal indentation unit.</li> | ||||
|     </ul> | ||||
|     <h2>Advanced Configuration Options:</h2> | ||||
|     <p>Usefull for superset of python syntax like Enthought enaml, IPython magics and  questionmark help</p> | ||||
|     <ul> | ||||
|       <li>singleOperators - RegEx - Regular Expression for single operator matching,  default : <pre>^[\\+\\-\\*/%&|\\^~<>!]</pre> including <pre>@</pre> on Python 3</li> | ||||
|       <li>singleDelimiters - RegEx - Regular Expression for single delimiter matching, default :  <pre>^[\\(\\)\\[\\]\\{\\}@,:`=;\\.]</pre></li> | ||||
|       <li>doubleOperators - RegEx - Regular Expression for double operators matching, default : <pre>^((==)|(!=)|(<=)|(>=)|(<>)|(<<)|(>>)|(//)|(\\*\\*))</pre></li> | ||||
|       <li>doubleDelimiters - RegEx - Regular Expression for double delimiters matching, default : <pre>^((\\+=)|(\\-=)|(\\*=)|(%=)|(/=)|(&=)|(\\|=)|(\\^=))</pre></li> | ||||
|       <li>tripleDelimiters - RegEx - Regular Expression for triple delimiters matching, default : <pre>^((//=)|(>>=)|(<<=)|(\\*\\*=))</pre></li> | ||||
|       <li>identifiers - RegEx - Regular Expression for identifier, default : <pre>^[_A-Za-z][_A-Za-z0-9]*</pre> on Python 2 and <pre>^[_A-Za-z\u00A1-\uFFFF][_A-Za-z0-9\u00A1-\uFFFF]*</pre> on Python 3.</li> | ||||
|       <li>extra_keywords - list of string - List of extra words ton consider as keywords</li> | ||||
|       <li>extra_builtins - list of string - List of extra words ton consider as builtins</li> | ||||
|     </ul> | ||||
|  | ||||
|  | ||||
|     <p><strong>MIME types defined:</strong> <code>text/x-python</code> and <code>text/x-cython</code>.</p> | ||||
|   </article> | ||||
| @@ -72,9 +72,7 @@ | ||||
|                                       "unichr", "unicode", "xrange", "False", "True", "None"]); | ||||
|       var stringPrefixes = new RegExp("^(([rubf]|(ur)|(br))?('{3}|\"{3}|['\"]))", "i"); | ||||
|     } | ||||
|     // python/lib
 | ||||
|     var libs = "BaseHTTPServer|Bastion|CGIHTTPServer|ConfigParser|Cookie|DocXMLRPCServer|HTMLParser|MimeWriter|Queue|SimpleHTTPServer|SimpleXMLRPCServer|SocketServer|StringIO|UserDict|UserList|UserString|_LWPCookieJar|_MozillaCookieJar|__future__|__phello__.foo|_abcoll|_osx_support|_pyio|_strptime|_threading_local|_weakrefset|abc|aifc|antigravity|anydbm|argparse|ast|asynchat|asyncore|atexit|audiodev|base64|bdb|binhex|bisect|cProfile|calendar|cgi|cgitb|chunk|cmd|code|codecs|codeop|collections|colorsys|commands|compileall|contextlib|cookielib|copy|copy_reg|csv|dbhash|decimal|difflib|dircache|dis|doctest|dumbdbm|dummy_thread|dummy_threading|filecmp|fileinput|fnmatch|formatter|fpformat|fractions|ftplib|functools|genericpath|getopt|getpass|gettext|glob|gzip|hashlib|heapq|hmac|htmlentitydefs|htmllib|httplib|ihooks|imaplib|imghdr|imputil|inspect|io|keyword|linecache|locale|macpath|macurl2path|mailbox|mailcap|markupbase|md5|mhlib|mimetools|mimetypes|mimify|modulefinder|multifile|mutex|netrc|new|nntplib|ntpath|nturl2path|numbers|opcode|optparse|os|pdb|pickle|pickletools|pipes|pkgutil|platform|plistlib|popen2|poplib|posixfile|posixpath|pprint|profile|pstats|pty|py_compile|pyclbr|pydoc|quopri|random|re|repr|rexec|rfc822|rlcompleter|robotparser|runpy|sched|sets|sgmllib|sha|shelve|shlex|shutil|site|smtpd|smtplib|sndhdr|socket|sre|sre_compile|sre_constants|sre_parse|ssl|stat|statvfs|string|stringold|stringprep|struct|subprocess|sunau|sunaudio|symbol|symtable|sysconfig|sys|tabnanny|tarfile|telnetlib|tempfile|textwrap|this|threading|timeit|toaiff|token|tokenize|trace|traceback|tty|types|urllib|urllib2|urlparse|user|uu|uuid|warnings|wave|weakref|webbrowser|whichdb|xdrlib|xmllib|xmlrpclib|zipfile|bsddb|curses|encoding|idlelib|Tkinter|msilib|unittest|compiler|distutil|ensurepip|importlib|lib2to3|multiprocessing|sqlite3|wsgiref|ctype|email|hotshot|json|logging|pydoc_data|xml|requests|BeautifulSoup" | ||||
|     CodeMirror.registerHelper("hintWords", "python", myKeywords.concat(myBuiltins, libs.split("|"))); | ||||
|     // CodeMirror.registerHelper("hintWords", "python", myKeywords.concat(myBuiltins, libs.split("|")));
 | ||||
|        | ||||
|     var keywords = wordRegexp(myKeywords); | ||||
|     var builtins = wordRegexp(myBuiltins); | ||||
| @@ -1,44 +0,0 @@ | ||||
| // CodeMirror, copyright (c) by Marijn Haverbeke and others | ||||
| // Distributed under an MIT license: https://codemirror.net/LICENSE | ||||
|  | ||||
| (function() { | ||||
|   var mode = CodeMirror.getMode({indentUnit: 4}, | ||||
|               {name: "python", | ||||
|                version: 3, | ||||
|                singleLineStringErrors: false}); | ||||
|   function MT(name) { test.mode(name, mode, Array.prototype.slice.call(arguments, 1)); } | ||||
|  | ||||
|   // Error, because "foobarhello" is neither a known type or property, but | ||||
|   // property was expected (after "and"), and it should be in parentheses. | ||||
|   MT("decoratorStartOfLine", | ||||
|      "[meta @dec]", | ||||
|      "[keyword def] [def function]():", | ||||
|      "    [keyword pass]"); | ||||
|  | ||||
|   MT("decoratorIndented", | ||||
|      "[keyword class] [def Foo]:", | ||||
|      "    [meta @dec]", | ||||
|      "    [keyword def] [def function]():", | ||||
|      "        [keyword pass]"); | ||||
|  | ||||
|   MT("matmulWithSpace:", "[variable a] [operator @] [variable b]"); | ||||
|   MT("matmulWithoutSpace:", "[variable a][operator @][variable b]"); | ||||
|   MT("matmulSpaceBefore:", "[variable a] [operator @][variable b]"); | ||||
|   var before_equal_sign = ["+", "-", "*", "/", "=", "!", ">", "<"]; | ||||
|   for (var i = 0; i < before_equal_sign.length; ++i) { | ||||
|     var c = before_equal_sign[i] | ||||
|     MT("before_equal_sign_" + c, "[variable a] [operator " + c + "=] [variable b]"); | ||||
|   } | ||||
|  | ||||
|   MT("fValidStringPrefix", "[string f'this is a]{[variable formatted]}[string string']"); | ||||
|   MT("fValidExpressioninFString", "[string f'expression ]{[number 100][operator *][number 5]}[string string']"); | ||||
|   MT("fInvalidFString", "[error f'this is wrong}]"); | ||||
|   MT("fNestedFString", "[string f'expression ]{[number 100] [operator +] [string f'inner]{[number 5]}[string ']}[string string']"); | ||||
|   MT("uValidStringPrefix", "[string u'this is an unicode string']"); | ||||
|  | ||||
|   MT("nestedString", "[string f']{[variable b][[ [string \"c\"] ]]}[string f'] [comment # oops]") | ||||
|  | ||||
|   MT("bracesInFString", "[string f']{[variable x] [operator +] {}}[string !']") | ||||
|  | ||||
|   MT("nestedFString", "[string f']{[variable b][[ [string f\"c\"] ]]}[string f'] [comment # oops]") | ||||
| })(); | ||||
| @@ -1,66 +0,0 @@ | ||||
| <!doctype html> | ||||
|  | ||||
| <title>CodeMirror: Shell mode</title> | ||||
| <meta charset="utf-8"/> | ||||
| <link rel=stylesheet href="../../doc/docs.css"> | ||||
|  | ||||
| <link rel=stylesheet href=../../lib/codemirror.css> | ||||
| <script src=../../lib/codemirror.js></script> | ||||
| <script src="../../addon/edit/matchbrackets.js"></script> | ||||
| <script src=shell.js></script> | ||||
| <style type=text/css> | ||||
|   .CodeMirror {border-top: 1px solid black; border-bottom: 1px solid black;} | ||||
| </style> | ||||
| <div id=nav> | ||||
|   <a href="https://codemirror.net"><h1>CodeMirror</h1><img id=logo src="../../doc/logo.png" alt=""></a> | ||||
|  | ||||
|   <ul> | ||||
|     <li><a href="../../index.html">Home</a> | ||||
|     <li><a href="../../doc/manual.html">Manual</a> | ||||
|     <li><a href="https://github.com/codemirror/codemirror">Code</a> | ||||
|   </ul> | ||||
|   <ul> | ||||
|     <li><a href="../index.html">Language modes</a> | ||||
|     <li><a class=active href="#">Shell</a> | ||||
|   </ul> | ||||
| </div> | ||||
|  | ||||
| <article> | ||||
| <h2>Shell mode</h2> | ||||
|  | ||||
|  | ||||
| <textarea id=code> | ||||
| #!/bin/bash | ||||
|  | ||||
| # clone the repository | ||||
| git clone http://github.com/garden/tree | ||||
|  | ||||
| # generate HTTPS credentials | ||||
| cd tree | ||||
| openssl genrsa -aes256 -out https.key 1024 | ||||
| openssl req -new -nodes -key https.key -out https.csr | ||||
| openssl x509 -req -days 365 -in https.csr -signkey https.key -out https.crt | ||||
| cp https.key{,.orig} | ||||
| openssl rsa -in https.key.orig -out https.key | ||||
|  | ||||
| # start the server in HTTPS mode | ||||
| cd web | ||||
| sudo node ../server.js 443 'yes' >> ../node.log & | ||||
|  | ||||
| # here is how to stop the server | ||||
| for pid in `ps aux | grep 'node ../server.js' | awk '{print $2}'` ; do | ||||
|   sudo kill -9 $pid 2> /dev/null | ||||
| done | ||||
|  | ||||
| exit 0</textarea> | ||||
|  | ||||
| <script> | ||||
|   var editor = CodeMirror.fromTextArea(document.getElementById('code'), { | ||||
|     mode: 'shell', | ||||
|     lineNumbers: true, | ||||
|     matchBrackets: true | ||||
|   }); | ||||
| </script> | ||||
|  | ||||
| <p><strong>MIME types defined:</strong> <code>text/x-sh</code>, <code>application/x-sh</code>.</p> | ||||
| </article> | ||||
							
								
								
									
										174
									
								
								src/assets/plugins/codemirror/mode/shell/shell-modified.js
									
									
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										174
									
								
								src/assets/plugins/codemirror/mode/shell/shell-modified.js
									
									
									
									
										vendored
									
									
										Normal file
									
								
							| @@ -0,0 +1,174 @@ | ||||
| // CodeMirror, copyright (c) by Marijn Haverbeke and others | ||||
| // Distributed under an MIT license: https://codemirror.net/LICENSE | ||||
|  | ||||
| (function(mod) { | ||||
|     if (typeof exports == "object" && typeof module == "object") // CommonJS | ||||
|         mod(require("../../lib/codemirror")); | ||||
|     else if (typeof define == "function" && define.amd) // AMD | ||||
|         define(["../../lib/codemirror"], mod); | ||||
|     else // Plain browser env | ||||
|         mod(CodeMirror); | ||||
| })(function(CodeMirror) { | ||||
|     "use strict"; | ||||
|  | ||||
|     CodeMirror.defineMode('shell', function() { | ||||
|  | ||||
|         var words = {}; | ||||
|  | ||||
|         function define(style, dict) { | ||||
|             for (var i = 0; i < dict.length; i++) { | ||||
|                 words[dict[i]] = style; | ||||
|             } | ||||
|         }; | ||||
|  | ||||
|         var commonAtoms = ["true", "false"]; | ||||
|         var commonKeywords = ["if", "then", "do", "else", "elif", "while", "until", "for", "in", "esac", "fi", | ||||
|             "fin", "fil", "done", "exit", "set", "unset", "export", "function" | ||||
|         ]; | ||||
|         var commonCommands = 'ab|awk|bash|beep|cat|cc|cd|chown|chmod|chroot|clear|cp|curl|cut|diff|echo|find|gawk|gcc|get|git|grep|hg|kill|killall|ln|ls|make|mkdir|openssl|mv|nc|nl|node|npm|ping|ps|restart|rm|rmdir|sed|service|sh|shopt|shred|source|sort|sleep|ssh|start|stop|su|sudo|svn|tee|telnet|top|touch|vi|vim|wall|wc|wget|who|write|yes|zsh'.split("|") | ||||
|  | ||||
|         function shellHint(editor, options) { | ||||
|             var cur = editor.getCursor(), | ||||
|                 token = editor.getTokenAt(cur); | ||||
|             if (token.string == "") return | ||||
|             // 关键字提示 | ||||
|             var hints = commonAtoms.concat(commonKeywords, commonCommands) | ||||
|             var localCommands = JSON.parse(localStorage['shellCommands']).filter(x => !hints.includes(x)) | ||||
|             hints = hints.concat(localCommands).filter(x => x.slice(0, token.string.length) == token.string) | ||||
|             // 特殊变量提示 | ||||
|             var specialVars = localStorage['specialVars'] | ||||
|             if (specialVars) specialVars.split(',').forEach(s => { | ||||
|                 if (s.toUpperCase().slice(2, token.string.length + 2) == token.string.toUpperCase()) hints.push(s) | ||||
|             }) | ||||
|             // 本地单词提示 | ||||
|             var anyword = CodeMirror.hint.anyword(editor, options).list | ||||
|             anyword.forEach(a => { | ||||
|                 if (!hints.includes(a)) hints.push(a) | ||||
|             })  | ||||
|             return { | ||||
|                 list: hints, | ||||
|                 from: CodeMirror.Pos(cur.line, token.start), | ||||
|                 to: CodeMirror.Pos(cur.line, token.end) | ||||
|             }; | ||||
|         } | ||||
|  | ||||
|         CodeMirror.registerHelper("hint", "shell", shellHint); | ||||
|  | ||||
|         define('atom', commonAtoms); | ||||
|         define('keyword', commonKeywords); | ||||
|         define('builtin', commonCommands); | ||||
|  | ||||
|         function tokenBase(stream, state) { | ||||
|             if (stream.eatSpace()) return null; | ||||
|  | ||||
|             var sol = stream.sol(); | ||||
|             var ch = stream.next(); | ||||
|  | ||||
|             if (ch === '\\') { | ||||
|                 stream.next(); | ||||
|                 return null; | ||||
|             } | ||||
|             if (ch === '\'' || ch === '"' || ch === '`') { | ||||
|                 state.tokens.unshift(tokenString(ch, ch === "`" ? "quote" : "string")); | ||||
|                 return tokenize(stream, state); | ||||
|             } | ||||
|             if (ch === '#') { | ||||
|                 if (sol && stream.eat('!')) { | ||||
|                     stream.skipToEnd(); | ||||
|                     return 'meta'; // 'comment'? | ||||
|                 } | ||||
|                 stream.skipToEnd(); | ||||
|                 return 'comment'; | ||||
|             } | ||||
|             if (ch === '$') { | ||||
|                 state.tokens.unshift(tokenDollar); | ||||
|                 return tokenize(stream, state); | ||||
|             } | ||||
|             if (ch === '+' || ch === '=') { | ||||
|                 return 'operator'; | ||||
|             } | ||||
|             if (ch === '-') { | ||||
|                 stream.eat('-'); | ||||
|                 stream.eatWhile(/\w/); | ||||
|                 return 'attribute'; | ||||
|             } | ||||
|             if (/^[0-9\.]/.test(ch)) { | ||||
|                 stream.eatWhile(/\d/); | ||||
|                 if (stream.eol() || !/\w/.test(stream.peek())) { | ||||
|                     return 'number'; | ||||
|                 } | ||||
|             } | ||||
|             stream.eatWhile(/[\w-]/); | ||||
|             var cur = stream.current(); | ||||
|             if (stream.peek() === '=' && /\w+/.test(cur)) return 'def'; | ||||
|             return words.hasOwnProperty(cur) ? words[cur] : null; | ||||
|         } | ||||
|  | ||||
|         function tokenString(quote, style) { | ||||
|             var close = quote == "(" ? ")" : quote == "{" ? "}" : quote | ||||
|             return function(stream, state) { | ||||
|                 var next, escaped = false; | ||||
|                 while ((next = stream.next()) != null) { | ||||
|                     if (next === close && !escaped) { | ||||
|                         state.tokens.shift(); | ||||
|                         break; | ||||
|                     } else if (next === '$' && !escaped && quote !== "'" && stream.peek() != close) { | ||||
|                         escaped = true; | ||||
|                         stream.backUp(1); | ||||
|                         state.tokens.unshift(tokenDollar); | ||||
|                         break; | ||||
|                     } else if (!escaped && quote !== close && next === quote) { | ||||
|                         state.tokens.unshift(tokenString(quote, style)) | ||||
|                         return tokenize(stream, state) | ||||
|                     } else if (!escaped && /['"]/.test(next) && !/['"]/.test(quote)) { | ||||
|                         state.tokens.unshift(tokenStringStart(next, "string")); | ||||
|                         stream.backUp(1); | ||||
|                         break; | ||||
|                     } | ||||
|                     escaped = !escaped && next === '\\'; | ||||
|                 } | ||||
|                 return style; | ||||
|             }; | ||||
|         }; | ||||
|  | ||||
|         function tokenStringStart(quote, style) { | ||||
|             return function(stream, state) { | ||||
|                 state.tokens[0] = tokenString(quote, style) | ||||
|                 stream.next() | ||||
|                 return tokenize(stream, state) | ||||
|             } | ||||
|         } | ||||
|  | ||||
|         var tokenDollar = function(stream, state) { | ||||
|             if (state.tokens.length > 1) stream.eat('$'); | ||||
|             var ch = stream.next() | ||||
|             if (/['"({]/.test(ch)) { | ||||
|                 state.tokens[0] = tokenString(ch, ch == "(" ? "quote" : ch == "{" ? "def" : "string"); | ||||
|                 return tokenize(stream, state); | ||||
|             } | ||||
|             if (!/\d/.test(ch)) stream.eatWhile(/\w/); | ||||
|             state.tokens.shift(); | ||||
|             return 'def'; | ||||
|         }; | ||||
|  | ||||
|         function tokenize(stream, state) { | ||||
|             return (state.tokens[0] || tokenBase)(stream, state); | ||||
|         }; | ||||
|  | ||||
|         return { | ||||
|             startState: function() { return { tokens: [] }; }, | ||||
|             token: function(stream, state) { | ||||
|                 return tokenize(stream, state); | ||||
|             }, | ||||
|             closeBrackets: "()[]{}''\"\"``", | ||||
|             lineComment: '#', | ||||
|             fold: "brace" | ||||
|         }; | ||||
|     }); | ||||
|  | ||||
|     CodeMirror.defineMIME('text/x-sh', 'shell'); | ||||
|     // Apache uses a slightly different Media Type for Shell scripts | ||||
|     // http://svn.apache.org/repos/asf/httpd/httpd/trunk/docs/conf/mime.types | ||||
|     CodeMirror.defineMIME('application/x-sh', 'shell'); | ||||
|  | ||||
| }); | ||||
							
								
								
									
										148
									
								
								src/assets/plugins/codemirror/mode/shell/shell.js
									
									
									
									
										vendored
									
									
								
							
							
						
						
									
										148
									
								
								src/assets/plugins/codemirror/mode/shell/shell.js
									
									
									
									
										vendored
									
									
								
							| @@ -1,148 +0,0 @@ | ||||
| // CodeMirror, copyright (c) by Marijn Haverbeke and others | ||||
| // Distributed under an MIT license: https://codemirror.net/LICENSE | ||||
|  | ||||
| (function(mod) { | ||||
|   if (typeof exports == "object" && typeof module == "object") // CommonJS | ||||
|     mod(require("../../lib/codemirror")); | ||||
|   else if (typeof define == "function" && define.amd) // AMD | ||||
|     define(["../../lib/codemirror"], mod); | ||||
|   else // Plain browser env | ||||
|     mod(CodeMirror); | ||||
| })(function(CodeMirror) { | ||||
| "use strict"; | ||||
|  | ||||
| CodeMirror.defineMode('shell', function() { | ||||
|  | ||||
|   var words = {}; | ||||
|   function define(style, dict) { | ||||
|     for(var i = 0; i < dict.length; i++) { | ||||
|       words[dict[i]] = style; | ||||
|     } | ||||
|   }; | ||||
|  | ||||
|   var commonAtoms = ["true", "false"]; | ||||
|   var commonKeywords = ["if", "then", "do", "else", "elif", "while", "until", "for", "in", "esac", "fi", | ||||
|     "fin", "fil", "done", "exit", "set", "unset", "export", "function"]; | ||||
|   var commonCommands = 'ab|awk|bash|beep|cat|cc|cd|chown|chmod|chroot|clear|cp|curl|cut|diff|echo|find|gawk|gcc|get|git|grep|hg|kill|killall|ln|ls|make|mkdir|openssl|mv|nc|nl|node|npm|ping|ps|restart|rm|rmdir|sed|service|sh|shopt|shred|source|sort|sleep|ssh|start|stop|su|sudo|svn|tee|telnet|top|touch|vi|vim|wall|wc|wget|who|write|yes|zsh'.split("|") | ||||
|   commonCommands = commonCommands.concat(getShellCommand()) | ||||
|  | ||||
|   CodeMirror.registerHelper("hintWords", "shell", commonAtoms.concat(commonKeywords, commonCommands)); | ||||
|  | ||||
|   define('atom', commonAtoms); | ||||
|   define('keyword', commonKeywords); | ||||
|   define('builtin', commonCommands); | ||||
|  | ||||
|   function tokenBase(stream, state) { | ||||
|     if (stream.eatSpace()) return null; | ||||
|  | ||||
|     var sol = stream.sol(); | ||||
|     var ch = stream.next(); | ||||
|  | ||||
|     if (ch === '\\') { | ||||
|       stream.next(); | ||||
|       return null; | ||||
|     } | ||||
|     if (ch === '\'' || ch === '"' || ch === '`') { | ||||
|       state.tokens.unshift(tokenString(ch, ch === "`" ? "quote" : "string")); | ||||
|       return tokenize(stream, state); | ||||
|     } | ||||
|     if (ch === '#') { | ||||
|       if (sol && stream.eat('!')) { | ||||
|         stream.skipToEnd(); | ||||
|         return 'meta'; // 'comment'? | ||||
|       } | ||||
|       stream.skipToEnd(); | ||||
|       return 'comment'; | ||||
|     } | ||||
|     if (ch === '$') { | ||||
|       state.tokens.unshift(tokenDollar); | ||||
|       return tokenize(stream, state); | ||||
|     } | ||||
|     if (ch === '+' || ch === '=') { | ||||
|       return 'operator'; | ||||
|     } | ||||
|     if (ch === '-') { | ||||
|       stream.eat('-'); | ||||
|       stream.eatWhile(/\w/); | ||||
|       return 'attribute'; | ||||
|     } | ||||
|     if (/^[0-9\.]/.test(ch)) { | ||||
|       stream.eatWhile(/\d/); | ||||
|       if(stream.eol() || !/\w/.test(stream.peek())) { | ||||
|         return 'number'; | ||||
|       } | ||||
|     } | ||||
|     stream.eatWhile(/[\w-]/); | ||||
|     var cur = stream.current(); | ||||
|     if (stream.peek() === '=' && /\w+/.test(cur)) return 'def'; | ||||
|     return words.hasOwnProperty(cur) ? words[cur] : null; | ||||
|   } | ||||
|  | ||||
|   function tokenString(quote, style) { | ||||
|     var close = quote == "(" ? ")" : quote == "{" ? "}" : quote | ||||
|     return function(stream, state) { | ||||
|       var next, escaped = false; | ||||
|       while ((next = stream.next()) != null) { | ||||
|         if (next === close && !escaped) { | ||||
|           state.tokens.shift(); | ||||
|           break; | ||||
|         } else if (next === '$' && !escaped && quote !== "'" && stream.peek() != close) { | ||||
|           escaped = true; | ||||
|           stream.backUp(1); | ||||
|           state.tokens.unshift(tokenDollar); | ||||
|           break; | ||||
|         } else if (!escaped && quote !== close && next === quote) { | ||||
|           state.tokens.unshift(tokenString(quote, style)) | ||||
|           return tokenize(stream, state) | ||||
|         } else if (!escaped && /['"]/.test(next) && !/['"]/.test(quote)) { | ||||
|           state.tokens.unshift(tokenStringStart(next, "string")); | ||||
|           stream.backUp(1); | ||||
|           break; | ||||
|         } | ||||
|         escaped = !escaped && next === '\\'; | ||||
|       } | ||||
|       return style; | ||||
|     }; | ||||
|   }; | ||||
|  | ||||
|   function tokenStringStart(quote, style) { | ||||
|     return function(stream, state) { | ||||
|       state.tokens[0] = tokenString(quote, style) | ||||
|       stream.next() | ||||
|       return tokenize(stream, state) | ||||
|     } | ||||
|   } | ||||
|  | ||||
|   var tokenDollar = function(stream, state) { | ||||
|     if (state.tokens.length > 1) stream.eat('$'); | ||||
|     var ch = stream.next() | ||||
|     if (/['"({]/.test(ch)) { | ||||
|       state.tokens[0] = tokenString(ch, ch == "(" ? "quote" : ch == "{" ? "def" : "string"); | ||||
|       return tokenize(stream, state); | ||||
|     } | ||||
|     if (!/\d/.test(ch)) stream.eatWhile(/\w/); | ||||
|     state.tokens.shift(); | ||||
|     return 'def'; | ||||
|   }; | ||||
|  | ||||
|   function tokenize(stream, state) { | ||||
|     return (state.tokens[0] || tokenBase) (stream, state); | ||||
|   }; | ||||
|  | ||||
|   return { | ||||
|     startState: function() {return {tokens:[]};}, | ||||
|     token: function(stream, state) { | ||||
|       return tokenize(stream, state); | ||||
|     }, | ||||
|     closeBrackets: "()[]{}''\"\"``", | ||||
|     lineComment: '#', | ||||
|     fold: "brace" | ||||
|   }; | ||||
| }); | ||||
|  | ||||
| CodeMirror.defineMIME('text/x-sh', 'shell'); | ||||
| // Apache uses a slightly different Media Type for Shell scripts | ||||
| // http://svn.apache.org/repos/asf/httpd/httpd/trunk/docs/conf/mime.types | ||||
| CodeMirror.defineMIME('application/x-sh', 'shell'); | ||||
|  | ||||
| }); | ||||
							
								
								
									
										73
									
								
								src/assets/plugins/codemirror/mode/shell/test.js
									
									
									
									
										vendored
									
									
								
							
							
						
						
									
										73
									
								
								src/assets/plugins/codemirror/mode/shell/test.js
									
									
									
									
										vendored
									
									
								
							| @@ -1,73 +0,0 @@ | ||||
| // CodeMirror, copyright (c) by Marijn Haverbeke and others | ||||
| // Distributed under an MIT license: https://codemirror.net/LICENSE | ||||
|  | ||||
| (function() { | ||||
|   var mode = CodeMirror.getMode({}, "shell"); | ||||
|   function MT(name) { test.mode(name, mode, Array.prototype.slice.call(arguments, 1)); } | ||||
|  | ||||
|   MT("var", | ||||
|      "text [def $var] text"); | ||||
|   MT("varBraces", | ||||
|      "text[def ${var}]text"); | ||||
|   MT("varVar", | ||||
|      "text [def $a$b] text"); | ||||
|   MT("varBracesVarBraces", | ||||
|      "text[def ${a}${b}]text"); | ||||
|  | ||||
|   MT("singleQuotedVar", | ||||
|      "[string 'text $var text']"); | ||||
|   MT("singleQuotedVarBraces", | ||||
|      "[string 'text ${var} text']"); | ||||
|  | ||||
|   MT("doubleQuotedVar", | ||||
|      '[string "text ][def $var][string  text"]'); | ||||
|   MT("doubleQuotedVarBraces", | ||||
|      '[string "text][def ${var}][string text"]'); | ||||
|   MT("doubleQuotedVarPunct", | ||||
|      '[string "text ][def $@][string  text"]'); | ||||
|   MT("doubleQuotedVarVar", | ||||
|      '[string "][def $a$b][string "]'); | ||||
|   MT("doubleQuotedVarBracesVarBraces", | ||||
|      '[string "][def ${a}${b}][string "]'); | ||||
|  | ||||
|   MT("notAString", | ||||
|      "text\\'text"); | ||||
|   MT("escapes", | ||||
|      "outside\\'\\\"\\`\\\\[string \"inside\\`\\'\\\"\\\\`\\$notAVar\"]outside\\$\\(notASubShell\\)"); | ||||
|  | ||||
|   MT("subshell", | ||||
|      "[builtin echo] [quote $(whoami)] s log, stardate [quote `date`]."); | ||||
|   MT("doubleQuotedSubshell", | ||||
|      "[builtin echo] [string \"][quote $(whoami)][string 's log, stardate `date`.\"]"); | ||||
|  | ||||
|   MT("hashbang", | ||||
|      "[meta #!/bin/bash]"); | ||||
|   MT("comment", | ||||
|      "text [comment # Blurb]"); | ||||
|  | ||||
|   MT("numbers", | ||||
|      "[number 0] [number 1] [number 2]"); | ||||
|   MT("keywords", | ||||
|      "[keyword while] [atom true]; [keyword do]", | ||||
|      "  [builtin sleep] [number 3]", | ||||
|      "[keyword done]"); | ||||
|   MT("options", | ||||
|      "[builtin ls] [attribute -l] [attribute --human-readable]"); | ||||
|   MT("operator", | ||||
|      "[def var][operator =]value"); | ||||
|  | ||||
|   MT("doubleParens", | ||||
|      "foo [quote $((bar))]") | ||||
|  | ||||
|   MT("nested braces", | ||||
|      "[builtin echo] [def ${A[${B}]]}]") | ||||
|  | ||||
|   MT("strings in parens", | ||||
|      "[def FOO][operator =]([quote $(<][string \"][def $MYDIR][string \"][quote /myfile grep ][string 'hello$'][quote )])") | ||||
|  | ||||
|   MT ("string ending in dollar", | ||||
|      '[def a][operator =][string "xyz$"]; [def b][operator =][string "y"]') | ||||
|  | ||||
|   MT ("quote ending in dollar", | ||||
|      "[quote $(echo a$)]") | ||||
| })(); | ||||
| @@ -3,11 +3,11 @@ | ||||
| main = "./assets/plugins/codemirror/lib/codemirror.js" | ||||
|  | ||||
| modes = [ | ||||
|     "./assets/plugins/codemirror/mode/shell/shell.js", | ||||
|     "./assets/plugins/codemirror/mode/cmd/cmd.js", | ||||
|     "./assets/plugins/codemirror/mode/applescript/applescript.js", | ||||
|     "./assets/plugins/codemirror/mode/powershell/powershell.js", | ||||
|     "./assets/plugins/codemirror/mode/python/python.js", | ||||
|     "./assets/plugins/codemirror/mode/shell/shell-modified.js", | ||||
|     "./assets/plugins/codemirror/mode/cmd/cmd-additional.js", | ||||
|     "./assets/plugins/codemirror/mode/applescript/applescript-additional.js", | ||||
|     "./assets/plugins/codemirror/mode/powershell/powershell-modified.js", | ||||
|     "./assets/plugins/codemirror/mode/python/python-modified.js", | ||||
|     "./assets/plugins/codemirror/mode/javascript/javascript.js", | ||||
|     "./assets/plugins/codemirror/mode/ruby/ruby.js", | ||||
|     "./assets/plugins/codemirror/mode/php/php.js", | ||||
| @@ -23,9 +23,10 @@ addons = [ | ||||
|     "./assets/plugins/codemirror/addon/display/placeholder.js", | ||||
|     "./assets/plugins/codemirror/addon/comment/comment.js", | ||||
|     "./assets/plugins/codemirror/addon/selection/active-line.js", | ||||
|     "./assets/plugins/codemirror/addon/hint/show-hint.js", | ||||
|     "./assets/plugins/codemirror/addon/hint/anyword-hint.js", | ||||
|     "./assets/plugins/codemirror/addon/hint/javascript-hint.js", | ||||
|     "./assets/plugins/codemirror/addon/hint/show-hint-modified.js", | ||||
|     "./assets/plugins/codemirror/addon/hint/anyword-hint-modified.js", | ||||
|     "./assets/plugins/codemirror/addon/hint/javascript-hint-modified.js", | ||||
|     "./assets/plugins/codemirror/addon/hint/python-hint-additional.js", | ||||
|     "./assets/plugins/codemirror/addon/edit/matchbrackets.js", | ||||
|     "./assets/plugins/codemirror/addon/edit/closebrackets.js", | ||||
|     "./assets/plugins/codemirror/addon/search/search.js", | ||||
|   | ||||
		Reference in New Issue
	
	Block a user