rouge 3.0.0 → 3.18.0

Sign up to get free protection for your applications and to get access to all the features.
Files changed (320) hide show
  1. checksums.yaml +5 -5
  2. data/Gemfile +17 -3
  3. data/bin/rougify +1 -0
  4. data/lib/rouge.rb +67 -42
  5. data/lib/rouge/cli.rb +87 -18
  6. data/lib/rouge/demos/ada +26 -0
  7. data/lib/rouge/demos/apex +9 -0
  8. data/lib/rouge/demos/armasm +12 -0
  9. data/lib/rouge/demos/batchfile +3 -0
  10. data/lib/rouge/demos/bbcbasic +6 -0
  11. data/lib/rouge/demos/bpf +7 -0
  12. data/lib/rouge/demos/brainfuck +5 -0
  13. data/lib/rouge/demos/clean +6 -0
  14. data/lib/rouge/demos/cmhg +8 -0
  15. data/lib/rouge/demos/crystal +45 -0
  16. data/lib/rouge/demos/csvs +8 -0
  17. data/lib/rouge/demos/cuda +11 -0
  18. data/lib/rouge/demos/cypher +5 -0
  19. data/lib/rouge/demos/cython +6 -0
  20. data/lib/rouge/demos/datastudio +21 -0
  21. data/lib/rouge/demos/ecl +18 -0
  22. data/lib/rouge/demos/eex +1 -0
  23. data/lib/rouge/demos/elm +4 -0
  24. data/lib/rouge/demos/epp +4 -0
  25. data/lib/rouge/demos/escape +3 -0
  26. data/lib/rouge/demos/freefem +16 -0
  27. data/lib/rouge/demos/gdscript +18 -0
  28. data/lib/rouge/demos/ghc-cmm +23 -0
  29. data/lib/rouge/demos/ghc-core +26 -0
  30. data/lib/rouge/demos/hack +5 -0
  31. data/lib/rouge/demos/haxe +5 -0
  32. data/lib/rouge/demos/hcl +7 -0
  33. data/lib/rouge/demos/hocon +8 -0
  34. data/lib/rouge/demos/hql +5 -0
  35. data/lib/rouge/demos/isbl +4 -0
  36. data/lib/rouge/demos/jsl +3 -0
  37. data/lib/rouge/demos/jsp +29 -0
  38. data/lib/rouge/demos/liquid +0 -1
  39. data/lib/rouge/demos/lustre +6 -0
  40. data/lib/rouge/demos/lutin +18 -0
  41. data/lib/rouge/demos/m68k +16 -0
  42. data/lib/rouge/demos/magik +6 -0
  43. data/lib/rouge/demos/mason +22 -0
  44. data/lib/rouge/demos/mathematica +8 -0
  45. data/lib/rouge/demos/minizinc +23 -0
  46. data/lib/rouge/demos/msgtrans +4 -0
  47. data/lib/rouge/demos/nasm +6 -6
  48. data/lib/rouge/demos/nesasm +11 -0
  49. data/lib/rouge/demos/objective_cpp +17 -0
  50. data/lib/rouge/demos/openedge +4 -0
  51. data/lib/rouge/demos/opentype_feature_file +6 -0
  52. data/lib/rouge/demos/plist +1 -132
  53. data/lib/rouge/demos/powershell +12 -48
  54. data/lib/rouge/demos/q +6 -0
  55. data/lib/rouge/demos/reasonml +12 -0
  56. data/lib/rouge/demos/rego +8 -0
  57. data/lib/rouge/demos/robot_framework +27 -0
  58. data/lib/rouge/demos/sas +13 -0
  59. data/lib/rouge/demos/slice +10 -0
  60. data/lib/rouge/demos/solidity +13 -0
  61. data/lib/rouge/demos/sparql +6 -0
  62. data/lib/rouge/demos/sqf +14 -0
  63. data/lib/rouge/demos/supercollider +11 -0
  64. data/lib/rouge/demos/terraform +16 -0
  65. data/lib/rouge/demos/ttcn3 +6 -0
  66. data/lib/rouge/demos/vcl +12 -0
  67. data/lib/rouge/demos/xojo +14 -0
  68. data/lib/rouge/demos/xpath +2 -0
  69. data/lib/rouge/demos/xquery +22 -0
  70. data/lib/rouge/demos/yang +17 -0
  71. data/lib/rouge/formatter.rb +39 -2
  72. data/lib/rouge/formatters/html.rb +21 -2
  73. data/lib/rouge/formatters/html_inline.rb +1 -0
  74. data/lib/rouge/formatters/html_legacy.rb +1 -0
  75. data/lib/rouge/formatters/html_line_table.rb +53 -0
  76. data/lib/rouge/formatters/html_linewise.rb +7 -11
  77. data/lib/rouge/formatters/html_pygments.rb +2 -0
  78. data/lib/rouge/formatters/html_table.rb +21 -31
  79. data/lib/rouge/formatters/null.rb +1 -0
  80. data/lib/rouge/formatters/terminal256.rb +23 -5
  81. data/lib/rouge/formatters/terminal_truecolor.rb +37 -0
  82. data/lib/rouge/formatters/tex.rb +92 -0
  83. data/lib/rouge/guesser.rb +2 -0
  84. data/lib/rouge/guessers/disambiguation.rb +48 -0
  85. data/lib/rouge/guessers/filename.rb +2 -0
  86. data/lib/rouge/guessers/glob_mapping.rb +3 -1
  87. data/lib/rouge/guessers/mimetype.rb +2 -0
  88. data/lib/rouge/guessers/modeline.rb +3 -1
  89. data/lib/rouge/guessers/source.rb +3 -1
  90. data/lib/rouge/guessers/util.rb +2 -0
  91. data/lib/rouge/lexer.rb +71 -15
  92. data/lib/rouge/lexers/abap.rb +13 -11
  93. data/lib/rouge/lexers/actionscript.rb +35 -34
  94. data/lib/rouge/lexers/ada.rb +162 -0
  95. data/lib/rouge/lexers/apache.rb +13 -15
  96. data/lib/rouge/lexers/apache/keywords.rb +15 -0
  97. data/lib/rouge/lexers/apex.rb +126 -0
  98. data/lib/rouge/lexers/apiblueprint.rb +2 -0
  99. data/lib/rouge/lexers/apple_script.rb +17 -14
  100. data/lib/rouge/lexers/armasm.rb +145 -0
  101. data/lib/rouge/lexers/awk.rb +26 -25
  102. data/lib/rouge/lexers/batchfile.rb +164 -0
  103. data/lib/rouge/lexers/bbcbasic.rb +112 -0
  104. data/lib/rouge/lexers/biml.rb +6 -4
  105. data/lib/rouge/lexers/bpf.rb +118 -0
  106. data/lib/rouge/lexers/brainfuck.rb +53 -0
  107. data/lib/rouge/lexers/bsl.rb +13 -12
  108. data/lib/rouge/lexers/c.rb +36 -58
  109. data/lib/rouge/lexers/ceylon.rb +7 -34
  110. data/lib/rouge/lexers/cfscript.rb +27 -26
  111. data/lib/rouge/lexers/clean.rb +156 -0
  112. data/lib/rouge/lexers/clojure.rb +15 -14
  113. data/lib/rouge/lexers/cmake.rb +16 -14
  114. data/lib/rouge/lexers/cmhg.rb +34 -0
  115. data/lib/rouge/lexers/coffeescript.rb +90 -49
  116. data/lib/rouge/lexers/common_lisp.rb +39 -38
  117. data/lib/rouge/lexers/conf.rb +7 -6
  118. data/lib/rouge/lexers/console.rb +92 -38
  119. data/lib/rouge/lexers/coq.rb +27 -23
  120. data/lib/rouge/lexers/cpp.rb +24 -13
  121. data/lib/rouge/lexers/crystal.rb +430 -0
  122. data/lib/rouge/lexers/csharp.rb +29 -29
  123. data/lib/rouge/lexers/css.rb +24 -23
  124. data/lib/rouge/lexers/csvs.rb +44 -0
  125. data/lib/rouge/lexers/cuda.rb +35 -0
  126. data/lib/rouge/lexers/cypher.rb +108 -0
  127. data/lib/rouge/lexers/cython.rb +151 -0
  128. data/lib/rouge/lexers/d.rb +64 -63
  129. data/lib/rouge/lexers/dart.rb +34 -33
  130. data/lib/rouge/lexers/datastudio.rb +138 -0
  131. data/lib/rouge/lexers/diff.rb +10 -4
  132. data/lib/rouge/lexers/digdag.rb +3 -1
  133. data/lib/rouge/lexers/docker.rb +12 -11
  134. data/lib/rouge/lexers/dot.rb +19 -18
  135. data/lib/rouge/lexers/ecl.rb +175 -0
  136. data/lib/rouge/lexers/eex.rb +52 -0
  137. data/lib/rouge/lexers/eiffel.rb +21 -20
  138. data/lib/rouge/lexers/elixir.rb +52 -36
  139. data/lib/rouge/lexers/elm.rb +90 -0
  140. data/lib/rouge/lexers/epp.rb +51 -0
  141. data/lib/rouge/lexers/erb.rb +5 -4
  142. data/lib/rouge/lexers/erlang.rb +1 -0
  143. data/lib/rouge/lexers/escape.rb +58 -0
  144. data/lib/rouge/lexers/factor.rb +41 -40
  145. data/lib/rouge/lexers/fortran.rb +36 -34
  146. data/lib/rouge/lexers/freefem.rb +240 -0
  147. data/lib/rouge/lexers/fsharp.rb +34 -32
  148. data/lib/rouge/lexers/gdscript.rb +171 -0
  149. data/lib/rouge/lexers/ghc_cmm.rb +340 -0
  150. data/lib/rouge/lexers/ghc_core.rb +151 -0
  151. data/lib/rouge/lexers/gherkin.rb +17 -14
  152. data/lib/rouge/lexers/gherkin/keywords.rb +2 -0
  153. data/lib/rouge/lexers/glsl.rb +2 -5
  154. data/lib/rouge/lexers/go.rb +3 -2
  155. data/lib/rouge/lexers/gradle.rb +1 -0
  156. data/lib/rouge/lexers/graphql.rb +78 -60
  157. data/lib/rouge/lexers/groovy.rb +24 -25
  158. data/lib/rouge/lexers/hack.rb +49 -0
  159. data/lib/rouge/lexers/haml.rb +26 -29
  160. data/lib/rouge/lexers/handlebars.rb +32 -20
  161. data/lib/rouge/lexers/haskell.rb +78 -62
  162. data/lib/rouge/lexers/haxe.rb +246 -0
  163. data/lib/rouge/lexers/hcl.rb +163 -0
  164. data/lib/rouge/lexers/hocon.rb +86 -0
  165. data/lib/rouge/lexers/hql.rb +139 -0
  166. data/lib/rouge/lexers/html.rb +36 -33
  167. data/lib/rouge/lexers/http.rb +10 -9
  168. data/lib/rouge/lexers/hylang.rb +15 -14
  169. data/lib/rouge/lexers/idlang.rb +34 -32
  170. data/lib/rouge/lexers/igorpro.rb +481 -225
  171. data/lib/rouge/lexers/ini.rb +13 -12
  172. data/lib/rouge/lexers/io.rb +10 -9
  173. data/lib/rouge/lexers/irb.rb +6 -5
  174. data/lib/rouge/lexers/isbl.rb +97 -0
  175. data/lib/rouge/lexers/isbl/builtins.rb +17 -0
  176. data/lib/rouge/lexers/java.rb +30 -26
  177. data/lib/rouge/lexers/javascript.rb +59 -61
  178. data/lib/rouge/lexers/jinja.rb +39 -22
  179. data/lib/rouge/lexers/jsl.rb +55 -0
  180. data/lib/rouge/lexers/json.rb +54 -11
  181. data/lib/rouge/lexers/json_doc.rb +8 -5
  182. data/lib/rouge/lexers/jsonnet.rb +19 -18
  183. data/lib/rouge/lexers/jsp.rb +120 -0
  184. data/lib/rouge/lexers/jsx.rb +18 -16
  185. data/lib/rouge/lexers/julia.rb +192 -74
  186. data/lib/rouge/lexers/kotlin.rb +79 -27
  187. data/lib/rouge/lexers/lasso.rb +54 -58
  188. data/lib/rouge/lexers/lasso/keywords.rb +14 -0
  189. data/lib/rouge/lexers/liquid.rb +116 -118
  190. data/lib/rouge/lexers/literate_coffeescript.rb +3 -2
  191. data/lib/rouge/lexers/literate_haskell.rb +6 -5
  192. data/lib/rouge/lexers/llvm.rb +66 -49
  193. data/lib/rouge/lexers/lua.rb +43 -4
  194. data/lib/rouge/lexers/lua/builtins.rb +2 -0
  195. data/lib/rouge/lexers/lustre.rb +79 -0
  196. data/lib/rouge/lexers/lutin.rb +33 -0
  197. data/lib/rouge/lexers/m68k.rb +143 -0
  198. data/lib/rouge/lexers/magik.rb +127 -0
  199. data/lib/rouge/lexers/make.rb +57 -34
  200. data/lib/rouge/lexers/markdown.rb +67 -39
  201. data/lib/rouge/lexers/mason.rb +110 -0
  202. data/lib/rouge/lexers/mathematica.rb +96 -0
  203. data/lib/rouge/lexers/mathematica/builtins.rb +13 -0
  204. data/lib/rouge/lexers/matlab.rb +26 -17
  205. data/lib/rouge/lexers/matlab/builtins.rb +4 -4
  206. data/lib/rouge/lexers/minizinc.rb +87 -0
  207. data/lib/rouge/lexers/moonscript.rb +4 -3
  208. data/lib/rouge/lexers/mosel.rb +64 -63
  209. data/lib/rouge/lexers/msgtrans.rb +26 -0
  210. data/lib/rouge/lexers/mxml.rb +19 -18
  211. data/lib/rouge/lexers/nasm.rb +43 -169
  212. data/lib/rouge/lexers/nesasm.rb +78 -0
  213. data/lib/rouge/lexers/nginx.rb +15 -14
  214. data/lib/rouge/lexers/nim.rb +4 -2
  215. data/lib/rouge/lexers/nix.rb +48 -42
  216. data/lib/rouge/lexers/objective_c.rb +5 -178
  217. data/lib/rouge/lexers/objective_c/common.rb +184 -0
  218. data/lib/rouge/lexers/objective_cpp.rb +31 -0
  219. data/lib/rouge/lexers/ocaml.rb +29 -64
  220. data/lib/rouge/lexers/ocaml/common.rb +53 -0
  221. data/lib/rouge/lexers/openedge.rb +429 -0
  222. data/lib/rouge/lexers/opentype_feature_file.rb +113 -0
  223. data/lib/rouge/lexers/pascal.rb +6 -5
  224. data/lib/rouge/lexers/perl.rb +103 -68
  225. data/lib/rouge/lexers/php.rb +94 -54
  226. data/lib/rouge/lexers/php/builtins.rb +183 -174
  227. data/lib/rouge/lexers/plain_text.rb +2 -1
  228. data/lib/rouge/lexers/plist.rb +16 -14
  229. data/lib/rouge/lexers/pony.rb +21 -20
  230. data/lib/rouge/lexers/powershell.rb +191 -639
  231. data/lib/rouge/lexers/praat.rb +76 -75
  232. data/lib/rouge/lexers/prolog.rb +27 -19
  233. data/lib/rouge/lexers/prometheus.rb +32 -30
  234. data/lib/rouge/lexers/properties.rb +13 -12
  235. data/lib/rouge/lexers/protobuf.rb +23 -22
  236. data/lib/rouge/lexers/puppet.rb +33 -32
  237. data/lib/rouge/lexers/python.rb +124 -98
  238. data/lib/rouge/lexers/q.rb +17 -14
  239. data/lib/rouge/lexers/qml.rb +13 -12
  240. data/lib/rouge/lexers/r.rb +13 -13
  241. data/lib/rouge/lexers/racket.rb +47 -22
  242. data/lib/rouge/lexers/reasonml.rb +65 -0
  243. data/lib/rouge/lexers/rego.rb +45 -0
  244. data/lib/rouge/lexers/robot_framework.rb +249 -0
  245. data/lib/rouge/lexers/ruby.rb +88 -71
  246. data/lib/rouge/lexers/rust.rb +47 -46
  247. data/lib/rouge/lexers/sas.rb +563 -0
  248. data/lib/rouge/lexers/sass.rb +11 -10
  249. data/lib/rouge/lexers/sass/common.rb +41 -40
  250. data/lib/rouge/lexers/scala.rb +67 -40
  251. data/lib/rouge/lexers/scheme.rb +19 -18
  252. data/lib/rouge/lexers/scss.rb +6 -5
  253. data/lib/rouge/lexers/sed.rb +31 -30
  254. data/lib/rouge/lexers/shell.rb +83 -62
  255. data/lib/rouge/lexers/sieve.rb +10 -9
  256. data/lib/rouge/lexers/slice.rb +32 -0
  257. data/lib/rouge/lexers/slim.rb +27 -26
  258. data/lib/rouge/lexers/smalltalk.rb +34 -33
  259. data/lib/rouge/lexers/smarty.rb +20 -19
  260. data/lib/rouge/lexers/sml.rb +68 -67
  261. data/lib/rouge/lexers/solidity.rb +185 -0
  262. data/lib/rouge/lexers/sparql.rb +129 -0
  263. data/lib/rouge/lexers/sqf.rb +109 -0
  264. data/lib/rouge/lexers/sqf/commands.rb +15 -0
  265. data/lib/rouge/lexers/sql.rb +47 -26
  266. data/lib/rouge/lexers/supercollider.rb +116 -0
  267. data/lib/rouge/lexers/swift.rb +63 -38
  268. data/lib/rouge/lexers/tap.rb +22 -20
  269. data/lib/rouge/lexers/tcl.rb +28 -27
  270. data/lib/rouge/lexers/terraform.rb +128 -0
  271. data/lib/rouge/lexers/tex.rb +20 -19
  272. data/lib/rouge/lexers/toml.rb +59 -20
  273. data/lib/rouge/lexers/tsx.rb +1 -0
  274. data/lib/rouge/lexers/ttcn3.rb +119 -0
  275. data/lib/rouge/lexers/tulip.rb +38 -36
  276. data/lib/rouge/lexers/turtle.rb +36 -38
  277. data/lib/rouge/lexers/twig.rb +1 -0
  278. data/lib/rouge/lexers/typescript.rb +12 -0
  279. data/lib/rouge/lexers/typescript/common.rb +1 -0
  280. data/lib/rouge/lexers/vala.rb +19 -18
  281. data/lib/rouge/lexers/varnish.rb +168 -0
  282. data/lib/rouge/lexers/vb.rb +28 -27
  283. data/lib/rouge/lexers/verilog.rb +27 -28
  284. data/lib/rouge/lexers/vhdl.rb +13 -12
  285. data/lib/rouge/lexers/viml.rb +15 -14
  286. data/lib/rouge/lexers/viml/keywords.rb +2 -0
  287. data/lib/rouge/lexers/vue.rb +19 -12
  288. data/lib/rouge/lexers/wollok.rb +27 -26
  289. data/lib/rouge/lexers/xml.rb +18 -21
  290. data/lib/rouge/lexers/xojo.rb +61 -0
  291. data/lib/rouge/lexers/xpath.rb +332 -0
  292. data/lib/rouge/lexers/xquery.rb +145 -0
  293. data/lib/rouge/lexers/yaml.rb +64 -61
  294. data/lib/rouge/lexers/yang.rb +147 -0
  295. data/lib/rouge/plugins/redcarpet.rb +9 -2
  296. data/lib/rouge/regex_lexer.rb +27 -25
  297. data/lib/rouge/template_lexer.rb +1 -0
  298. data/lib/rouge/tex_theme_renderer.rb +132 -0
  299. data/lib/rouge/text_analyzer.rb +1 -0
  300. data/lib/rouge/theme.rb +5 -0
  301. data/lib/rouge/themes/base16.rb +1 -0
  302. data/lib/rouge/themes/bw.rb +41 -0
  303. data/lib/rouge/themes/colorful.rb +1 -0
  304. data/lib/rouge/themes/github.rb +1 -0
  305. data/lib/rouge/themes/gruvbox.rb +1 -0
  306. data/lib/rouge/themes/igor_pro.rb +1 -0
  307. data/lib/rouge/themes/magritte.rb +78 -0
  308. data/lib/rouge/themes/molokai.rb +1 -0
  309. data/lib/rouge/themes/monokai.rb +1 -0
  310. data/lib/rouge/themes/monokai_sublime.rb +4 -1
  311. data/lib/rouge/themes/pastie.rb +2 -1
  312. data/lib/rouge/themes/thankful_eyes.rb +2 -1
  313. data/lib/rouge/themes/tulip.rb +2 -1
  314. data/lib/rouge/token.rb +31 -22
  315. data/lib/rouge/util.rb +3 -2
  316. data/lib/rouge/version.rb +2 -1
  317. data/rouge.gemspec +8 -1
  318. metadata +141 -7
  319. data/lib/rouge/lexers/apache/keywords.yml +0 -764
  320. data/lib/rouge/lexers/lasso/keywords.yml +0 -446
@@ -0,0 +1,110 @@
1
+ # -*- coding: utf-8 -*- #
2
+ # frozen_string_literal: true
3
+
4
+ module Rouge
5
+ module Lexers
6
+ class Mason < TemplateLexer
7
+ title 'Mason'
8
+ desc 'The HTML::Mason framework (https://metacpan.org/pod/HTML::Mason)'
9
+ tag 'mason'
10
+ filenames '*.mi', '*.mc', '*.mas', '*.m', '*.mhtml', '*.mcomp', 'autohandler', 'dhandler'
11
+ mimetypes 'text/x-mason', 'application/x-mason'
12
+
13
+ def initialize(*)
14
+ super
15
+ @perl = Perl.new
16
+ end
17
+
18
+ # Note: If you add a tag in the lines below, you also need to modify "disambiguate '*.m'" in file disambiguation.rb
19
+ TEXT_BLOCKS = %w(text doc)
20
+ PERL_BLOCKS = %w(args flags attr init once shared perl cleanup filter)
21
+ COMPONENTS = %w(def method)
22
+
23
+ state :root do
24
+ mixin :mason_tags
25
+ end
26
+
27
+ state :mason_tags do
28
+ rule %r/\s+/, Text::Whitespace
29
+
30
+ rule %r/<%(#{TEXT_BLOCKS.join('|')})>/oi, Comment::Preproc, :text_block
31
+
32
+ rule %r/<%(#{PERL_BLOCKS.join('|')})>/oi, Comment::Preproc, :perl_block
33
+
34
+ rule %r/(<%(#{COMPONENTS.join('|')}))([^>]*)(>)/oi do |m|
35
+ token Comment::Preproc, m[1]
36
+ token Name, m[3]
37
+ token Comment::Preproc, m[4]
38
+ push :component_block
39
+ end
40
+
41
+ # perl line
42
+ rule %r/^(%)(.*)$/ do |m|
43
+ token Comment::Preproc, m[1]
44
+ delegate @perl, m[2]
45
+ end
46
+
47
+ # start of component call
48
+ rule %r/<%/, Comment::Preproc, :component_call
49
+
50
+ # start of component with content
51
+ rule %r/<&\|/ do
52
+ token Comment::Preproc
53
+ push :component_with_content
54
+ push :component_sub
55
+ end
56
+
57
+ # start of component substitution
58
+ rule %r/<&/, Comment::Preproc, :component_sub
59
+
60
+ # fallback to HTML until a mason tag is encountered
61
+ rule(/(.+?)(?=(<\/?&|<\/?%|^%|^#))/m) { delegate parent }
62
+
63
+ # if we get here, there's no more mason tags, so we parse the rest of the doc as HTML
64
+ rule(/.+/m) { delegate parent }
65
+ end
66
+
67
+ state :perl_block do
68
+ rule %r/<\/%(#{PERL_BLOCKS.join('|')})>/oi, Comment::Preproc, :pop!
69
+ rule %r/\s+/, Text::Whitespace
70
+ rule %r/^(#.*)$/, Comment
71
+ rule(/(.*?[^"])(?=<\/%)/m) { delegate @perl }
72
+ end
73
+
74
+ state :text_block do
75
+ rule %r/<\/%(#{TEXT_BLOCKS.join('|')})>/oi, Comment::Preproc, :pop!
76
+ rule %r/\s+/, Text::Whitespace
77
+ rule %r/^(#.*)$/, Comment
78
+ rule %r/(.*?[^"])(?=<\/%)/m, Comment
79
+ end
80
+
81
+ state :component_block do
82
+ rule %r/<\/%(#{COMPONENTS.join('|')})>/oi, Comment::Preproc, :pop!
83
+ rule %r/\s+/, Text::Whitespace
84
+ rule %r/^(#.*)$/, Comment
85
+ mixin :mason_tags
86
+ end
87
+
88
+ state :component_with_content do
89
+ rule %r/<\/&>/ do
90
+ token Comment::Preproc
91
+ pop!
92
+ end
93
+
94
+ mixin :mason_tags
95
+ end
96
+
97
+ state :component_sub do
98
+ rule %r/&>/, Comment::Preproc, :pop!
99
+
100
+ rule(/(.*?)(?=&>)/m) { delegate @perl }
101
+ end
102
+
103
+ state :component_call do
104
+ rule %r/%>/, Comment::Preproc, :pop!
105
+
106
+ rule(/(.*?)(?=%>)/m) { delegate @perl }
107
+ end
108
+ end
109
+ end
110
+ end
@@ -0,0 +1,96 @@
1
+ # -*- coding: utf-8 -*- #
2
+ # frozen_string_literal: true
3
+
4
+ module Rouge
5
+ module Lexers
6
+ class Mathematica < RegexLexer
7
+ title "Mathematica"
8
+ desc "Wolfram Mathematica, the world's definitive system for modern technical computing."
9
+ tag 'mathematica'
10
+ aliases 'wl'
11
+ filenames '*.m', '*.wl'
12
+ mimetypes 'application/vnd.wolfram.mathematica.package', 'application/vnd.wolfram.wl'
13
+
14
+ # Mathematica has various input forms for numbers. We need to handle numbers in bases, precision, accuracy,
15
+ # and *^ scientific notation. All this works for integers and real numbers. Some examples
16
+ # 1 1234567 1.1 .3 0.2 1*^10 2*^+10 3*^-10
17
+ # 1`1 1``1 1.2` 1.2``1.234*^-10 1.2``1.234*^+10 1.2``1.234*^10
18
+ # 2^^01001 10^^1.2``20.1234*^-10
19
+ base = /(?:\d+)/
20
+ number = /(?:\.\d+|\d+\.\d*|\d+)/
21
+ number_base = /(?:\.\w+|\w+\.\w*|\w+)/
22
+ precision = /`(`?#{number})?/
23
+
24
+ operators = /[+\-*\/|,;.:@~=><&`'^?!_%]/
25
+ braces = /[\[\](){}]/
26
+
27
+ string = /"(\\\\|\\"|[^"])*"/
28
+
29
+ # symbols and namespaced symbols. Note the special form \[Gamma] for named characters. These are also symbols.
30
+ # Module With Block Integrate Table Plot
31
+ # x32 $x x$ $Context` Context123`$x `Private`Context
32
+ # \[Gamma] \[Alpha]x32 Context`\[Xi]
33
+ identifier = /[a-zA-Z$][$a-zA-Z0-9]*/
34
+ named_character = /\\\[#{identifier}\]/
35
+ symbol = /(#{identifier}|#{named_character})+/
36
+ context_symbol = /`?#{symbol}(`#{symbol})*`?/
37
+
38
+ # Slots for pure functions.
39
+ # Examples: # ## #1 ##3 #Test #"Test" #[Test] #["Test"]
40
+ association_slot = /#(#{identifier}|\"#{identifier}\")/
41
+ slot = /#{association_slot}|#[0-9]*/
42
+
43
+ # Handling of message like symbol::usage or symbol::"argx"
44
+ message = /::(#{identifier}|#{string})/
45
+
46
+ # Highlighting of the special in and out markers that are prepended when you copy a cell
47
+ in_out = /(In|Out)\[[0-9]+\]:?=/
48
+
49
+ # Although Module, With and Block are normal built-in symbols, we give them a special treatment as they are
50
+ # the most important expressions for defining local variables
51
+ def self.keywords
52
+ @keywords = Set.new %w(
53
+ Module With Block
54
+ )
55
+ end
56
+
57
+ # The list of built-in symbols comes from a wolfram server and is created automatically by rake
58
+ def self.builtins
59
+ load File.join(Lexers::BASE_DIR, 'mathematica/builtins.rb')
60
+ self.builtins
61
+ end
62
+
63
+ state :root do
64
+ rule %r/\s+/, Text::Whitespace
65
+ rule %r/\(\*/, Comment, :comment
66
+ rule %r/#{base}\^\^#{number_base}#{precision}?(\*\^[+-]?\d+)?/, Num # a number with a base
67
+ rule %r/(?:#{number}#{precision}?(?:\*\^[+-]?\d+)?)/, Num # all other numbers
68
+ rule message, Name::Tag
69
+ rule in_out, Generic::Prompt
70
+ rule %r/#{context_symbol}/m do |m|
71
+ match = m[0]
72
+ if self.class.keywords.include? match
73
+ token Name::Builtin::Pseudo
74
+ elsif self.class.builtins.include? match
75
+ token Name::Builtin
76
+ else
77
+ token Name::Variable
78
+ end
79
+ end
80
+ rule slot, Name::Function
81
+ rule operators, Operator
82
+ rule braces, Punctuation
83
+ rule string, Str
84
+ end
85
+
86
+ # Allow for nested comments and special treatment of ::Section:: or :Author: markup
87
+ state :comment do
88
+ rule %r/\(\*/, Comment, :comment
89
+ rule %r/\*\)/, Comment, :pop!
90
+ rule %r/::#{identifier}::/, Comment::Preproc
91
+ rule %r/[ ]:(#{identifier}|[^\S])+:[ ]/, Comment::Preproc
92
+ rule %r/./, Comment
93
+ end
94
+ end
95
+ end
96
+ end
@@ -0,0 +1,13 @@
1
+ # -*- coding: utf-8 -*- #
2
+ # frozen_string_literal: true
3
+
4
+ # automatically generated by `rake builtins:mathematica`
5
+ module Rouge
6
+ module Lexers
7
+ class Mathematica
8
+ def self.builtins
9
+ @builtins ||= Set.new %w(AASTriangle AnchoredSearch Assert AbelianGroup And AssociateTo Abort AndersonDarlingTest Association AbortKernels AngerJ AssociationFormat AbortProtect AngleBracket AssociationMap Above AnglePath AssociationQ Abs AnglePath3D AssociationThread AbsArg AngleVector AssumeDeterministic AbsoluteCorrelation AngularGauge Assuming AbsoluteCorrelationFunction Animate Assumptions AbsoluteCurrentValue AnimationDirection AsymptoticOutputTracker AbsoluteDashing AnimationRate Asynchronous AbsoluteFileName AnimationRepetitions AsynchronousTaskObject AbsoluteOptions AnimationRunning AsynchronousTasks AbsolutePointSize AnimationRunTime AtomQ AbsoluteThickness AnimationTimeIndex Attributes AbsoluteTime Animator Audio AbsoluteTiming Annotation AudioAmplify AccountingForm Annuity AudioBlockMap Accumulate AnnuityDue AudioCapture Accuracy Annulus AudioChannelAssignment AccuracyGoal Anonymous AudioChannelCombine ActionMenu Antialiasing AudioChannelMix Activate AntihermitianMatrixQ AudioChannels ActiveClassification Antisymmetric AudioChannelSeparate ActiveClassificationObject AntisymmetricMatrixQ AudioData ActivePrediction AnyOrder AudioDelay ActivePredictionObject AnySubset AudioDelete ActiveStyle AnyTrue AudioFade AcyclicGraphQ Apart AudioFrequencyShift AddTo ApartSquareFree AudioGenerator AddUsers APIFunction AudioInputDevice AdjacencyGraph Appearance AudioInsert AdjacencyList AppearanceElements AudioIntervals AdjacencyMatrix AppearanceRules AudioJoin AdjustmentBox AppellF1 AudioLabel AdjustmentBoxOptions Append AudioLength AdjustTimeSeriesForecast AppendTo AudioLocalMeasurements AdministrativeDivisionData Apply AudioLoudness AffineHalfSpace ArcCos AudioMeasurements AffineSpace ArcCosh AudioNormalize AffineStateSpaceModel ArcCot AudioOutputDevice AffineTransform ArcCoth AudioOverlay After ArcCsc AudioPad AggregationLayer ArcCsch AudioPan AircraftData ArcCurvature AudioPartition AirportData ARCHProcess AudioPause AirPressureData ArcLength AudioPitchShift AirTemperatureData ArcSec AudioPlay AiryAi ArcSech AudioPlot AiryAiPrime ArcSin AudioQ AiryAiZero ArcSinDistribution AudioReplace AiryBi ArcSinh AudioResample AiryBiPrime ArcTan AudioReverb AiryBiZero ArcTanh AudioSampleRate AlgebraicIntegerQ Area AudioSpectralMap AlgebraicNumber Arg AudioSpectralTransformation AlgebraicNumberDenominator ArgMax AudioSplit AlgebraicNumberNorm ArgMin AudioStop AlgebraicNumberPolynomial ARIMAProcess AudioStream AlgebraicNumberTrace ArithmeticGeometricMean AudioStreams Algebraics ARMAProcess AudioTimeStretch AlgebraicUnitQ ARProcess AudioTrim Alignment Array AudioType AlignmentPoint ArrayComponents AugmentedSymmetricPolynomial All ArrayDepth Authentication AllowedCloudExtraParameters ArrayFilter AutoAction AllowedCloudParameterExtensions ArrayFlatten Autocomplete AllowedDimensions ArrayMesh AutocompletionFunction AllowGroupClose ArrayPad AutoCopy AllowInlineCells ArrayPlot AutocorrelationTest AllowLooseGrammar ArrayQ AutoDelete AllowReverseGroupClose ArrayResample AutoIndent AllTrue ArrayReshape AutoItalicWords Alphabet ArrayRules Automatic AlphabeticOrder Arrays AutoMultiplicationSymbol AlphabeticSort Arrow AutoRefreshed AlphaChannel Arrowheads AutoRemove AlternateImage ASATriangle AutorunSequencing AlternatingFactorial Ask AutoScroll AlternatingGroup AskAppend AutoSpacing AlternativeHypothesis AskConfirm AutoSubmitting Alternatives AskDisplay Axes AltitudeMethod AskedQ AxesEdge AmbiguityFunction AskedValue AxesLabel AmbiguityList AskFunction AxesOrigin AnatomyData AskState AxesStyle AnatomyForm AskTemplateDisplay Axis AnatomyPlot3D AspectRatio BabyMonsterGroupB BetaPrimeDistribution BooleanMinimize Back BetaRegularized BooleanMinterms Background Between BooleanQ Backslash BetweennessCentrality BooleanRegion Backward BezierCurve Booleans Ball BezierFunction BooleanStrings Band BilateralFilter BooleanTable BandpassFilter Binarize BooleanVariables BandstopFilter BinaryDeserialize BorderDimensions BarabasiAlbertGraphDistribution BinaryDistance BorelTannerDistribution BarChart BinaryFormat Bottom BarChart3D BinaryImageQ BottomHatTransform BarcodeImage BinaryRead BoundaryDiscretizeGraphics BarcodeRecognize BinaryReadList BoundaryDiscretizeRegion BaringhausHenzeTest BinarySerialize BoundaryMesh BarLegend BinaryWrite BoundaryMeshRegion BarlowProschanImportance BinCounts BoundaryMeshRegionQ BarnesG BinLists BoundaryStyle BarOrigin Binomial BoundedRegionQ BarSpacing BinomialDistribution BoundingRegion BartlettHannWindow BinomialProcess BoxData BartlettWindow BinormalDistribution Boxed BaseForm BiorthogonalSplineWavelet BoxMatrix Baseline BipartiteGraphQ BoxObject BaselinePosition BiquadraticFilterModel BoxRatios BaseStyle BirnbaumImportance BoxStyle BasicRecurrentLayer BirnbaumSaundersDistribution BoxWhiskerChart BatchNormalizationLayer BitAnd BracketingBar BatchSize BitClear BrayCurtisDistance BatesDistribution BitGet BreadthFirstScan BattleLemarieWavelet BitLength Break BayesianMaximization BitNot BridgeData BayesianMaximizationObject BitOr BrightnessEqualize BayesianMinimization BitSet BroadcastStationData BayesianMinimizationObject BitShiftLeft Brown Because BitShiftRight BrownForsytheTest BeckmannDistribution BitXor BrownianBridgeProcess Beep BiweightLocation BSplineBasis Before BiweightMidvariance BSplineCurve Begin Black BSplineFunction BeginDialogPacket BlackmanHarrisWindow BSplineSurface BeginPackage BlackmanNuttallWindow BubbleChart BellB BlackmanWindow BubbleChart3D BellY Blank BubbleScale Below BlankNullSequence BubbleSizes BenfordDistribution BlankSequence BuildingData BeniniDistribution Blend BulletGauge BenktanderGibratDistribution Block BusinessDayQ BenktanderWeibullDistribution BlockMap ButterflyGraph BernoulliB BlockRandom ButterworthFilterModel BernoulliDistribution BlomqvistBeta Button BernoulliGraphDistribution BlomqvistBetaTest ButtonBar BernoulliProcess Blue ButtonBox BernsteinBasis Blur ButtonBoxOptions BesselFilterModel BodePlot ButtonData BesselI BohmanWindow ButtonFunction BesselJ Bold ButtonMinHeight BesselJZero Bookmarks ButtonNotebook BesselK Boole ButtonSource BesselY BooleanConsecutiveFunction Byte BesselYZero BooleanConvert ByteArray Beta BooleanCountingFunction ByteArrayQ BetaBinomialDistribution BooleanFunction ByteArrayToString BetaDistribution BooleanGraph ByteCount BetaNegativeBinomialDistribution BooleanMaxterms ByteOrdering C ClassifierInformation ContainsAll CachePersistence ClassifierMeasurements ContainsAny CalendarConvert ClassifierMeasurementsObject ContainsExactly CalendarData Classify ContainsNone CalendarType ClassPriors ContainsOnly Callout Clear ContentFieldOptions CalloutMarker ClearAll ContentLocationFunction CalloutStyle ClearAttributes ContentObject CallPacket ClearCookies ContentPadding CanberraDistance ClearPermissions ContentSelectable Cancel ClearSystemCache ContentSize CancelButton ClebschGordan Context CandlestickChart ClickPane Contexts CanonicalGraph Clip ContextToFileName CanonicalName ClippingStyle Continue CanonicalWarpingCorrespondence ClipPlanes ContinuedFraction CanonicalWarpingDistance ClipPlanesStyle ContinuedFractionK CantorMesh ClipRange ContinuousAction CantorStaircase Clock ContinuousMarkovProcess Cap ClockGauge ContinuousTask CapForm Close ContinuousTimeModelQ CapitalDifferentialD CloseKernels ContinuousWaveletData Capitalize ClosenessCentrality ContinuousWaveletTransform CapsuleShape Closing ContourDetect CaptureRunning CloudAccountData ContourLabels CarlemanLinearize CloudBase ContourPlot CarmichaelLambda CloudConnect ContourPlot3D CaseOrdering CloudDeploy Contours Cases CloudDirectory ContourShading CaseSensitive CloudDisconnect ContourStyle Cashflow CloudEvaluate ContraharmonicMean Casoratian CloudExport ContrastiveLossLayer Catalan CloudExpression Control CatalanNumber CloudExpressions ControlActive Catch CloudFunction ControllabilityGramian Catenate CloudGet ControllabilityMatrix CatenateLayer CloudImport ControllableDecomposition CauchyDistribution CloudLoggingData ControllableModelQ CauchyWindow CloudObject ControllerInformation CayleyGraph CloudObjects ControllerLinking CDF CloudPublish ControllerManipulate CDFDeploy CloudPut ControllerMethod CDFInformation CloudSave ControllerPath CDFWavelet CloudShare ControllerState Ceiling CloudSubmit ControlPlacement CelestialSystem CloudSymbol ControlsRendering Cell ClusterClassify ControlType CellAutoOverwrite ClusterDissimilarityFunction Convergents CellBaseline ClusteringComponents ConversionRules CellBracketOptions ClusteringTree ConvexHullMesh CellChangeTimes CMYKColor ConvolutionLayer CellContext CodeAssistOptions Convolve CellDingbat Coefficient ConwayGroupCo1 CellDynamicExpression CoefficientArrays ConwayGroupCo2 CellEditDuplicate CoefficientList ConwayGroupCo3 CellEpilog CoefficientRules CookieFunction CellEvaluationDuplicate CoifletWavelet CoordinateBoundingBox CellEvaluationFunction Collect CoordinateBoundingBoxArray CellEventActions Colon CoordinateBounds CellFrame ColorBalance CoordinateBoundsArray CellFrameColor ColorCombine CoordinateChartData CellFrameLabelMargins ColorConvert CoordinatesToolOptions CellFrameLabels ColorCoverage CoordinateTransform CellFrameMargins ColorData CoordinateTransformData CellGroup ColorDataFunction CoprimeQ CellGroupData ColorDistance Coproduct CellGrouping ColorFunction CopulaDistribution CellID ColorFunctionScaling Copyable CellLabel Colorize CopyDatabin CellLabelAutoDelete ColorNegate CopyDirectory CellMargins ColorProfileData CopyFile CellObject ColorQ CopyToClipboard CellOpen ColorQuantize CornerFilter CellPrint ColorReplace CornerNeighbors CellProlog ColorRules Correlation Cells ColorSeparate CorrelationDistance CellStyle ColorSetter CorrelationFunction CellTags ColorSlider CorrelationTest CellularAutomaton ColorSpace Cos CensoredDistribution ColorToneMapping Cosh Censoring Column CoshIntegral Center ColumnAlignments CosineDistance CenterArray ColumnLines CosineWindow CenterDot ColumnsEqual CosIntegral CentralFeature ColumnSpacings Cot CentralMoment ColumnWidths Coth CentralMomentGeneratingFunction CombinerFunction Count Cepstrogram CometData CountDistinct CepstrogramArray Commonest CountDistinctBy CepstrumArray CommonestFilter CountRoots CForm CommonName CountryData ChampernowneNumber CommonUnits Counts ChannelBase CommunityBoundaryStyle CountsBy ChannelBrokerAction CommunityGraphPlot Covariance ChannelDatabin CommunityLabels CovarianceEstimatorFunction ChannelListen CommunityRegionStyle CovarianceFunction ChannelListener CompanyData CoxianDistribution ChannelListeners CompatibleUnitQ CoxIngersollRossProcess ChannelObject CompilationOptions CoxModel ChannelPreSendFunction CompilationTarget CoxModelFit ChannelReceiverFunction Compile CramerVonMisesTest ChannelSend Compiled CreateArchive ChannelSubscribers CompiledFunction CreateCellID ChanVeseBinarize Complement CreateChannel Character CompleteGraph CreateCloudExpression CharacterCounts CompleteGraphQ CreateDatabin CharacterEncoding CompleteKaryTree CreateDialog CharacteristicFunction Complex CreateDirectory CharacteristicPolynomial Complexes CreateDocument CharacterName ComplexExpand CreateFile CharacterRange ComplexInfinity CreateIntermediateDirectories Characters ComplexityFunction CreateManagedLibraryExpression ChartBaseStyle ComponentMeasurements CreateNotebook ChartElementFunction ComposeList CreatePalette ChartElements ComposeSeries CreatePermissionsGroup ChartLabels CompositeQ CreateSearchIndex ChartLayout Composition CreateUUID ChartLegends CompoundElement CreateWindow ChartStyle CompoundExpression CriterionFunction Chebyshev1FilterModel CompoundPoissonDistribution CriticalityFailureImportance Chebyshev2FilterModel CompoundPoissonProcess CriticalitySuccessImportance ChebyshevT CompoundRenewalProcess CriticalSection ChebyshevU Compress Cross Check Condition CrossEntropyLossLayer CheckAbort ConditionalExpression CrossingDetect Checkbox Conditioned CrossMatrix CheckboxBar Cone Csc ChemicalData ConfidenceLevel Csch ChessboardDistance ConfidenceRange CubeRoot ChiDistribution ConfidenceTransform Cubics ChineseRemainder ConformAudio Cuboid ChiSquareDistribution ConformImages Cumulant ChoiceButtons Congruent CumulantGeneratingFunction ChoiceDialog ConicHullRegion Cup CholeskyDecomposition Conjugate CupCap Chop ConjugateTranspose Curl ChromaticityPlot Conjunction CurrencyConvert ChromaticityPlot3D ConnectedComponents CurrentDate ChromaticPolynomial ConnectedGraphComponents CurrentImage Circle ConnectedGraphQ CurrentNotebookImage CircleDot ConnectedMeshComponents CurrentScreenImage CircleMinus ConnectLibraryCallbackFunction CurrentValue CirclePlus ConnesWindow CurvatureFlowFilter CirclePoints ConoverTest CurveClosed CircleTimes Constant Cyan CirculantGraph ConstantArray CycleGraph CircularOrthogonalMatrixDistribution ConstantArrayLayer CycleIndexPolynomial CircularQuaternionMatrixDistribution ConstantImage Cycles CircularRealMatrixDistribution ConstantPlusLayer CyclicGroup CircularSymplecticMatrixDistribution ConstantRegionQ Cyclotomic CircularUnitaryMatrixDistribution Constants Cylinder Circumsphere ConstantTimesLayer CylindricalDecomposition CityData ConstellationData ClassifierFunction Containing D DeletePermissionsKey DiscreteMaxLimit DagumDistribution DeleteSearchIndex DiscreteMinLimit DamData DeleteSmallComponents DiscretePlot DamerauLevenshteinDistance DeleteStopwords DiscretePlot3D Darker DelimitedSequence DiscreteRatio Dashed Delimiter DiscreteRiccatiSolve Dashing DelimiterFlashTime DiscreteShift Databin Delimiters DiscreteTimeModelQ DatabinAdd DeliveryFunction DiscreteUniformDistribution DatabinRemove Dendrogram DiscreteVariables Databins Denominator DiscreteWaveletData DatabinUpload DensityHistogram DiscreteWaveletPacketTransform DataDistribution DensityPlot DiscreteWaveletTransform DataRange DensityPlot3D DiscretizeGraphics DataReversed DependentVariables DiscretizeRegion Dataset Deploy Discriminant DateBounds Deployed DisjointQ Dated Depth Disjunction DateDifference DepthFirstScan Disk DatedUnit Derivative DiskMatrix DateFormat DerivativeFilter DiskSegment DateFunction DescriptorStateSpace Dispatch DateHistogram DesignMatrix DispersionEstimatorFunction DateList Det DisplayAllSteps DateListLogPlot DeviceClose DisplayEndPacket DateListPlot DeviceConfigure DisplayForm DateListStepPlot DeviceExecute DisplayFunction DateObject DeviceExecuteAsynchronous DisplayPacket DateObjectQ DeviceObject DistanceFunction DateOverlapsQ DeviceOpen DistanceMatrix DatePattern DeviceRead DistanceTransform DatePlus DeviceReadBuffer Distribute DateRange DeviceReadLatest Distributed DateReduction DeviceReadList DistributedContexts DateString DeviceReadTimeSeries DistributeDefinitions DateTicksFormat Devices DistributionChart DateValue DeviceStreams DistributionFitTest DateWithinQ DeviceWrite DistributionParameterAssumptions DaubechiesWavelet DeviceWriteBuffer DistributionParameterQ DavisDistribution DGaussianWavelet Dithering DawsonF Diagonal Div DayCount DiagonalizableMatrixQ Divide DayCountConvention DiagonalMatrix DivideBy DayHemisphere Dialog Dividers DaylightQ DialogInput Divisible DayMatchQ DialogNotebook Divisors DayName DialogProlog DivisorSigma DayNightTerminator DialogReturn DivisorSum DayPlus DialogSymbols DMSList DayRange Diamond DMSString DayRound DiamondMatrix Do DeBruijnGraph DiceDissimilarity DockedCells Decapitalize DictionaryLookup DocumentGenerator DecimalForm DictionaryWordQ DocumentGeneratorInformation DeclarePackage DifferenceDelta DocumentGenerators Decompose DifferenceQuotient DocumentNotebook DeconvolutionLayer DifferenceRoot DocumentWeightingRules Decrement DifferenceRootReduce DominantColors Decrypt Differences Dot DecryptFile DifferentialD DotDashed DedekindEta DifferentialRoot DotEqual DeepSpaceProbeData DifferentialRootReduce DotLayer Default DifferentiatorFilter Dotted DefaultAxesStyle DigitBlock DoubleBracketingBar DefaultBaseStyle DigitCharacter DoubleDownArrow DefaultBoxStyle DigitCount DoubleLeftArrow DefaultButton DigitQ DoubleLeftRightArrow DefaultDuplicateCellStyle DihedralGroup DoubleLeftTee DefaultDuration Dilation DoubleLongLeftArrow DefaultElement DimensionalCombinations DoubleLongLeftRightArrow DefaultFaceGridsStyle DimensionalMeshComponents DoubleLongRightArrow DefaultFieldHintStyle DimensionReduce DoubleRightArrow DefaultFrameStyle DimensionReducerFunction DoubleRightTee DefaultFrameTicksStyle DimensionReduction DoubleUpArrow DefaultGridLinesStyle Dimensions DoubleUpDownArrow DefaultLabelStyle DiracComb DoubleVerticalBar DefaultMenuStyle DiracDelta DownArrow DefaultNaturalLanguage DirectedEdge DownArrowBar DefaultNewCellStyle DirectedEdges DownArrowUpArrow DefaultOptions DirectedGraph DownLeftRightVector DefaultPrintPrecision DirectedGraphQ DownLeftTeeVector DefaultTicksStyle DirectedInfinity DownLeftVector DefaultTooltipStyle Direction DownLeftVectorBar Defer Directive DownRightTeeVector DefineInputStreamMethod Directory DownRightVector DefineOutputStreamMethod DirectoryName DownRightVectorBar Definition DirectoryQ Downsample Degree DirectoryStack DownTee DegreeCentrality DirichletBeta DownTeeArrow DegreeGraphDistribution DirichletCharacter DownValues DEigensystem DirichletCondition Drop DEigenvalues DirichletConvolve DropoutLayer Deinitialization DirichletDistribution DSolve Del DirichletEta DSolveValue DelaunayMesh DirichletL Dt Delayed DirichletLambda DualSystemsModel Deletable DirichletTransform DumpSave Delete DirichletWindow DuplicateFreeQ DeleteBorderComponents DisableFormatting Duration DeleteCases DiscreteChirpZTransform Dynamic DeleteChannel DiscreteConvolve DynamicEvaluationTimeout DeleteCloudExpression DiscreteDelta DynamicGeoGraphics DeleteContents DiscreteHadamardTransform DynamicImage DeleteDirectory DiscreteIndicator DynamicModule DeleteDuplicates DiscreteLimit DynamicModuleValues DeleteDuplicatesBy DiscreteLQEstimatorGains DynamicSetting DeleteFile DiscreteLQRegulatorGains DynamicWrapper DeleteMissing DiscreteLyapunovSolve DeleteObject DiscreteMarkovProcess E Encrypt EvaluationElements EarthImpactData EncryptedObject EvaluationEnvironment EarthquakeData EncryptFile EvaluationMonitor EccentricityCentrality End EvaluationNotebook Echo EndDialogPacket EvaluationObject EchoFunction EndOfBuffer Evaluator EclipseType EndOfFile EvenQ EdgeAdd EndOfLine EventData EdgeBetweennessCentrality EndOfString EventHandler EdgeCapacity EndPackage EventLabels EdgeConnectivity EngineeringForm EventSeries EdgeContract EnterExpressionPacket ExactBlackmanWindow EdgeCost EnterTextPacket ExactNumberQ EdgeCount Entity ExampleData EdgeCoverQ EntityClass Except EdgeCycleMatrix EntityClassList ExcludedForms EdgeDelete EntityCopies ExcludedLines EdgeDetect EntityGroup ExcludedPhysicalQuantities EdgeForm EntityInstance ExcludePods EdgeIndex EntityList Exclusions EdgeLabeling EntityProperties ExclusionsStyle EdgeLabels EntityProperty Exists EdgeLabelStyle EntityPropertyClass Exit EdgeList EntityStore ExoplanetData EdgeQ EntityTypeName Exp EdgeRenderingFunction EntityValue Expand EdgeRules Entropy ExpandAll EdgeShapeFunction EntropyFilter ExpandDenominator EdgeStyle Environment ExpandFileName EdgeWeight Epilog ExpandNumerator Editable EpilogFunction Expectation EditDistance Equal ExpGammaDistribution EffectiveInterest EqualTilde ExpIntegralE Eigensystem EqualTo ExpIntegralEi Eigenvalues Equilibrium ExpirationDate EigenvectorCentrality EquirippleFilterKernel Exponent Eigenvectors Equivalent ExponentFunction Element Erf ExponentialDistribution ElementData Erfc ExponentialFamily ElementwiseLayer Erfi ExponentialGeneratingFunction ElidedForms ErlangB ExponentialMovingAverage Eliminate ErlangC ExponentialPowerDistribution Ellipsoid ErlangDistribution ExponentStep EllipticE Erosion Export EllipticExp ErrorBox ExportByteArray EllipticExpPrime EscapeRadius ExportForm EllipticF EstimatedBackground ExportString EllipticFilterModel EstimatedDistribution Expression EllipticK EstimatedProcess ExpressionCell EllipticLog EstimatorGains ExpToTrig EllipticNomeQ EstimatorRegulator ExtendedGCD EllipticPi EuclideanDistance Extension EllipticTheta EulerAngles ExtentElementFunction EllipticThetaPrime EulerE ExtentMarkers EmbedCode EulerGamma ExtentSize EmbeddedHTML EulerianGraphQ ExternalBundle EmbeddedService EulerMatrix ExternalEvaluate EmbeddingLayer EulerPhi ExternalOptions EmitSound Evaluatable ExternalSessionObject EmpiricalDistribution Evaluate ExternalSessions EmptyGraphQ EvaluatePacket ExternalTypeSignature EmptyRegion EvaluationBox Extract Enabled EvaluationCell ExtractArchive Encode EvaluationData ExtremeValueDistribution FaceForm FindFaces FormatType FaceGrids FindFile FormBox FaceGridsStyle FindFit FormBoxOptions Factor FindFormula FormControl Factorial FindFundamentalCycles FormFunction Factorial2 FindGeneratingFunction FormLayoutFunction FactorialMoment FindGeoLocation FormObject FactorialMomentGeneratingFunction FindGeometricTransform FormPage FactorialPower FindGraphCommunities FormulaData FactorInteger FindGraphIsomorphism FormulaLookup FactorList FindGraphPartition FortranForm FactorSquareFree FindHamiltonianCycle Forward FactorSquareFreeList FindHamiltonianPath ForwardBackward FactorTerms FindHiddenMarkovStates Fourier FactorTermsList FindIndependentEdgeSet FourierCoefficient Failure FindIndependentVertexSet FourierCosCoefficient FailureAction FindInstance FourierCosSeries FailureDistribution FindIntegerNullVector FourierCosTransform FailureQ FindKClan FourierDCT False FindKClique FourierDCTFilter FareySequence FindKClub FourierDCTMatrix FARIMAProcess FindKPlex FourierDST FeatureDistance FindLibrary FourierDSTMatrix FeatureExtract FindLinearRecurrence FourierMatrix FeatureExtraction FindList FourierParameters FeatureExtractor FindMaximum FourierSequenceTransform FeatureExtractorFunction FindMaximumFlow FourierSeries FeatureNames FindMaxValue FourierSinCoefficient FeatureNearest FindMeshDefects FourierSinSeries FeatureSpacePlot FindMinimum FourierSinTransform FeatureTypes FindMinimumCostFlow FourierTransform FeedbackLinearize FindMinimumCut FourierTrigSeries FeedbackSector FindMinValue FractionalBrownianMotionProcess FeedbackSectorStyle FindPath FractionalGaussianNoiseProcess FeedbackType FindPeaks FractionalPart FetalGrowthData FindPermutation FractionBox Fibonacci FindPostmanTour FractionBoxOptions Fibonorial FindProcessParameters Frame FieldCompletionFunction FindRepeat FrameBox FieldHint FindRoot FrameBoxOptions FieldHintStyle FindSequenceFunction Framed FieldMasked FindSettings FrameLabel FieldSize FindShortestPath FrameMargins File FindShortestTour FrameRate FileBaseName FindSpanningTree FrameStyle FileByteCount FindThreshold FrameTicks FileDate FindTransientRepeat FrameTicksStyle FileExistsQ FindVertexCover FRatioDistribution FileExtension FindVertexCut FrechetDistribution FileFormat FindVertexIndependentPaths FreeQ FileHash FinishDynamic FrenetSerretSystem FileNameDepth FiniteAbelianGroupCount FrequencySamplingFilterKernel FileNameDrop FiniteGroupCount FresnelC FileNameForms FiniteGroupData FresnelF FileNameJoin First FresnelG FileNames FirstCase FresnelS FileNameSetter FirstPassageTimeDistribution Friday FileNameSplit FirstPosition FrobeniusNumber FileNameTake FischerGroupFi22 FrobeniusSolve FilePrint FischerGroupFi23 FromAbsoluteTime FileSize FischerGroupFi24Prime FromCharacterCode FileSystemMap FisherHypergeometricDistribution FromCoefficientRules FileSystemScan FisherRatioTest FromContinuedFraction FileTemplate FisherZDistribution FromDigits FileTemplateApply Fit FromDMS FileType FittedModel FromEntity FilledCurve FixedOrder FromJulianDate Filling FixedPoint FromLetterNumber FillingStyle FixedPointList FromPolarCoordinates FillingTransform Flat FromRomanNumeral FilterRules Flatten FromSphericalCoordinates FinancialBond FlattenAt FromUnixTime FinancialData FlattenLayer Front FinancialDerivative FlatTopWindow FrontEndDynamicExpression FinancialIndicator FlipView FrontEndEventActions Find Floor FrontEndExecute FindArgMax FlowPolynomial FrontEndToken FindArgMin Fold FrontEndTokenExecute FindChannels FoldList Full FindClique FoldPair FullDefinition FindClusters FoldPairList FullForm FindCookies FollowRedirects FullGraphics FindCurvePath FontColor FullInformationOutputRegulator FindCycle FontFamily FullRegion FindDevices FontSize FullSimplify FindDistribution FontSlant Function FindDistributionParameters FontSubstitutions FunctionDomain FindDivisions FontTracking FunctionExpand FindEdgeCover FontVariations FunctionInterpolation FindEdgeCut FontWeight FunctionPeriod FindEdgeIndependentPaths For FunctionRange FindEulerianCycle ForAll FunctionSpace FindExternalEvaluators Format FussellVeselyImportance GaborFilter GeoGraphics GraphDifference GaborMatrix GeogravityModelData GraphDisjointUnion GaborWavelet GeoGridLines GraphDistance GainMargins GeoGridLinesStyle GraphDistanceMatrix GainPhaseMargins GeoGridPosition GraphEmbedding GalaxyData GeoGroup GraphHighlight GalleryView GeoHemisphere GraphHighlightStyle Gamma GeoHemisphereBoundary GraphHub GammaDistribution GeoHistogram Graphics GammaRegularized GeoIdentify Graphics3D GapPenalty GeoImage GraphicsColumn GARCHProcess GeoLabels GraphicsComplex GatedRecurrentLayer GeoLength GraphicsGrid Gather GeoListPlot GraphicsGroup GatherBy GeoLocation GraphicsRow GaugeFaceElementFunction GeologicalPeriodData GraphIntersection GaugeFaceStyle GeomagneticModelData GraphLayout GaugeFrameElementFunction GeoMarker GraphLinkEfficiency GaugeFrameSize GeometricBrownianMotionProcess GraphPeriphery GaugeFrameStyle GeometricDistribution GraphPlot GaugeLabels GeometricMean GraphPlot3D GaugeMarkers GeometricMeanFilter GraphPower GaugeStyle GeometricTransformation GraphPropertyDistribution GaussianFilter GeoModel GraphQ GaussianIntegers GeoNearest GraphRadius GaussianMatrix GeoPath GraphReciprocity GaussianOrthogonalMatrixDistribution GeoPosition GraphStyle GaussianSymplecticMatrixDistribution GeoPositionENU GraphUnion GaussianUnitaryMatrixDistribution GeoPositionXYZ Gray GaussianWindow GeoProjection GrayLevel GCD GeoProjectionData Greater GegenbauerC GeoRange GreaterEqual General GeoRangePadding GreaterEqualLess GeneralizedLinearModelFit GeoRegionValuePlot GreaterEqualThan GenerateAsymmetricKeyPair GeoScaleBar GreaterFullEqual GenerateConditions GeoServer GreaterGreater GeneratedCell GeoStyling GreaterLess GeneratedDocumentBinding GeoStylingImageFunction GreaterSlantEqual GenerateDocument GeoVariant GreaterThan GeneratedParameters GeoVisibleRegion GreaterTilde GenerateHTTPResponse GeoVisibleRegionBoundary Green GenerateSymmetricKey GeoWithinQ GreenFunction GeneratingFunction GeoZoomLevel Grid GeneratorDescription GestureHandler GridBox GeneratorHistoryLength Get GridDefaultElement GeneratorOutputType GetEnvironment GridGraph GenericCylindricalDecomposition Glaisher GridLines GenomeData GlobalClusteringCoefficient GridLinesStyle GenomeLookup Glow GroebnerBasis GeoAntipode GoldenAngle GroupActionBase GeoArea GoldenRatio GroupBy GeoBackground GompertzMakehamDistribution GroupCentralizer GeoBoundingBox GoodmanKruskalGamma GroupElementFromWord GeoBounds GoodmanKruskalGammaTest GroupElementPosition GeoBoundsRegion Goto GroupElementQ GeoBubbleChart Grad GroupElements GeoCenter Gradient GroupElementToWord GeoCircle GradientFilter GroupGenerators GeodesicClosing GradientOrientationFilter Groupings GeodesicDilation GrammarApply GroupMultiplicationTable GeodesicErosion GrammarRules GroupOrbits GeodesicOpening GrammarToken GroupOrder GeoDestination Graph GroupPageBreakWithin GeodesyData Graph3D GroupSetwiseStabilizer GeoDirection GraphAssortativity GroupStabilizer GeoDisk GraphAutomorphismGroup GroupStabilizerChain GeoDisplacement GraphCenter GrowCutComponents GeoDistance GraphComplement Gudermannian GeoDistanceList GraphData GuidedFilter GeoElevationData GraphDensity GumbelDistribution GeoEntities GraphDiameter HaarWavelet HessenbergDecomposition HornerForm HadamardMatrix HexadecimalCharacter HostLookup HalfLine Hexahedron HotellingTSquareDistribution HalfNormalDistribution HiddenMarkovProcess HoytDistribution HalfPlane Highlighted HTTPErrorResponse HalfSpace HighlightGraph HTTPRedirect HamiltonianGraphQ HighlightImage HTTPRequest HammingDistance HighlightMesh HTTPRequestData HammingWindow HighpassFilter HTTPResponse HandlerFunctions HigmanSimsGroupHS Hue HandlerFunctionsKeys HilbertCurve HumanGrowthData HankelH1 HilbertFilter HumpDownHump HankelH2 HilbertMatrix HumpEqual HankelMatrix Histogram HurwitzLerchPhi HankelTransform Histogram3D HurwitzZeta HannPoissonWindow HistogramDistribution HyperbolicDistribution HannWindow HistogramList HypercubeGraph HaradaNortonGroupHN HistogramTransform HyperexponentialDistribution HararyGraph HistogramTransformInterpolation Hyperfactorial HarmonicMean HistoricalPeriodData Hypergeometric0F1 HarmonicMeanFilter HitMissTransform Hypergeometric0F1Regularized HarmonicNumber HITSCentrality Hypergeometric1F1 Hash HjorthDistribution Hypergeometric1F1Regularized Haversine HodgeDual Hypergeometric2F1 HazardFunction HoeffdingD Hypergeometric2F1Regularized Head HoeffdingDTest HypergeometricDistribution HeaderLines Hold HypergeometricPFQ Heads HoldAll HypergeometricPFQRegularized HeavisideLambda HoldAllComplete HypergeometricU HeavisidePi HoldComplete Hyperlink HeavisideTheta HoldFirst Hyperplane HeldGroupHe HoldForm Hyphenation Here HoldPattern HypoexponentialDistribution HermiteDecomposition HoldRest HypothesisTestData HermiteH HolidayCalendar HermitianMatrixQ HorizontalGauge I ImageTransformation Integers IconData ImageTrim IntegerString IconRules ImageType Integrate Identity ImageValue Interactive IdentityMatrix ImageValuePositions InteractiveTradingChart If ImagingDevice Interleaving IgnoreCase ImplicitRegion InternallyBalancedDecomposition IgnoreDiacritics Implies InterpolatingFunction IgnorePunctuation Import InterpolatingPolynomial IgnoringInactive ImportByteArray Interpolation Im ImportOptions InterpolationOrder Image ImportString InterpolationPoints Image3D ImprovementImportance Interpretation Image3DProjection In InterpretationBox Image3DSlices Inactivate InterpretationBoxOptions ImageAccumulate Inactive Interpreter ImageAdd IncidenceGraph InterquartileRange ImageAdjust IncidenceList Interrupt ImageAlign IncidenceMatrix IntersectingQ ImageApply IncludeConstantBasis Intersection ImageApplyIndexed IncludeGeneratorTasks Interval ImageAspectRatio IncludeInflections IntervalIntersection ImageAssemble IncludeMetaInformation IntervalMemberQ ImageAugmentationLayer IncludePods IntervalSlider ImageCapture IncludeQuantities IntervalUnion ImageChannels IncludeWindowTimes Inverse ImageClip Increment InverseBetaRegularized ImageCollage IndefiniteMatrixQ InverseCDF ImageColorSpace IndependenceTest InverseChiSquareDistribution ImageCompose IndependentEdgeSetQ InverseContinuousWaveletTransform ImageConvolve IndependentUnit InverseDistanceTransform ImageCooccurrence IndependentVertexSetQ InverseEllipticNomeQ ImageCorners Indeterminate InverseErf ImageCorrelate IndeterminateThreshold InverseErfc ImageCorrespondingPoints Indexed InverseFourier ImageCrop IndexGraph InverseFourierCosTransform ImageData InexactNumberQ InverseFourierSequenceTransform ImageDeconvolve InfiniteLine InverseFourierSinTransform ImageDemosaic InfinitePlane InverseFourierTransform ImageDifference Infinity InverseFunction ImageDimensions Infix InverseFunctions ImageDisplacements InflationAdjust InverseGammaDistribution ImageDistance InflationMethod InverseGammaRegularized ImageEffect Information InverseGaussianDistribution ImageExposureCombine Inherited InverseGudermannian ImageFeatureTrack InheritScope InverseHankelTransform ImageFileApply InhomogeneousPoissonProcess InverseHaversine ImageFileFilter InitialEvaluationHistory InverseJacobiCD ImageFileScan Initialization InverseJacobiCN ImageFilter InitializationCell InverseJacobiCS ImageFocusCombine InitializationObjects InverseJacobiDC ImageForestingComponents InitializationValue InverseJacobiDN ImageFormattingWidth Initialize InverseJacobiDS ImageForwardTransformation Inner InverseJacobiNC ImageGraphics Inpaint InverseJacobiND ImageHistogram Input InverseJacobiNS ImageIdentify InputAliases InverseJacobiSC ImageInstanceQ InputAssumptions InverseJacobiSD ImageKeypoints InputAutoReplacements InverseJacobiSN ImageLevels InputField InverseLaplaceTransform ImageLines InputForm InverseMellinTransform ImageMargins InputNamePacket InversePermutation ImageMarker InputNotebook InverseRadon ImageMeasurements InputPacket InverseRadonTransform ImageMesh InputStream InverseSeries ImageMultiply InputString InverseSurvivalFunction ImagePad InputStringPacket InverseTransformedRegion ImagePadding Insert InverseWaveletTransform ImagePartition InsertionFunction InverseWeierstrassP ImagePeriodogram InsertLinebreaks InverseWishartMatrixDistribution ImagePerspectiveTransformation InsertResults InverseZTransform ImagePreviewFunction Inset Invisible ImageQ Insphere IPAddress ImageReflect Install IrreduciblePolynomialQ ImageResize InstallService IslandData ImageResolution InstanceNormalizationLayer IsolatingInterval ImageRestyle InString IsomorphicGraphQ ImageRotate Integer IsotopeData ImageSaliencyFilter IntegerDigits Italic ImageScaled IntegerExponent Item ImageScan IntegerLength ItemAspectRatio ImageSize IntegerName ItemSize ImageSizeAction IntegerPart ItemStyle ImageSizeMultipliers IntegerPartitions ItoProcess ImageSubtract IntegerQ ImageTake IntegerReverse JaccardDissimilarity JacobiSC JoinAcross JacobiAmplitude JacobiSD Joined JacobiCD JacobiSN JoinedCurve JacobiCN JacobiSymbol JoinForm JacobiCS JacobiZeta JordanDecomposition JacobiDC JankoGroupJ1 JordanModelDecomposition JacobiDN JankoGroupJ2 JulianDate JacobiDS JankoGroupJ3 JuliaSetBoettcher JacobiNC JankoGroupJ4 JuliaSetIterationCount JacobiND JarqueBeraALMTest JuliaSetPlot JacobiNS JohnsonDistribution JuliaSetPoints JacobiP Join KagiChart Key KirchhoffGraph KaiserBesselWindow KeyCollisionFunction KirchhoffMatrix KaiserWindow KeyComplement KleinInvariantJ KalmanEstimator KeyDrop KnapsackSolve KalmanFilter KeyDropFrom KnightTourGraph KarhunenLoeveDecomposition KeyExistsQ KnotData KaryTree KeyFreeQ KnownUnitQ KatzCentrality KeyIntersection KochCurve KCoreComponents KeyMap KolmogorovSmirnovTest KDistribution KeyMemberQ KroneckerDelta KEdgeConnectedComponents KeypointStrength KroneckerModelDecomposition KEdgeConnectedGraphQ Keys KroneckerProduct KelvinBei KeySelect KroneckerSymbol KelvinBer KeySort KuiperTest KelvinKei KeySortBy KumaraswamyDistribution KelvinKer KeyTake Kurtosis KendallTau KeyUnion KuwaharaFilter KendallTauTest KeyValueMap KVertexConnectedComponents KernelMixtureDistribution KeyValuePattern KVertexConnectedGraphQ KernelObject Khinchin Kernels KillProcess LABColor LeveneTest ListPickerBoxOptions Label LeviCivitaTensor ListPlay Labeled LevyDistribution ListPlot LabelingFunction LibraryDataType ListPlot3D LabelStyle LibraryFunction ListPointPlot3D LaguerreL LibraryFunctionError ListPolarPlot LakeData LibraryFunctionInformation ListQ LambdaComponents LibraryFunctionLoad ListSliceContourPlot3D LaminaData LibraryFunctionUnload ListSliceDensityPlot3D LanczosWindow LibraryLoad ListSliceVectorPlot3D LandauDistribution LibraryUnload ListStepPlot Language LiftingFilterData ListStreamDensityPlot LanguageCategory LiftingWaveletTransform ListStreamPlot LanguageData LightBlue ListSurfacePlot3D LanguageIdentify LightBrown ListVectorDensityPlot LaplaceDistribution LightCyan ListVectorPlot LaplaceTransform Lighter ListVectorPlot3D Laplacian LightGray ListZTransform LaplacianFilter LightGreen LocalAdaptiveBinarize LaplacianGaussianFilter Lighting LocalCache Large LightingAngle LocalClusteringCoefficient Larger LightMagenta LocalizeVariables Last LightOrange LocalObject Latitude LightPink LocalObjects LatitudeLongitude LightPurple LocalResponseNormalizationLayer LatticeData LightRed LocalSubmit LatticeReduce LightYellow LocalSymbol LaunchKernels Likelihood LocalTime LayeredGraphPlot Limit LocalTimeZone LayerSizeFunction LimitsPositioning LocationEquivalenceTest LCHColor LindleyDistribution LocationTest LCM Line Locator LeaderSize LinearFractionalTransform LocatorAutoCreate LeafCount LinearGradientImage LocatorPane LeapYearQ LinearizingTransformationData LocatorRegion LearningRateMultipliers LinearLayer Locked LeastSquares LinearModelFit Log LeastSquaresFilterKernel LinearOffsetFunction Log10 Left LinearProgramming Log2 LeftArrow LinearRecurrence LogBarnesG LeftArrowBar LinearSolve LogGamma LeftArrowRightArrow LinearSolveFunction LogGammaDistribution LeftDownTeeVector LineBreakChart LogicalExpand LeftDownVector LineGraph LogIntegral LeftDownVectorBar LineIndent LogisticDistribution LeftRightArrow LineIndentMaxFraction LogisticSigmoid LeftRightVector LineIntegralConvolutionPlot LogitModelFit LeftTee LineIntegralConvolutionScale LogLikelihood LeftTeeArrow LineLegend LogLinearPlot LeftTeeVector LineSpacing LogLogisticDistribution LeftTriangle LinkActivate LogLogPlot LeftTriangleBar LinkClose LogMultinormalDistribution LeftTriangleEqual LinkConnect LogNormalDistribution LeftUpDownVector LinkCreate LogPlot LeftUpTeeVector LinkFunction LogRankTest LeftUpVector LinkInterrupt LogSeriesDistribution LeftUpVectorBar LinkLaunch Longest LeftVector LinkObject LongestCommonSequence LeftVectorBar LinkPatterns LongestCommonSequencePositions LegendAppearance LinkProtocol LongestCommonSubsequence Legended LinkRankCentrality LongestCommonSubsequencePositions LegendFunction LinkRead LongestOrderedSequence LegendLabel LinkReadyQ Longitude LegendLayout Links LongLeftArrow LegendMargins LinkWrite LongLeftRightArrow LegendMarkers LiouvilleLambda LongRightArrow LegendMarkerSize List LongShortTermMemoryLayer LegendreP Listable Lookup LegendreQ ListAnimate LoopFreeGraphQ Length ListContourPlot LowerCaseQ LengthWhile ListContourPlot3D LowerLeftArrow LerchPhi ListConvolve LowerRightArrow Less ListCorrelate LowerTriangularize LessEqual ListCurvePathPlot LowpassFilter LessEqualGreater ListDeconvolve LQEstimatorGains LessEqualThan ListDensityPlot LQGRegulator LessFullEqual ListDensityPlot3D LQOutputRegulatorGains LessGreater ListFormat LQRegulatorGains LessLess ListFourierSequenceTransform LucasL LessSlantEqual ListInterpolation LuccioSamiComponents LessThan ListLineIntegralConvolutionPlot LUDecomposition LessTilde ListLinePlot LunarEclipse LetterCharacter ListLogLinearPlot LUVColor LetterCounts ListLogLogPlot LyapunovSolve LetterNumber ListLogPlot LyonsGroupLy LetterQ ListPicker Level ListPickerBox MachineNumberQ MaxLimit MinColorDistance MachinePrecision MaxMemoryUsed MinDetect Magenta MaxMixtureKernels MineralData Magnification MaxPlotPoints MinFilter Magnify MaxRecursion MinimalBy MailAddressValidation MaxStableDistribution MinimalPolynomial MailReceiverFunction MaxStepFraction MinimalStateSpaceModel MailResponseFunction MaxSteps Minimize MailSettings MaxStepSize MinimumTimeIncrement Majority MaxTrainingRounds MinIntervalSize MakeBoxes MaxValue MinkowskiQuestionMark MakeExpression MaxwellDistribution MinLimit ManagedLibraryExpressionID MaxWordGap MinMax ManagedLibraryExpressionQ McLaughlinGroupMcL MinorPlanetData MandelbrotSetBoettcher Mean Minors MandelbrotSetDistance MeanAbsoluteLossLayer MinStableDistribution MandelbrotSetIterationCount MeanClusteringCoefficient Minus MandelbrotSetMemberQ MeanDegreeConnectivity MinusPlus MandelbrotSetPlot MeanDeviation MinValue MangoldtLambda MeanFilter Missing ManhattanDistance MeanGraphDistance MissingBehavior Manipulate MeanNeighborDegree MissingDataMethod Manipulator MeanShift MissingDataRules MannedSpaceMissionData MeanShiftFilter MissingQ MannWhitneyTest MeanSquaredLossLayer MissingString MantissaExponent Median MissingStyle Manual MedianDeviation MittagLefflerE Map MedianFilter MixedGraphQ MapAll MedicalTestData MixedMagnitude MapAt Medium MixedRadix MapIndexed MeijerG MixedRadixQuantity MAProcess MeijerGReduce MixedUnit MapThread MeixnerDistribution MixtureDistribution MarchenkoPasturDistribution MellinConvolve Mod MarcumQ MellinTransform Modal MardiaCombinedTest MemberQ ModularInverse MardiaKurtosisTest MemoryAvailable ModularLambda MardiaSkewnessTest MemoryConstrained Module MarginalDistribution MemoryConstraint Modulus MarkovProcessProperties MemoryInUse MoebiusMu Masking MengerMesh Moment MatchingDissimilarity MenuCommandKey MomentConvert MatchLocalNames MenuPacket MomentEvaluate MatchQ MenuSortingValue MomentGeneratingFunction MathematicalFunctionData MenuStyle MomentOfInertia MathieuC MenuView Monday MathieuCharacteristicA Merge Monitor MathieuCharacteristicB MergingFunction MonomialList MathieuCharacteristicExponent MersennePrimeExponent MonsterGroupM MathieuCPrime MersennePrimeExponentQ MoonPhase MathieuGroupM11 Mesh MoonPosition MathieuGroupM12 MeshCellCentroid MorletWavelet MathieuGroupM22 MeshCellCount MorphologicalBinarize MathieuGroupM23 MeshCellHighlight MorphologicalBranchPoints MathieuGroupM24 MeshCellIndex MorphologicalComponents MathieuS MeshCellLabel MorphologicalEulerNumber MathieuSPrime MeshCellMarker MorphologicalGraph MathMLForm MeshCellMeasure MorphologicalPerimeter Matrices MeshCellQuality MorphologicalTransform MatrixExp MeshCells MortalityData MatrixForm MeshCellShapeFunction Most MatrixFunction MeshCellStyle MountainData MatrixLog MeshCoordinates MouseAnnotation MatrixNormalDistribution MeshFunctions MouseAppearance MatrixPlot MeshPrimitives Mouseover MatrixPower MeshQualityGoal MousePosition MatrixPropertyDistribution MeshRefinementFunction MovieData MatrixQ MeshRegion MovingAverage MatrixRank MeshRegionQ MovingMap MatrixTDistribution MeshShading MovingMedian Max MeshStyle MoyalDistribution MaxCellMeasure Message Multicolumn MaxDetect MessageDialog MultiedgeStyle MaxDuration MessageList MultigraphQ MaxExtraBandwidths MessageName Multinomial MaxExtraConditions MessagePacket MultinomialDistribution MaxFeatureDisplacement Messages MultinormalDistribution MaxFeatures MetaInformation MultiplicativeOrder MaxFilter MeteorShowerData Multiselection MaximalBy Method MultivariateHypergeometricDistribution Maximize MexicanHatWavelet MultivariatePoissonDistribution MaxItems MeyerWavelet MultivariateTDistribution MaxIterations Min N NonCommutativeMultiply NotNestedGreaterGreater NakagamiDistribution NonConstants NotNestedLessLess NameQ None NotPrecedes Names NoneTrue NotPrecedesEqual Nand NonlinearModelFit NotPrecedesSlantEqual NArgMax NonlinearStateSpaceModel NotPrecedesTilde NArgMin NonlocalMeansFilter NotReverseElement NCache NonNegative NotRightTriangle NDEigensystem NonPositive NotRightTriangleBar NDEigenvalues Nor NotRightTriangleEqual NDSolve NorlundB NotSquareSubset NDSolveValue Norm NotSquareSubsetEqual Nearest Normal NotSquareSuperset NearestFunction NormalDistribution NotSquareSupersetEqual NearestNeighborGraph Normalize NotSubset NebulaData Normalized NotSubsetEqual NeedlemanWunschSimilarity NormalizedSquaredEuclideanDistance NotSucceeds Needs NormalMatrixQ NotSucceedsEqual Negative NormalsFunction NotSucceedsSlantEqual NegativeBinomialDistribution NormFunction NotSucceedsTilde NegativeDefiniteMatrixQ Not NotSuperset NegativeMultinomialDistribution NotCongruent NotSupersetEqual NegativeSemidefiniteMatrixQ NotCupCap NotTilde NeighborhoodData NotDoubleVerticalBar NotTildeEqual NeighborhoodGraph Notebook NotTildeFullEqual Nest NotebookApply NotTildeTilde NestedGreaterGreater NotebookAutoSave NotVerticalBar NestedLessLess NotebookClose Now NestGraph NotebookDelete NoWhitespace NestList NotebookDirectory NProbability NestWhile NotebookDynamicExpression NProduct NestWhileList NotebookEvaluate NRoots NetChain NotebookEventActions NSolve NetDecoder NotebookFileName NSum NetEncoder NotebookFind NuclearExplosionData NetEvaluationMode NotebookGet NuclearReactorData NetExtract NotebookImport Null NetFoldOperator NotebookInformation NullRecords NetGraph NotebookLocate NullSpace NetInitialize NotebookObject NullWords NetMapOperator NotebookOpen Number NetModel NotebookPrint NumberCompose NetNestOperator NotebookPut NumberDecompose NetPairEmbeddingOperator NotebookRead NumberExpand NetPort Notebooks NumberFieldClassNumber NetPortGradient NotebookSave NumberFieldDiscriminant NetReplacePart NotebookSelection NumberFieldFundamentalUnits NetTrain NotebookTemplate NumberFieldIntegralBasis NeumannValue NotebookWrite NumberFieldNormRepresentatives NevilleThetaC NotElement NumberFieldRegulator NevilleThetaD NotEqualTilde NumberFieldRootsOfUnity NevilleThetaN NotExists NumberFieldSignature NevilleThetaS NotGreater NumberForm NExpectation NotGreaterEqual NumberFormat NextCell NotGreaterFullEqual NumberLinePlot NextDate NotGreaterGreater NumberMarks NextPrime NotGreaterLess NumberMultiplier NHoldAll NotGreaterSlantEqual NumberPadding NHoldFirst NotGreaterTilde NumberPoint NHoldRest Nothing NumberQ NicholsGridLines NotHumpDownHump NumberSeparator NicholsPlot NotHumpEqual NumberSigns NightHemisphere NotificationFunction NumberString NIntegrate NotLeftTriangle Numerator NMaximize NotLeftTriangleBar NumericalOrder NMaxValue NotLeftTriangleEqual NumericalSort NMinimize NotLess NumericFunction NMinValue NotLessEqual NumericQ NominalVariables NotLessFullEqual NuttallWindow NoncentralBetaDistribution NotLessGreater NyquistGridLines NoncentralChiSquareDistribution NotLessLess NyquistPlot NoncentralFRatioDistribution NotLessSlantEqual NoncentralStudentTDistribution NotLessTilde O Operate OutputControllableModelQ ObservabilityGramian OperatingSystem OutputForm ObservabilityMatrix OptimumFlowData OutputNamePacket ObservableDecomposition Optional OutputResponse ObservableModelQ OptionalElement OutputSizeLimit OceanData Options OutputStream OddQ OptionsPattern OverBar Off OptionValue OverDot Offset Or Overflow On Orange OverHat ONanGroupON Order Overlaps Once OrderDistribution Overlay OneIdentity OrderedQ Overscript Opacity Ordering OverscriptBox OpacityFunction Orderless OverscriptBoxOptions OpacityFunctionScaling OrderlessPatternSequence OverTilde OpenAppend OrnsteinUhlenbeckProcess OverVector Opener Orthogonalize OverwriteTarget OpenerView OrthogonalMatrixQ OwenT Opening Out OwnValues OpenRead Outer OpenWrite OutputControllabilityMatrix PackingMethod PermutationCyclesQ PopupView PaddedForm PermutationGroup PopupWindow Padding PermutationLength Position PaddingLayer PermutationList PositionIndex PaddingSize PermutationListQ Positive PadeApproximant PermutationMax PositiveDefiniteMatrixQ PadLeft PermutationMin PositiveSemidefiniteMatrixQ PadRight PermutationOrder PossibleZeroQ PageBreakAbove PermutationPower Postfix PageBreakBelow PermutationProduct Power PageBreakWithin PermutationReplace PowerDistribution PageFooters Permutations PowerExpand PageHeaders PermutationSupport PowerMod PageRankCentrality Permute PowerModList PageTheme PeronaMalikFilter PowerRange PageWidth PersistenceLocation PowerSpectralDensity Pagination PersistenceTime PowersRepresentations PairedBarChart PersistentObject PowerSymmetricPolynomial PairedHistogram PersistentObjects PrecedenceForm PairedSmoothHistogram PersistentValue Precedes PairedTTest PersonData PrecedesEqual PairedZTest PERTDistribution PrecedesSlantEqual PaletteNotebook PetersenGraph PrecedesTilde PalindromeQ PhaseMargins Precision Pane PhaseRange PrecisionGoal Panel PhysicalSystemData PreDecrement Paneled Pi Predict PaneSelector Pick PredictorFunction ParabolicCylinderD PIDData PredictorInformation ParagraphIndent PIDDerivativeFilter PredictorMeasurements ParagraphSpacing PIDFeedforward PredictorMeasurementsObject ParallelArray PIDTune PreemptProtect ParallelCombine Piecewise Prefix ParallelDo PiecewiseExpand PreIncrement Parallelepiped PieChart Prepend ParallelEvaluate PieChart3D PrependTo Parallelization PillaiTrace PreprocessingRules Parallelize PillaiTraceTest PreserveColor ParallelMap PingTime PreserveImageOptions ParallelNeeds Pink PreviousCell Parallelogram PixelConstrained PreviousDate ParallelProduct PixelValue PriceGraphDistribution ParallelSubmit PixelValuePositions Prime ParallelSum Placed PrimeNu ParallelTable Placeholder PrimeOmega ParallelTry PlaceholderReplace PrimePi ParameterEstimator Plain PrimePowerQ ParameterMixtureDistribution PlanarGraph PrimeQ ParametricFunction PlanarGraphQ Primes ParametricNDSolve PlanckRadiationLaw PrimeZetaP ParametricNDSolveValue PlaneCurveData PrimitivePolynomialQ ParametricPlot PlanetaryMoonData PrimitiveRoot ParametricPlot3D PlanetData PrimitiveRootList ParametricRegion PlantData PrincipalComponents ParentBox Play PrincipalValue ParentCell PlayRange Print ParentDirectory Plot PrintableASCIIQ ParentNotebook Plot3D PrintingStyleEnvironment ParetoDistribution PlotLabel Printout3D ParkData PlotLabels Printout3DPreviewer Part PlotLayout PrintTemporary PartBehavior PlotLegends Prism PartialCorrelationFunction PlotMarkers PrivateCellOptions ParticleAcceleratorData PlotPoints PrivateFontOptions ParticleData PlotRange PrivateKey Partition PlotRangeClipping PrivateNotebookOptions PartitionGranularity PlotRangePadding Probability PartitionsP PlotRegion ProbabilityDistribution PartitionsQ PlotStyle ProbabilityPlot PartLayer PlotTheme ProbabilityScalePlot PartOfSpeech Pluralize ProbitModelFit PartProtection Plus ProcessConnection ParzenWindow PlusMinus ProcessDirectory PascalDistribution Pochhammer ProcessEnvironment PassEventsDown PodStates Processes PassEventsUp PodWidth ProcessEstimator Paste Point ProcessInformation PasteButton PointFigureChart ProcessObject Path PointLegend ProcessParameterAssumptions PathGraph PointSize ProcessParameterQ PathGraphQ PoissonConsulDistribution ProcessStatus Pattern PoissonDistribution Product PatternSequence PoissonProcess ProductDistribution PatternTest PoissonWindow ProductLog PauliMatrix PolarAxes ProgressIndicator PaulWavelet PolarAxesOrigin Projection Pause PolarGridLines Prolog PDF PolarPlot Properties PeakDetect PolarTicks Property PeanoCurve PoleZeroMarkers PropertyList PearsonChiSquareTest PolyaAeppliDistribution PropertyValue PearsonCorrelationTest PolyGamma Proportion PearsonDistribution Polygon Proportional PerfectNumber PolygonalNumber Protect PerfectNumberQ PolyhedronData Protected PerformanceGoal PolyLog ProteinData Perimeter PolynomialExtendedGCD Pruning PeriodicBoundaryCondition PolynomialGCD PseudoInverse Periodogram PolynomialLCM PsychrometricPropertyData PeriodogramArray PolynomialMod PublicKey Permanent PolynomialQ PublisherID Permissions PolynomialQuotient PulsarData PermissionsGroup PolynomialQuotientRemainder PunctuationCharacter PermissionsGroups PolynomialReduce Purple PermissionsKey PolynomialRemainder Put PermissionsKeys PoolingLayer PutAppend PermutationCycles PopupMenu Pyramid QBinomial QuantityArray QuartileDeviation QFactorial QuantityDistribution Quartiles QGamma QuantityForm QuartileSkewness QHypergeometricPFQ QuantityMagnitude Query QnDispersion QuantityQ QueueingNetworkProcess QPochhammer QuantityUnit QueueingProcess QPolyGamma QuantityVariable QueueProperties QRDecomposition QuantityVariableCanonicalUnit Quiet QuadraticIrrationalQ QuantityVariableDimensions Quit Quantile QuantityVariableIdentifier Quotient QuantilePlot QuantityVariablePhysicalQuantity QuotientRemainder Quantity Quartics RadialGradientImage RegionDistanceFunction ReturnTextPacket RadialityCentrality RegionEmbeddingDimension Reverse RadicalBox RegionEqual ReverseBiorthogonalSplineWavelet RadicalBoxOptions RegionFunction ReverseElement RadioButton RegionImage ReverseEquilibrium RadioButtonBar RegionIntersection ReverseGraph Radon RegionMeasure ReverseSort RadonTransform RegionMember ReverseUpEquilibrium RamanujanTau RegionMemberFunction RevolutionAxis RamanujanTauL RegionMoment RevolutionPlot3D RamanujanTauTheta RegionNearest RGBColor RamanujanTauZ RegionNearestFunction RiccatiSolve Ramp RegionPlot RiceDistribution RandomChoice RegionPlot3D RidgeFilter RandomColor RegionProduct RiemannR RandomComplex RegionQ RiemannSiegelTheta RandomEntity RegionResize RiemannSiegelZ RandomFunction RegionSize RiemannXi RandomGraph RegionSymmetricDifference Riffle RandomImage RegionUnion Right RandomInteger RegionWithin RightArrow RandomPermutation RegisterExternalEvaluator RightArrowBar RandomPoint RegularExpression RightArrowLeftArrow RandomPrime Regularization RightComposition RandomReal RegularlySampledQ RightCosetRepresentative RandomSample RegularPolygon RightDownTeeVector RandomSeeding ReIm RightDownVector RandomVariate RelationGraph RightDownVectorBar RandomWalkProcess ReleaseHold RightTee RandomWord ReliabilityDistribution RightTeeArrow Range ReliefImage RightTeeVector RangeFilter ReliefPlot RightTriangle RankedMax Remove RightTriangleBar RankedMin RemoveAlphaChannel RightTriangleEqual Raster RemoveAudioStream RightUpDownVector Raster3D RemoveBackground RightUpTeeVector Rasterize RemoveChannelListener RightUpVector RasterSize RemoveDiacritics RightUpVectorBar Rational RemoveInputStreamMethod RightVector Rationalize RemoveOutputStreamMethod RightVectorBar Rationals RemoveProperty RiskAchievementImportance Ratios RemoveUsers RiskReductionImportance RawBoxes RenameDirectory RogersTanimotoDissimilarity RawData RenameFile RollPitchYawAngles RayleighDistribution RenderingOptions RollPitchYawMatrix Re RenewalProcess RomanNumeral Read RenkoChart Root ReadLine RepairMesh RootApproximant ReadList Repeated RootIntervals ReadProtected RepeatedNull RootLocusPlot ReadString RepeatedTiming RootMeanSquare Real RepeatingElement RootOfUnityQ RealAbs Replace RootReduce RealBlockDiagonalForm ReplaceAll Roots RealDigits ReplaceImageValue RootSum RealExponent ReplaceList Rotate Reals ReplacePart RotateLabel RealSign ReplacePixelValue RotateLeft Reap ReplaceRepeated RotateRight RecognitionPrior ReplicateLayer RotationAction RecognitionThreshold RequiredPhysicalQuantities RotationMatrix Record Resampling RotationTransform RecordLists ResamplingAlgorithmData Round RecordSeparators ResamplingMethod RoundingRadius Rectangle Rescale Row RectangleChart RescalingTransform RowAlignments RectangleChart3D ResetDirectory RowBox RectangularRepeatingElement ReshapeLayer RowLines RecurrenceFilter Residue RowMinHeight RecurrenceTable ResizeLayer RowReduce Red Resolve RowsEqual Reduce ResourceData RowSpacings ReferenceLineStyle ResourceObject RSolve Refine ResourceRegister RSolveValue ReflectionMatrix ResourceRemove RudinShapiro ReflectionTransform ResourceSearch RudvalisGroupRu Refresh ResourceSubmit Rule RefreshRate ResourceUpdate RuleDelayed Region ResponseForm RulePlot RegionBinarize Rest Run RegionBoundary RestartInterval RunProcess RegionBounds Restricted RunThrough RegionCentroid Resultant RuntimeAttributes RegionDifference Return RuntimeOptions RegionDimension ReturnExpressionPacket RussellRaoDissimilarity RegionDisjoint ReturnPacket RegionDistance ReturnReceiptFunction SameQ Simplify StationaryDistribution SameTest Sin StationaryWaveletPacketTransform SampleDepth Sinc StationaryWaveletTransform SampledSoundFunction SinghMaddalaDistribution StatusArea SampledSoundList SingleLetterItalics StatusCentrality SampleRate SingularValueDecomposition StepMonitor SamplingPeriod SingularValueList StieltjesGamma SARIMAProcess SingularValuePlot StirlingS1 SARMAProcess Sinh StirlingS2 SASTriangle SinhIntegral StoppingPowerData SatelliteData SinIntegral StrataVariables SatisfiabilityCount SixJSymbol StratonovichProcess SatisfiabilityInstances Skeleton StreamColorFunction SatisfiableQ SkeletonTransform StreamColorFunctionScaling Saturday SkellamDistribution StreamDensityPlot Save Skewness StreamPlot SaveDefinitions SkewNormalDistribution StreamPoints SavitzkyGolayMatrix SkinStyle StreamPosition SawtoothWave Skip Streams Scale SliceContourPlot3D StreamScale Scaled SliceDensityPlot3D StreamStyle ScaleDivisions SliceDistribution String ScaleOrigin SliceVectorPlot3D StringCases ScalePadding Slider StringContainsQ ScaleRanges Slider2D StringCount ScaleRangeStyle SlideView StringDelete ScalingFunctions Slot StringDrop ScalingMatrix SlotSequence StringEndsQ ScalingTransform Small StringExpression Scan SmallCircle StringExtract ScheduledTask Smaller StringForm SchurDecomposition SmithDecomposition StringFormat ScientificForm SmithDelayCompensator StringFreeQ ScientificNotationThreshold SmithWatermanSimilarity StringInsert ScorerGi SmoothDensityHistogram StringJoin ScorerGiPrime SmoothHistogram StringLength ScorerHi SmoothHistogram3D StringMatchQ ScorerHiPrime SmoothKernelDistribution StringPadLeft ScreenStyleEnvironment SnDispersion StringPadRight ScriptBaselineShifts Snippet StringPart ScriptMinSize SocialMediaData StringPartition ScriptSizeMultipliers SocketConnect StringPosition Scrollbars SocketListen StringQ ScrollingOptions SocketListener StringRepeat ScrollPosition SocketObject StringReplace SearchAdjustment SocketOpen StringReplaceList SearchIndexObject SocketReadMessage StringReplacePart SearchIndices SocketReadyQ StringReverse SearchQueryString Sockets StringRiffle SearchResultObject SocketWaitAll StringRotateLeft Sec SocketWaitNext StringRotateRight Sech SoftmaxLayer StringSkeleton SechDistribution SokalSneathDissimilarity StringSplit SectorChart SolarEclipse StringStartsQ SectorChart3D SolarSystemFeatureData StringTake SectorOrigin SolidData StringTemplate SectorSpacing SolidRegionQ StringToByteArray SecuredAuthenticationKey Solve StringToStream SeedRandom SolveAlways StringTrim Select Sort StripBoxes Selectable SortBy StripOnInput SelectComponents Sound StripWrapperBoxes SelectedCells SoundNote StructuralImportance SelectedNotebook SoundVolume StructuredArray SelectFirst SourceLink StructuredSelection SelectionCreateCell Sow StruveH SelectionEvaluate SpaceCurveData StruveL SelectionEvaluateCreateCell Spacer Stub SelectionMove Spacings StudentTDistribution SelfLoopStyle Span Style SemanticImport SpanFromAbove StyleBox SemanticImportString SpanFromBoth StyleData SemanticInterpretation SpanFromLeft StyleDefinitions SemialgebraicComponentInstances SparseArray Subdivide SendMail SpatialGraphDistribution Subfactorial SendMessage SpatialMedian Subgraph Sequence SpatialTransformationLayer SubMinus SequenceAlignment Speak SubPlus SequenceAttentionLayer SpearmanRankTest SubresultantPolynomialRemainders SequenceCases SpearmanRho SubresultantPolynomials SequenceCount SpeciesData Subresultants SequenceFold SpecificityGoal Subscript SequenceFoldList SpectralLineData SubscriptBox SequenceHold Spectrogram SubscriptBoxOptions SequenceLastLayer SpectrogramArray Subsequences SequenceMostLayer Specularity Subset SequencePosition SpeechSynthesize SubsetEqual SequencePredict SpellingCorrection SubsetQ SequencePredictorFunction SpellingCorrectionList Subsets SequenceRestLayer SpellingOptions SubStar SequenceReverseLayer Sphere SubstitutionSystem Series SpherePoints Subsuperscript SeriesCoefficient SphericalBesselJ SubsuperscriptBox SeriesData SphericalBesselY SubsuperscriptBoxOptions ServiceConnect SphericalHankelH1 Subtract ServiceDisconnect SphericalHankelH2 SubtractFrom ServiceExecute SphericalHarmonicY Succeeds ServiceObject SphericalPlot3D SucceedsEqual SessionSubmit SphericalRegion SucceedsSlantEqual SessionTime SphericalShell SucceedsTilde Set SpheroidalEigenvalue SuchThat SetAccuracy SpheroidalJoiningFactor Sum SetAlphaChannel SpheroidalPS SumConvergence SetAttributes SpheroidalPSPrime SummationLayer SetCloudDirectory SpheroidalQS Sunday SetCookies SpheroidalQSPrime SunPosition SetDelayed SpheroidalRadialFactor Sunrise SetDirectory SpheroidalS1 Sunset SetEnvironment SpheroidalS1Prime SuperDagger SetFileDate SpheroidalS2 SuperMinus SetOptions SpheroidalS2Prime SupernovaData SetPermissions SplicedDistribution SuperPlus SetPrecision SplineClosed Superscript SetProperty SplineDegree SuperscriptBox SetSelectedNotebook SplineKnots SuperscriptBoxOptions SetSharedFunction SplineWeights Superset SetSharedVariable Split SupersetEqual SetStreamPosition SplitBy SuperStar SetSystemOptions SpokenString Surd Setter Sqrt SurfaceData SetterBar SqrtBox SurvivalDistribution Setting SqrtBoxOptions SurvivalFunction SetUsers Square SurvivalModel Shallow SquaredEuclideanDistance SurvivalModelFit ShannonWavelet SquareFreeQ SuzukiDistribution ShapiroWilkTest SquareIntersection SuzukiGroupSuz Share SquareMatrixQ SwatchLegend Sharpen SquareRepeatingElement Switch ShearingMatrix SquaresR Symbol ShearingTransform SquareSubset SymbolName ShellRegion SquareSubsetEqual SymletWavelet ShenCastanMatrix SquareSuperset Symmetric ShiftedGompertzDistribution SquareSupersetEqual SymmetricGroup ShiftRegisterSequence SquareUnion SymmetricKey Short SquareWave SymmetricMatrixQ ShortDownArrow SSSTriangle SymmetricPolynomial Shortest StabilityMargins SymmetricReduction ShortestPathFunction StabilityMarginsStyle Symmetrize ShortLeftArrow StableDistribution SymmetrizedArray ShortRightArrow Stack SymmetrizedArrayRules ShortUpArrow StackBegin SymmetrizedDependentComponents Show StackComplete SymmetrizedIndependentComponents ShowAutoSpellCheck StackedDateListPlot SymmetrizedReplacePart ShowAutoStyles StackedListPlot SynchronousInitialization ShowCellBracket StackInhibit SynchronousUpdating ShowCellLabel StadiumShape SyntaxForm ShowCellTags StandardAtmosphereData SyntaxInformation ShowCursorTracker StandardDeviation SyntaxLength ShowGroupOpener StandardDeviationFilter SyntaxPacket ShowPageBreaks StandardForm SyntaxQ ShowSelection Standardize SystemDialogInput ShowSpecialCharacters Standardized SystemInformation ShowStringCharacters StandardOceanData SystemOpen ShrinkingDelay StandbyDistribution SystemOptions SiderealTime Star SystemsModelDelay SiegelTheta StarClusterData SystemsModelDelayApproximate SiegelTukeyTest StarData SystemsModelDelete SierpinskiCurve StarGraph SystemsModelDimensions SierpinskiMesh StartExternalSession SystemsModelExtract Sign StartingStepSize SystemsModelFeedbackConnect Signature StartOfLine SystemsModelLabels SignedRankTest StartOfString SystemsModelLinearity SignedRegionDistance StartProcess SystemsModelMerge SignificanceLevel StateFeedbackGains SystemsModelOrder SignPadding StateOutputEstimator SystemsModelParallelConnect SignTest StateResponse SystemsModelSeriesConnect SimilarityRules StateSpaceModel SystemsModelStateFeedbackConnect SimpleGraph StateSpaceRealization SystemsModelVectorRelativeOrders SimpleGraphQ StateSpaceTransform Simplex StateTransformationLinearize Table ThermometerGauge ToUpperCase TableAlignments Thick Tr TableDepth Thickness Trace TableDirections Thin TraceAbove TableForm Thinning TraceBackward TableHeadings ThompsonGroupTh TraceDepth TableSpacing Thread TraceDialog TabView ThreadingLayer TraceForward TagBox ThreeJSymbol TraceOff TagBoxOptions Threshold TraceOn TaggingRules Through TraceOriginal TagSet Throw TracePrint TagSetDelayed ThueMorse TraceScan TagUnset Thumbnail TrackedSymbols Take Thursday TrackingFunction TakeDrop Ticks TracyWidomDistribution TakeLargest TicksStyle TradingChart TakeLargestBy TideData TraditionalForm TakeList Tilde TrainingProgressCheckpointing TakeSmallest TildeEqual TrainingProgressFunction TakeSmallestBy TildeFullEqual TrainingProgressReporting TakeWhile TildeTilde TransferFunctionCancel Tally TimeConstrained TransferFunctionExpand Tan TimeConstraint TransferFunctionFactor Tanh TimeDirection TransferFunctionModel TargetDevice TimeFormat TransferFunctionPoles TargetFunctions TimeGoal TransferFunctionTransform TargetUnits TimelinePlot TransferFunctionZeros TaskAbort TimeObject TransformationClass TaskExecute TimeObjectQ TransformationFunction TaskObject Times TransformationFunctions TaskRemove TimesBy TransformationMatrix TaskResume TimeSeries TransformedDistribution Tasks TimeSeriesAggregate TransformedField TaskSuspend TimeSeriesForecast TransformedProcess TaskWait TimeSeriesInsert TransformedRegion TautologyQ TimeSeriesInvertibility TransitionDirection TelegraphProcess TimeSeriesMap TransitionDuration TemplateApply TimeSeriesMapThread TransitionEffect TemplateBox TimeSeriesModel TransitiveClosureGraph TemplateBoxOptions TimeSeriesModelFit TransitiveReductionGraph TemplateExpression TimeSeriesResample Translate TemplateIf TimeSeriesRescale TranslationOptions TemplateObject TimeSeriesShift TranslationTransform TemplateSequence TimeSeriesThread Transliterate TemplateSlot TimeSeriesWindow Transparent TemplateWith TimeUsed Transpose TemporalData TimeValue TransposeLayer TemporalRegularity TimeZone TravelDirections Temporary TimeZoneConvert TravelDirectionsData TensorContract TimeZoneOffset TravelDistance TensorDimensions Timing TravelDistanceList TensorExpand Tiny TravelMethod TensorProduct TitsGroupT TravelTime TensorRank ToBoxes TreeForm TensorReduce ToCharacterCode TreeGraph TensorSymmetry ToContinuousTimeModel TreeGraphQ TensorTranspose Today TreePlot TensorWedge ToDiscreteTimeModel TrendStyle TestID ToEntity Triangle TestReport ToeplitzMatrix TriangleWave TestReportObject ToExpression TriangularDistribution TestResultObject Together TriangulateMesh Tetrahedron Toggler Trig TeXForm TogglerBar TrigExpand Text ToInvertibleTimeSeries TrigFactor TextAlignment TokenWords TrigFactorList TextCases Tolerance Trigger TextCell ToLowerCase TrigReduce TextClipboardType Tomorrow TrigToExp TextData ToNumberField TrimmedMean TextElement Tooltip TrimmedVariance TextGrid TooltipDelay TropicalStormData TextJustification TooltipStyle True TextPacket Top TrueQ TextPosition TopHatTransform TruncatedDistribution TextRecognize ToPolarCoordinates TsallisQExponentialDistribution TextSearch TopologicalSort TsallisQGaussianDistribution TextSearchReport ToRadicals TTest TextSentences ToRules Tube TextString ToSphericalCoordinates Tuesday TextStructure ToString TukeyLambdaDistribution TextTranslation Total TukeyWindow Texture TotalLayer TunnelData TextureCoordinateFunction TotalVariationFilter Tuples TextureCoordinateScaling TotalWidth TuranGraph TextWords TouchPosition TuringMachine Therefore TouchscreenAutoZoom TuttePolynomial ThermodynamicData TouchscreenControlPlacement TwoWayRule UnateQ UnitBox UpperCaseQ Uncompress UnitConvert UpperLeftArrow Undefined UnitDimensions UpperRightArrow UnderBar Unitize UpperTriangularize Underflow UnitRootTest Upsample Underlined UnitSimplify UpSet Underoverscript UnitStep UpSetDelayed UnderoverscriptBox UnitSystem UpTee UnderoverscriptBoxOptions UnitTriangle UpTeeArrow Underscript UnitVector UpTo UnderscriptBox UnitVectorLayer UpValues UnderscriptBoxOptions UnityDimensions URL UnderseaFeatureData UniverseModelData URLBuild UndirectedEdge UniversityData URLDecode UndirectedGraph UnixTime URLDispatcher UndirectedGraphQ Unprotect URLDownload UndoOptions UnregisterExternalEvaluator URLDownloadSubmit UndoTrackedVariables UnsameQ URLEncode Unequal UnsavedVariables URLExecute UnequalTo Unset URLExpand Unevaluated UnsetShared URLParse UniformDistribution UpArrow URLQueryDecode UniformGraphDistribution UpArrowBar URLQueryEncode UniformSumDistribution UpArrowDownArrow URLRead Uninstall Update URLResponseTime Union UpdateInterval URLShorten UnionPlus UpdateSearchIndex URLSubmit Unique UpDownArrow UsingFrontEnd UnitaryMatrixQ UpEquilibrium UtilityFunction ValidationLength VerifyTestAssumptions VertexQ ValidationSet VertexAdd VertexRenderingFunction ValueDimensions VertexCapacity VertexReplace ValuePreprocessingFunction VertexColors VertexShape ValueQ VertexComponent VertexShapeFunction Values VertexConnectivity VertexSize Variables VertexContract VertexStyle Variance VertexCoordinateRules VertexTextureCoordinates VarianceEquivalenceTest VertexCoordinates VertexWeight VarianceEstimatorFunction VertexCorrelationSimilarity VerticalBar VarianceGammaDistribution VertexCosineSimilarity VerticalGauge VarianceTest VertexCount VerticalSeparator VectorAngle VertexCoverQ VerticalSlider VectorColorFunction VertexDataCoordinates VerticalTilde VectorColorFunctionScaling VertexDegree ViewAngle VectorDensityPlot VertexDelete ViewCenter VectorPlot VertexDiceSimilarity ViewMatrix VectorPlot3D VertexEccentricity ViewPoint VectorPoints VertexInComponent ViewProjection VectorQ VertexInDegree ViewRange Vectors VertexIndex ViewVector VectorScale VertexJaccardSimilarity ViewVertical VectorStyle VertexLabeling Visible Vee VertexLabels Voice Verbatim VertexLabelStyle VoigtDistribution VerificationTest VertexList VolcanoData VerifyConvergence VertexNormals Volume VerifySecurityCertificates VertexOutComponent VonMisesDistribution VerifySolutions VertexOutDegree VoronoiMesh WaitAll WeierstrassHalfPeriodW1 WindowMargins WaitNext WeierstrassHalfPeriodW2 WindowMovable WakebyDistribution WeierstrassHalfPeriodW3 WindowOpacity WalleniusHypergeometricDistribution WeierstrassInvariantG2 WindowSize WaringYuleDistribution WeierstrassInvariantG3 WindowStatusArea WarpingCorrespondence WeierstrassInvariants WindowTitle WarpingDistance WeierstrassP WindowToolbars WatershedComponents WeierstrassPPrime WindSpeedData WatsonUSquareTest WeierstrassSigma WindVectorData WattsStrogatzGraphDistribution WeierstrassZeta WinsorizedMean WaveletBestBasis WeightedAdjacencyGraph WinsorizedVariance WaveletFilterCoefficients WeightedAdjacencyMatrix WishartMatrixDistribution WaveletImagePlot WeightedData With WaveletListPlot WeightedGraphQ WolframAlpha WaveletMapIndexed Weights WolframLanguageData WaveletMatrixPlot WelchWindow Word WaveletPhi WheelGraph WordBoundary WaveletPsi WhenEvent WordCharacter WaveletScale Which WordCloud WaveletScalogram While WordCount WaveletThreshold White WordCounts WeaklyConnectedComponents WhiteNoiseProcess WordData WeaklyConnectedGraphComponents WhitePoint WordDefinition WeaklyConnectedGraphQ Whitespace WordFrequency WeakStationarity WhitespaceCharacter WordFrequencyData WeatherData WhittakerM WordList WeatherForecastData WhittakerW WordOrientation WeberE WienerFilter WordSearch WebImageSearch WienerProcess WordSelectionFunction WebSearch WignerD WordSeparators Wedge WignerSemicircleDistribution WordSpacings Wednesday WikipediaData WordStem WeibullDistribution WikipediaSearch WordTranslation WeierstrassE1 WilksW WorkingPrecision WeierstrassE2 WilksWTest WrapAround WeierstrassE3 WindDirectionData Write WeierstrassEta1 WindowClickSelect WriteLine WeierstrassEta2 WindowElements WriteString WeierstrassEta3 WindowFloating Wronskian WeierstrassHalfPeriods WindowFrame XMLElement XMLTemplate Xor XMLObject Xnor XYZColor Yellow Yesterday YuleDissimilarity ZernikeR ZetaZero ZoomFactor ZeroSymmetric ZIPCodeData ZTest ZeroTest ZipfDistribution ZTransform Zeta ZoomCenter)
10
+ end
11
+ end
12
+ end
13
+ end
@@ -1,4 +1,5 @@
1
1
  # -*- coding: utf-8 -*- #
2
+ # frozen_string_literal: true
2
3
 
3
4
  module Rouge
4
5
  module Lexers
@@ -17,26 +18,27 @@ module Rouge
17
18
  )
18
19
  end
19
20
 
21
+ # self-modifying method that loads the builtins file
20
22
  def self.builtins
21
- load Pathname.new(__FILE__).dirname.join('matlab/builtins.rb')
22
- self.builtins
23
+ load File.join(Lexers::BASE_DIR, 'matlab/builtins.rb')
24
+ builtins
23
25
  end
24
26
 
25
27
  state :root do
26
- rule /\s+/m, Text # Whitespace
28
+ rule %r/\s+/m, Text # Whitespace
27
29
  rule %r([{]%.*?%[}])m, Comment::Multiline
28
- rule /%.*$/, Comment::Single
29
- rule /([.][.][.])(.*?)$/ do
30
+ rule %r/%.*$/, Comment::Single
31
+ rule %r/([.][.][.])(.*?)$/ do
30
32
  groups(Keyword, Comment)
31
33
  end
32
34
 
33
- rule /^(!)(.*?)(?=%|$)/ do |m|
35
+ rule %r/^(!)(.*?)(?=%|$)/ do |m|
34
36
  token Keyword, m[1]
35
37
  delegate Shell, m[2]
36
38
  end
37
39
 
38
40
 
39
- rule /[a-zA-Z][_a-zA-Z0-9]*/m do |m|
41
+ rule %r/[a-zA-Z][_a-zA-Z0-9]*/m do |m|
40
42
  match = m[0]
41
43
  if self.class.keywords.include? match
42
44
  token Keyword
@@ -49,22 +51,29 @@ module Rouge
49
51
 
50
52
  rule %r{[(){};:,\/\\\]\[]}, Punctuation
51
53
 
52
- rule /~=|==|<<|>>|[-~+\/*%=<>&^|.@]/, Operator
54
+ rule %r/~=|==|<<|>>|[-~+\/*%=<>&^|.@]/, Operator
53
55
 
54
56
 
55
- rule /(\d+\.\d*|\d*\.\d+)(e[+-]?[0-9]+)?/i, Num::Float
56
- rule /\d+e[+-]?[0-9]+/i, Num::Float
57
- rule /\d+L/, Num::Integer::Long
58
- rule /\d+/, Num::Integer
57
+ rule %r/(\d+\.\d*|\d*\.\d+)(e[+-]?[0-9]+)?/i, Num::Float
58
+ rule %r/\d+e[+-]?[0-9]+/i, Num::Float
59
+ rule %r/\d+L/, Num::Integer::Long
60
+ rule %r/\d+/, Num::Integer
59
61
 
60
- rule /'(?=(.*'))/, Str::Single, :string
61
- rule /'/, Operator
62
+ rule %r/'(?=(.*'))/, Str::Single, :chararray
63
+ rule %r/"(?=(.*"))/, Str::Double, :string
64
+ rule %r/'/, Operator
65
+ end
66
+
67
+ state :chararray do
68
+ rule %r/[^']+/, Str::Single
69
+ rule %r/''/, Str::Escape
70
+ rule %r/'/, Str::Single, :pop!
62
71
  end
63
72
 
64
73
  state :string do
65
- rule /[^']+/, Str::Single
66
- rule /''/, Str::Escape
67
- rule /'/, Str::Single, :pop!
74
+ rule %r/[^"]+/, Str::Double
75
+ rule %r/""/, Str::Escape
76
+ rule %r/"/, Str::Double, :pop!
68
77
  end
69
78
  end
70
79
  end
@@ -1,11 +1,11 @@
1
1
  # -*- coding: utf-8 -*- #
2
+ # frozen_string_literal: true
3
+
2
4
  # automatically generated by `rake builtins:matlab`
3
5
  module Rouge
4
6
  module Lexers
5
- class Matlab
6
- def self.builtins
7
- @builtins ||= Set.new %w(ans clc diary format home iskeyword more zeros ones rand true false eye diag blkdiag cat horzcat vertcat repelem repmat linspace logspace freqspace meshgrid ndgrid length size ndims numel isscalar isvector ismatrix isrow iscolumn isempty sort sortrows issorted issortedrows flip fliplr flipud rot90 transpose ctranspose permute ipermute circshift shiftdim reshape squeeze colon end ind2sub sub2ind plus uplus minus uminus times rdivide ldivide power mtimes mrdivide mldivide mpower cumprod cumsum diff movsum prod sum ceil fix floor idivide mod rem round bsxfun eq ge gt le lt ne isequal isequaln logicaloperatorsshortcircuit and not or xor all any false find islogical logical true intersect ismember ismembertol issorted setdiff setxor union unique uniquetol join innerjoin outerjoin bitand bitcmp bitget bitor bitset bitshift bitxor swapbytes double single int8 int16 int32 int64 uint8 uint16 uint32 uint64 cast typecast isinteger isfloat isnumeric isreal isfinite isinf isnan eps flintmax inf intmax intmin nan realmax realmin string strings join char cellstr blanks newline compose sprintf strcat ischar iscellstr isstring strlength isstrprop isletter isspace contains count endswith startswith strfind sscanf replace replacebetween strrep join split splitlines strjoin strsplit strtok erase erasebetween extractafter extractbefore extractbetween insertafter insertbefore pad strip lower upper reverse deblank strtrim strjust strcmp strcmpi strncmp strncmpi regexp regexpi regexprep regexptranslate datetime timezones years days hours minutes seconds milliseconds duration calyears calquarters calmonths calweeks caldays calendarduration exceltime juliandate posixtime yyyymmdd year quarter month week day hour minute second ymd hms split time timeofday isdst isweekend tzoffset between caldiff dateshift isbetween isdatetime isduration iscalendarduration isnat nat datenum datevec datestr char cellstr string now clock date calendar eomday weekday addtodate etime categorical iscategorical discretize categories iscategory isordinal isprotected addcats mergecats removecats renamecats reordercats setcats summary countcats isundefined table array2table cell2table struct2table table2array table2cell table2struct readtable writetable detectimportoptions istable head tail height width summary intersect ismember setdiff setxor unique union join innerjoin outerjoin sortrows stack unstack vartype ismissing standardizemissing rmmissing fillmissing varfun rowfun findgroups splitapply timetable retime synchronize lag table2timetable array2timetable timetable2table istimetable isregular timerange withtol vartype rmmissing issorted sortrows unique struct fieldnames getfield isfield isstruct orderfields rmfield setfield arrayfun structfun table2struct struct2table cell2struct struct2cell cell cell2mat cell2struct cell2table celldisp cellfun cellplot cellstr iscell iscellstr mat2cell num2cell strjoin strsplit struct2cell table2cell feval func2str str2func localfunctions functions addevent delevent gettsafteratevent gettsafterevent gettsatevent gettsbeforeatevent gettsbeforeevent gettsbetweenevents gettscollection isemptytscollection lengthtscollection settscollection sizetscollection tscollection addsampletocollection addts delsamplefromcollection getabstimetscollection getsampleusingtimetscollection gettimeseriesnames horzcattscollection removets resampletscollection setabstimetscollection settimeseriesnames vertcattscollection isa iscalendarduration iscategorical iscell iscellstr ischar isdatetime isduration isfield isfloat isgraphics isinteger isjava islogical isnumeric isobject isreal isenum isstruct istable is class validateattributes whos char cellstr int2str mat2str num2str str2double str2num native2unicode unicode2native base2dec bin2dec dec2base dec2bin dec2hex hex2dec hex2num num2hex table2array table2cell table2struct array2table cell2table struct2table cell2mat cell2struct mat2cell num2cell struct2cell plus uplus minus uminus times rdivide ldivide power mtimes mrdivide mldivide mpower cumprod cumsum diff movsum prod sum ceil fix floor idivide mod rem round bsxfun sin sind asin asind sinh asinh cos cosd acos acosd cosh acosh tan tand atan atand atan2 atan2d tanh atanh csc cscd acsc acscd csch acsch sec secd asec asecd sech asech cot cotd acot acotd coth acoth hypot deg2rad rad2deg exp expm1 log log10 log1p log2 nextpow2 nthroot pow2 reallog realpow realsqrt sqrt abs angle complex conj cplxpair i imag isreal j real sign unwrap factor factorial gcd isprime lcm nchoosek perms primes rat rats poly polyeig polyfit residue roots polyval polyvalm conv deconv polyint polyder airy besselh besseli besselj besselk bessely beta betainc betaincinv betaln ellipj ellipke erf erfc erfcinv erfcx erfinv expint gamma gammainc gammaincinv gammaln legendre psi cart2pol cart2sph pol2cart sph2cart eps flintmax i j inf pi nan isfinite isinf isnan compan gallery hadamard hankel hilb invhilb magic pascal rosser toeplitz vander wilkinson mldivide mrdivide linsolve inv pinv lscov lsqnonneg sylvester eig eigs balance svd svds gsvd ordeig ordqz ordschur polyeig qz hess schur rsf2csf cdf2rdf lu ldl chol cholupdate qr qrdelete qrinsert qrupdate planerot transpose ctranspose mtimes mpower sqrtm expm logm funm kron cross dot bandwidth tril triu isbanded isdiag ishermitian issymmetric istril istriu norm normest cond condest rcond condeig det null orth rank rref trace subspace rand randn randi randperm rng interp1 interp2 interp3 interpn pchip spline ppval mkpp unmkpp padecoef interpft ndgrid meshgrid griddata griddatan fminbnd fminsearch lsqnonneg fzero optimget optimset ode45 ode23 ode113 ode15s ode23s ode23t ode23tb ode15i decic odeget odeset deval odextend bvp4c bvp5c bvpinit bvpxtend bvpget bvpset deval dde23 ddesd ddensd ddeget ddeset deval pdepe pdeval integral integral2 integral3 quadgk quad2d cumtrapz trapz polyint del2 diff gradient polyder fft fft2 fftn fftshift fftw ifft ifft2 ifftn ifftshift nextpow2 interpft conv conv2 convn deconv filter filter2 ss2tf padecoef spalloc spdiags speye sprand sprandn sprandsym sparse spconvert issparse nnz nonzeros nzmax spfun spones spparms spy find full amd colamd colperm dmperm randperm symamd symrcm pcg minres symmlq gmres bicg bicgstab bicgstabl cgs qmr tfqmr lsqr ichol ilu eigs svds normest condest sprank etree symbfact spaugment dmperm etreeplot treelayout treeplot gplot unmesh graph digraph tetramesh trimesh triplot trisurf delaunay delaunayn tetramesh trimesh triplot trisurf dsearchn tsearchn delaunay delaunayn boundary alphashape convhull convhulln patch voronoi voronoin polyarea inpolygon rectint plot plot3 loglog semilogx semilogy errorbar fplot fplot3 fimplicit linespec colorspec bar bar3 barh bar3h histogram histcounts histogram2 histcounts2 rose pareto area pie pie3 stem stairs stem3 scatter scatter3 spy plotmatrix heatmap polarplot polarscatter polarhistogram compass ezpolar rlim thetalim rticks thetaticks rticklabels thetaticklabels rtickformat thetatickformat rtickangle polaraxes contour contourf contourc contour3 contourslice clabel fcontour feather quiver compass quiver3 streamslice streamline surf surfc surface surfl surfnorm mesh meshc meshz hidden fsurf fmesh fimplicit3 waterfall ribbon contour3 peaks cylinder ellipsoid sphere pcolor surf2patch contourslice flow isocaps isocolors isonormals isosurface reducepatch reducevolume shrinkfaces slice smooth3 subvolume volumebounds coneplot curl divergence interpstreamspeed stream2 stream3 streamline streamparticles streamribbon streamslice streamtube fill fill3 patch surf2patch movie getframe frame2im im2frame animatedline comet comet3 drawnow refreshdata title xlabel ylabel zlabel clabel legend colorbar text texlabel gtext line rectangle annotation xlim ylim zlim axis box daspect pbaspect grid xticks yticks zticks xticklabels yticklabels zticklabels xtickformat ytickformat ztickformat xtickangle ytickangle ztickangle datetick ruler2num num2ruler hold subplot yyaxis cla axes figure colormap colorbar rgbplot colormapeditor brighten contrast caxis spinmap hsv2rgb rgb2hsv parula jet hsv hot cool spring summer autumn winter gray bone copper pink lines colorcube prism flag view makehgtform viewmtx cameratoolbar campan camzoom camdolly camlookat camorbit campos camproj camroll camtarget camup camva camlight light lightangle lighting shading diffuse material specular alim alpha alphamap imshow image imagesc imread imwrite imfinfo imformats frame2im im2frame im2java im2double ind2rgb rgb2gray rgb2ind imapprox dither cmpermute cmunique print saveas getframe savefig openfig orient hgexport printopt get set reset inspect gca gcf gcbf gcbo gco groot ancestor allchild findall findobj findfigs gobjects isgraphics ishandle copyobj delete gobjects isgraphics isempty isequal isa clf cla close uicontextmenu uimenu dragrect rbbox refresh shg hggroup hgtransform makehgtform eye hold ishold newplot clf cla drawnow opengl readtable detectimportoptions writetable textscan dlmread dlmwrite csvread csvwrite type readtable detectimportoptions writetable xlsfinfo xlsread xlswrite importdata im2java imfinfo imread imwrite nccreate ncdisp ncinfo ncread ncreadatt ncwrite ncwriteatt ncwriteschema h5create h5disp h5info h5read h5readatt h5write h5writeatt hdfinfo hdfread hdftool imread imwrite hdfan hdfhx hdfh hdfhd hdfhe hdfml hdfpt hdfv hdfvf hdfvh hdfvs hdfdf24 hdfdfr8 fitsdisp fitsinfo fitsread fitswrite multibandread multibandwrite cdfinfo cdfread cdfepoch todatenum audioinfo audioread audiowrite videoreader videowriter mmfileinfo lin2mu mu2lin audiodevinfo audioplayer audiorecorder sound soundsc beep xmlread xmlwrite xslt load save matfile disp who whos clear clearvars openvar fclose feof ferror fgetl fgets fileread fopen fprintf fread frewind fscanf fseek ftell fwrite tcpclient web webread webwrite websave weboptions sendmail jsondecode jsonencode readasync serial serialbreak seriallist stopasync instrcallback instrfind instrfindall record tabulartextdatastore imagedatastore spreadsheetdatastore filedatastore datastore tall datastore mapreducer gather head tail topkrows istall classunderlying isaunderlying write mapreduce datastore add addmulti hasnext getnext mapreducer gcmr matfile memmapfile ismissing rmmissing fillmissing missing standardizemissing isoutlier filloutliers smoothdata movmean movmedian detrend filter filter2 discretize histcounts histcounts2 findgroups splitapply rowfun varfun accumarray min max bounds mean median mode std var corrcoef cov cummax cummin movmad movmax movmean movmedian movmin movprod movstd movsum movvar pan zoom rotate rotate3d brush datacursormode ginput linkdata linkaxes linkprop refreshdata figurepalette plotbrowser plotedit plottools propertyeditor propedit showplottool if for parfor switch try while break continue end pause return edit input publish grabcode snapnow function nargin nargout varargin varargout narginchk nargoutchk validateattributes validatestring inputname isvarname namelengthmax persistent assignin global mlock munlock mislocked try error warning lastwarn assert oncleanup addpath rmpath path savepath userpath genpath pathsep pathtool restoredefaultpath rehash dir ls pwd fileattrib exist isdir type visdiff what which cd copyfile delete recycle mkdir movefile rmdir open winopen zip unzip gzip gunzip tar untar fileparts fullfile filemarker filesep tempdir tempname matlabroot toolboxdir dbclear dbcont dbdown dbquit dbstack dbstatus dbstep dbstop dbtype dbup checkcode keyboard mlintrpt edit echo eval evalc evalin feval run builtin mfilename pcode uiaxes uibutton uibuttongroup uicheckbox uidropdown uieditfield uilabel uilistbox uiradiobutton uislider uispinner uitable uitextarea uitogglebutton scroll uifigure uipanel uitabgroup uitab uigauge uiknob uilamp uiswitch uialert questdlg inputdlg listdlg uisetcolor uigetfile uiputfile uigetdir uiopen uisave appdesigner figure axes uicontrol uitable uipanel uibuttongroup uitab uitabgroup uimenu uicontextmenu uitoolbar uipushtool uitoggletool actxcontrol align movegui getpixelposition setpixelposition listfonts textwrap uistack inspect errordlg warndlg msgbox helpdlg waitbar questdlg inputdlg listdlg uisetcolor uisetfont export2wsdlg uigetfile uiputfile uigetdir uiopen uisave printdlg printpreview exportsetupdlg dialog uigetpref guide uiwait uiresume waitfor waitforbuttonpress closereq getappdata setappdata isappdata rmappdata guidata guihandles uisetpref class isobject enumeration events methods properties classdef classdef import properties isprop mustbefinite mustbegreaterthan mustbegreaterthanorequal mustbeinteger mustbelessthan mustbelessthanorequal mustbemember mustbenegative mustbenonempty mustbenonnan mustbenonnegative mustbenonpositive mustbenonsparse mustbenonzero mustbenumeric mustbenumericorlogical mustbepositive mustbereal methods ismethod isequal eq events superclasses enumeration isenum numargumentsfromsubscript subsref subsasgn subsindex substruct builtin empty disp display details saveobj loadobj edit metaclass properties methods events superclasses step clone getnuminputs getnumoutputs islocked resetsystemobject releasesystemobject mexext inmem loadlibrary unloadlibrary libisloaded calllib libfunctions libfunctionsview libstruct libpointer import isjava javaaddpath javaarray javachk javaclasspath javamethod javamethodedt javaobject javaobjectedt javarmpath usejava net enablenetfromnetworkdrive cell begininvoke endinvoke combine remove removeall bitand bitor bitxor bitnot actxserver actxcontrol actxcontrollist actxcontrolselect actxgetrunningserver iscom addproperty deleteproperty inspect fieldnames methods methodsview invoke isevent eventlisteners registerevent unregisterallevents unregisterevent isinterface interfaces release move pyversion pyargs pyargs pyargs builddocsearchdb try assert runtests testsuite functiontests runtests testsuite runtests testsuite runperf testsuite timeit tic toc cputime profile bench memory inmem pack memoize clearallmemoizedcaches clipboard computer system dos unix getenv setenv perl winqueryreg commandhistory commandwindow filebrowser workspace getpref setpref addpref rmpref ispref mex execute getchararray putchararray getfullmatrix putfullmatrix getvariable getworkspacedata putworkspacedata maximizecommandwindow minimizecommandwindow regmatlabserver enableservice mex dbmex mexext inmem ver computer mexext dbmex inmem mex mexext matlabwindows matlabmac matlablinux exit quit matlabrc startup finish prefdir preferences version ver verlessthan license ispc ismac isunix isstudent javachk usejava doc help docsearch lookfor demo echodemo)
8
- end
7
+ def Matlab.builtins
8
+ @builtins ||= Set.new ["abs", "accumarray", "acos", "acosd", "acosh", "acot", "acotd", "acoth", "acsc", "acscd", "acsch", "actxcontrol", "actxcontrollist", "actxcontrolselect", "actxGetRunningServer", "actxserver", "add", "addboundary", "addcats", "addCause", "addClass", "addCondition", "addConditionsFrom", "addConstructor", "addCorrection", "addedge", "addevent", "addFields", "addFields", "addFile", "addFolderIncludingChildFiles", "addFunction", "addLabel", "addlistener", "addMethod", "addmulti", "addnode", "addOptional", "addParameter", "addParamValue", "addPath", "addpath", "addPlugin", "addpoints", "addpref", "addprop", "addprop", "addproperty", "addProperty", "addReference", "addRequired", "addsample", "addsampletocollection", "addShortcut", "addShutdownFile", "addStartupFile", "addTeardown", "addTeardown", "addtodate", "addToolbarExplorationButtons", "addts", "addvars", "adjacency", "airy", "align", "alim", "all", "allchild", "allowModelReferenceDiscreteSampleTimeInheritanceImpl", "alpha", "alphamap", "alphaShape", "alphaSpectrum", "alphaTriangulation", "amd", "analyzeCodeCompatibility", "ancestor", "and", "angle", "animatedline", "annotation", "ans", "any", "appdesigner", "append", "append", "applyFixture", "applyFixture", "area", "area", "area", "array2table", "array2timetable", "arrayfun", "ascii", "asec", "asecd", "asech", "asin", "asind", "asinh", "assert", "assertAccessed", "assertCalled", "assertClass", "assertEmpty", "assertEqual", "assertError", "assertFail", "assertFalse", "assertGreaterThan", "assertGreaterThanOrEqual", "assertInstanceOf", "assertLength", "assertLessThan", "assertLessThanOrEqual", "assertMatches", "assertNotAccessed", "assertNotCalled", "assertNotEmpty", "assertNotEqual", "assertNotSameHandle", "assertNotSet", "assertNumElements", "assertReturnsTrue", "assertSameHandle", "assertSet", "assertSize", "assertSubstring", "assertThat", "assertTrue", "assertUsing", "assertWarning", "assertWarningFree", "assignin", "assignOutputsWhen", "assumeAccessed", "assumeCalled", "assumeClass", "assumeEmpty", "assumeEqual", "assumeError", "assumeFail", "assumeFalse", "assumeGreaterThan", "assumeGreaterThanOrEqual", "assumeInstanceOf", "assumeLength", "assumeLessThan", "assumeLessThanOrEqual", "assumeMatches", "assumeNotAccessed", "assumeNotCalled", "assumeNotEmpty", "assumeNotEqual", "assumeNotSameHandle", "assumeNotSet", "assumeNumElements", "assumeReturnsTrue", "assumeSameHandle", "assumeSet", "assumeSize", "assumeSubstring", "assumeThat", "assumeTrue", "assumeUsing", "assumeWarning", "assumeWarningFree", "atan", "atan2", "atan2d", "atand", "atanh", "audiodevinfo", "audioinfo", "audioplayer", "audioread", "audiorecorder", "audiowrite", "autumn", "aviinfo", "axes", "axis", "axtoolbar", "axtoolbarbtn", "balance", "bandwidth", "bar", "bar3", "bar3h", "barh", "barycentricToCartesian", "baryToCart", "base2dec", "batchStartupOptionUsed", "bctree", "beep", "BeginInvoke", "bench", "besselh", "besseli", "besselj", "besselk", "bessely", "beta", "betainc", "betaincinv", "betaln", "between", "bfsearch", "bicg", "bicgstab", "bicgstabl", "biconncomp", "bin2dec", "binary", "binscatter", "bitand", "bitcmp", "bitget", "bitnot", "bitor", "bitset", "bitshift", "bitxor", "blanks", "blkdiag", "bone", "boundary", "boundary", "boundaryFacets", "boundaryshape", "boundingbox", "bounds", "box", "break", "brighten", "brush", "bsxfun", "build", "builddocsearchdb", "builtin", "bvp4c", "bvp5c", "bvpget", "bvpinit", "bvpset", "bvpxtend", "caldays", "caldiff", "calendar", "calendarDuration", "calllib", "callSoapService", "calmonths", "calquarters", "calweeks", "calyears", "camdolly", "cameratoolbar", "camlight", "camlookat", "camorbit", "campan", "campos", "camproj", "camroll", "camtarget", "camup", "camva", "camzoom", "cancel", "cancelled", "cart2pol", "cart2sph", "cartesianToBarycentric", "cartToBary", "cast", "cat", "cat", "categorical", "categories", "caxis", "cd", "cd", "cdf2rdf", "cdfepoch", "cdfinfo", "cdflib", "cdflib.close", "cdflib.closeVar", "cdflib.computeEpoch", "cdflib.computeEpoch16", "cdflib.create", "cdflib.createAttr", "cdflib.createVar", "cdflib.delete", "cdflib.deleteAttr", "cdflib.deleteAttrEntry", "cdflib.deleteAttrgEntry", "cdflib.deleteVar", "cdflib.deleteVarRecords", "cdflib.epoch16Breakdown", "cdflib.epochBreakdown", "cdflib.getAttrEntry", "cdflib.getAttrgEntry", "cdflib.getAttrMaxEntry", "cdflib.getAttrMaxgEntry", "cdflib.getAttrName", "cdflib.getAttrNum", "cdflib.getAttrScope", "cdflib.getCacheSize", "cdflib.getChecksum", "cdflib.getCompression", "cdflib.getCompressionCacheSize", "cdflib.getConstantNames", "cdflib.getConstantValue", "cdflib.getCopyright", "cdflib.getFileBackward", "cdflib.getFormat", "cdflib.getLibraryCopyright", "cdflib.getLibraryVersion", "cdflib.getMajority", "cdflib.getName", "cdflib.getNumAttrEntries", "cdflib.getNumAttrgEntries", "cdflib.getNumAttributes", "cdflib.getNumgAttributes", "cdflib.getReadOnlyMode", "cdflib.getStageCacheSize", "cdflib.getValidate", "cdflib.getVarAllocRecords", "cdflib.getVarBlockingFactor", "cdflib.getVarCacheSize", "cdflib.getVarCompression", "cdflib.getVarData", "cdflib.getVarMaxAllocRecNum", "cdflib.getVarMaxWrittenRecNum", "cdflib.getVarName", "cdflib.getVarNum", "cdflib.getVarNumRecsWritten", "cdflib.getVarPadValue", "cdflib.getVarRecordData", "cdflib.getVarReservePercent", "cdflib.getVarsMaxWrittenRecNum", "cdflib.getVarSparseRecords", "cdflib.getVersion", "cdflib.hyperGetVarData", "cdflib.hyperPutVarData", "cdflib.inquire", "cdflib.inquireAttr", "cdflib.inquireAttrEntry", "cdflib.inquireAttrgEntry", "cdflib.inquireVar", "cdflib.open", "cdflib.putAttrEntry", "cdflib.putAttrgEntry", "cdflib.putVarData", "cdflib.putVarRecordData", "cdflib.renameAttr", "cdflib.renameVar", "cdflib.setCacheSize", "cdflib.setChecksum", "cdflib.setCompression", "cdflib.setCompressionCacheSize", "cdflib.setFileBackward", "cdflib.setFormat", "cdflib.setMajority", "cdflib.setReadOnlyMode", "cdflib.setStageCacheSize", "cdflib.setValidate", "cdflib.setVarAllocBlockRecords", "cdflib.setVarBlockingFactor", "cdflib.setVarCacheSize", "cdflib.setVarCompression", "cdflib.setVarInitialRecs", "cdflib.setVarPadValue", "cdflib.SetVarReservePercent", "cdflib.setVarsCacheSize", "cdflib.setVarSparseRecords", "cdfread", "cdfwrite", "ceil", "cell", "cell2mat", "cell2struct", "cell2table", "celldisp", "cellfun", "cellplot", "cellstr", "centrality", "centroid", "cgs", "changeFields", "changeFields", "char", "char", "checkcode", "checkin", "checkout", "chol", "cholupdate", "choose", "circshift", "circumcenter", "circumcenters", "cla", "clabel", "class", "classdef", "classUnderlying", "clc", "clear", "clear", "clearAllMemoizedCaches", "clearCache", "clearMockHistory", "clearPersonalValue", "clearpoints", "clearTemporaryValue", "clearvars", "clf", "clibgen.buildInterface", "clibgen.ClassDefinition", "clibgen.ConstructorDefinition", "clibgen.EnumDefinition", "clibgen.FunctionDefinition", "clibgen.generateLibraryDefinition", "clibgen.LibraryDefinition", "clibgen.MethodDefinition", "clibgen.PropertyDefinition", "clibRelease", "clipboard", "clock", "clone", "close", "close", "close", "close", "close", "closeFile", "closereq", "cmopts", "cmpermute", "cmunique", "CodeCompatibilityAnalysis", "codeCompatibilityReport", "colamd", "collapse", "colon", "colorbar", "colorcube", "colordef", "colormap", "ColorSpec", "colperm", "COM", "com.mathworks.engine.MatlabEngine", "com.mathworks.matlab.types.CellStr", "com.mathworks.matlab.types.Complex", "com.mathworks.matlab.types.HandleObject", "com.mathworks.matlab.types.Struct", "combine", "Combine", "CombinedDatastore", "comet", "comet3", "compan", "compass", "complete", "complete", "complete", "complete", "complete", "complete", "complete", "complex", "compose", "computer", "cond", "condeig", "condensation", "condest", "coneplot", "conj", "conncomp", "containers.Map", "contains", "continue", "contour", "contour3", "contourc", "contourf", "contourslice", "contrast", "conv", "conv2", "convert", "convert", "convert", "convertCharsToStrings", "convertContainedStringsToChars", "convertLike", "convertStringsToChars", "convertvars", "convexHull", "convexHull", "convhull", "convhull", "convhulln", "convn", "cool", "copper", "copy", "copyElement", "copyfile", "copyHDU", "copyobj", "copyTo", "corrcoef", "cos", "cosd", "cosh", "cospi", "cot", "cotd", "coth", "count", "countcats", "countEachLabel", "cov", "cplxpair", "cputime", "createCategory", "createClassFromWsdl", "createFile", "createImg", "createLabel", "createMock", "createSampleTime", "createSharedTestFixture", "createSoapMessage", "createTbl", "createTestClassInstance", "createTestMethodInstance", "criticalAlpha", "cross", "csc", "cscd", "csch", "csvread", "csvwrite", "ctranspose", "cummax", "cummin", "cumprod", "cumsum", "cumtrapz", "curl", "currentProject", "customverctrl", "cylinder", "daqread", "daspect", "datacursormode", "datastore", "dataTipInteraction", "dataTipTextRow", "date", "datenum", "dateshift", "datestr", "datetick", "datetime", "datevec", "day", "days", "dbclear", "dbcont", "dbdown", "dblquad", "dbmex", "dbquit", "dbstack", "dbstatus", "dbstep", "dbstop", "dbtype", "dbup", "dde23", "ddeget", "ddensd", "ddesd", "ddeset", "deal", "deblank", "dec2base", "dec2bin", "dec2hex", "decic", "decomposition", "deconv", "defineArgument", "defineArgument", "defineArgument", "defineOutput", "defineOutput", "deg2rad", "degree", "del2", "delaunay", "delaunayn", "DelaunayTri", "DelaunayTri", "delaunayTriangulation", "delegateTo", "delegateTo", "delete", "delete", "delete", "delete", "delete", "deleteCol", "deleteFile", "deleteHDU", "deleteKey", "deleteproperty", "deleteRecord", "deleteRows", "delevent", "delimitedTextImportOptions", "delsample", "delsamplefromcollection", "demo", "det", "details", "detectImportOptions", "detrend", "detrend", "deval", "dfsearch", "diag", "diagnose", "dialog", "diary", "diff", "diffuse", "digraph", "dir", "dir", "disableDefaultInteractivity", "discretize", "disp", "disp", "disp", "display", "displayEmptyObject", "displayNonScalarObject", "displayScalarHandleToDeletedObject", "displayScalarObject", "dissect", "distances", "dither", "divergence", "dlmread", "dlmwrite", "dmperm", "doc", "docsearch", "done", "done", "dos", "dot", "double", "drag", "dragrect", "drawnow", "dsearchn", "duration", "dynamicprops", "echo", "echodemo", "edgeAttachments", "edgeAttachments", "edgecount", "edges", "edges", "edit", "eig", "eigs", "ellipj", "ellipke", "ellipsoid", "empty", "enableDefaultInteractivity", "enableNETfromNetworkDrive", "enableservice", "end", "EndInvoke", "endsWith", "enumeration", "eomday", "eps", "eq", "eq", "equilibrate", "erase", "eraseBetween", "erf", "erfc", "erfcinv", "erfcx", "erfinv", "error", "errorbar", "errordlg", "etime", "etree", "etreeplot", "eval", "evalc", "evalin", "event.DynamicPropertyEvent", "event.EventData", "event.hasListener", "event.listener", "event.PropertyEvent", "event.proplistener", "eventlisteners", "events", "events", "exceltime", "Execute", "exist", "exit", "exp", "expand", "expectedContentLength", "expectedContentLength", "expint", "expm", "expm1", "export", "export2wsdlg", "exportsetupdlg", "extractAfter", "extractBefore", "extractBetween", "eye", "ezcontour", "ezcontourf", "ezmesh", "ezmeshc", "ezplot", "ezplot3", "ezpolar", "ezsurf", "ezsurfc", "faceNormal", "faceNormals", "factor", "factorial", "false", "fatalAssertAccessed", "fatalAssertCalled", "fatalAssertClass", "fatalAssertEmpty", "fatalAssertEqual", "fatalAssertError", "fatalAssertFail", "fatalAssertFalse", "fatalAssertGreaterThan", "fatalAssertGreaterThanOrEqual", "fatalAssertInstanceOf", "fatalAssertLength", "fatalAssertLessThan", "fatalAssertLessThanOrEqual", "fatalAssertMatches", "fatalAssertNotAccessed", "fatalAssertNotCalled", "fatalAssertNotEmpty", "fatalAssertNotEqual", "fatalAssertNotSameHandle", "fatalAssertNotSet", "fatalAssertNumElements", "fatalAssertReturnsTrue", "fatalAssertSameHandle", "fatalAssertSet", "fatalAssertSize", "fatalAssertSubstring", "fatalAssertThat", "fatalAssertTrue", "fatalAssertUsing", "fatalAssertWarning", "fatalAssertWarningFree", "fclose", "fclose", "fcontour", "feather", "featureEdges", "featureEdges", "feof", "ferror", "feval", "Feval", "feval", "fewerbins", "fft", "fft2", "fftn", "fftshift", "fftw", "fgetl", "fgetl", "fgets", "fgets", "fieldnames", "figure", "figurepalette", "fileattrib", "fileDatastore", "filemarker", "fileMode", "fileName", "fileparts", "fileread", "filesep", "fill", "fill3", "fillmissing", "filloutliers", "filter", "filter", "filter2", "fimplicit", "fimplicit3", "find", "findall", "findCategory", "findedge", "findEvent", "findfigs", "findFile", "findgroups", "findLabel", "findnode", "findobj", "findobj", "findprop", "findstr", "finish", "fitsdisp", "fitsinfo", "fitsread", "fitswrite", "fix", "fixedWidthImportOptions", "flag", "flintmax", "flip", "flipdim", "flipedge", "fliplr", "flipud", "floor", "flow", "fmesh", "fminbnd", "fminsearch", "fopen", "fopen", "for", "format", "fplot", "fplot3", "fprintf", "fprintf", "frame2im", "fread", "fread", "freeBoundary", "freeBoundary", "freqspace", "frewind", "fscanf", "fscanf", "fseek", "fsurf", "ftell", "ftp", "full", "fullfile", "func2str", "function", "functions", "FunctionTestCase", "functiontests", "funm", "fwrite", "fwrite", "fzero", "gallery", "gamma", "gammainc", "gammaincinv", "gammaln", "gather", "gca", "gcbf", "gcbo", "gcd", "gcf", "gcmr", "gco", "ge", "genpath", "genvarname", "geoaxes", "geobasemap", "geobubble", "geodensityplot", "geolimits", "geoplot", "geoscatter", "geotickformat", "get", "get", "get", "get", "get", "get", "get", "get", "get", "get", "get", "getabstime", "getabstime", "getAColParms", "getappdata", "getaudiodata", "getBColParms", "GetCharArray", "getClass", "getColName", "getColType", "getConstantValue", "getCurrentTime", "getData", "getData", "getData", "getData", "getData", "getdatasamples", "getdatasamplesize", "getDiagnosticFor", "getDiagnosticFor", "getDiscreteStateImpl", "getDiscreteStateSpecificationImpl", "getdisp", "getenv", "getEqColType", "getfield", "getFields", "getFields", "getFileFormats", "getFooter", "getframe", "GetFullMatrix", "getGlobalNamesImpl", "getHdrSpace", "getHDUnum", "getHDUtype", "getHeader", "getHeaderImpl", "getIconImpl", "getImgSize", "getImgType", "getImpulseResponseLengthImpl", "getInputDimensionConstraintImpl", "getinterpmethod", "getLocation", "getLocation", "getMockHistory", "getNegativeDiagnosticFor", "getnext", "getNumCols", "getNumHDUs", "getNumInputs", "getNumInputsImpl", "getNumOutputs", "getNumOutputsImpl", "getNumRows", "getOpenFiles", "getOutputDataTypeImpl", "getOutputDimensionConstraintImpl", "getOutputSizeImpl", "getParameter", "getParameter", "getParameter", "getpixelposition", "getplayer", "getpoints", "getPostActValString", "getPostConditionString", "getPostDescriptionString", "getPostExpValString", "getPreDescriptionString", "getpref", "getProfiles", "getPropertyGroups", "getPropertyGroupsImpl", "getqualitydesc", "getReasonPhrase", "getReasonPhrase", "getReport", "getsamples", "getSampleTime", "getSampleTimeImpl", "getsampleusingtime", "getsampleusingtime", "getSharedTestFixtures", "getSimulateUsingImpl", "getSimulinkFunctionNamesImpl", "gettimeseriesnames", "getTimeStr", "gettsafteratevent", "gettsafterevent", "gettsatevent", "gettsbeforeatevent", "gettsbeforeevent", "gettsbetweenevents", "GetVariable", "getvaropts", "getVersion", "GetWorkspaceData", "ginput", "global", "gmres", "gobjects", "gplot", "grabcode", "gradient", "graph", "GraphPlot", "gray", "graymon", "grid", "griddata", "griddatan", "griddedInterpolant", "groot", "groupcounts", "groupsummary", "grouptransform", "gsvd", "gt", "gtext", "guidata", "guide", "guihandles", "gunzip", "gzip", "H5.close", "H5.garbage_collect", "H5.get_libversion", "H5.open", "H5.set_free_list_limits", "H5A.close", "H5A.create", "H5A.delete", "H5A.get_info", "H5A.get_name", "H5A.get_space", "H5A.get_type", "H5A.iterate", "H5A.open", "H5A.open_by_idx", "H5A.open_by_name", "H5A.read", "H5A.write", "h5create", "H5D.close", "H5D.create", "H5D.get_access_plist", "H5D.get_create_plist", "H5D.get_offset", "H5D.get_space", "H5D.get_space_status", "H5D.get_storage_size", "H5D.get_type", "H5D.open", "H5D.read", "H5D.set_extent", "H5D.vlen_get_buf_size", "H5D.write", "h5disp", "H5DS.attach_scale", "H5DS.detach_scale", "H5DS.get_label", "H5DS.get_num_scales", "H5DS.get_scale_name", "H5DS.is_scale", "H5DS.iterate_scales", "H5DS.set_label", "H5DS.set_scale", "H5E.clear", "H5E.get_major", "H5E.get_minor", "H5E.walk", "H5F.close", "H5F.create", "H5F.flush", "H5F.get_access_plist", "H5F.get_create_plist", "H5F.get_filesize", "H5F.get_freespace", "H5F.get_info", "H5F.get_mdc_config", "H5F.get_mdc_hit_rate", "H5F.get_mdc_size", "H5F.get_name", "H5F.get_obj_count", "H5F.get_obj_ids", "H5F.is_hdf5", "H5F.mount", "H5F.open", "H5F.reopen", "H5F.set_mdc_config", "H5F.unmount", "H5G.close", "H5G.create", "H5G.get_info", "H5G.open", "H5I.dec_ref", "H5I.get_file_id", "H5I.get_name", "H5I.get_ref", "H5I.get_type", "H5I.inc_ref", "H5I.is_valid", "h5info", "H5L.copy", "H5L.create_external", "H5L.create_hard", "H5L.create_soft", "H5L.delete", "H5L.exists", "H5L.get_info", "H5L.get_name_by_idx", "H5L.get_val", "H5L.iterate", "H5L.iterate_by_name", "H5L.move", "H5L.visit", "H5L.visit_by_name", "H5ML.compare_values", "H5ML.get_constant_names", "H5ML.get_constant_value", "H5ML.get_function_names", "H5ML.get_mem_datatype", "H5ML.hoffset", "H5ML.sizeof", "H5O.close", "H5O.copy", "H5O.get_comment", "H5O.get_comment_by_name", "H5O.get_info", "H5O.link", "H5O.open", "H5O.open_by_idx", "H5O.set_comment", "H5O.set_comment_by_name", "H5O.visit", "H5O.visit_by_name", "H5P.all_filters_avail", "H5P.close", "H5P.close_class", "H5P.copy", "H5P.create", "H5P.equal", "H5P.exist", "H5P.fill_value_defined", "H5P.get", "H5P.get_alignment", "H5P.get_alloc_time", "H5P.get_attr_creation_order", "H5P.get_attr_phase_change", "H5P.get_btree_ratios", "H5P.get_char_encoding", "H5P.get_chunk", "H5P.get_chunk_cache", "H5P.get_class", "H5P.get_class_name", "H5P.get_class_parent", "H5P.get_copy_object", "H5P.get_create_intermediate_group", "H5P.get_driver", "H5P.get_edc_check", "H5P.get_external", "H5P.get_external_count", "H5P.get_family_offset", "H5P.get_fapl_core", "H5P.get_fapl_family", "H5P.get_fapl_multi", "H5P.get_fclose_degree", "H5P.get_fill_time", "H5P.get_fill_value", "H5P.get_filter", "H5P.get_filter_by_id", "H5P.get_gc_references", "H5P.get_hyper_vector_size", "H5P.get_istore_k", "H5P.get_layout", "H5P.get_libver_bounds", "H5P.get_link_creation_order", "H5P.get_link_phase_change", "H5P.get_mdc_config", "H5P.get_meta_block_size", "H5P.get_multi_type", "H5P.get_nfilters", "H5P.get_nprops", "H5P.get_sieve_buf_size", "H5P.get_size", "H5P.get_sizes", "H5P.get_small_data_block_size", "H5P.get_sym_k", "H5P.get_userblock", "H5P.get_version", "H5P.isa_class", "H5P.iterate", "H5P.modify_filter", "H5P.remove_filter", "H5P.set", "H5P.set_alignment", "H5P.set_alloc_time", "H5P.set_attr_creation_order", "H5P.set_attr_phase_change", "H5P.set_btree_ratios", "H5P.set_char_encoding", "H5P.set_chunk", "H5P.set_chunk_cache", "H5P.set_copy_object", "H5P.set_create_intermediate_group", "H5P.set_deflate", "H5P.set_edc_check", "H5P.set_external", "H5P.set_family_offset", "H5P.set_fapl_core", "H5P.set_fapl_family", "H5P.set_fapl_log", "H5P.set_fapl_multi", "H5P.set_fapl_sec2", "H5P.set_fapl_split", "H5P.set_fapl_stdio", "H5P.set_fclose_degree", "H5P.set_fill_time", "H5P.set_fill_value", "H5P.set_filter", "H5P.set_fletcher32", "H5P.set_gc_references", "H5P.set_hyper_vector_size", "H5P.set_istore_k", "H5P.set_layout", "H5P.set_libver_bounds", "H5P.set_link_creation_order", "H5P.set_link_phase_change", "H5P.set_mdc_config", "H5P.set_meta_block_size", "H5P.set_multi_type", "H5P.set_nbit", "H5P.set_scaleoffset", "H5P.set_shuffle", "H5P.set_sieve_buf_size", "H5P.set_sizes", "H5P.set_small_data_block_size", "H5P.set_sym_k", "H5P.set_userblock", "H5R.create", "H5R.dereference", "H5R.get_name", "H5R.get_obj_type", "H5R.get_region", "h5read", "h5readatt", "H5S.close", "H5S.copy", "H5S.create", "H5S.create_simple", "H5S.extent_copy", "H5S.get_select_bounds", "H5S.get_select_elem_npoints", "H5S.get_select_elem_pointlist", "H5S.get_select_hyper_blocklist", "H5S.get_select_hyper_nblocks", "H5S.get_select_npoints", "H5S.get_select_type", "H5S.get_simple_extent_dims", "H5S.get_simple_extent_ndims", "H5S.get_simple_extent_npoints", "H5S.get_simple_extent_type", "H5S.is_simple", "H5S.offset_simple", "H5S.select_all", "H5S.select_elements", "H5S.select_hyperslab", "H5S.select_none", "H5S.select_valid", "H5S.set_extent_none", "H5S.set_extent_simple", "H5T.array_create", "H5T.close", "H5T.commit", "H5T.committed", "H5T.copy", "H5T.create", "H5T.detect_class", "H5T.enum_create", "H5T.enum_insert", "H5T.enum_nameof", "H5T.enum_valueof", "H5T.equal", "H5T.get_array_dims", "H5T.get_array_ndims", "H5T.get_class", "H5T.get_create_plist", "H5T.get_cset", "H5T.get_ebias", "H5T.get_fields", "H5T.get_inpad", "H5T.get_member_class", "H5T.get_member_index", "H5T.get_member_name", "H5T.get_member_offset", "H5T.get_member_type", "H5T.get_member_value", "H5T.get_native_type", "H5T.get_nmembers", "H5T.get_norm", "H5T.get_offset", "H5T.get_order", "H5T.get_pad", "H5T.get_precision", "H5T.get_sign", "H5T.get_size", "H5T.get_strpad", "H5T.get_super", "H5T.get_tag", "H5T.insert", "H5T.is_variable_str", "H5T.lock", "H5T.open", "H5T.pack", "H5T.set_cset", "H5T.set_ebias", "H5T.set_fields", "H5T.set_inpad", "H5T.set_norm", "H5T.set_offset", "H5T.set_order", "H5T.set_pad", "H5T.set_precision", "H5T.set_sign", "H5T.set_size", "H5T.set_strpad", "H5T.set_tag", "H5T.vlen_create", "h5write", "h5writeatt", "H5Z.filter_avail", "H5Z.get_filter_info", "hadamard", "handle", "hankel", "hasdata", "hasdata", "hasFactoryValue", "hasfile", "hasFrame", "hasnext", "hasPersonalValue", "hasTemporaryValue", "hdf5info", "hdf5read", "hdf5write", "hdfan", "hdfdf24", "hdfdfr8", "hdfh", "hdfhd", "hdfhe", "hdfhx", "hdfinfo", "hdfml", "hdfpt", "hdfread", "hdftool", "hdfv", "hdfvf", "hdfvh", "hdfvs", "head", "heatmap", "height", "help", "helpbrowser", "helpdesk", "helpdlg", "helpwin", "hess", "hex2dec", "hex2num", "hgexport", "hggroup", "hgload", "hgsave", "hgtransform", "hidden", "highlight", "hilb", "hist", "histc", "histcounts", "histcounts2", "histogram", "histogram2", "hms", "hold", "holes", "home", "horzcat", "horzcat", "horzcat", "hot", "hour", "hours", "hover", "hsv", "hsv2rgb", "hypot", "ichol", "idealfilter", "idivide", "ifft", "ifft2", "ifftn", "ifftshift", "ilu", "im2double", "im2frame", "im2java", "imag", "image", "imageDatastore", "imagesc", "imapprox", "imfinfo", "imformats", "imgCompress", "import", "importdata", "imread", "imresize", "imshow", "imtile", "imwrite", "incenter", "incenters", "incidence", "ind2rgb", "ind2sub", "indegree", "inedges", "Inf", "info", "infoImpl", "initialize", "initialize", "initialize", "initialize", "initialize", "initializeDatastore", "initializeDatastore", "inline", "inmem", "inner2outer", "innerjoin", "inOutStatus", "inpolygon", "input", "inputdlg", "inputname", "inputParser", "insertAfter", "insertATbl", "insertBefore", "insertBTbl", "insertCol", "insertImg", "insertRows", "inShape", "inspect", "instrcallback", "instrfind", "instrfindall", "int16", "int2str", "int32", "int64", "int8", "integral", "integral2", "integral3", "interp1", "interp1q", "interp2", "interp3", "interpft", "interpn", "interpstreamspeed", "intersect", "intersect", "intmax", "intmin", "inv", "invhilb", "invoke", "ipermute", "iqr", "is*", "isa", "isappdata", "isaUnderlying", "isbanded", "isbetween", "iscalendarduration", "iscategorical", "iscategory", "iscell", "iscellstr", "ischange", "ischar", "iscolumn", "iscom", "isCompatible", "isCompressedImg", "isConnected", "isdag", "isdatetime", "isdiag", "isdir", "isDiscreteStateSpecificationMutableImpl", "isDone", "isDoneImpl", "isdst", "isduration", "isEdge", "isempty", "isempty", "isenum", "isequal", "isequaln", "isequalwithequalnans", "isevent", "isfield", "isfile", "isfinite", "isfloat", "isfolder", "isfullfile", "isfullfile", "isgraphics", "ishandle", "ishermitian", "ishghandle", "ishold", "ishole", "isIllConditioned", "isInactivePropertyImpl", "isinf", "isInputComplexityMutableImpl", "isInputDataTypeMutableImpl", "isInputDirectFeedthroughImpl", "isInputSizeLockedImpl", "isInputSizeMutableImpl", "isinteger", "isinterface", "isInterior", "isinterior", "isisomorphic", "isjava", "isKey", "iskeyword", "isletter", "isLoaded", "islocalmax", "islocalmin", "isLocked", "islogical", "ismac", "ismatrix", "ismember", "ismembertol", "ismethod", "ismissing", "ismultigraph", "isnan", "isnat", "isNull", "isnumeric", "isobject", "isocaps", "isocolors", "isomorphism", "isonormals", "isordinal", "isosurface", "isoutlier", "isOutputComplexImpl", "isOutputFixedSizeImpl", "ispc", "isplaying", "ispref", "isprime", "isprop", "isprotected", "isreal", "isrecording", "isregular", "isrow", "isscalar", "issimplified", "issorted", "issortedrows", "isspace", "issparse", "isstr", "isstring", "isStringScalar", "isstrprop", "isstruct", "isstudent", "issymmetric", "istable", "istall", "istimetable", "istril", "istriu", "isTunablePropertyDataTypeMutableImpl", "isundefined", "isunix", "isvalid", "isvalid", "isvalid", "isvarname", "isvector", "isweekend", "javaaddpath", "javaArray", "javachk", "javaclasspath", "javaMethod", "javaMethodEDT", "javaObject", "javaObjectEDT", "javarmpath", "jet", "join", "join", "join", "jsondecode", "jsonencode", "juliandate", "keepMeasuring", "keyboard", "keys", "KeyValueDatastore", "KeyValueStore", "kron", "labeledge", "labelnode", "lag", "laplacian", "lasterr", "lasterror", "lastwarn", "layout", "lcm", "ldivide", "ldl", "le", "legend", "legendre", "length", "length", "length", "length", "lib.pointer", "libfunctions", "libfunctionsview", "libisloaded", "libpointer", "libstruct", "license", "light", "lightangle", "lighting", "lin2mu", "line", "lines", "LineSpec", "linkaxes", "linkdata", "linkprop", "linsolve", "linspace", "listdlg", "listener", "listfonts", "listModifiedFiles", "listRequiredFiles", "load", "load", "load", "loadlibrary", "loadobj", "loadObjectImpl", "localfunctions", "log", "log", "log", "log10", "log1p", "log2", "logical", "Logical", "loglog", "logm", "logspace", "lookfor", "lower", "ls", "lscov", "lsqminnorm", "lsqnonneg", "lsqr", "lt", "lu", "magic", "makehgtform", "mapreduce", "mapreducer", "mat2cell", "mat2str", "matchpairs", "material", "matfile", "matlab", "matlab", "matlab", "matlab.addons.disableAddon", "matlab.addons.enableAddon", "matlab.addons.install", "matlab.addons.installedAddons", "matlab.addons.isAddonEnabled", "matlab.addons.toolbox.installedToolboxes", "matlab.addons.toolbox.installToolbox", "matlab.addons.toolbox.packageToolbox", "matlab.addons.toolbox.toolboxVersion", "matlab.addons.toolbox.uninstallToolbox", "matlab.addons.uninstall", "matlab.apputil.create", "matlab.apputil.getInstalledAppInfo", "matlab.apputil.install", "matlab.apputil.package", "matlab.apputil.run", "matlab.apputil.uninstall", "matlab.codetools.requiredFilesAndProducts", "matlab.engine.connect_matlab", "matlab.engine.engineName", "matlab.engine.find_matlab", "matlab.engine.FutureResult", "matlab.engine.isEngineShared", "matlab.engine.MatlabEngine", "matlab.engine.shareEngine", "matlab.engine.start_matlab", "matlab.exception.JavaException", "matlab.exception.PyException", "matlab.graphics.Graphics", "matlab.graphics.GraphicsPlaceholder", "matlab.io.Datastore", "matlab.io.datastore.DsFileReader", "matlab.io.datastore.DsFileSet", "matlab.io.datastore.HadoopFileBased", "matlab.io.datastore.HadoopLocationBased", "matlab.io.datastore.Partitionable", "matlab.io.datastore.Shuffleable", "matlab.io.hdf4.sd", "matlab.io.hdf4.sd.attrInfo", "matlab.io.hdf4.sd.close", "matlab.io.hdf4.sd.create", "matlab.io.hdf4.sd.dimInfo", "matlab.io.hdf4.sd.endAccess", "matlab.io.hdf4.sd.fileInfo", "matlab.io.hdf4.sd.findAttr", "matlab.io.hdf4.sd.getCal", "matlab.io.hdf4.sd.getChunkInfo", "matlab.io.hdf4.sd.getCompInfo", "matlab.io.hdf4.sd.getDataStrs", "matlab.io.hdf4.sd.getDimID", "matlab.io.hdf4.sd.getDimScale", "matlab.io.hdf4.sd.getDimStrs", "matlab.io.hdf4.sd.getFilename", "matlab.io.hdf4.sd.getFillValue", "matlab.io.hdf4.sd.getInfo", "matlab.io.hdf4.sd.getRange", "matlab.io.hdf4.sd.idToRef", "matlab.io.hdf4.sd.idType", "matlab.io.hdf4.sd.isCoordVar", "matlab.io.hdf4.sd.isRecord", "matlab.io.hdf4.sd.nameToIndex", "matlab.io.hdf4.sd.nameToIndices", "matlab.io.hdf4.sd.readAttr", "matlab.io.hdf4.sd.readChunk", "matlab.io.hdf4.sd.readData", "matlab.io.hdf4.sd.refToIndex", "matlab.io.hdf4.sd.select", "matlab.io.hdf4.sd.setAttr", "matlab.io.hdf4.sd.setCal", "matlab.io.hdf4.sd.setChunk", "matlab.io.hdf4.sd.setCompress", "matlab.io.hdf4.sd.setDataStrs", "matlab.io.hdf4.sd.setDimName", "matlab.io.hdf4.sd.setDimScale", "matlab.io.hdf4.sd.setDimStrs", "matlab.io.hdf4.sd.setExternalFile", "matlab.io.hdf4.sd.setFillMode", "matlab.io.hdf4.sd.setFillValue", "matlab.io.hdf4.sd.setNBitDataSet", "matlab.io.hdf4.sd.setRange", "matlab.io.hdf4.sd.start", "matlab.io.hdf4.sd.writeChunk", "matlab.io.hdf4.sd.writeData", "matlab.io.hdfeos.gd", "matlab.io.hdfeos.gd.attach", "matlab.io.hdfeos.gd.close", "matlab.io.hdfeos.gd.compInfo", "matlab.io.hdfeos.gd.create", "matlab.io.hdfeos.gd.defBoxRegion", "matlab.io.hdfeos.gd.defComp", "matlab.io.hdfeos.gd.defDim", "matlab.io.hdfeos.gd.defField", "matlab.io.hdfeos.gd.defOrigin", "matlab.io.hdfeos.gd.defPixReg", "matlab.io.hdfeos.gd.defProj", "matlab.io.hdfeos.gd.defTile", "matlab.io.hdfeos.gd.defVrtRegion", "matlab.io.hdfeos.gd.detach", "matlab.io.hdfeos.gd.dimInfo", "matlab.io.hdfeos.gd.extractRegion", "matlab.io.hdfeos.gd.fieldInfo", "matlab.io.hdfeos.gd.getFillValue", "matlab.io.hdfeos.gd.getPixels", "matlab.io.hdfeos.gd.getPixValues", "matlab.io.hdfeos.gd.gridInfo", "matlab.io.hdfeos.gd.ij2ll", "matlab.io.hdfeos.gd.inqAttrs", "matlab.io.hdfeos.gd.inqDims", "matlab.io.hdfeos.gd.inqFields", "matlab.io.hdfeos.gd.inqGrid", "matlab.io.hdfeos.gd.interpolate", "matlab.io.hdfeos.gd.ll2ij", "matlab.io.hdfeos.gd.nEntries", "matlab.io.hdfeos.gd.open", "matlab.io.hdfeos.gd.originInfo", "matlab.io.hdfeos.gd.pixRegInfo", "matlab.io.hdfeos.gd.projInfo", "matlab.io.hdfeos.gd.readAttr", "matlab.io.hdfeos.gd.readBlkSomOffset", "matlab.io.hdfeos.gd.readField", "matlab.io.hdfeos.gd.readTile", "matlab.io.hdfeos.gd.regionInfo", "matlab.io.hdfeos.gd.setFillValue", "matlab.io.hdfeos.gd.setTileComp", "matlab.io.hdfeos.gd.sphereCodeToName", "matlab.io.hdfeos.gd.sphereNameToCode", "matlab.io.hdfeos.gd.tileInfo", "matlab.io.hdfeos.gd.writeAttr", "matlab.io.hdfeos.gd.writeBlkSomOffset", "matlab.io.hdfeos.gd.writeField", "matlab.io.hdfeos.gd.writeTile", "matlab.io.hdfeos.sw", "matlab.io.hdfeos.sw.attach", "matlab.io.hdfeos.sw.close", "matlab.io.hdfeos.sw.compInfo", "matlab.io.hdfeos.sw.create", "matlab.io.hdfeos.sw.defBoxRegion", "matlab.io.hdfeos.sw.defComp", "matlab.io.hdfeos.sw.defDataField", "matlab.io.hdfeos.sw.defDim", "matlab.io.hdfeos.sw.defDimMap", "matlab.io.hdfeos.sw.defGeoField", "matlab.io.hdfeos.sw.defTimePeriod", "matlab.io.hdfeos.sw.defVrtRegion", "matlab.io.hdfeos.sw.detach", "matlab.io.hdfeos.sw.dimInfo", "matlab.io.hdfeos.sw.extractPeriod", "matlab.io.hdfeos.sw.extractRegion", "matlab.io.hdfeos.sw.fieldInfo", "matlab.io.hdfeos.sw.geoMapInfo", "matlab.io.hdfeos.sw.getFillValue", "matlab.io.hdfeos.sw.idxMapInfo", "matlab.io.hdfeos.sw.inqAttrs", "matlab.io.hdfeos.sw.inqDataFields", "matlab.io.hdfeos.sw.inqDims", "matlab.io.hdfeos.sw.inqGeoFields", "matlab.io.hdfeos.sw.inqIdxMaps", "matlab.io.hdfeos.sw.inqMaps", "matlab.io.hdfeos.sw.inqSwath", "matlab.io.hdfeos.sw.mapInfo", "matlab.io.hdfeos.sw.nEntries", "matlab.io.hdfeos.sw.open", "matlab.io.hdfeos.sw.periodInfo", "matlab.io.hdfeos.sw.readAttr", "matlab.io.hdfeos.sw.readField", "matlab.io.hdfeos.sw.regionInfo", "matlab.io.hdfeos.sw.setFillValue", "matlab.io.hdfeos.sw.writeAttr", "matlab.io.hdfeos.sw.writeField", "matlab.io.MatFile", "matlab.io.saveVariablesToScript", "matlab.lang.correction.AppendArgumentsCorrection", "matlab.lang.makeUniqueStrings", "matlab.lang.makeValidName", "matlab.lang.OnOffSwitchState", "matlab.mex.MexHost", "matlab.mixin.Copyable", "matlab.mixin.CustomDisplay", "matlab.mixin.CustomDisplay.convertDimensionsToString", "matlab.mixin.CustomDisplay.displayPropertyGroups", "matlab.mixin.CustomDisplay.getClassNameForHeader", "matlab.mixin.CustomDisplay.getDeletedHandleText", "matlab.mixin.CustomDisplay.getDetailedFooter", "matlab.mixin.CustomDisplay.getDetailedHeader", "matlab.mixin.CustomDisplay.getHandleText", "matlab.mixin.CustomDisplay.getSimpleHeader", "matlab.mixin.Heterogeneous", "matlab.mixin.Heterogeneous.getDefaultScalarElement", "matlab.mixin.SetGet", "matlab.mixin.SetGetExactNames", "matlab.mixin.util.PropertyGroup", "matlab.mock.actions.AssignOutputs", "matlab.mock.actions.Invoke", "matlab.mock.actions.ReturnStoredValue", "matlab.mock.actions.StoreValue", "matlab.mock.actions.ThrowException", "matlab.mock.AnyArguments", "matlab.mock.constraints.Occurred", "matlab.mock.constraints.WasAccessed", "matlab.mock.constraints.WasCalled", "matlab.mock.constraints.WasSet", "matlab.mock.history.MethodCall", "matlab.mock.history.PropertyAccess", "matlab.mock.history.PropertyModification", "matlab.mock.history.SuccessfulMethodCall", "matlab.mock.history.SuccessfulPropertyAccess", "matlab.mock.history.SuccessfulPropertyModification", "matlab.mock.history.UnsuccessfulMethodCall", "matlab.mock.history.UnsuccessfulPropertyAccess", "matlab.mock.history.UnsuccessfulPropertyModification", "matlab.mock.InteractionHistory", "matlab.mock.InteractionHistory.forMock", "matlab.mock.MethodCallBehavior", "matlab.mock.PropertyBehavior", "matlab.mock.PropertyGetBehavior", "matlab.mock.PropertySetBehavior", "matlab.mock.TestCase", "matlab.mock.TestCase.forInteractiveUse", "matlab.net.ArrayFormat", "matlab.net.base64decode", "matlab.net.base64encode", "matlab.net.http.AuthenticationScheme", "matlab.net.http.AuthInfo", "matlab.net.http.Cookie", "matlab.net.http.CookieInfo", "matlab.net.http.CookieInfo.collectFromLog", "matlab.net.http.Credentials", "matlab.net.http.Disposition", "matlab.net.http.field.AcceptField", "matlab.net.http.field.AuthenticateField", "matlab.net.http.field.AuthenticationInfoField", "matlab.net.http.field.AuthorizationField", "matlab.net.http.field.ContentDispositionField", "matlab.net.http.field.ContentLengthField", "matlab.net.http.field.ContentLocationField", "matlab.net.http.field.ContentTypeField", "matlab.net.http.field.CookieField", "matlab.net.http.field.DateField", "matlab.net.http.field.GenericField", "matlab.net.http.field.GenericParameterizedField", "matlab.net.http.field.HTTPDateField", "matlab.net.http.field.IntegerField", "matlab.net.http.field.LocationField", "matlab.net.http.field.MediaRangeField", "matlab.net.http.field.SetCookieField", "matlab.net.http.field.URIReferenceField", "matlab.net.http.HeaderField", "matlab.net.http.HeaderField.displaySubclasses", "matlab.net.http.HTTPException", "matlab.net.http.HTTPOptions", "matlab.net.http.io.BinaryConsumer", "matlab.net.http.io.ContentConsumer", "matlab.net.http.io.ContentProvider", "matlab.net.http.io.FileConsumer", "matlab.net.http.io.FileProvider", "matlab.net.http.io.FormProvider", "matlab.net.http.io.GenericConsumer", "matlab.net.http.io.GenericProvider", "matlab.net.http.io.ImageConsumer", "matlab.net.http.io.ImageProvider", "matlab.net.http.io.JSONConsumer", "matlab.net.http.io.JSONProvider", "matlab.net.http.io.MultipartConsumer", "matlab.net.http.io.MultipartFormProvider", "matlab.net.http.io.MultipartProvider", "matlab.net.http.io.StringConsumer", "matlab.net.http.io.StringProvider", "matlab.net.http.LogRecord", "matlab.net.http.MediaType", "matlab.net.http.Message", "matlab.net.http.MessageBody", "matlab.net.http.MessageType", "matlab.net.http.ProgressMonitor", "matlab.net.http.ProtocolVersion", "matlab.net.http.RequestLine", "matlab.net.http.RequestMessage", "matlab.net.http.RequestMethod", "matlab.net.http.ResponseMessage", "matlab.net.http.StartLine", "matlab.net.http.StatusClass", "matlab.net.http.StatusCode", "matlab.net.http.StatusCode.fromValue", "matlab.net.http.StatusLine", "matlab.net.QueryParameter", "matlab.net.URI", "matlab.perftest.FixedTimeExperiment", "matlab.perftest.FrequentistTimeExperiment", "matlab.perftest.TestCase", "matlab.perftest.TimeExperiment", "matlab.perftest.TimeExperiment.limitingSamplingError", "matlab.perftest.TimeExperiment.withFixedSampleSize", "matlab.perftest.TimeResult", "matlab.project.createProject", "matlab.project.loadProject", "matlab.project.Project", "matlab.project.rootProject", "matlab.System", "matlab.system.display.Action", "matlab.system.display.Header", "matlab.system.display.Icon", "matlab.system.display.Section", "matlab.system.display.SectionGroup", "matlab.system.mixin.CustomIcon", "matlab.system.mixin.FiniteSource", "matlab.system.mixin.Nondirect", "matlab.system.mixin.Propagates", "matlab.system.mixin.SampleTime", "matlab.system.StringSet", "matlab.tall.blockMovingWindow", "matlab.tall.movingWindow", "matlab.tall.reduce", "matlab.tall.transform", "matlab.test.behavior.Missing", "matlab.uitest.TestCase", "matlab.uitest.TestCase.forInteractiveUse", "matlab.uitest.unlock", "matlab.unittest.constraints.AbsoluteTolerance", "matlab.unittest.constraints.AnyCellOf", "matlab.unittest.constraints.AnyElementOf", "matlab.unittest.constraints.BooleanConstraint", "matlab.unittest.constraints.CellComparator", "matlab.unittest.constraints.Constraint", "matlab.unittest.constraints.ContainsSubstring", "matlab.unittest.constraints.EndsWithSubstring", "matlab.unittest.constraints.Eventually", "matlab.unittest.constraints.EveryCellOf", "matlab.unittest.constraints.EveryElementOf", "matlab.unittest.constraints.HasElementCount", "matlab.unittest.constraints.HasField", "matlab.unittest.constraints.HasInf", "matlab.unittest.constraints.HasLength", "matlab.unittest.constraints.HasNaN", "matlab.unittest.constraints.HasSize", "matlab.unittest.constraints.HasUniqueElements", "matlab.unittest.constraints.IsAnything", "matlab.unittest.constraints.IsEmpty", "matlab.unittest.constraints.IsEqualTo", "matlab.unittest.constraints.IsFalse", "matlab.unittest.constraints.IsFile", "matlab.unittest.constraints.IsFinite", "matlab.unittest.constraints.IsFolder", "matlab.unittest.constraints.IsGreaterThan", "matlab.unittest.constraints.IsGreaterThanOrEqualTo", "matlab.unittest.constraints.IsInstanceOf", "matlab.unittest.constraints.IsLessThan", "matlab.unittest.constraints.IsLessThanOrEqualTo", "matlab.unittest.constraints.IsOfClass", "matlab.unittest.constraints.IsReal", "matlab.unittest.constraints.IsSameHandleAs", "matlab.unittest.constraints.IsSameSetAs", "matlab.unittest.constraints.IsScalar", "matlab.unittest.constraints.IsSparse", "matlab.unittest.constraints.IsSubsetOf", "matlab.unittest.constraints.IsSubstringOf", "matlab.unittest.constraints.IssuesNoWarnings", "matlab.unittest.constraints.IssuesWarnings", "matlab.unittest.constraints.IsSupersetOf", "matlab.unittest.constraints.IsTrue", "matlab.unittest.constraints.LogicalComparator", "matlab.unittest.constraints.Matches", "matlab.unittest.constraints.NumericComparator", "matlab.unittest.constraints.ObjectComparator", "matlab.unittest.constraints.PublicPropertyComparator", "matlab.unittest.constraints.PublicPropertyComparator.supportingAllValues", "matlab.unittest.constraints.RelativeTolerance", "matlab.unittest.constraints.ReturnsTrue", "matlab.unittest.constraints.StartsWithSubstring", "matlab.unittest.constraints.StringComparator", "matlab.unittest.constraints.StructComparator", "matlab.unittest.constraints.TableComparator", "matlab.unittest.constraints.Throws", "matlab.unittest.constraints.Tolerance", "matlab.unittest.diagnostics.ConstraintDiagnostic", "matlab.unittest.diagnostics.ConstraintDiagnostic.getDisplayableString", "matlab.unittest.diagnostics.Diagnostic", "matlab.unittest.diagnostics.DiagnosticResult", "matlab.unittest.diagnostics.DisplayDiagnostic", "matlab.unittest.diagnostics.FigureDiagnostic", "matlab.unittest.diagnostics.FileArtifact", "matlab.unittest.diagnostics.FrameworkDiagnostic", "matlab.unittest.diagnostics.FunctionHandleDiagnostic", "matlab.unittest.diagnostics.LoggedDiagnosticEventData", "matlab.unittest.diagnostics.ScreenshotDiagnostic", "matlab.unittest.diagnostics.StringDiagnostic", "matlab.unittest.fixtures.CurrentFolderFixture", "matlab.unittest.fixtures.Fixture", "matlab.unittest.fixtures.PathFixture", "matlab.unittest.fixtures.ProjectFixture", "matlab.unittest.fixtures.SuppressedWarningsFixture", "matlab.unittest.fixtures.TemporaryFolderFixture", "matlab.unittest.fixtures.WorkingFolderFixture", "matlab.unittest.measurement.DefaultMeasurementResult", "matlab.unittest.measurement.MeasurementResult", "matlab.unittest.parameters.ClassSetupParameter", "matlab.unittest.parameters.EmptyParameter", "matlab.unittest.parameters.MethodSetupParameter", "matlab.unittest.parameters.Parameter", "matlab.unittest.parameters.Parameter.fromData", "matlab.unittest.parameters.TestParameter", "matlab.unittest.plugins.codecoverage.CoberturaFormat", "matlab.unittest.plugins.codecoverage.CoverageReport", "matlab.unittest.plugins.codecoverage.ProfileReport", "matlab.unittest.plugins.CodeCoveragePlugin", "matlab.unittest.plugins.CodeCoveragePlugin.forFile", "matlab.unittest.plugins.CodeCoveragePlugin.forFolder", "matlab.unittest.plugins.CodeCoveragePlugin.forPackage", "matlab.unittest.plugins.diagnosticrecord.DiagnosticRecord", "matlab.unittest.plugins.diagnosticrecord.ExceptionDiagnosticRecord", "matlab.unittest.plugins.diagnosticrecord.LoggedDiagnosticRecord", "matlab.unittest.plugins.diagnosticrecord.QualificationDiagnosticRecord", "matlab.unittest.plugins.DiagnosticsOutputPlugin", "matlab.unittest.plugins.DiagnosticsRecordingPlugin", "matlab.unittest.plugins.DiagnosticsValidationPlugin", "matlab.unittest.plugins.FailOnWarningsPlugin", "matlab.unittest.plugins.LoggingPlugin", "matlab.unittest.plugins.LoggingPlugin.withVerbosity", "matlab.unittest.plugins.OutputStream", "matlab.unittest.plugins.plugindata.FinalizedResultPluginData", "matlab.unittest.plugins.plugindata.ImplicitFixturePluginData", "matlab.unittest.plugins.plugindata.PluginData", "matlab.unittest.plugins.plugindata.QualificationContext", "matlab.unittest.plugins.plugindata.SharedTestFixturePluginData", "matlab.unittest.plugins.plugindata.TestContentCreationPluginData", "matlab.unittest.plugins.plugindata.TestSuiteRunPluginData", "matlab.unittest.plugins.QualifyingPlugin", "matlab.unittest.plugins.StopOnFailuresPlugin", "matlab.unittest.plugins.TAPPlugin", "matlab.unittest.plugins.TAPPlugin.producingOriginalFormat", "matlab.unittest.plugins.TAPPlugin.producingVersion13", "matlab.unittest.plugins.testreport.DOCXTestReportPlugin", "matlab.unittest.plugins.testreport.HTMLTestReportPlugin", "matlab.unittest.plugins.testreport.PDFTestReportPlugin", "matlab.unittest.plugins.TestReportPlugin", "matlab.unittest.plugins.TestReportPlugin.producingDOCX", "matlab.unittest.plugins.TestReportPlugin.producingHTML", "matlab.unittest.plugins.TestReportPlugin.producingPDF", "matlab.unittest.plugins.TestRunnerPlugin", "matlab.unittest.plugins.TestRunProgressPlugin", "matlab.unittest.plugins.ToFile", "matlab.unittest.plugins.ToStandardOutput", "matlab.unittest.plugins.ToUniqueFile", "matlab.unittest.plugins.XMLPlugin", "matlab.unittest.plugins.XMLPlugin.producingJUnitFormat", "matlab.unittest.qualifications.Assertable", "matlab.unittest.qualifications.AssertionFailedException", "matlab.unittest.qualifications.Assumable", "matlab.unittest.qualifications.AssumptionFailedException", "matlab.unittest.qualifications.ExceptionEventData", "matlab.unittest.qualifications.FatalAssertable", "matlab.unittest.qualifications.FatalAssertionFailedException", "matlab.unittest.qualifications.QualificationEventData", "matlab.unittest.qualifications.Verifiable", "matlab.unittest.Scope", "matlab.unittest.selectors.AndSelector", "matlab.unittest.selectors.HasBaseFolder", "matlab.unittest.selectors.HasName", "matlab.unittest.selectors.HasParameter", "matlab.unittest.selectors.HasProcedureName", "matlab.unittest.selectors.HasSharedTestFixture", "matlab.unittest.selectors.HasSuperclass", "matlab.unittest.selectors.HasTag", "matlab.unittest.selectors.NotSelector", "matlab.unittest.selectors.OrSelector", "matlab.unittest.Test", "matlab.unittest.TestCase", "matlab.unittest.TestCase.forInteractiveUse", "matlab.unittest.TestResult", "matlab.unittest.TestRunner", "matlab.unittest.TestRunner.withNoPlugins", "matlab.unittest.TestRunner.withTextOutput", "matlab.unittest.TestSuite", "matlab.unittest.TestSuite.fromClass", "matlab.unittest.TestSuite.fromFile", "matlab.unittest.TestSuite.fromFolder", "matlab.unittest.TestSuite.fromMethod", "matlab.unittest.TestSuite.fromName", "matlab.unittest.TestSuite.fromPackage", "matlab.unittest.TestSuite.fromProject", "matlab.unittest.Verbosity", "matlab.wsdl.createWSDLClient", "matlab.wsdl.setWSDLToolPath", "matlabrc", "matlabroot", "matlabshared.supportpkg.checkForUpdate", "matlabshared.supportpkg.getInstalled", "matlabshared.supportpkg.getSupportPackageRoot", "matlabshared.supportpkg.setSupportPackageRoot", "max", "max", "maxflow", "MaximizeCommandWindow", "maxk", "maxNumCompThreads", "maxpartitions", "maxpartitions", "mean", "mean", "median", "median", "memmapfile", "memoize", "MemoizedFunction", "memory", "menu", "mergecats", "mergevars", "mesh", "meshc", "meshgrid", "meshz", "meta.abstractDetails", "meta.ArrayDimension", "meta.class", "meta.class.fromName", "meta.DynamicProperty", "meta.EnumeratedValue", "meta.event", "meta.FixedDimension", "meta.MetaData", "meta.method", "meta.package", "meta.package.fromName", "meta.package.getAllPackages", "meta.property", "meta.UnrestrictedDimension", "meta.Validation", "metaclass", "methods", "methodsview", "mex", "mex.getCompilerConfigurations", "MException", "MException.last", "mexext", "mexhost", "mfilename", "mget", "milliseconds", "min", "min", "MinimizeCommandWindow", "mink", "minres", "minspantree", "minus", "minute", "minutes", "mislocked", "missing", "mkdir", "mkdir", "mkpp", "mldivide", "mlint", "mlintrpt", "mlock", "mmfileinfo", "mod", "mode", "month", "more", "morebins", "movAbsHDU", "move", "move", "movefile", "movegui", "movevars", "movie", "movmad", "movmax", "movmean", "movmedian", "movmin", "movNamHDU", "movprod", "movRelHDU", "movstd", "movsum", "movvar", "mpower", "mput", "mrdivide", "msgbox", "mtimes", "mu2lin", "multibandread", "multibandwrite", "munlock", "mustBeFinite", "mustBeGreaterThan", "mustBeGreaterThanOrEqual", "mustBeInteger", "mustBeLessThan", "mustBeLessThanOrEqual", "mustBeMember", "mustBeNegative", "mustBeNonempty", "mustBeNonNan", "mustBeNonnegative", "mustBeNonpositive", "mustBeNonsparse", "mustBeNonzero", "mustBeNumeric", "mustBeNumericOrLogical", "mustBePositive", "mustBeReal", "namelengthmax", "NaN", "nargchk", "nargin", "nargin", "narginchk", "nargout", "nargout", "nargoutchk", "NaT", "native2unicode", "nccreate", "ncdisp", "nchoosek", "ncinfo", "ncread", "ncreadatt", "ncwrite", "ncwriteatt", "ncwriteschema", "ndgrid", "ndims", "ne", "nearest", "nearestNeighbor", "nearestNeighbor", "nearestNeighbor", "nearestvertex", "neighbors", "neighbors", "neighbors", "NET", "NET.addAssembly", "NET.Assembly", "NET.convertArray", "NET.createArray", "NET.createGeneric", "NET.disableAutoRelease", "NET.enableAutoRelease", "NET.GenericClass", "NET.invokeGenericMethod", "NET.isNETSupported", "NET.NetException", "NET.setStaticProperty", "netcdf.abort", "netcdf.close", "netcdf.copyAtt", "netcdf.create", "netcdf.defDim", "netcdf.defGrp", "netcdf.defVar", "netcdf.defVarChunking", "netcdf.defVarDeflate", "netcdf.defVarFill", "netcdf.defVarFletcher32", "netcdf.delAtt", "netcdf.endDef", "netcdf.getAtt", "netcdf.getChunkCache", "netcdf.getConstant", "netcdf.getConstantNames", "netcdf.getVar", "netcdf.inq", "netcdf.inqAtt", "netcdf.inqAttID", "netcdf.inqAttName", "netcdf.inqDim", "netcdf.inqDimID", "netcdf.inqDimIDs", "netcdf.inqFormat", "netcdf.inqGrpName", "netcdf.inqGrpNameFull", "netcdf.inqGrpParent", "netcdf.inqGrps", "netcdf.inqLibVers", "netcdf.inqNcid", "netcdf.inqUnlimDims", "netcdf.inqVar", "netcdf.inqVarChunking", "netcdf.inqVarDeflate", "netcdf.inqVarFill", "netcdf.inqVarFletcher32", "netcdf.inqVarID", "netcdf.inqVarIDs", "netcdf.open", "netcdf.putAtt", "netcdf.putVar", "netcdf.reDef", "netcdf.renameAtt", "netcdf.renameDim", "netcdf.renameVar", "netcdf.setChunkCache", "netcdf.setDefaultFormat", "netcdf.setFill", "netcdf.sync", "newline", "newplot", "nextfile", "nextpow2", "nnz", "nonzeros", "norm", "normalize", "normest", "not", "notebook", "notify", "now", "nsidedpoly", "nthroot", "null", "num2cell", "num2hex", "num2ruler", "num2str", "numArgumentsFromSubscript", "numboundaries", "numedges", "numel", "numnodes", "numpartitions", "numpartitions", "numRegions", "numsides", "nzmax", "ode113", "ode15i", "ode15s", "ode23", "ode23s", "ode23t", "ode23tb", "ode45", "odeget", "odeset", "odextend", "onCleanup", "ones", "onFailure", "onFailure", "open", "open", "openDiskFile", "openfig", "openFile", "opengl", "openProject", "openvar", "optimget", "optimset", "or", "ordeig", "orderfields", "ordqz", "ordschur", "orient", "orth", "outdegree", "outedges", "outerjoin", "outputImpl", "overlaps", "pack", "pad", "padecoef", "pagesetupdlg", "pan", "panInteraction", "parallelplot", "pareto", "parfor", "parquetDatastore", "parquetinfo", "parquetread", "parquetwrite", "parse", "parse", "parseSoapResponse", "partition", "partition", "partition", "parula", "pascal", "patch", "path", "path2rc", "pathsep", "pathtool", "pause", "pause", "pbaspect", "pcg", "pchip", "pcode", "pcolor", "pdepe", "pdeval", "peaks", "perimeter", "perimeter", "perl", "perms", "permute", "persistent", "pi", "pie", "pie3", "pink", "pinv", "planerot", "play", "play", "playblocking", "plot", "plot", "plot", "plot", "plot", "plot3", "plotbrowser", "plotedit", "plotmatrix", "plottools", "plotyy", "plus", "plus", "pointLocation", "pointLocation", "pol2cart", "polar", "polaraxes", "polarhistogram", "polarplot", "polarscatter", "poly", "polyarea", "polybuffer", "polyder", "polyeig", "polyfit", "polyint", "polyshape", "polyval", "polyvalm", "posixtime", "pow2", "power", "ppval", "predecessors", "prefdir", "preferences", "preferredBufferSize", "preferredBufferSize", "press", "preview", "preview", "primes", "print", "print", "printdlg", "printopt", "printpreview", "prism", "processInputSpecificationChangeImpl", "processTunedPropertiesImpl", "prod", "profile", "profsave", "progress", "propagatedInputComplexity", "propagatedInputDataType", "propagatedInputFixedSize", "propagatedInputSize", "propedit", "propedit", "properties", "propertyeditor", "psi", "publish", "PutCharArray", "putData", "putData", "putData", "putData", "putData", "putData", "putData", "putData", "PutFullMatrix", "PutWorkspaceData", "pwd", "pyargs", "pyversion", "qmr", "qr", "qrdelete", "qrinsert", "qrupdate", "quad", "quad2d", "quadgk", "quadl", "quadv", "quarter", "questdlg", "Quit", "quit", "quiver", "quiver3", "qz", "rad2deg", "rand", "rand", "randi", "randi", "randn", "randn", "randperm", "randperm", "RandStream", "RandStream", "RandStream.create", "RandStream.getGlobalStream", "RandStream.list", "RandStream.setGlobalStream", "rank", "rat", "rats", "rbbox", "rcond", "rdivide", "read", "read", "read", "read", "read", "readall", "readasync", "readATblHdr", "readBTblHdr", "readCard", "readcell", "readCol", "readFrame", "readimage", "readImg", "readKey", "readKeyCmplx", "readKeyDbl", "readKeyLongLong", "readKeyLongStr", "readKeyUnit", "readmatrix", "readRecord", "readtable", "readtimetable", "readvars", "real", "reallog", "realmax", "realmin", "realpow", "realsqrt", "record", "record", "recordblocking", "rectangle", "rectint", "recycle", "reducepatch", "reducevolume", "refresh", "refreshdata", "refreshSourceControl", "regexp", "regexpi", "regexprep", "regexptranslate", "regions", "regionZoomInteraction", "registerevent", "regmatlabserver", "rehash", "relationaloperators", "release", "release", "releaseImpl", "reload", "rem", "Remove", "remove", "RemoveAll", "removeCategory", "removecats", "removeFields", "removeFields", "removeFile", "removeLabel", "removeParameter", "removeParameter", "removePath", "removeReference", "removeShortcut", "removeShutdownFile", "removeStartupFile", "removeToolbarExplorationButtons", "removets", "removevars", "rename", "renamecats", "rendererinfo", "reordercats", "reordernodes", "repeat", "repeat", "repeat", "repeat", "repeat", "repelem", "replace", "replaceBetween", "replaceFields", "replaceFields", "repmat", "reportFinalizedResult", "resample", "resample", "rescale", "reset", "reset", "reset", "reset", "reset", "resetImpl", "reshape", "reshape", "residue", "resolve", "restartable", "restartable", "restartable", "restoredefaultpath", "result", "resume", "rethrow", "rethrow", "retime", "return", "returnStoredValueWhen", "reusable", "reusable", "reusable", "reverse", "rgb2gray", "rgb2hsv", "rgb2ind", "rgbplot", "ribbon", "rlim", "rmappdata", "rmboundary", "rmdir", "rmdir", "rmedge", "rmfield", "rmholes", "rmmissing", "rmnode", "rmoutliers", "rmpath", "rmpref", "rmprop", "rmslivers", "rng", "roots", "rose", "rosser", "rot90", "rotate", "rotate", "rotate3d", "rotateInteraction", "round", "rowfun", "rows2vars", "rref", "rsf2csf", "rtickangle", "rtickformat", "rticklabels", "rticks", "ruler2num", "rulerPanInteraction", "run", "run", "run", "run", "run", "runInParallel", "runperf", "runTest", "runTestClass", "runTestMethod", "runtests", "runTestSuite", "samplefun", "sampleSummary", "satisfiedBy", "satisfiedBy", "save", "save", "save", "saveas", "savefig", "saveobj", "saveObjectImpl", "savepath", "scale", "scatter", "scatter3", "scatteredInterpolant", "scatterhistogram", "schur", "scroll", "sec", "secd", "sech", "second", "seconds", "seek", "selectFailed", "selectIf", "selectIncomplete", "selectLogged", "selectmoveresize", "selectPassed", "semilogx", "semilogy", "send", "sendmail", "serial", "serialbreak", "seriallist", "set", "set", "set", "set", "set", "set", "set", "set", "set", "set", "set", "setabstime", "setabstime", "setappdata", "setBscale", "setcats", "setCompressionType", "setdatatype", "setdiff", "setdisp", "setenv", "setfield", "setHCompScale", "setHCompSmooth", "setinterpmethod", "setParameter", "setParameter", "setParameter", "setpixelposition", "setpref", "setProperties", "setstr", "setTileDim", "settimeseriesnames", "Setting", "settings", "SettingsGroup", "setToValue", "setTscale", "setuniformtime", "setup", "setupImpl", "setupSharedTestFixture", "setupTestClass", "setupTestMethod", "setvaropts", "setvartype", "setxor", "sgtitle", "shading", "sheetnames", "shg", "shiftdim", "shortestpath", "shortestpathtree", "show", "show", "show", "show", "showFiSettingsImpl", "showplottool", "showSimulateUsingImpl", "shrinkfaces", "shuffle", "shuffle", "sign", "simplify", "simplify", "sin", "sind", "single", "sinh", "sinpi", "size", "size", "size", "size", "size", "size", "size", "slice", "smooth3", "smoothdata", "snapnow", "sort", "sortboundaries", "sortByFixtures", "sortregions", "sortrows", "sortx", "sorty", "sound", "soundsc", "spalloc", "sparse", "spaugment", "spconvert", "spdiags", "specular", "speye", "spfun", "sph2cart", "sphere", "spinmap", "spline", "split", "split", "splitapply", "splitEachLabel", "splitlines", "splitvars", "spones", "spparms", "sprand", "sprandn", "sprandsym", "sprank", "spreadsheetDatastore", "spreadsheetImportOptions", "spring", "sprintf", "spy", "sqrt", "sqrtm", "squeeze", "ss2tf", "sscanf", "stack", "stackedplot", "stairs", "standardizeMissing", "start", "start", "start", "start", "start", "start", "start", "start", "start", "start", "start", "start", "startat", "startMeasuring", "startsWith", "startup", "stats", "std", "std", "stem", "stem3", "step", "stepImpl", "stlread", "stlwrite", "stop", "stop", "stopasync", "stopMeasuring", "storeValueWhen", "str2double", "str2func", "str2mat", "str2num", "strcat", "strcmp", "strcmpi", "stream2", "stream3", "streamline", "streamparticles", "streamribbon", "streamslice", "streamtube", "strfind", "string", "string", "string", "string", "string", "string", "strings", "strip", "strjoin", "strjust", "strlength", "strmatch", "strncmp", "strncmpi", "strread", "strrep", "strsplit", "strtok", "strtrim", "struct", "struct2cell", "struct2table", "structfun", "strvcat", "sub2ind", "subgraph", "subplot", "subsasgn", "subset", "subsindex", "subspace", "subsref", "substruct", "subtract", "subvolume", "successors", "sum", "sum", "summary", "summary", "summer", "superclasses", "support", "supportPackageInstaller", "supports", "supportsMultipleInstanceImpl", "surf", "surf2patch", "surface", "surfaceArea", "surfc", "surfl", "surfnorm", "svd", "svds", "swapbytes", "sylvester", "symamd", "symbfact", "symmlq", "symrcm", "symvar", "synchronize", "synchronize", "syntax", "system", "table", "table2array", "table2cell", "table2struct", "table2timetable", "tabularTextDatastore", "tail", "tall", "TallDatastore", "tallrng", "tan", "tand", "tanh", "tar", "tcpclient", "teardown", "teardownSharedTestFixture", "teardownTestClass", "teardownTestMethod", "tempdir", "tempname", "testsuite", "tetramesh", "texlabel", "text", "textread", "textscan", "textwrap", "tfqmr", "then", "then", "then", "then", "then", "thetalim", "thetatickformat", "thetaticklabels", "thetaticks", "thingSpeakRead", "thingSpeakWrite", "throw", "throwAsCaller", "throwExceptionWhen", "tic", "Tiff", "Tiff.computeStrip", "Tiff.computeTile", "Tiff.currentDirectory", "Tiff.getTag", "Tiff.getTagNames", "Tiff.getVersion", "Tiff.isTiled", "Tiff.lastDirectory", "Tiff.nextDirectory", "Tiff.numberOfStrips", "Tiff.numberOfTiles", "Tiff.readEncodedStrip", "Tiff.readEncodedTile", "Tiff.readRGBAImage", "Tiff.readRGBAStrip", "Tiff.readRGBATile", "Tiff.rewriteDirectory", "Tiff.setDirectory", "Tiff.setSubDirectory", "Tiff.setTag", "Tiff.writeDirectory", "Tiff.writeEncodedStrip", "Tiff.writeEncodedTile", "time", "timeit", "timeofday", "timer", "timerange", "timerfind", "timerfindall", "times", "timeseries", "timetable", "timetable2table", "timezones", "title", "toc", "todatenum", "toeplitz", "toolboxdir", "topkrows", "toposort", "trace", "transclosure", "transform", "TransformedDatastore", "translate", "transpose", "transreduction", "trapz", "treelayout", "treeplot", "triangulation", "triangulation", "tril", "trimesh", "triplequad", "triplot", "TriRep", "TriRep", "TriScatteredInterp", "TriScatteredInterp", "trisurf", "triu", "true", "tscollection", "tsdata.event", "tsearchn", "turningdist", "type", "type", "typecast", "tzoffset", "uialert", "uiaxes", "uibutton", "uibuttongroup", "uicheckbox", "uiconfirm", "uicontextmenu", "uicontrol", "uidatepicker", "uidropdown", "uieditfield", "uifigure", "uigauge", "uigetdir", "uigetfile", "uigetpref", "uigridlayout", "uiimage", "uiimport", "uiknob", "uilabel", "uilamp", "uilistbox", "uimenu", "uint16", "uint32", "uint64", "uint8", "uiopen", "uipanel", "uiprogressdlg", "uipushtool", "uiputfile", "uiradiobutton", "uiresume", "uisave", "uisetcolor", "uisetfont", "uisetpref", "uislider", "uispinner", "uistack", "uiswitch", "uitab", "uitabgroup", "uitable", "uitextarea", "uitogglebutton", "uitoggletool", "uitoolbar", "uitree", "uitreenode", "uiwait", "uminus", "underlyingValue", "undocheckout", "unicode2native", "union", "union", "unique", "uniquetol", "unix", "unloadlibrary", "unmesh", "unmkpp", "unregisterallevents", "unregisterevent", "unstack", "untar", "unwrap", "unzip", "updateDependencies", "updateImpl", "upgradePreviouslyInstalledSupportPackages", "uplus", "upper", "urlread", "urlwrite", "usejava", "userpath", "validate", "validate", "validate", "validate", "validateattributes", "validateFunctionSignaturesJSON", "validateInputsImpl", "validatePropertiesImpl", "validatestring", "ValueIterator", "values", "vander", "var", "var", "varargin", "varargout", "varfun", "vartype", "vecnorm", "vectorize", "ver", "verctrl", "verifyAccessed", "verifyCalled", "verifyClass", "verifyEmpty", "verifyEqual", "verifyError", "verifyFail", "verifyFalse", "verifyGreaterThan", "verifyGreaterThanOrEqual", "verifyInstanceOf", "verifyLength", "verifyLessThan", "verifyLessThanOrEqual", "verifyMatches", "verifyNotAccessed", "verifyNotCalled", "verifyNotEmpty", "verifyNotEqual", "verifyNotSameHandle", "verifyNotSet", "verifyNumElements", "verifyReturnsTrue", "verifySameHandle", "verifySet", "verifySize", "verifySubstring", "verifyThat", "verifyTrue", "verifyUsing", "verifyWarning", "verifyWarningFree", "verLessThan", "version", "vertcat", "vertcat", "vertcat", "vertexAttachments", "vertexAttachments", "vertexNormal", "VideoReader", "VideoWriter", "view", "viewmtx", "visdiff", "volume", "volumebounds", "voronoi", "voronoiDiagram", "voronoiDiagram", "voronoin", "wait", "waitbar", "waitfor", "waitforbuttonpress", "warndlg", "warning", "waterfall", "web", "weboptions", "webread", "websave", "webwrite", "week", "weekday", "what", "whatsnew", "when", "when", "when", "which", "while", "whitebg", "who", "who", "whos", "whos", "width", "wilkinson", "winopen", "winqueryreg", "winter", "withAnyInputs", "withExactInputs", "withNargout", "withtol", "wordcloud", "write", "write", "write", "writecell", "writeChecksum", "writeCol", "writeComment", "writeDate", "writeHistory", "writeImg", "writeKey", "writeKeyUnit", "writematrix", "writetable", "writetimetable", "writeVideo", "xcorr", "xcov", "xlabel", "xlim", "xline", "xlsfinfo", "xlsread", "xlswrite", "xmlread", "xmlwrite", "xor", "xor", "xslt", "xtickangle", "xtickformat", "xticklabels", "xticks", "year", "years", "ylabel", "ylim", "yline", "ymd", "ytickangle", "ytickformat", "yticklabels", "yticks", "yyaxis", "yyyymmdd", "zeros", "zip", "zlabel", "zlim", "zoom", "zoomInteraction", "ztickangle", "ztickformat", "zticklabels", "zticks"]
9
9
  end
10
10
  end
11
11
  end
@@ -0,0 +1,87 @@
1
+ # -*- coding: utf-8 -*- #
2
+ # frozen_string_literal: true
3
+
4
+ # Based on Chroma's MiniZinc lexer:
5
+ # https://github.com/alecthomas/chroma/blob/5152194c717b394686d3d7a7e1946a360ec0728f/lexers/m/minizinc.go
6
+
7
+ module Rouge
8
+ module Lexers
9
+ class MiniZinc < RegexLexer
10
+ title "MiniZinc"
11
+ desc "MiniZinc is a free and open-source constraint modeling language (minizinc.org)"
12
+ tag 'minizinc'
13
+ filenames '*.mzn', '*.fzn', '*.dzn'
14
+ mimetypes 'text/minizinc'
15
+
16
+ def self.builtins
17
+ @builtins = Set.new %w[
18
+ abort abs acosh array_intersect array_union array1d array2d array3d
19
+ array4d array5d array6d asin assert atan bool2int card ceil concat
20
+ cos cosh dom dom_array dom_size fix exp floor index_set
21
+ index_set_1of2 index_set_2of2 index_set_1of3 index_set_2of3
22
+ index_set_3of3 int2float is_fixed join lb lb_array length ln log log2
23
+ log10 min max pow product round set2array show show_int show_float
24
+ sin sinh sqrt sum tan tanh trace ub ub_array
25
+ ]
26
+ end
27
+
28
+ def self.keywords
29
+ @keywords = Set.new %w[
30
+ ann annotation any constraint else endif function for forall if
31
+ include list of op output minimize maximize par predicate record
32
+ satisfy solve test then type var where
33
+ ]
34
+ end
35
+
36
+ def self.keywords_type
37
+ @keywords_type ||= Set.new %w(
38
+ array set bool enum float int string tuple
39
+ )
40
+ end
41
+
42
+ def self.operators
43
+ @operators ||= Set.new %w(
44
+ in subset superset union diff symdiff intersect
45
+ )
46
+ end
47
+
48
+ id = /[$a-zA-Z_]\w*/
49
+
50
+ state :root do
51
+ rule %r(\s+)m, Text::Whitespace
52
+ rule %r(\\\n)m, Text::Whitespace
53
+ rule %r(%.*), Comment::Single
54
+ rule %r(/(\\\n)?[*](.|\n)*?[*](\\\n)?/)m, Comment::Multiline
55
+ rule %r/"(\\\\|\\"|[^"])*"/, Literal::String
56
+
57
+ rule %r(not|<->|->|<-|\\/|xor|/\\), Operator
58
+ rule %r(<|>|<=|>=|==|=|!=), Operator
59
+ rule %r(\+|-|\*|/|div|mod), Operator
60
+ rule %r(\\|\.\.|\+\+), Operator
61
+ rule %r([|()\[\]{},:;]), Punctuation
62
+ rule %r((true|false)\b), Keyword::Constant
63
+ rule %r(([+-]?)\d+(\.(?!\.)\d*)?([eE][-+]?\d+)?), Literal::Number
64
+
65
+ rule id do |m|
66
+ if self.class.keywords.include? m[0]
67
+ token Keyword
68
+ elsif self.class.keywords_type.include? m[0]
69
+ token Keyword::Type
70
+ elsif self.class.builtins.include? m[0]
71
+ token Name::Builtin
72
+ elsif self.class.operators.include? m[0]
73
+ token Operator
74
+ else
75
+ token Name::Other
76
+ end
77
+ end
78
+
79
+ rule %r(::\s*([^\W\d]\w*)(\s*\([^\)]*\))?), Name::Decorator
80
+ rule %r(\b([^\W\d]\w*)\b(\()) do
81
+ groups Name::Function, Punctuation
82
+ end
83
+ rule %r([^\W\d]\w*), Name::Other
84
+ end
85
+ end
86
+ end
87
+ end
@@ -1,4 +1,5 @@
1
1
  # -*- coding: utf-8 -*- #
2
+ # frozen_string_literal: true
2
3
 
3
4
  module Rouge
4
5
  module Lexers
@@ -39,18 +40,18 @@ module Rouge
39
40
 
40
41
  state :root do
41
42
  rule %r(#!(.*?)$), Comment::Preproc # shebang
42
- rule //, Text, :main
43
+ rule %r//, Text, :main
43
44
  end
44
45
 
45
46
  state :base do
46
- ident = '(?:[\w_][\w\d_]*)'
47
+ ident = '(?:\w\w*)'
47
48
 
48
49
  rule %r((?i)(\d*\.\d+|\d+\.\d*)(e[+-]?\d+)?'), Num::Float
49
50
  rule %r((?i)\d+e[+-]?\d+), Num::Float
50
51
  rule %r((?i)0x[0-9a-f]*), Num::Hex
51
52
  rule %r(\d+), Num::Integer
52
53
  rule %r(@#{ident}*), Name::Variable::Instance
53
- rule %r([A-Z][\w\d_]*), Name::Class
54
+ rule %r([A-Z]\w*), Name::Class
54
55
  rule %r("?[^"]+":), Literal::String::Symbol
55
56
  rule %r(#{ident}:), Literal::String::Symbol
56
57
  rule %r(:#{ident}), Literal::String::Symbol
@@ -1,4 +1,5 @@
1
1
  # -*- coding: utf-8 -*- #
2
+ # frozen_string_literal: true
2
3
 
3
4
  module Rouge
4
5
  module Lexers
@@ -6,7 +7,7 @@ module Rouge
6
7
  tag 'mosel'
7
8
  filenames '*.mos'
8
9
  title "Mosel"
9
- desc "An optimization language used by Fico's Xpress."
10
+ desc "An optimization language used by Fico's Xpress."
10
11
  # http://www.fico.com/en/products/fico-xpress-optimization-suite
11
12
  filenames '*.mos'
12
13
 
@@ -23,46 +24,46 @@ module Rouge
23
24
  ############################################################################################################################
24
25
 
25
26
  core_keywords = %w(
26
- and array as
27
- boolean break
28
- case count counter
29
- declarations div do dynamic
30
- elif else end evaluation exit
31
- false forall forward from function
32
- if imports in include initialisations initializations integer inter is_binary is_continuous is_free is_integer is_partint is_semcont is_semint is_sos1 is_sos2
33
- linctr list
27
+ and array as
28
+ boolean break
29
+ case count counter
30
+ declarations div do dynamic
31
+ elif else end evaluation exit
32
+ false forall forward from function
33
+ if imports in include initialisations initializations integer inter is_binary is_continuous is_free is_integer is_partint is_semcont is_semint is_sos1 is_sos2
34
+ linctr list
34
35
  max min mod model mpvar
35
36
  next not of options or
36
- package parameters procedure
37
- public prod range real record repeat requirements
37
+ package parameters procedure
38
+ public prod range real record repeat requirements
38
39
  set string sum
39
40
  then to true
40
41
  union until uses
41
42
  version
42
43
  while with
43
44
  )
44
-
45
+
45
46
  core_functions = %w(
46
47
  abs arctan assert
47
48
  bitflip bitneg bitset bitshift bittest bitval
48
49
  ceil cos create currentdate currenttime cuthead cuttail
49
50
  delcell exists exit exp exportprob
50
- fclose fflush finalize findfirst findlast floor fopen fselect fskipline
51
+ fclose fflush finalize findfirst findlast floor fopen fselect fskipline
51
52
  getact getcoeff getcoeffs getdual getfid getfirst gethead getfname getlast getobjval getparam getrcost getreadcnt getreverse getsize getslack getsol gettail gettype getvars
52
- iseof ishidden isodd ln log
53
- makesos1 makesos2 maxlist minlist
54
- publish
53
+ iseof ishidden isodd ln log
54
+ makesos1 makesos2 maxlist minlist
55
+ publish
55
56
  random read readln reset reverse round
56
- setcoeff sethidden setioerr setname setparam setrandseed settype sin splithead splittail sqrt strfmt substr
57
- timestamp
58
- unpublish
57
+ setcoeff sethidden setioerr setname setparam setrandseed settype sin splithead splittail sqrt strfmt substr
58
+ timestamp
59
+ unpublish
59
60
  write writeln
60
61
  )
61
-
62
+
62
63
  ############################################################################################################################
63
64
  # mmxprs module elements
64
65
  ############################################################################################################################
65
-
66
+
66
67
  mmxprs_functions = %w(
67
68
  addmipsol
68
69
  basisstability
@@ -78,26 +79,26 @@ module Rouge
78
79
  readbasis readdirs readsol refinemipsol rejectintsol repairinfeas resetbasis resetiis resetsol
79
80
  savebasis savemipsol savesol savestate selectsol setbstat setcallback setcbcutoff setgndata setlb setmipdir setmodcut setsol setub setucbdata stopoptimize
80
81
  unloadprob
81
- writebasis writedirs writeprob writesol
82
+ writebasis writedirs writeprob writesol
82
83
  xor
83
84
  )
84
-
85
+
85
86
  mmxpres_constants = %w(XPRS_OPT XPRS_UNF XPRS_INF XPRS_UNB XPRS_OTH)
86
-
87
+
87
88
  mmxprs_parameters = %w(XPRS_colorder XPRS_enumduplpol XPRS_enummaxsol XPRS_enumsols XPRS_fullversion XPRS_loadnames XPRS_problem XPRS_probname XPRS_verbose)
88
-
89
-
89
+
90
+
90
91
  ############################################################################################################################
91
92
  # mmsystem module elements
92
93
  ############################################################################################################################
93
-
94
+
94
95
  mmsystem_functions = %w(
95
96
  addmonths
96
97
  copytext cuttext
97
- deltext
98
+ deltext
98
99
  endswith expandpath
99
100
  fcopy fdelete findfiles findtext fmove
100
- getasnumber getchar getcwd getdate getday getdaynum getdays getdirsep
101
+ getasnumber getchar getcwd getdate getday getdaynum getdays getdirsep
101
102
  getendparse setendparse
102
103
  getenv getfsize getfstat getftime gethour getminute getmonth getmsec getpathsep
103
104
  getqtype setqtype
@@ -107,29 +108,29 @@ module Rouge
107
108
  getstart setstart
108
109
  getsucc setsucc
109
110
  getsysinfo getsysstat gettime
110
- gettmpdir
111
+ gettmpdir
111
112
  gettrim settrim
112
113
  getweekday getyear
113
114
  inserttext isvalid
114
115
  makedir makepath newtar
115
116
  newzip nextfield
116
- openpipe
117
+ openpipe
117
118
  parseextn parseint parsereal parsetext pastetext pathmatch pathsplit
118
119
  qsort quote
119
- readtextline regmatch regreplace removedir removefiles
120
+ readtextline regmatch regreplace removedir removefiles
120
121
  setchar setdate setday setenv sethour
121
122
  setminute setmonth setmsec setsecond settime setyear sleep startswith system
122
123
  tarlist textfmt tolower toupper trim
123
124
  untar unzip
124
125
  ziplist
125
126
  )
126
-
127
+
127
128
  mmsystem_parameters = %w(datefmt datetimefmt monthnames sys_endparse sys_fillchar sys_pid sys_qtype sys_regcache sys_sepchar)
128
129
 
129
130
  ############################################################################################################################
130
131
  # mmjobs module elements
131
132
  ############################################################################################################################
132
-
133
+
133
134
  mmjobs_instance_mgmt_functions = %w(
134
135
  clearaliases connect
135
136
  disconnect
@@ -137,7 +138,7 @@ module Rouge
137
138
  getaliases getbanner gethostalias
138
139
  sethostalias
139
140
  )
140
-
141
+
141
142
  mmjobs_model_mgmt_functions = %w(
142
143
  compile
143
144
  detach
@@ -147,7 +148,7 @@ module Rouge
147
148
  setcontrol setdefstream setmodpar setworkdir stop
148
149
  unload
149
150
  )
150
-
151
+
151
152
  mmjobs_synchornization_functions = %w(
152
153
  dropnextevent
153
154
  getclass getfromgid getfromid getfromuid getnextevent getvalue
@@ -157,15 +158,15 @@ module Rouge
157
158
  send setgid setuid
158
159
  wait waitfor
159
160
  )
160
-
161
+
161
162
  mmjobs_functions = mmjobs_instance_mgmt_functions + mmjobs_model_mgmt_functions + mmjobs_synchornization_functions
162
-
163
+
163
164
  mmjobs_parameters = %w(conntmpl defaultnode fsrvdelay fsrvnbiter fsrvport jobid keepalive nodenumber parentnumber)
164
165
 
165
166
 
166
167
  state :whitespace do
167
168
  # Spaces
168
- rule /\s+/m, Text
169
+ rule %r/\s+/m, Text
169
170
  # ! Comments
170
171
  rule %r((!).*$\n?), Comment::Single
171
172
  # (! Comments !)
@@ -181,14 +182,14 @@ module Rouge
181
182
  # The escape sequences are not interpreted if they are contained in strings that are enclosed in single quotes.
182
183
 
183
184
  state :single_quotes do
184
- rule /'/, Str::Single, :pop!
185
- rule /[^']+/, Str::Single
185
+ rule %r/'/, Str::Single, :pop!
186
+ rule %r/[^']+/, Str::Single
186
187
  end
187
188
 
188
189
  state :double_quotes do
189
- rule /"/, Str::Double, :pop!
190
- rule /(\\"|\\[0-7]{1,3}\D|\\[abfnrtv]|\\\\)/, Str::Escape
191
- rule /[^"]/, Str::Double
190
+ rule %r/"/, Str::Double, :pop!
191
+ rule %r/(\\"|\\[0-7]{1,3}\D|\\[abfnrtv]|\\\\)/, Str::Escape
192
+ rule %r/[^"]/, Str::Double
192
193
  end
193
194
 
194
195
  state :base do
@@ -199,25 +200,25 @@ module Rouge
199
200
  rule %r{((0(x|X)[0-9a-fA-F]*)|(([0-9]+\.?[0-9]*)|(\.[0-9]+))((e|E)(\+|-)?[0-9]+)?)(L|l|UL|ul|u|U|F|f|ll|LL|ull|ULL)?}, Num
200
201
  rule %r{[~!@#\$%\^&\*\(\)\+`\-={}\[\]:;<>\?,\.\/\|\\]}, Punctuation
201
202
  # rule %r{'([^']|'')*'}, Str
202
- # rule /"(\\\\|\\"|[^"])*"/, Str
203
-
204
-
205
-
206
- rule /(true|false)\b/i, Name::Builtin
207
- rule /\b(#{core_keywords.join('|')})\b/i, Keyword
208
- rule /\b(#{core_functions.join('|')})\b/, Name::Builtin
209
-
210
-
211
-
212
- rule /\b(#{mmxprs_functions.join('|')})\b/, Name::Function
213
- rule /\b(#{mmxpres_constants.join('|')})\b/, Name::Constant
214
- rule /\b(#{mmxprs_parameters.join('|')})\b/i, Name::Property
215
-
216
- rule /\b(#{mmsystem_functions.join('|')})\b/i, Name::Function
217
- rule /\b(#{mmsystem_parameters.join('|')})\b/, Name::Property
218
-
219
- rule /\b(#{mmjobs_functions.join('|')})\b/i, Name::Function
220
- rule /\b(#{mmjobs_parameters.join('|')})\b/, Name::Property
203
+ # rule %r/"(\\\\|\\"|[^"])*"/, Str
204
+
205
+
206
+
207
+ rule %r/(true|false)\b/i, Name::Builtin
208
+ rule %r/\b(#{core_keywords.join('|')})\b/i, Keyword
209
+ rule %r/\b(#{core_functions.join('|')})\b/, Name::Builtin
210
+
211
+
212
+
213
+ rule %r/\b(#{mmxprs_functions.join('|')})\b/, Name::Function
214
+ rule %r/\b(#{mmxpres_constants.join('|')})\b/, Name::Constant
215
+ rule %r/\b(#{mmxprs_parameters.join('|')})\b/i, Name::Property
216
+
217
+ rule %r/\b(#{mmsystem_functions.join('|')})\b/i, Name::Function
218
+ rule %r/\b(#{mmsystem_parameters.join('|')})\b/, Name::Property
219
+
220
+ rule %r/\b(#{mmjobs_functions.join('|')})\b/i, Name::Function
221
+ rule %r/\b(#{mmjobs_parameters.join('|')})\b/, Name::Property
221
222
 
222
223
  rule id, Name
223
224
  end