潘志宝
5 天以前 b131f033c12459b718565cab504f762c25642d2d
提交 | 用户 | 时间
e7c126 1 /*
H 2  * Copyright 1999-2018 Alibaba Group Holding Ltd.
3  *
4  * Licensed under the Apache License, Version 2.0 (the "License");
5  * you may not use this file except in compliance with the License.
6  * You may obtain a copy of the License at
7  *
8  *      http://www.apache.org/licenses/LICENSE-2.0
9  *
10  * Unless required by applicable law or agreed to in writing, software
11  * distributed under the License is distributed on an "AS IS" BASIS,
12  * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
13  * See the License for the specific language governing permissions and
14  * limitations under the License.
15  */
16
17 (function(mod) {
18   if (typeof exports == "object" && typeof module == "object") // CommonJS
19     mod(require("../../lib/codemirror"));
20   else if (typeof define == "function" && define.amd) // AMD
21     define(["../../lib/codemirror"], mod);
22   else // Plain browser env
23     mod(CodeMirror);
24 })(function(CodeMirror) {
25 "use strict";
26
27 function Context(indented, column, type, info, align, prev) {
28   this.indented = indented;
29   this.column = column;
30   this.type = type;
31   this.info = info;
32   this.align = align;
33   this.prev = prev;
34 }
35 function pushContext(state, col, type, info) {
36   var indent = state.indented;
37   if (state.context && state.context.type == "statement" && type != "statement")
38     indent = state.context.indented;
39   return state.context = new Context(indent, col, type, info, null, state.context);
40 }
41 function popContext(state) {
42   var t = state.context.type;
43   if (t == ")" || t == "]" || t == "}")
44     state.indented = state.context.indented;
45   return state.context = state.context.prev;
46 }
47
48 function typeBefore(stream, state, pos) {
49   if (state.prevToken == "variable" || state.prevToken == "type") return true;
50   if (/\S(?:[^- ]>|[*\]])\s*$|\*$/.test(stream.string.slice(0, pos))) return true;
51   if (state.typeAtEndOfLine && stream.column() == stream.indentation()) return true;
52 }
53
54 function isTopScope(context) {
55   for (;;) {
56     if (!context || context.type == "top") return true;
57     if (context.type == "}" && context.prev.info != "namespace") return false;
58     context = context.prev;
59   }
60 }
61
62 CodeMirror.defineMode("clike", function(config, parserConfig) {
63   var indentUnit = config.indentUnit,
64       statementIndentUnit = parserConfig.statementIndentUnit || indentUnit,
65       dontAlignCalls = parserConfig.dontAlignCalls,
66       keywords = parserConfig.keywords || {},
67       types = parserConfig.types || {},
68       builtin = parserConfig.builtin || {},
69       blockKeywords = parserConfig.blockKeywords || {},
70       defKeywords = parserConfig.defKeywords || {},
71       atoms = parserConfig.atoms || {},
72       hooks = parserConfig.hooks || {},
73       multiLineStrings = parserConfig.multiLineStrings,
74       indentStatements = parserConfig.indentStatements !== false,
75       indentSwitch = parserConfig.indentSwitch !== false,
76       namespaceSeparator = parserConfig.namespaceSeparator,
77       isPunctuationChar = parserConfig.isPunctuationChar || /[\[\]{}\(\),;\:\.]/,
78       numberStart = parserConfig.numberStart || /[\d\.]/,
79       number = parserConfig.number || /^(?:0x[a-f\d]+|0b[01]+|(?:\d+\.?\d*|\.\d+)(?:e[-+]?\d+)?)(u|ll?|l|f)?/i,
80       isOperatorChar = parserConfig.isOperatorChar || /[+\-*&%=<>!?|\/]/,
81       isIdentifierChar = parserConfig.isIdentifierChar || /[\w\$_\xa1-\uffff]/;
82
83   var curPunc, isDefKeyword;
84
85   function tokenBase(stream, state) {
86     var ch = stream.next();
87     if (hooks[ch]) {
88       var result = hooks[ch](stream, state);
89       if (result !== false) return result;
90     }
91     if (ch == '"' || ch == "'") {
92       state.tokenize = tokenString(ch);
93       return state.tokenize(stream, state);
94     }
95     if (isPunctuationChar.test(ch)) {
96       curPunc = ch;
97       return null;
98     }
99     if (numberStart.test(ch)) {
100       stream.backUp(1)
101       if (stream.match(number)) return "number"
102       stream.next()
103     }
104     if (ch == "/") {
105       if (stream.eat("*")) {
106         state.tokenize = tokenComment;
107         return tokenComment(stream, state);
108       }
109       if (stream.eat("/")) {
110         stream.skipToEnd();
111         return "comment";
112       }
113     }
114     if (isOperatorChar.test(ch)) {
115       while (!stream.match(/^\/[\/*]/, false) && stream.eat(isOperatorChar)) {}
116       return "operator";
117     }
118     stream.eatWhile(isIdentifierChar);
119     if (namespaceSeparator) while (stream.match(namespaceSeparator))
120       stream.eatWhile(isIdentifierChar);
121
122     var cur = stream.current();
123     if (contains(keywords, cur)) {
124       if (contains(blockKeywords, cur)) curPunc = "newstatement";
125       if (contains(defKeywords, cur)) isDefKeyword = true;
126       return "keyword";
127     }
128     if (contains(types, cur)) return "type";
129     if (contains(builtin, cur)) {
130       if (contains(blockKeywords, cur)) curPunc = "newstatement";
131       return "builtin";
132     }
133     if (contains(atoms, cur)) return "atom";
134     return "variable";
135   }
136
137   function tokenString(quote) {
138     return function(stream, state) {
139       var escaped = false, next, end = false;
140       while ((next = stream.next()) != null) {
141         if (next == quote && !escaped) {end = true; break;}
142         escaped = !escaped && next == "\\";
143       }
144       if (end || !(escaped || multiLineStrings))
145         state.tokenize = null;
146       return "string";
147     };
148   }
149
150   function tokenComment(stream, state) {
151     var maybeEnd = false, ch;
152     while (ch = stream.next()) {
153       if (ch == "/" && maybeEnd) {
154         state.tokenize = null;
155         break;
156       }
157       maybeEnd = (ch == "*");
158     }
159     return "comment";
160   }
161
162   function maybeEOL(stream, state) {
163     if (parserConfig.typeFirstDefinitions && stream.eol() && isTopScope(state.context))
164       state.typeAtEndOfLine = typeBefore(stream, state, stream.pos)
165   }
166
167   // Interface
168
169   return {
170     startState: function(basecolumn) {
171       return {
172         tokenize: null,
173         context: new Context((basecolumn || 0) - indentUnit, 0, "top", null, false),
174         indented: 0,
175         startOfLine: true,
176         prevToken: null
177       };
178     },
179
180     token: function(stream, state) {
181       var ctx = state.context;
182       if (stream.sol()) {
183         if (ctx.align == null) ctx.align = false;
184         state.indented = stream.indentation();
185         state.startOfLine = true;
186       }
187       if (stream.eatSpace()) { maybeEOL(stream, state); return null; }
188       curPunc = isDefKeyword = null;
189       var style = (state.tokenize || tokenBase)(stream, state);
190       if (style == "comment" || style == "meta") return style;
191       if (ctx.align == null) ctx.align = true;
192
193       if (curPunc == ";" || curPunc == ":" || (curPunc == "," && stream.match(/^\s*(?:\/\/.*)?$/, false)))
194         while (state.context.type == "statement") popContext(state);
195       else if (curPunc == "{") pushContext(state, stream.column(), "}");
196       else if (curPunc == "[") pushContext(state, stream.column(), "]");
197       else if (curPunc == "(") pushContext(state, stream.column(), ")");
198       else if (curPunc == "}") {
199         while (ctx.type == "statement") ctx = popContext(state);
200         if (ctx.type == "}") ctx = popContext(state);
201         while (ctx.type == "statement") ctx = popContext(state);
202       }
203       else if (curPunc == ctx.type) popContext(state);
204       else if (indentStatements &&
205                (((ctx.type == "}" || ctx.type == "top") && curPunc != ";") ||
206                 (ctx.type == "statement" && curPunc == "newstatement"))) {
207         pushContext(state, stream.column(), "statement", stream.current());
208       }
209
210       if (style == "variable" &&
211           ((state.prevToken == "def" ||
212             (parserConfig.typeFirstDefinitions && typeBefore(stream, state, stream.start) &&
213              isTopScope(state.context) && stream.match(/^\s*\(/, false)))))
214         style = "def";
215
216       if (hooks.token) {
217         var result = hooks.token(stream, state, style);
218         if (result !== undefined) style = result;
219       }
220
221       if (style == "def" && parserConfig.styleDefs === false) style = "variable";
222
223       state.startOfLine = false;
224       state.prevToken = isDefKeyword ? "def" : style || curPunc;
225       maybeEOL(stream, state);
226       return style;
227     },
228
229     indent: function(state, textAfter) {
230       if (state.tokenize != tokenBase && state.tokenize != null || state.typeAtEndOfLine) return CodeMirror.Pass;
231       var ctx = state.context, firstChar = textAfter && textAfter.charAt(0);
232       if (ctx.type == "statement" && firstChar == "}") ctx = ctx.prev;
233       if (parserConfig.dontIndentStatements)
234         while (ctx.type == "statement" && parserConfig.dontIndentStatements.test(ctx.info))
235           ctx = ctx.prev
236       if (hooks.indent) {
237         var hook = hooks.indent(state, ctx, textAfter);
238         if (typeof hook == "number") return hook
239       }
240       var closing = firstChar == ctx.type;
241       var switchBlock = ctx.prev && ctx.prev.info == "switch";
242       if (parserConfig.allmanIndentation && /[{(]/.test(firstChar)) {
243         while (ctx.type != "top" && ctx.type != "}") ctx = ctx.prev
244         return ctx.indented
245       }
246       if (ctx.type == "statement")
247         return ctx.indented + (firstChar == "{" ? 0 : statementIndentUnit);
248       if (ctx.align && (!dontAlignCalls || ctx.type != ")"))
249         return ctx.column + (closing ? 0 : 1);
250       if (ctx.type == ")" && !closing)
251         return ctx.indented + statementIndentUnit;
252
253       return ctx.indented + (closing ? 0 : indentUnit) +
254         (!closing && switchBlock && !/^(?:case|default)\b/.test(textAfter) ? indentUnit : 0);
255     },
256
257     electricInput: indentSwitch ? /^\s*(?:case .*?:|default:|\{\}?|\})$/ : /^\s*[{}]$/,
258     blockCommentStart: "/*",
259     blockCommentEnd: "*/",
260     lineComment: "//",
261     fold: "brace"
262   };
263 });
264
265   function words(str) {
266     var obj = {}, words = str.split(" ");
267     for (var i = 0; i < words.length; ++i) obj[words[i]] = true;
268     return obj;
269   }
270   function contains(words, word) {
271     if (typeof words === "function") {
272       return words(word);
273     } else {
274       return words.propertyIsEnumerable(word);
275     }
276   }
277   var cKeywords = "auto if break case register continue return default do sizeof " +
278     "static else struct switch extern typedef union for goto while enum const volatile";
279   var cTypes = "int long char short double float unsigned signed void size_t ptrdiff_t";
280
281   function cppHook(stream, state) {
282     if (!state.startOfLine) return false
283     for (var ch, next = null; ch = stream.peek();) {
284       if (ch == "\\" && stream.match(/^.$/)) {
285         next = cppHook
286         break
287       } else if (ch == "/" && stream.match(/^\/[\/\*]/, false)) {
288         break
289       }
290       stream.next()
291     }
292     state.tokenize = next
293     return "meta"
294   }
295
296   function pointerHook(_stream, state) {
297     if (state.prevToken == "type") return "type";
298     return false;
299   }
300
301   function cpp14Literal(stream) {
302     stream.eatWhile(/[\w\.']/);
303     return "number";
304   }
305
306   function cpp11StringHook(stream, state) {
307     stream.backUp(1);
308     // Raw strings.
309     if (stream.match(/(R|u8R|uR|UR|LR)/)) {
310       var match = stream.match(/"([^\s\\()]{0,16})\(/);
311       if (!match) {
312         return false;
313       }
314       state.cpp11RawStringDelim = match[1];
315       state.tokenize = tokenRawString;
316       return tokenRawString(stream, state);
317     }
318     // Unicode strings/chars.
319     if (stream.match(/(u8|u|U|L)/)) {
320       if (stream.match(/["']/, /* eat */ false)) {
321         return "string";
322       }
323       return false;
324     }
325     // Ignore this hook.
326     stream.next();
327     return false;
328   }
329
330   function cppLooksLikeConstructor(word) {
331     var lastTwo = /(\w+)::~?(\w+)$/.exec(word);
332     return lastTwo && lastTwo[1] == lastTwo[2];
333   }
334
335   // C#-style strings where "" escapes a quote.
336   function tokenAtString(stream, state) {
337     var next;
338     while ((next = stream.next()) != null) {
339       if (next == '"' && !stream.eat('"')) {
340         state.tokenize = null;
341         break;
342       }
343     }
344     return "string";
345   }
346
347   // C++11 raw string literal is <prefix>"<delim>( anything )<delim>", where
348   // <delim> can be a string up to 16 characters long.
349   function tokenRawString(stream, state) {
350     // Escape characters that have special regex meanings.
351     var delim = state.cpp11RawStringDelim.replace(/[^\w\s]/g, '\\$&');
352     var match = stream.match(new RegExp(".*?\\)" + delim + '"'));
353     if (match)
354       state.tokenize = null;
355     else
356       stream.skipToEnd();
357     return "string";
358   }
359
360   function def(mimes, mode) {
361     if (typeof mimes == "string") mimes = [mimes];
362     var words = [];
363     function add(obj) {
364       if (obj) for (var prop in obj) if (obj.hasOwnProperty(prop))
365         words.push(prop);
366     }
367     add(mode.keywords);
368     add(mode.types);
369     add(mode.builtin);
370     add(mode.atoms);
371     if (words.length) {
372       mode.helperType = mimes[0];
373       CodeMirror.registerHelper("hintWords", mimes[0], words);
374     }
375
376     for (var i = 0; i < mimes.length; ++i)
377       CodeMirror.defineMIME(mimes[i], mode);
378   }
379
380   def(["text/x-csrc", "text/x-c", "text/x-chdr"], {
381     name: "clike",
382     keywords: words(cKeywords),
383     types: words(cTypes + " bool _Complex _Bool float_t double_t intptr_t intmax_t " +
384                  "int8_t int16_t int32_t int64_t uintptr_t uintmax_t uint8_t uint16_t " +
385                  "uint32_t uint64_t"),
386     blockKeywords: words("case do else for if switch while struct"),
387     defKeywords: words("struct"),
388     typeFirstDefinitions: true,
389     atoms: words("null true false"),
390     hooks: {"#": cppHook, "*": pointerHook},
391     modeProps: {fold: ["brace", "include"]}
392   });
393
394   def(["text/x-c++src", "text/x-c++hdr"], {
395     name: "clike",
396     keywords: words(cKeywords + " asm dynamic_cast namespace reinterpret_cast try explicit new " +
397                     "static_cast typeid catch operator template typename class friend private " +
398                     "this using const_cast inline public throw virtual delete mutable protected " +
399                     "alignas alignof constexpr decltype nullptr noexcept thread_local final " +
400                     "static_assert override"),
401     types: words(cTypes + " bool wchar_t"),
402     blockKeywords: words("catch class do else finally for if struct switch try while"),
403     defKeywords: words("class namespace struct enum union"),
404     typeFirstDefinitions: true,
405     atoms: words("true false null"),
406     dontIndentStatements: /^template$/,
407     isIdentifierChar: /[\w\$_~\xa1-\uffff]/,
408     hooks: {
409       "#": cppHook,
410       "*": pointerHook,
411       "u": cpp11StringHook,
412       "U": cpp11StringHook,
413       "L": cpp11StringHook,
414       "R": cpp11StringHook,
415       "0": cpp14Literal,
416       "1": cpp14Literal,
417       "2": cpp14Literal,
418       "3": cpp14Literal,
419       "4": cpp14Literal,
420       "5": cpp14Literal,
421       "6": cpp14Literal,
422       "7": cpp14Literal,
423       "8": cpp14Literal,
424       "9": cpp14Literal,
425       token: function(stream, state, style) {
426         if (style == "variable" && stream.peek() == "(" &&
427             (state.prevToken == ";" || state.prevToken == null ||
428              state.prevToken == "}") &&
429             cppLooksLikeConstructor(stream.current()))
430           return "def";
431       }
432     },
433     namespaceSeparator: "::",
434     modeProps: {fold: ["brace", "include"]}
435   });
436
437   def("text/x-java", {
438     name: "clike",
439     keywords: words("abstract assert break case catch class const continue default " +
440                     "do else enum extends final finally float for goto if implements import " +
441                     "instanceof interface native new package private protected public " +
442                     "return static strictfp super switch synchronized this throw throws transient " +
443                     "try volatile while @interface"),
444     types: words("byte short int long float double boolean char void Boolean Byte Character Double Float " +
445                  "Integer Long Number Object Short String StringBuffer StringBuilder Void"),
446     blockKeywords: words("catch class do else finally for if switch try while"),
447     defKeywords: words("class interface package enum @interface"),
448     typeFirstDefinitions: true,
449     atoms: words("true false null"),
450     number: /^(?:0x[a-f\d_]+|0b[01_]+|(?:[\d_]+\.?\d*|\.\d+)(?:e[-+]?[\d_]+)?)(u|ll?|l|f)?/i,
451     hooks: {
452       "@": function(stream) {
453         // Don't match the @interface keyword.
454         if (stream.match('interface', false)) return false;
455
456         stream.eatWhile(/[\w\$_]/);
457         return "meta";
458       }
459     },
460     modeProps: {fold: ["brace", "import"]}
461   });
462
463   def("text/x-csharp", {
464     name: "clike",
465     keywords: words("abstract as async await base break case catch checked class const continue" +
466                     " default delegate do else enum event explicit extern finally fixed for" +
467                     " foreach goto if implicit in interface internal is lock namespace new" +
468                     " operator out override params private protected public readonly ref return sealed" +
469                     " sizeof stackalloc static struct switch this throw try typeof unchecked" +
470                     " unsafe using virtual void volatile while add alias ascending descending dynamic from get" +
471                     " global group into join let orderby partial remove select set value var yield"),
472     types: words("Action Boolean Byte Char DateTime DateTimeOffset Decimal Double Func" +
473                  " Guid Int16 Int32 Int64 Object SByte Single String Task TimeSpan UInt16 UInt32" +
474                  " UInt64 bool byte char decimal double short int long object"  +
475                  " sbyte float string ushort uint ulong"),
476     blockKeywords: words("catch class do else finally for foreach if struct switch try while"),
477     defKeywords: words("class interface namespace struct var"),
478     typeFirstDefinitions: true,
479     atoms: words("true false null"),
480     hooks: {
481       "@": function(stream, state) {
482         if (stream.eat('"')) {
483           state.tokenize = tokenAtString;
484           return tokenAtString(stream, state);
485         }
486         stream.eatWhile(/[\w\$_]/);
487         return "meta";
488       }
489     }
490   });
491
492   function tokenTripleString(stream, state) {
493     var escaped = false;
494     while (!stream.eol()) {
495       if (!escaped && stream.match('"""')) {
496         state.tokenize = null;
497         break;
498       }
499       escaped = stream.next() == "\\" && !escaped;
500     }
501     return "string";
502   }
503
504   def("text/x-scala", {
505     name: "clike",
506     keywords: words(
507
508       /* scala */
509       "abstract case catch class def do else extends final finally for forSome if " +
510       "implicit import lazy match new null object override package private protected return " +
511       "sealed super this throw trait try type val var while with yield _ " +
512
513       /* package scala */
514       "assert assume require print println printf readLine readBoolean readByte readShort " +
515       "readChar readInt readLong readFloat readDouble"
516     ),
517     types: words(
518       "AnyVal App Application Array BufferedIterator BigDecimal BigInt Char Console Either " +
519       "Enumeration Equiv Error Exception Fractional Function IndexedSeq Int Integral Iterable " +
520       "Iterator List Map Numeric Nil NotNull Option Ordered Ordering PartialFunction PartialOrdering " +
521       "Product Proxy Range Responder Seq Serializable Set Specializable Stream StringBuilder " +
522       "StringContext Symbol Throwable Traversable TraversableOnce Tuple Unit Vector " +
523
524       /* package java.lang */
525       "Boolean Byte Character CharSequence Class ClassLoader Cloneable Comparable " +
526       "Compiler Double Exception Float Integer Long Math Number Object Package Pair Process " +
527       "Runtime Runnable SecurityManager Short StackTraceElement StrictMath String " +
528       "StringBuffer System Thread ThreadGroup ThreadLocal Throwable Triple Void"
529     ),
530     multiLineStrings: true,
531     blockKeywords: words("catch class enum do else finally for forSome if match switch try while"),
532     defKeywords: words("class enum def object package trait type val var"),
533     atoms: words("true false null"),
534     indentStatements: false,
535     indentSwitch: false,
536     isOperatorChar: /[+\-*&%=<>!?|\/#:@]/,
537     hooks: {
538       "@": function(stream) {
539         stream.eatWhile(/[\w\$_]/);
540         return "meta";
541       },
542       '"': function(stream, state) {
543         if (!stream.match('""')) return false;
544         state.tokenize = tokenTripleString;
545         return state.tokenize(stream, state);
546       },
547       "'": function(stream) {
548         stream.eatWhile(/[\w\$_\xa1-\uffff]/);
549         return "atom";
550       },
551       "=": function(stream, state) {
552         var cx = state.context
553         if (cx.type == "}" && cx.align && stream.eat(">")) {
554           state.context = new Context(cx.indented, cx.column, cx.type, cx.info, null, cx.prev)
555           return "operator"
556         } else {
557           return false
558         }
559       }
560     },
561     modeProps: {closeBrackets: {triples: '"'}}
562   });
563
564   function tokenKotlinString(tripleString){
565     return function (stream, state) {
566       var escaped = false, next, end = false;
567       while (!stream.eol()) {
568         if (!tripleString && !escaped && stream.match('"') ) {end = true; break;}
569         if (tripleString && stream.match('"""')) {end = true; break;}
570         next = stream.next();
571         if(!escaped && next == "$" && stream.match('{'))
572           stream.skipTo("}");
573         escaped = !escaped && next == "\\" && !tripleString;
574       }
575       if (end || !tripleString)
576         state.tokenize = null;
577       return "string";
578     }
579   }
580
581   def("text/x-kotlin", {
582     name: "clike",
583     keywords: words(
584       /*keywords*/
585       "package as typealias class interface this super val " +
586       "var fun for is in This throw return " +
587       "break continue object if else while do try when !in !is as? " +
588
589       /*soft keywords*/
590       "file import where by get set abstract enum open inner override private public internal " +
591       "protected catch finally out final vararg reified dynamic companion constructor init " +
592       "sealed field property receiver param sparam lateinit data inline noinline tailrec " +
593       "external annotation crossinline const operator infix suspend"
594     ),
595     types: words(
596       /* package java.lang */
597       "Boolean Byte Character CharSequence Class ClassLoader Cloneable Comparable " +
598       "Compiler Double Exception Float Integer Long Math Number Object Package Pair Process " +
599       "Runtime Runnable SecurityManager Short StackTraceElement StrictMath String " +
600       "StringBuffer System Thread ThreadGroup ThreadLocal Throwable Triple Void"
601     ),
602     intendSwitch: false,
603     indentStatements: false,
604     multiLineStrings: true,
605     number: /^(?:0x[a-f\d_]+|0b[01_]+|(?:[\d_]+\.?\d*|\.\d+)(?:e[-+]?[\d_]+)?)(u|ll?|l|f)?/i,
606     blockKeywords: words("catch class do else finally for if where try while enum"),
607     defKeywords: words("class val var object package interface fun"),
608     atoms: words("true false null this"),
609     hooks: {
610       '"': function(stream, state) {
611         state.tokenize = tokenKotlinString(stream.match('""'));
612         return state.tokenize(stream, state);
613       }
614     },
615     modeProps: {closeBrackets: {triples: '"'}}
616   });
617
618   def(["x-shader/x-vertex", "x-shader/x-fragment"], {
619     name: "clike",
620     keywords: words("sampler1D sampler2D sampler3D samplerCube " +
621                     "sampler1DShadow sampler2DShadow " +
622                     "const attribute uniform varying " +
623                     "break continue discard return " +
624                     "for while do if else struct " +
625                     "in out inout"),
626     types: words("float int bool void " +
627                  "vec2 vec3 vec4 ivec2 ivec3 ivec4 bvec2 bvec3 bvec4 " +
628                  "mat2 mat3 mat4"),
629     blockKeywords: words("for while do if else struct"),
630     builtin: words("radians degrees sin cos tan asin acos atan " +
631                     "pow exp log exp2 sqrt inversesqrt " +
632                     "abs sign floor ceil fract mod min max clamp mix step smoothstep " +
633                     "length distance dot cross normalize ftransform faceforward " +
634                     "reflect refract matrixCompMult " +
635                     "lessThan lessThanEqual greaterThan greaterThanEqual " +
636                     "equal notEqual any all not " +
637                     "texture1D texture1DProj texture1DLod texture1DProjLod " +
638                     "texture2D texture2DProj texture2DLod texture2DProjLod " +
639                     "texture3D texture3DProj texture3DLod texture3DProjLod " +
640                     "textureCube textureCubeLod " +
641                     "shadow1D shadow2D shadow1DProj shadow2DProj " +
642                     "shadow1DLod shadow2DLod shadow1DProjLod shadow2DProjLod " +
643                     "dFdx dFdy fwidth " +
644                     "noise1 noise2 noise3 noise4"),
645     atoms: words("true false " +
646                 "gl_FragColor gl_SecondaryColor gl_Normal gl_Vertex " +
647                 "gl_MultiTexCoord0 gl_MultiTexCoord1 gl_MultiTexCoord2 gl_MultiTexCoord3 " +
648                 "gl_MultiTexCoord4 gl_MultiTexCoord5 gl_MultiTexCoord6 gl_MultiTexCoord7 " +
649                 "gl_FogCoord gl_PointCoord " +
650                 "gl_Position gl_PointSize gl_ClipVertex " +
651                 "gl_FrontColor gl_BackColor gl_FrontSecondaryColor gl_BackSecondaryColor " +
652                 "gl_TexCoord gl_FogFragCoord " +
653                 "gl_FragCoord gl_FrontFacing " +
654                 "gl_FragData gl_FragDepth " +
655                 "gl_ModelViewMatrix gl_ProjectionMatrix gl_ModelViewProjectionMatrix " +
656                 "gl_TextureMatrix gl_NormalMatrix gl_ModelViewMatrixInverse " +
657                 "gl_ProjectionMatrixInverse gl_ModelViewProjectionMatrixInverse " +
658                 "gl_TexureMatrixTranspose gl_ModelViewMatrixInverseTranspose " +
659                 "gl_ProjectionMatrixInverseTranspose " +
660                 "gl_ModelViewProjectionMatrixInverseTranspose " +
661                 "gl_TextureMatrixInverseTranspose " +
662                 "gl_NormalScale gl_DepthRange gl_ClipPlane " +
663                 "gl_Point gl_FrontMaterial gl_BackMaterial gl_LightSource gl_LightModel " +
664                 "gl_FrontLightModelProduct gl_BackLightModelProduct " +
665                 "gl_TextureColor gl_EyePlaneS gl_EyePlaneT gl_EyePlaneR gl_EyePlaneQ " +
666                 "gl_FogParameters " +
667                 "gl_MaxLights gl_MaxClipPlanes gl_MaxTextureUnits gl_MaxTextureCoords " +
668                 "gl_MaxVertexAttribs gl_MaxVertexUniformComponents gl_MaxVaryingFloats " +
669                 "gl_MaxVertexTextureImageUnits gl_MaxTextureImageUnits " +
670                 "gl_MaxFragmentUniformComponents gl_MaxCombineTextureImageUnits " +
671                 "gl_MaxDrawBuffers"),
672     indentSwitch: false,
673     hooks: {"#": cppHook},
674     modeProps: {fold: ["brace", "include"]}
675   });
676
677   def("text/x-nesc", {
678     name: "clike",
679     keywords: words(cKeywords + "as atomic async call command component components configuration event generic " +
680                     "implementation includes interface module new norace nx_struct nx_union post provides " +
681                     "signal task uses abstract extends"),
682     types: words(cTypes),
683     blockKeywords: words("case do else for if switch while struct"),
684     atoms: words("null true false"),
685     hooks: {"#": cppHook},
686     modeProps: {fold: ["brace", "include"]}
687   });
688
689   def("text/x-objectivec", {
690     name: "clike",
691     keywords: words(cKeywords + "inline restrict _Bool _Complex _Imaginary BOOL Class bycopy byref id IMP in " +
692                     "inout nil oneway out Protocol SEL self super atomic nonatomic retain copy readwrite readonly"),
693     types: words(cTypes),
694     atoms: words("YES NO NULL NILL ON OFF true false"),
695     hooks: {
696       "@": function(stream) {
697         stream.eatWhile(/[\w\$]/);
698         return "keyword";
699       },
700       "#": cppHook,
701       indent: function(_state, ctx, textAfter) {
702         if (ctx.type == "statement" && /^@\w/.test(textAfter)) return ctx.indented
703       }
704     },
705     modeProps: {fold: "brace"}
706   });
707
708   def("text/x-squirrel", {
709     name: "clike",
710     keywords: words("base break clone continue const default delete enum extends function in class" +
711                     " foreach local resume return this throw typeof yield constructor instanceof static"),
712     types: words(cTypes),
713     blockKeywords: words("case catch class else for foreach if switch try while"),
714     defKeywords: words("function local class"),
715     typeFirstDefinitions: true,
716     atoms: words("true false null"),
717     hooks: {"#": cppHook},
718     modeProps: {fold: ["brace", "include"]}
719   });
720
721   // Ceylon Strings need to deal with interpolation
722   var stringTokenizer = null;
723   function tokenCeylonString(type) {
724     return function(stream, state) {
725       var escaped = false, next, end = false;
726       while (!stream.eol()) {
727         if (!escaped && stream.match('"') &&
728               (type == "single" || stream.match('""'))) {
729           end = true;
730           break;
731         }
732         if (!escaped && stream.match('``')) {
733           stringTokenizer = tokenCeylonString(type);
734           end = true;
735           break;
736         }
737         next = stream.next();
738         escaped = type == "single" && !escaped && next == "\\";
739       }
740       if (end)
741           state.tokenize = null;
742       return "string";
743     }
744   }
745
746   def("text/x-ceylon", {
747     name: "clike",
748     keywords: words("abstracts alias assembly assert assign break case catch class continue dynamic else" +
749                     " exists extends finally for function given if import in interface is let module new" +
750                     " nonempty object of out outer package return satisfies super switch then this throw" +
751                     " try value void while"),
752     types: function(word) {
753         // In Ceylon all identifiers that start with an uppercase are types
754         var first = word.charAt(0);
755         return (first === first.toUpperCase() && first !== first.toLowerCase());
756     },
757     blockKeywords: words("case catch class dynamic else finally for function if interface module new object switch try while"),
758     defKeywords: words("class dynamic function interface module object package value"),
759     builtin: words("abstract actual aliased annotation by default deprecated doc final formal late license" +
760                    " native optional sealed see serializable shared suppressWarnings tagged throws variable"),
761     isPunctuationChar: /[\[\]{}\(\),;\:\.`]/,
762     isOperatorChar: /[+\-*&%=<>!?|^~:\/]/,
763     numberStart: /[\d#$]/,
764     number: /^(?:#[\da-fA-F_]+|\$[01_]+|[\d_]+[kMGTPmunpf]?|[\d_]+\.[\d_]+(?:[eE][-+]?\d+|[kMGTPmunpf]|)|)/i,
765     multiLineStrings: true,
766     typeFirstDefinitions: true,
767     atoms: words("true false null larger smaller equal empty finished"),
768     indentSwitch: false,
769     styleDefs: false,
770     hooks: {
771       "@": function(stream) {
772         stream.eatWhile(/[\w\$_]/);
773         return "meta";
774       },
775       '"': function(stream, state) {
776           state.tokenize = tokenCeylonString(stream.match('""') ? "triple" : "single");
777           return state.tokenize(stream, state);
778         },
779       '`': function(stream, state) {
780           if (!stringTokenizer || !stream.match('`')) return false;
781           state.tokenize = stringTokenizer;
782           stringTokenizer = null;
783           return state.tokenize(stream, state);
784         },
785       "'": function(stream) {
786         stream.eatWhile(/[\w\$_\xa1-\uffff]/);
787         return "atom";
788       },
789       token: function(_stream, state, style) {
790           if ((style == "variable" || style == "type") &&
791               state.prevToken == ".") {
792             return "variable-2";
793           }
794         }
795     },
796     modeProps: {
797         fold: ["brace", "import"],
798         closeBrackets: {triples: '"'}
799     }
800   });
801
802 });