rouge 3.1.1 → 3.2.0

Sign up to get free protection for your applications and to get access to all the features.
@@ -264,7 +264,7 @@ module Rouge
264
264
  state :stanza_value do
265
265
  rule /;/, Punctuation, :pop!
266
266
  rule(/(?=})/) { pop! }
267
- rule /!important\b/, Comment::Preproc
267
+ rule /!\s*important\b/, Comment::Preproc
268
268
  rule /^@.*?$/, Comment::Preproc
269
269
  mixin :value
270
270
  end
@@ -37,7 +37,7 @@ module Rouge
37
37
 
38
38
  state :comment do
39
39
  rule close, Comment, :pop!
40
- rule /.+(?=#{close})|.+/m, Comment
40
+ rule /.+?(?=#{close})|.+/m, Comment
41
41
  end
42
42
 
43
43
  state :ruby do
@@ -10,8 +10,8 @@ module Rouge
10
10
  desc "Fortran 2008 (free-form)"
11
11
 
12
12
  tag 'fortran'
13
- filenames '*.f90', '*.f95', '*.f03', '*.f08',
14
- '*.F90', '*.F95', '*.F03', '*.F08'
13
+ filenames '*.f', '*.f90', '*.f95', '*.f03', '*.f08',
14
+ '*.F', '*.F90', '*.F95', '*.F03', '*.F08'
15
15
  mimetypes 'text/x-fortran'
16
16
 
17
17
  name = /[A-Z][_A-Z0-9]*/i
@@ -81,6 +81,15 @@ module Rouge
81
81
 
82
82
  rule /\[\s*\]/, Keyword::Type
83
83
  rule /\(\s*\)/, Name::Builtin
84
+
85
+ # Quasiquotations
86
+ rule /(\[)([_a-z][\w']*)(\|)/ do |m|
87
+ token Operator, m[1]
88
+ token Name, m[2]
89
+ token Operator, m[3]
90
+ push :quasiquotation
91
+ end
92
+
84
93
  rule /[\[\](),;`{}]/, Punctuation
85
94
  end
86
95
 
@@ -162,6 +171,12 @@ module Rouge
162
171
  rule /./, Error, :pop!
163
172
  end
164
173
 
174
+ state :quasiquotation do
175
+ rule /\|\]/, Operator, :pop!
176
+ rule /[^\|]+/m, Text
177
+ rule /\|/, Text
178
+ end
179
+
165
180
  state :string do
166
181
  rule /"/, Str, :pop!
167
182
  rule /\\/, Str::Escape, :escape
@@ -0,0 +1,162 @@
1
+ # -*- coding: utf-8 -*- #
2
+
3
+ module Rouge
4
+ module Lexers
5
+ class Hcl < RegexLexer
6
+ tag 'hcl'
7
+
8
+ title 'Hashicorp Configuration Language'
9
+ desc 'Hashicorp Configuration Language, used by Terraform and other Hashicorp tools'
10
+
11
+ state :multiline_comment do
12
+ rule %r([*]/), Comment::Multiline, :pop!
13
+ rule %r([^*/]+), Comment::Multiline
14
+ rule %r([*/]), Comment::Multiline
15
+ end
16
+
17
+ state :comments_and_whitespace do
18
+ rule /\s+/, Text
19
+ rule %r(//.*?$), Comment::Single
20
+ rule %r(#.*?$), Comment::Single
21
+ rule %r(/[*]), Comment::Multiline, :multiline_comment
22
+ end
23
+
24
+ state :primitives do
25
+ rule /[0-9][0-9]*\.[0-9]+([eE][0-9]+)?[fd]?([kKmMgG]b?)?/, Num::Float
26
+ rule /[0-9]+([kKmMgG]b?)?/, Num::Integer
27
+
28
+ rule /"/, Str::Double, :dq
29
+ rule /'/, Str::Single, :sq
30
+ rule /(<<-?)(\s*)(\'?)(\\?)(\w+)(\3)/ do |m|
31
+ groups Operator, Text, Str::Heredoc, Str::Heredoc, Name::Constant, Str::Heredoc
32
+ @heredocstr = Regexp.escape(m[5])
33
+ push :heredoc
34
+ end
35
+ end
36
+
37
+ def self.keywords
38
+ @keywords ||= Set.new %w()
39
+ end
40
+
41
+ def self.declarations
42
+ @declarations ||= Set.new %w()
43
+ end
44
+
45
+ def self.reserved
46
+ @reserved ||= Set.new %w()
47
+ end
48
+
49
+ def self.constants
50
+ @constants ||= Set.new %w(true false null)
51
+ end
52
+
53
+ def self.builtins
54
+ @builtins ||= %w()
55
+ end
56
+
57
+ id = /[$a-z_][a-z0-9_]*/io
58
+
59
+ state :root do
60
+ mixin :comments_and_whitespace
61
+ mixin :primitives
62
+
63
+ rule /\{/ do
64
+ token Punctuation
65
+ push :hash
66
+ end
67
+ rule /\[/ do
68
+ token Punctuation
69
+ push :array
70
+ end
71
+
72
+ rule id do |m|
73
+ if self.class.keywords.include? m[0]
74
+ token Keyword
75
+ push :composite
76
+ elsif self.class.declarations.include? m[0]
77
+ token Keyword::Declaration
78
+ push :composite
79
+ elsif self.class.reserved.include? m[0]
80
+ token Keyword::Reserved
81
+ elsif self.class.constants.include? m[0]
82
+ token Keyword::Constant
83
+ elsif self.class.builtins.include? m[0]
84
+ token Name::Builtin
85
+ else
86
+ token Name::Other
87
+ push :composite
88
+ end
89
+ end
90
+ end
91
+
92
+ state :composite do
93
+ mixin :comments_and_whitespace
94
+
95
+ rule /[{]/ do
96
+ token Punctuation
97
+ pop!
98
+ push :hash
99
+ end
100
+
101
+ rule /[\[]/ do
102
+ token Punctuation
103
+ pop!
104
+ push :array
105
+ end
106
+
107
+ mixin :root
108
+
109
+ rule //, Text, :pop!
110
+ end
111
+
112
+ state :hash do
113
+ mixin :comments_and_whitespace
114
+
115
+ rule /\=/, Punctuation
116
+ rule /\}/, Punctuation, :pop!
117
+
118
+ mixin :root
119
+ end
120
+
121
+ state :array do
122
+ mixin :comments_and_whitespace
123
+
124
+ rule /,/, Punctuation
125
+ rule /\]/, Punctuation, :pop!
126
+
127
+ mixin :root
128
+ end
129
+
130
+ state :dq do
131
+ rule /[^\\"]+/, Str::Double
132
+ rule /\\"/, Str::Escape
133
+ rule /"/, Str::Double, :pop!
134
+ end
135
+
136
+ state :sq do
137
+ rule /[^\\']+/, Str::Single
138
+ rule /\\'/, Str::Escape
139
+ rule /'/, Str::Single, :pop!
140
+ end
141
+
142
+ state :heredoc do
143
+ rule /\n/, Str::Heredoc, :heredoc_nl
144
+ rule /[^$\n]+/, Str::Heredoc
145
+ rule /[$]/, Str::Heredoc
146
+ end
147
+
148
+ state :heredoc_nl do
149
+ rule /\s*(\w+)\s*\n/ do |m|
150
+ if m[1] == @heredocstr
151
+ token Name::Constant
152
+ pop! 2
153
+ else
154
+ token Str::Heredoc
155
+ end
156
+ end
157
+
158
+ rule(//) { pop! }
159
+ end
160
+ end
161
+ end
162
+ end
@@ -81,7 +81,7 @@ module Rouge
81
81
 
82
82
  state :tag do
83
83
  rule /\s+/m, Text
84
- rule /[a-zA-Z0-9_:-]+\s*=/m, Name::Attribute, :attr
84
+ rule /[a-zA-Z0-9_:-]+\s*=\s*/m, Name::Attribute, :attr
85
85
  rule /[a-zA-Z0-9_:-]+/, Name::Attribute
86
86
  rule %r(/?\s*>)m, Name::Tag, :pop!
87
87
  end
@@ -48,202 +48,460 @@ module Rouge
48
48
 
49
49
  def self.igorFunction
50
50
  @igorFunction ||= Set.new %w(
51
- axontelegraphsettimeoutms axontelegraphgettimeoutms
52
- axontelegraphgetdatanum axontelegraphagetdatanum
53
- axontelegraphgetdatastring axontelegraphagetdatastring
54
- axontelegraphgetdatastruct axontelegraphagetdatastruct hdf5datasetinfo
55
- hdf5attributeinfo hdf5typeinfo hdf5libraryinfo
56
- mpfxgausspeak mpfxlorenzianpeak mpfxvoigtpeak mpfxemgpeak mpfxexpconvexppeak
57
- abs acos acosh airya airyad airyb airybd
58
- alog area areaxy asin asinh atan atan2 atanh axisvalfrompixel besseli
59
- besselj besselk bessely beta betai binarysearch binarysearchinterp
60
- binomial binomialln binomialnoise cabs capturehistorystart ceil cequal
61
- char2num chebyshev chebyshevu checkname cmplx cmpstr conj contourz cos
62
- cosh cosintegral cot coth countobjects countobjectsdfr cpowi
63
- creationdate csc csch datafolderexists datafolderrefsequal
64
- datafolderrefstatus date2secs datetime datetojulian dawson defined
65
- deltax digamma dilogarithm dimdelta dimoffset dimsize ei enoise
66
- equalwaves erf erfc erfcw exists exp expint expintegrale1 expnoise
67
- factorial fakedata faverage faveragexy finddimlabel findlistitem floor
68
- fontsizeheight fontsizestringwidth fresnelcos fresnelsin gamma
69
- gammaeuler gammainc gammanoise gammln gammp gammq gauss gauss1d gauss2d
70
- gcd getbrowserline getdefaultfontsize getdefaultfontstyle getkeystate
71
- getrterror getrtlocation gizmoinfo gizmoscale gnoise grepstring hcsr
72
- hermite hermitegauss hyperg0f1 hyperg1f1 hyperg2f1 hypergnoise hypergpfq
73
- igorversion imag indextoscale integrate1d interp interp2d interp3d
74
- inverseerf inverseerfc itemsinlist jacobicn jacobisn laguerre laguerrea
75
- laguerregauss lambertw leftx legendrea limit ln log lognormalnoise
76
- lorentziannoise magsqr mandelbrotpoint marcumq matrixcondition matrixdet
77
- matrixdot matrixrank matrixtrace max mean median min mod moddate
78
- norm numberbykey numpnts numtype numvarordefault nvar_exists p2rect
79
- panelresolution paramisdefault pcsr pi pixelfromaxisval pnt2x
80
- poissonnoise poly poly2d polygonarea qcsr r2polar real rightx round
81
- sawtooth scaletoindex screenresolution sec sech selectnumber
82
- setenvironmentvariable sign sin sinc sinh sinintegral sphericalbessj
83
- sphericalbessjd sphericalbessy sphericalbessyd sphericalharmonics sqrt
84
- startmstimer statsbetacdf statsbetapdf statsbinomialcdf statsbinomialpdf
85
- statscauchycdf statscauchypdf statschicdf statschipdf statscmssdcdf
86
- statscorrelation statsdexpcdf statsdexppdf statserlangcdf statserlangpdf
87
- statserrorpdf statsevaluecdf statsevaluepdf statsexpcdf statsexppdf
88
- statsfcdf statsfpdf statsfriedmancdf statsgammacdf statsgammapdf
89
- statsgeometriccdf statsgeometricpdf statsgevcdf statsgevpdf
90
- statshypergcdf statshypergpdf statsinvbetacdf statsinvbinomialcdf
91
- statsinvcauchycdf statsinvchicdf statsinvcmssdcdf statsinvdexpcdf
92
- statsinvevaluecdf statsinvexpcdf statsinvfcdf statsinvfriedmancdf
93
- statsinvgammacdf statsinvgeometriccdf statsinvkuipercdf
94
- statsinvlogisticcdf statsinvlognormalcdf statsinvmaxwellcdf
95
- statsinvmoorecdf statsinvnbinomialcdf statsinvncchicdf statsinvncfcdf
96
- statsinvnormalcdf statsinvparetocdf statsinvpoissoncdf statsinvpowercdf
97
- statsinvqcdf statsinvqpcdf statsinvrayleighcdf statsinvrectangularcdf
98
- statsinvspearmancdf statsinvstudentcdf statsinvtopdowncdf
99
- statsinvtriangularcdf statsinvusquaredcdf statsinvvonmisescdf
100
- statsinvweibullcdf statskuipercdf statslogisticcdf statslogisticpdf
101
- statslognormalcdf statslognormalpdf statsmaxwellcdf statsmaxwellpdf
102
- statsmedian statsmoorecdf statsnbinomialcdf statsnbinomialpdf
103
- statsncchicdf statsncchipdf statsncfcdf statsncfpdf statsnctcdf
104
- statsnctpdf statsnormalcdf statsnormalpdf statsparetocdf statsparetopdf
105
- statspermute statspoissoncdf statspoissonpdf statspowercdf
106
- statspowernoise statspowerpdf statsqcdf statsqpcdf statsrayleighcdf
107
- statsrayleighpdf statsrectangularcdf statsrectangularpdf statsrunscdf
108
- statsspearmanrhocdf statsstudentcdf statsstudentpdf statstopdowncdf
109
- statstriangularcdf statstriangularpdf statstrimmedmean statsusquaredcdf
110
- statsvonmisescdf statsvonmisesnoise statsvonmisespdf statswaldcdf
111
- statswaldpdf statsweibullcdf statsweibullpdf stopmstimer str2num
112
- stringcrc stringmatch strlen strsearch studenta studentt sum svar_exists
113
- tagval tan tanh textencodingcode threadgroupcreate threadgrouprelease
114
- threadgroupwait threadprocessorcount threadreturnvalue ticks trunc
115
- unsetenvironmentvariable variance vcsr voigtfunc wavecrc wavedims
116
- waveexists wavemax wavemin waverefsequal wavetextencoding wavetype
117
- whichlistitem wintype wnoise x2pnt xcsr zcsr zerniker zeta addlistitem
118
- annotationinfo annotationlist axisinfo axislist base64_decode
119
- base64_encode capturehistory childwindowlist cleanupname contourinfo
120
- contournamelist controlnamelist converttextencoding csrinfo csrwave
121
- csrxwave ctablist datafolderdir date fetchurl fontlist funcrefinfo
122
- functioninfo functionlist functionpath getbrowserselection getdatafolder
123
- getdefaultfont getdimlabel getenvironmentvariable geterrmessage
124
- getformula getindependentmodulename getindexedobjname
125
- getindexedobjnamedfr getrterrmessage getrtlocinfo getrtstackinfo
126
- getscraptext getuserdata getwavesdatafolder greplist guideinfo
127
- guidenamelist hash igorinfo imageinfo imagenamelist
128
- independentmodulelist indexeddir indexedfile juliantodate layoutinfo
129
- listmatch lowerstr macrolist nameofwave normalizeunicode note num2char
130
- num2istr num2str operationlist padstring parsefilepath pathlist pictinfo
131
- pictlist possiblyquotename proceduretext removebykey removeending
132
- removefromlist removelistitem replacenumberbykey replacestring
133
- replacestringbykey secs2date secs2time selectstring sortlist
134
- specialcharacterinfo specialcharacterlist specialdirpath stringbykey
135
- stringfromlist stringlist strvarordefault tableinfo textencodingname
136
- textfile threadgroupgetdf time tracefrompixel traceinfo tracenamelist
137
- trimstring uniquename unpadstring upperstr urldecode urlencode
138
- variablelist waveinfo wavelist wavename waverefwavetolist waveunits
139
- winlist winname winrecreation wmfindwholeword xwavename
140
- contournametowaveref csrwaveref csrxwaveref imagenametowaveref
141
- listtotextwave listtowaverefwave newfreewave tagwaveref
142
- tracenametowaveref waverefindexed waverefindexeddfr xwavereffromtrace
143
- getdatafolderdfr getwavesdatafolderdfr newfreedatafolder
51
+ AddListItem AiryA AiryAD AiryB AiryBD AnnotationInfo
52
+ AnnotationList AxisInfo AxisList AxisValFromPixel
53
+ AxonTelegraphAGetDataNum AxonTelegraphAGetDataString
54
+ AxonTelegraphAGetDataStruct AxonTelegraphGetDataNum
55
+ AxonTelegraphGetDataString AxonTelegraphGetDataStruct
56
+ AxonTelegraphGetTimeoutMs AxonTelegraphSetTimeoutMs
57
+ Base64Decode Base64Encode Besseli Besselj Besselk
58
+ Bessely BinarySearch BinarySearchInterp CTabList
59
+ CaptureHistory CaptureHistoryStart CheckName
60
+ ChildWindowList CleanupName ContourInfo ContourNameList
61
+ ContourNameToWaveRef ContourZ ControlNameList
62
+ ConvertTextEncoding CountObjects CountObjectsDFR
63
+ CreationDate CsrInfo CsrWave CsrWaveRef CsrXWave
64
+ CsrXWaveRef DataFolderDir DataFolderExists
65
+ DataFolderRefStatus DataFolderRefsEqual DateToJulian
66
+ Dawson DimDelta DimOffset DimSize Faddeeva FetchURL
67
+ FindDimLabel FindListItem FontList FontSizeHeight
68
+ FontSizeStringWidth FresnelCos FresnelSin FuncRefInfo
69
+ FunctionInfo FunctionList FunctionPath
70
+ GISGetAllFileFormats GISSRefsAreEqual Gauss Gauss1D
71
+ Gauss2D GetBrowserLine GetBrowserSelection
72
+ GetDataFolder GetDataFolderDFR GetDefaultFont
73
+ GetDefaultFontSize GetDefaultFontStyle GetDimLabel
74
+ GetEnvironmentVariable GetErrMessage GetFormula
75
+ GetIndependentModuleName GetIndexedObjName
76
+ GetIndexedObjNameDFR GetKeyState GetRTErrMessage
77
+ GetRTError GetRTLocInfo GetRTLocation GetRTStackInfo
78
+ GetScrapText GetUserData GetWavesDataFolder
79
+ GetWavesDataFolderDFR GizmoInfo GizmoScale GrepList
80
+ GrepString GuideInfo GuideNameList HDF5AttributeInfo
81
+ HDF5DatasetInfo HDF5LibraryInfo HDF5TypeInfo Hash
82
+ HyperG0F1 HyperG1F1 HyperG2F1 HyperGNoise HyperGPFQ
83
+ IgorInfo IgorVersion ImageInfo ImageNameList
84
+ ImageNameToWaveRef IndependentModuleList IndexToScale
85
+ IndexedDir IndexedFile Inf Integrate1D Interp2D
86
+ Interp3D ItemsInList JacobiCn JacobiSn JulianToDate
87
+ Laguerre LaguerreA LaguerreGauss LambertW LayoutInfo
88
+ LegendreA ListMatch ListToTextWave ListToWaveRefWave
89
+ LowerStr MCC_AutoBridgeBal MCC_AutoFastComp
90
+ MCC_AutoPipetteOffset MCC_AutoSlowComp
91
+ MCC_AutoWholeCellComp MCC_GetBridgeBalEnable
92
+ MCC_GetBridgeBalResist MCC_GetFastCompCap
93
+ MCC_GetFastCompTau MCC_GetHolding MCC_GetHoldingEnable
94
+ MCC_GetMode MCC_GetNeutralizationCap
95
+ MCC_GetNeutralizationEnable MCC_GetOscKillerEnable
96
+ MCC_GetPipetteOffset MCC_GetPrimarySignalGain
97
+ MCC_GetPrimarySignalHPF MCC_GetPrimarySignalLPF
98
+ MCC_GetRsCompBandwidth MCC_GetRsCompCorrection
99
+ MCC_GetRsCompEnable MCC_GetRsCompPrediction
100
+ MCC_GetSecondarySignalGain MCC_GetSecondarySignalLPF
101
+ MCC_GetSlowCompCap MCC_GetSlowCompTau
102
+ MCC_GetSlowCompTauX20Enable MCC_GetSlowCurrentInjEnable
103
+ MCC_GetSlowCurrentInjLevel
104
+ MCC_GetSlowCurrentInjSetlTime MCC_GetWholeCellCompCap
105
+ MCC_GetWholeCellCompEnable MCC_GetWholeCellCompResist
106
+ MCC_SelectMultiClamp700B MCC_SetBridgeBalEnable
107
+ MCC_SetBridgeBalResist MCC_SetFastCompCap
108
+ MCC_SetFastCompTau MCC_SetHolding MCC_SetHoldingEnable
109
+ MCC_SetMode MCC_SetNeutralizationCap
110
+ MCC_SetNeutralizationEnable MCC_SetOscKillerEnable
111
+ MCC_SetPipetteOffset MCC_SetPrimarySignalGain
112
+ MCC_SetPrimarySignalHPF MCC_SetPrimarySignalLPF
113
+ MCC_SetRsCompBandwidth MCC_SetRsCompCorrection
114
+ MCC_SetRsCompEnable MCC_SetRsCompPrediction
115
+ MCC_SetSecondarySignalGain MCC_SetSecondarySignalLPF
116
+ MCC_SetSlowCompCap MCC_SetSlowCompTau
117
+ MCC_SetSlowCompTauX20Enable MCC_SetSlowCurrentInjEnable
118
+ MCC_SetSlowCurrentInjLevel
119
+ MCC_SetSlowCurrentInjSetlTime MCC_SetTimeoutMs
120
+ MCC_SetWholeCellCompCap MCC_SetWholeCellCompEnable
121
+ MCC_SetWholeCellCompResist MPFXEMGPeak
122
+ MPFXExpConvExpPeak MPFXGaussPeak MPFXLorenzianPeak
123
+ MPFXVoigtPeak MacroList MandelbrotPoint MarcumQ
124
+ MatrixCondition MatrixDet MatrixDot MatrixRank
125
+ MatrixTrace ModDate NVAR_Exists NaN NameOfWave
126
+ NewFreeDataFolder NewFreeWave NormalizeUnicode
127
+ NumVarOrDefault NumberByKey OperationList PICTInfo
128
+ PICTList PadString PanelResolution ParamIsDefault
129
+ ParseFilePath PathList Pi PixelFromAxisVal PolygonArea
130
+ PossiblyQuoteName ProcedureText RemoveByKey
131
+ RemoveEnding RemoveFromList RemoveListItem
132
+ ReplaceNumberByKey ReplaceString ReplaceStringByKey
133
+ SQL2DBinaryWaveToTextWave SQLAllocHandle SQLAllocStmt
134
+ SQLBinaryWavesToTextWave SQLBindCol SQLBindParameter
135
+ SQLBrowseConnect SQLBulkOperations SQLCancel
136
+ SQLCloseCursor SQLColAttributeNum SQLColAttributeStr
137
+ SQLColumnPrivileges SQLColumns SQLConnect
138
+ SQLDataSources SQLDescribeCol SQLDescribeParam
139
+ SQLDisconnect SQLDriverConnect SQLDrivers SQLEndTran
140
+ SQLError SQLExecDirect SQLExecute SQLFetch
141
+ SQLFetchScroll SQLForeignKeys SQLFreeConnect SQLFreeEnv
142
+ SQLFreeHandle SQLFreeStmt SQLGetConnectAttrNum
143
+ SQLGetConnectAttrStr SQLGetCursorName SQLGetDataNum
144
+ SQLGetDataStr SQLGetDescFieldNum SQLGetDescFieldStr
145
+ SQLGetDescRec SQLGetDiagFieldNum SQLGetDiagFieldStr
146
+ SQLGetDiagRec SQLGetEnvAttrNum SQLGetEnvAttrStr
147
+ SQLGetFunctions SQLGetInfoNum SQLGetInfoStr
148
+ SQLGetStmtAttrNum SQLGetStmtAttrStr SQLGetTypeInfo
149
+ SQLMoreResults SQLNativeSql SQLNumParams
150
+ SQLNumResultCols SQLNumResultRowsIfKnown
151
+ SQLNumRowsFetched SQLParamData SQLPrepare
152
+ SQLPrimaryKeys SQLProcedureColumns SQLProcedures
153
+ SQLPutData SQLReinitialize SQLRowCount
154
+ SQLSetConnectAttrNum SQLSetConnectAttrStr
155
+ SQLSetCursorName SQLSetDescFieldNum SQLSetDescFieldStr
156
+ SQLSetDescRec SQLSetEnvAttrNum SQLSetEnvAttrStr
157
+ SQLSetPos SQLSetStmtAttrNum SQLSetStmtAttrStr
158
+ SQLSpecialColumns SQLStatistics SQLTablePrivileges
159
+ SQLTables SQLTextWaveTo2DBinaryWave
160
+ SQLTextWaveToBinaryWaves SQLUpdateBoundValues
161
+ SQLXOPCheckState SVAR_Exists ScreenResolution Secs2Date
162
+ Secs2Time SelectNumber SelectString
163
+ SetEnvironmentVariable SortList SpecialCharacterInfo
164
+ SpecialCharacterList SpecialDirPath SphericalBessJ
165
+ SphericalBessJD SphericalBessY SphericalBessYD
166
+ SphericalHarmonics StartMSTimer StatsBetaCDF
167
+ StatsBetaPDF StatsBinomialCDF StatsBinomialPDF
168
+ StatsCMSSDCDF StatsCauchyCDF StatsCauchyPDF StatsChiCDF
169
+ StatsChiPDF StatsCorrelation StatsDExpCDF StatsDExpPDF
170
+ StatsEValueCDF StatsEValuePDF StatsErlangCDF
171
+ StatsErlangPDF StatsErrorPDF StatsExpCDF StatsExpPDF
172
+ StatsFCDF StatsFPDF StatsFriedmanCDF StatsGEVCDF
173
+ StatsGEVPDF StatsGammaCDF StatsGammaPDF
174
+ StatsGeometricCDF StatsGeometricPDF StatsHyperGCDF
175
+ StatsHyperGPDF StatsInvBetaCDF StatsInvBinomialCDF
176
+ StatsInvCMSSDCDF StatsInvCauchyCDF StatsInvChiCDF
177
+ StatsInvDExpCDF StatsInvEValueCDF StatsInvExpCDF
178
+ StatsInvFCDF StatsInvFriedmanCDF StatsInvGammaCDF
179
+ StatsInvGeometricCDF StatsInvKuiperCDF
180
+ StatsInvLogNormalCDF StatsInvLogisticCDF
181
+ StatsInvMaxwellCDF StatsInvMooreCDF
182
+ StatsInvNBinomialCDF StatsInvNCChiCDF StatsInvNCFCDF
183
+ StatsInvNormalCDF StatsInvParetoCDF StatsInvPoissonCDF
184
+ StatsInvPowerCDF StatsInvQCDF StatsInvQpCDF
185
+ StatsInvRayleighCDF StatsInvRectangularCDF
186
+ StatsInvSpearmanCDF StatsInvStudentCDF
187
+ StatsInvTopDownCDF StatsInvTriangularCDF
188
+ StatsInvUsquaredCDF StatsInvVonMisesCDF
189
+ StatsInvWeibullCDF StatsKuiperCDF StatsLogNormalCDF
190
+ StatsLogNormalPDF StatsLogisticCDF StatsLogisticPDF
191
+ StatsMaxwellCDF StatsMaxwellPDF StatsMedian
192
+ StatsMooreCDF StatsNBinomialCDF StatsNBinomialPDF
193
+ StatsNCChiCDF StatsNCChiPDF StatsNCFCDF StatsNCFPDF
194
+ StatsNCTCDF StatsNCTPDF StatsNormalCDF StatsNormalPDF
195
+ StatsParetoCDF StatsParetoPDF StatsPermute
196
+ StatsPoissonCDF StatsPoissonPDF StatsPowerCDF
197
+ StatsPowerNoise StatsPowerPDF StatsQCDF StatsQpCDF
198
+ StatsRayleighCDF StatsRayleighPDF StatsRectangularCDF
199
+ StatsRectangularPDF StatsRunsCDF StatsSpearmanRhoCDF
200
+ StatsStudentCDF StatsStudentPDF StatsTopDownCDF
201
+ StatsTriangularCDF StatsTriangularPDF StatsTrimmedMean
202
+ StatsUSquaredCDF StatsVonMisesCDF StatsVonMisesNoise
203
+ StatsVonMisesPDF StatsWaldCDF StatsWaldPDF
204
+ StatsWeibullCDF StatsWeibullPDF StopMSTimer
205
+ StrVarOrDefault StringByKey StringFromList StringList
206
+ StudentA StudentT TDMAddChannel TDMAddGroup
207
+ TDMAppendDataValues TDMAppendDataValuesTime
208
+ TDMChannelPropertyExists TDMCloseChannel TDMCloseFile
209
+ TDMCloseGroup TDMCreateChannelProperty TDMCreateFile
210
+ TDMCreateFileProperty TDMCreateGroupProperty
211
+ TDMFilePropertyExists TDMGetChannelPropertyNames
212
+ TDMGetChannelPropertyNum TDMGetChannelPropertyStr
213
+ TDMGetChannelPropertyTime TDMGetChannelPropertyType
214
+ TDMGetChannelStringPropertyLen TDMGetChannels
215
+ TDMGetDataType TDMGetDataValues TDMGetDataValuesTime
216
+ TDMGetFilePropertyNames TDMGetFilePropertyNum
217
+ TDMGetFilePropertyStr TDMGetFilePropertyTime
218
+ TDMGetFilePropertyType TDMGetFileStringPropertyLen
219
+ TDMGetGroupPropertyNames TDMGetGroupPropertyNum
220
+ TDMGetGroupPropertyStr TDMGetGroupPropertyTime
221
+ TDMGetGroupPropertyType TDMGetGroupStringPropertyLen
222
+ TDMGetGroups TDMGetLibraryErrorDescription
223
+ TDMGetNumChannelProperties TDMGetNumChannels
224
+ TDMGetNumDataValues TDMGetNumFileProperties
225
+ TDMGetNumGroupProperties TDMGetNumGroups
226
+ TDMGroupPropertyExists TDMOpenFile TDMOpenFileEx
227
+ TDMRemoveChannel TDMRemoveGroup TDMReplaceDataValues
228
+ TDMReplaceDataValuesTime TDMSaveFile
229
+ TDMSetChannelPropertyNum TDMSetChannelPropertyStr
230
+ TDMSetChannelPropertyTime TDMSetDataValues
231
+ TDMSetDataValuesTime TDMSetFilePropertyNum
232
+ TDMSetFilePropertyStr TDMSetFilePropertyTime
233
+ TDMSetGroupPropertyNum TDMSetGroupPropertyStr
234
+ TDMSetGroupPropertyTime TableInfo TagVal TagWaveRef
235
+ TextEncodingCode TextEncodingName TextFile
236
+ ThreadGroupCreate ThreadGroupGetDF ThreadGroupGetDFR
237
+ ThreadGroupRelease ThreadGroupWait ThreadProcessorCount
238
+ ThreadReturnValue TraceFromPixel TraceInfo
239
+ TraceNameList TraceNameToWaveRef TrimString URLDecode
240
+ URLEncode UnPadString UniqueName
241
+ UnsetEnvironmentVariable UpperStr VariableList Variance
242
+ VoigtFunc VoigtPeak WaveCRC WaveDims WaveExists
243
+ WaveHash WaveInfo WaveList WaveMax WaveMin WaveName
244
+ WaveRefIndexed WaveRefIndexedDFR WaveRefWaveToList
245
+ WaveRefsEqual WaveTextEncoding WaveType WaveUnits
246
+ WhichListItem WinList WinName WinRecreation WinType
247
+ XWaveName XWaveRefFromTrace ZernikeR abs acos acosh
248
+ alog area areaXY asin asinh atan atan2 atanh beta betai
249
+ binomial binomialNoise binomialln cabs ceil cequal
250
+ char2num chebyshev chebyshevU cmplx cmpstr conj cos
251
+ cosIntegral cosh cot coth cpowi csc csch date date2secs
252
+ datetime defined deltax digamma dilogarithm ei enoise
253
+ equalWaves erf erfc erfcw exists exp expInt
254
+ expIntegralE1 expNoise fDAQmx_AI_GetReader
255
+ fDAQmx_AO_UpdateOutputs fDAQmx_CTR_Finished
256
+ fDAQmx_CTR_IsFinished fDAQmx_CTR_IsPulseFinished
257
+ fDAQmx_CTR_ReadCounter fDAQmx_CTR_ReadWithOptions
258
+ fDAQmx_CTR_SetPulseFrequency fDAQmx_CTR_Start
259
+ fDAQmx_ConnectTerminals fDAQmx_DIO_Finished
260
+ fDAQmx_DIO_PortWidth fDAQmx_DIO_Read fDAQmx_DIO_Write
261
+ fDAQmx_DeviceNames fDAQmx_DisconnectTerminals
262
+ fDAQmx_ErrorString fDAQmx_ExternalCalDate
263
+ fDAQmx_NumAnalogInputs fDAQmx_NumAnalogOutputs
264
+ fDAQmx_NumCounters fDAQmx_NumDIOPorts fDAQmx_ReadChan
265
+ fDAQmx_ReadNamedChan fDAQmx_ResetDevice
266
+ fDAQmx_ScanGetAvailable fDAQmx_ScanGetNextIndex
267
+ fDAQmx_ScanStart fDAQmx_ScanStop fDAQmx_ScanWait
268
+ fDAQmx_ScanWaitWithTimeout fDAQmx_SelfCalDate
269
+ fDAQmx_SelfCalibration fDAQmx_WF_IsFinished
270
+ fDAQmx_WF_WaitUntilFinished fDAQmx_WaveformStart
271
+ fDAQmx_WaveformStop fDAQmx_WriteChan factorial fakedata
272
+ faverage faverageXY floor gamma gammaEuler gammaInc
273
+ gammaNoise gammln gammp gammq gcd gnoise hcsr hermite
274
+ hermiteGauss imag interp inverseERF inverseERFC leftx
275
+ limit ln log logNormalNoise lorentzianNoise magsqr max
276
+ mean median min mod norm note num2char num2istr num2str
277
+ numpnts numtype p2rect pcsr pnt2x poissonNoise poly
278
+ poly2D qcsr r2polar real rightx round sawtooth
279
+ scaleToIndex sec sech sign sin sinIntegral sinc sinh
280
+ sqrt str2num stringCRC stringmatch strlen strsearch sum
281
+ tan tango_close_device tango_command_inout
282
+ tango_compute_image_proj tango_get_dev_attr_list
283
+ tango_get_dev_black_box tango_get_dev_cmd_list
284
+ tango_get_dev_status tango_get_dev_timeout
285
+ tango_get_error_stack tango_open_device
286
+ tango_ping_device tango_read_attribute
287
+ tango_read_attributes tango_reload_dev_interface
288
+ tango_resume_attr_monitor tango_set_attr_monitor_period
289
+ tango_set_dev_timeout tango_start_attr_monitor
290
+ tango_stop_attr_monitor tango_suspend_attr_monitor
291
+ tango_write_attribute tango_write_attributes tanh ticks
292
+ time trunc vcsr viAssertIntrSignal viAssertTrigger
293
+ viAssertUtilSignal viClear viClose viDisableEvent
294
+ viDiscardEvents viEnableEvent viFindNext viFindRsrc
295
+ viGetAttribute viGetAttributeString viGpibCommand
296
+ viGpibControlATN viGpibControlREN viGpibPassControl
297
+ viGpibSendIFC viIn16 viIn32 viIn8 viLock viMapAddress
298
+ viMapTrigger viMemAlloc viMemFree viMoveIn16 viMoveIn32
299
+ viMoveIn8 viMoveOut16 viMoveOut32 viMoveOut8 viOpen
300
+ viOpenDefaultRM viOut16 viOut32 viOut8 viPeek16
301
+ viPeek32 viPeek8 viPoke16 viPoke32 viPoke8 viRead
302
+ viReadSTB viSetAttribute viSetAttributeString
303
+ viStatusDesc viTerminate viUnlock viUnmapAddress
304
+ viUnmapTrigger viUsbControlIn viUsbControlOut
305
+ viVxiCommandQuery viWaitOnEvent viWrite wnoise x2pnt
306
+ xcsr zcsr zeromq_client_connect zeromq_client_connect
307
+ zeromq_client_recv zeromq_client_recv
308
+ zeromq_client_send zeromq_client_send
309
+ zeromq_handler_start zeromq_handler_start
310
+ zeromq_handler_stop zeromq_handler_stop
311
+ zeromq_server_bind zeromq_server_bind
312
+ zeromq_server_recv zeromq_server_recv
313
+ zeromq_server_send zeromq_server_send zeromq_set
314
+ zeromq_set zeromq_stop zeromq_stop
315
+ zeromq_test_callfunction zeromq_test_callfunction
316
+ zeromq_test_serializeWave zeromq_test_serializeWave
317
+ zeta
144
318
  )
145
319
  end
146
320
 
147
321
  def self.igorOperation
148
322
  @igorOperation ||= Set.new %w(
149
- abort addfifodata addfifovectdata addmovieaudio addmovieframe adoptfiles
150
- apmath append appendimage appendlayoutobject appendmatrixcontour
151
- appendtext appendtogizmo appendtograph appendtolayout appendtotable
152
- appendxyzcontour autopositionwindow backgroundinfo beep boundingball
153
- browseurl buildmenu button cd chart checkbox checkdisplayed choosecolor
154
- close closehelp closemovie closeproc colorscale colortab2wave
155
- concatenate controlbar controlinfo controlupdate
156
- convertglobalstringtextencoding convexhull convolve copyfile copyfolder
157
- copyscales correlate createaliasshortcut createbrowser cross
158
- ctrlbackground ctrlfifo ctrlnamedbackground cursor curvefit
159
- customcontrol cwt debugger debuggeroptions defaultfont
160
- defaultguicontrols defaultguifont defaulttextencoding defineguide
161
- delayupdate deleteannotations deletefile deletefolder deletepoints
162
- differentiate dir display displayhelptopic displayprocedure doalert
163
- doigormenu doupdate dowindow doxopidle dpss drawaction drawarc
164
- drawbezier drawline drawoval drawpict drawpoly drawrect drawrrect
165
- drawtext drawusershape dspdetrend dspperiodogram duplicate
166
- duplicatedatafolder dwt edgestats edit errorbars execute
167
- executescripttext experimentmodified exportgizmo extract
168
- fastgausstransform fastop fbinread fbinwrite fft fgetpos fifo2wave
169
- fifostatus filterfir filteriir findcontour findduplicates findlevel
170
- findlevels findpeak findpointsinpoly findroots findsequence findvalue
171
- fpclustering fprintf freadline fsetpos fstatus ftpcreatedirectory
172
- ftpdelete ftpdownload ftpupload funcfit funcfitmd gbloadwave getaxis
173
- getcamera getfilefolderinfo getgizmo getlastusermenuinfo getmarquee
174
- getmouse getselection getwindow graphnormal graphwavedraw graphwaveedit
175
- grep groupbox hanning hideigormenus hideinfo hideprocedures hidetools
176
- hilberttransform histogram ica ifft imageanalyzeparticles imageblend
177
- imageboundarytomask imageedgedetection imagefileinfo imagefilter
178
- imagefocus imagefromxyz imagegenerateroimask imageglcm
179
- imagehistmodification imagehistogram imageinterpolate imagelineprofile
180
- imageload imagemorphology imageregistration imageremovebackground
181
- imagerestore imagerotate imagesave imageseedfill imageskeleton3d
182
- imagesnake imagestats imagethreshold imagetransform imageunwrapphase
183
- imagewindow indexsort insertpoints integrate integrate2d integrateode
184
- interp3dpath interpolate2 interpolate3d jcamploadwave jointhistogram
185
- killbackground killcontrol killdatafolder killfifo killfreeaxis killpath
186
- killpicts killstrings killvariables killwaves killwindow kmeans label
187
- layout layoutpageaction layoutslideshow legend
188
- linearfeedbackshiftregister listbox loaddata loadpackagepreferences
189
- loadpict loadwave loess lombperiodogram make makeindex markperftesttime
190
- matrixconvolve matrixcorr matrixeigenv matrixfilter matrixgaussj
191
- matrixglm matrixinverse matrixlinearsolve matrixlinearsolvetd matrixlls
192
- matrixlubksub matrixlud matrixludtd matrixmultiply matrixop matrixschur
193
- matrixsolve matrixsvbksub matrixsvd matrixtranspose measurestyledtext
194
- mlloadwave modify modifybrowser modifycamera modifycontour modifycontrol
195
- modifycontrollist modifyfreeaxis modifygizmo modifygraph modifyimage
196
- modifylayout modifypanel modifytable modifywaterfall movedatafolder
197
- movefile movefolder movestring movesubwindow movevariable movewave
198
- movewindow multitaperpsd multithreadingcontrol neuralnetworkrun
199
- neuralnetworktrain newcamera newdatafolder newfifo newfifochan
200
- newfreeaxis newgizmo newimage newlayout newmovie newnotebook newpanel
201
- newpath newwaterfall note notebook notebookaction open openhelp
202
- opennotebook optimize parseoperationtemplate pathinfo pauseforuser
203
- pauseupdate pca playmovie playmovieaction playsound popupcontextualmenu
204
- popupmenu preferences primefactors print printf printgraphs printlayout
205
- printnotebook printsettings printtable project pulsestats putscraptext
206
- pwd quit ratiofromnumber redimension remove removecontour
207
- removefromgizmo removefromgraph removefromlayout removefromtable
208
- removeimage removelayoutobjects removepath rename renamedatafolder
209
- renamepath renamepict renamewindow reorderimages reordertraces
210
- replacetext replacewave resample resumeupdate reverse rotate save
211
- savedata saveexperiment savegraphcopy savenotebook
212
- savepackagepreferences savepict savetablecopy setactivesubwindow setaxis
213
- setbackground setdashpattern setdatafolder setdimlabel setdrawenv
214
- setdrawlayer setfilefolderinfo setformula setigorhook setigormenumode
215
- setigoroption setmarquee setprocesssleep setrandomseed setscale
216
- setvariable setwavelock setwavetextencoding setwindow showigormenus
217
- showinfo showtools silent sleep slider smooth smoothcustom sort
218
- sortcolumns soundinrecord soundinset soundinstartchart soundinstatus
219
- soundinstopchart soundloadwave soundsavewave sphericalinterpolate
220
- sphericaltriangulate splitstring splitwave sprintf sscanf stack
221
- stackwindows statsangulardistancetest statsanova1test statsanova2nrtest
222
- statsanova2rmtest statsanova2test statschitest
223
- statscircularcorrelationtest statscircularmeans statscircularmoments
224
- statscirculartwosampletest statscochrantest statscontingencytable
225
- statsdiptest statsdunnetttest statsfriedmantest statsftest
226
- statshodgesajnetest statsjbtest statskde statskendalltautest statskstest
227
- statskwtest statslinearcorrelationtest statslinearregression
228
- statsmulticorrelationtest statsnpmctest statsnpnominalsrtest
229
- statsquantiles statsrankcorrelationtest statsresample statssample
230
- statsscheffetest statsshapirowilktest statssigntest statssrtest
231
- statsttest statstukeytest statsvariancestest statswatsonusquaredtest
232
- statswatsonwilliamstest statswheelerwatsontest statswilcoxonranktest
233
- statswrcorrelationtest structget structput sumdimension sumseries
234
- tabcontrol tag textbox threadgroupputdf threadstart tile tilewindows
235
- titlebox tocommandline toolsgrid triangulate3d unwrap urlrequest
236
- valdisplay waveclear wavemeanstdv wavestats wavetransform wfprintf
237
- )
238
- end
239
-
240
- def self.hdf5Operation
241
- @hdf5Operation ||= Set.new %w(
242
- hdf5createfile hdf5openfile hdf5closefile hdf5creategroup hdf5opengroup
243
- hdf5listgroup hdf5closegroup hdf5listattributes hdf5attributeinfo hdf5datasetinfo
244
- hdf5loaddata hdf5loadimage hdf5loadgroup hdf5savedata hdf5saveimage hdf5savegroup
245
- hdf5typeinfo hdf5createlink hdf5unlinkobject hdf5libraryinfo
246
- hdf5dumpstate hdf5dump hdf5dumperrors
323
+ APMath Abort AddFIFOData AddFIFOVectData AddMovieAudio
324
+ AddMovieFrame AddWavesToBoxPlot AddWavesToViolinPlot
325
+ AdoptFiles Append AppendBoxPlot AppendImage
326
+ AppendLayoutObject AppendMatrixContour AppendText
327
+ AppendToGizmo AppendToGraph AppendToLayout
328
+ AppendToTable AppendViolinPlot AppendXYZContour
329
+ AutoPositionWindow AxonTelegraphFindServers
330
+ BackgroundInfo Beep BoundingBall BoxSmooth BrowseURL
331
+ BuildMenu Button CWT Chart CheckBox CheckDisplayed
332
+ ChooseColor Close CloseHelp CloseMovie CloseProc
333
+ ColorScale ColorTab2Wave Concatenate ControlBar
334
+ ControlInfo ControlUpdate
335
+ ConvertGlobalStringTextEncoding ConvexHull Convolve
336
+ CopyDimLabels CopyFile CopyFolder CopyScales Correlate
337
+ CreateAliasShortcut CreateBrowser Cross CtrlBackground
338
+ CtrlFIFO CtrlNamedBackground Cursor CurveFit
339
+ CustomControl DAQmx_AI_SetupReader DAQmx_AO_SetOutputs
340
+ DAQmx_CTR_CountEdges DAQmx_CTR_OutputPulse
341
+ DAQmx_CTR_Period DAQmx_CTR_PulseWidth DAQmx_DIO_Config
342
+ DAQmx_DIO_WriteNewData DAQmx_Scan DAQmx_WaveformGen
343
+ DPSS DSPDetrend DSPPeriodogram DWT Debugger
344
+ DebuggerOptions DefaultFont DefaultGuiControls
345
+ DefaultGuiFont DefaultTextEncoding DefineGuide
346
+ DelayUpdate DeleteAnnotations DeleteFile DeleteFolder
347
+ DeletePoints Differentiate Display DisplayHelpTopic
348
+ DisplayProcedure DoAlert DoIgorMenu DoUpdate DoWindow
349
+ DoXOPIdle DrawAction DrawArc DrawBezier DrawLine
350
+ DrawOval DrawPICT DrawPoly DrawRRect DrawRect DrawText
351
+ DrawUserShape Duplicate DuplicateDataFolder EdgeStats
352
+ Edit ErrorBars EstimatePeakSizes Execute
353
+ ExecuteScriptText ExperimentInfo ExperimentModified
354
+ ExportGizmo Extract FBinRead FBinWrite FFT FGetPos
355
+ FIFO2Wave FIFOStatus FMaxFlat FPClustering FReadLine
356
+ FSetPos FStatus FTPCreateDirectory FTPDelete
357
+ FTPDownload FTPUpload FastGaussTransform FastOp
358
+ FilterFIR FilterIIR FindAPeak FindContour
359
+ FindDuplicates FindLevel FindLevels FindPeak
360
+ FindPointsInPoly FindRoots FindSequence FindValue
361
+ FuncFit FuncFitMD GBLoadWave GISCreateVectorLayer
362
+ GISGetRasterInfo GISGetRegisteredFileInfo
363
+ GISGetVectorLayerInfo GISLoadRasterData
364
+ GISLoadVectorData GISRasterizeVectorData
365
+ GISRegisterFile GISTransformCoords GISUnRegisterFile
366
+ GISWriteFieldData GISWriteGeometryData GISWriteRaster
367
+ GPIB2 GPIBRead2 GPIBReadBinary2 GPIBReadBinaryWave2
368
+ GPIBReadWave2 GPIBWrite2 GPIBWriteBinary2
369
+ GPIBWriteBinaryWave2 GPIBWriteWave2 GetAxis GetCamera
370
+ GetFileFolderInfo GetGizmo GetLastUserMenuInfo
371
+ GetMarquee GetMouse GetSelection GetWindow GraphNormal
372
+ GraphWaveDraw GraphWaveEdit Grep GroupBox
373
+ HDF5CloseFile HDF5CloseGroup HDF5ConvertColors
374
+ HDF5CreateFile HDF5CreateGroup HDF5CreateLink HDF5Dump
375
+ HDF5DumpErrors HDF5DumpState HDF5FlushFile
376
+ HDF5ListAttributes HDF5ListGroup HDF5LoadData
377
+ HDF5LoadGroup HDF5LoadImage HDF5OpenFile HDF5OpenGroup
378
+ HDF5SaveData HDF5SaveGroup HDF5SaveImage
379
+ HDF5TestOperation HDF5UnlinkObject HDFInfo
380
+ HDFReadImage HDFReadSDS HDFReadVset Hanning
381
+ HideIgorMenus HideInfo HideProcedures HideTools
382
+ HilbertTransform Histogram ICA IFFT ITCCloseAll2
383
+ ITCCloseDevice2 ITCConfigAllChannels2
384
+ ITCConfigChannel2 ITCConfigChannelReset2
385
+ ITCConfigChannelUpload2 ITCFIFOAvailable2
386
+ ITCFIFOAvailableAll2 ITCGetAllChannelsConfig2
387
+ ITCGetChannelConfig2 ITCGetCurrentDevice2
388
+ ITCGetDeviceInfo2 ITCGetDevices2 ITCGetErrorString2
389
+ ITCGetSerialNumber2 ITCGetState2 ITCGetVersions2
390
+ ITCInitialize2 ITCOpenDevice2 ITCReadADC2
391
+ ITCReadDigital2 ITCReadTimer2 ITCSelectDevice2
392
+ ITCSetDAC2 ITCSetGlobals2 ITCSetModes2 ITCSetState2
393
+ ITCStartAcq2 ITCStopAcq2 ITCUpdateFIFOPosition2
394
+ ITCUpdateFIFOPositionAll2 ITCWriteDigital2
395
+ ImageAnalyzeParticles ImageBlend ImageBoundaryToMask
396
+ ImageComposite ImageEdgeDetection ImageFileInfo
397
+ ImageFilter ImageFocus ImageFromXYZ ImageGLCM
398
+ ImageGenerateROIMask ImageHistModification
399
+ ImageHistogram ImageInterpolate ImageLineProfile
400
+ ImageLoad ImageMorphology ImageRegistration
401
+ ImageRemoveBackground ImageRestore ImageRotate
402
+ ImageSave ImageSeedFill ImageSkeleton3d ImageSnake
403
+ ImageStats ImageThreshold ImageTransform
404
+ ImageUnwrapPhase ImageWindow IndexSort InsertPoints
405
+ Integrate Integrate2D IntegrateODE Interp3DPath
406
+ Interpolate2 Interpolate3D JCAMPLoadWave
407
+ JointHistogram KMeans KillBackground KillControl
408
+ KillDataFolder KillFIFO KillFreeAxis KillPICTs
409
+ KillPath KillStrings KillVariables KillWaves
410
+ KillWindow Label Layout LayoutPageAction
411
+ LayoutSlideShow Legend LinearFeedbackShiftRegister
412
+ ListBox LoadData LoadPICT LoadPackagePreferences
413
+ LoadWave Loess LombPeriodogram MCC_FindServers
414
+ MFR_CheckForNewBricklets MFR_CloseResultFile
415
+ MFR_CreateOverviewTable MFR_GetBrickletCount
416
+ MFR_GetBrickletData MFR_GetBrickletDeployData
417
+ MFR_GetBrickletMetaData MFR_GetBrickletRawData
418
+ MFR_GetReportTemplate MFR_GetResultFileMetaData
419
+ MFR_GetResultFileName MFR_GetVernissageVersion
420
+ MFR_GetVersion MFR_GetXOPErrorMessage
421
+ MFR_OpenResultFile
422
+ MLLoadWave Make MakeIndex MarkPerfTestTime
423
+ MatrixConvolve MatrixCorr MatrixEigenV MatrixFilter
424
+ MatrixGLM MatrixGaussJ MatrixInverse MatrixLLS
425
+ MatrixLUBkSub MatrixLUD MatrixLUDTD MatrixLinearSolve
426
+ MatrixLinearSolveTD MatrixMultiply MatrixOP
427
+ MatrixSVBkSub MatrixSVD MatrixSchur MatrixSolve
428
+ MatrixTranspose MeasureStyledText Modify ModifyBoxPlot
429
+ ModifyBrowser ModifyCamera ModifyContour ModifyControl
430
+ ModifyControlList ModifyFreeAxis ModifyGizmo
431
+ ModifyGraph ModifyImage ModifyLayout ModifyPanel
432
+ ModifyTable ModifyViolinPlot ModifyWaterfall
433
+ MoveDataFolder MoveFile MoveFolder MoveString
434
+ MoveSubwindow MoveVariable MoveWave MoveWindow
435
+ MultiTaperPSD MultiThreadingControl NC_CloseFile
436
+ NC_DumpErrors NC_Inquire NC_ListAttributes
437
+ NC_ListObjects NC_LoadData NC_OpenFile NI4882
438
+ NILoadWave NeuralNetworkRun NeuralNetworkTrain
439
+ NewCamera NewDataFolder NewFIFO NewFIFOChan
440
+ NewFreeAxis NewGizmo NewImage NewLayout NewMovie
441
+ NewNotebook NewPanel NewPath NewWaterfall Note
442
+ Notebook NotebookAction Open OpenHelp OpenNotebook
443
+ Optimize PCA ParseOperationTemplate PathInfo
444
+ PauseForUser PauseUpdate PlayMovie PlayMovieAction
445
+ PlaySound PopupContextualMenu PopupMenu Preferences
446
+ PrimeFactors Print PrintGraphs PrintLayout
447
+ PrintNotebook PrintSettings PrintTable Project
448
+ PulseStats PutScrapText Quit RatioFromNumber
449
+ Redimension Remez Remove RemoveContour RemoveFromGizmo
450
+ RemoveFromGraph RemoveFromLayout RemoveFromTable
451
+ RemoveImage RemoveLayoutObjects RemovePath Rename
452
+ RenameDataFolder RenamePICT RenamePath RenameWindow
453
+ ReorderImages ReorderTraces ReplaceText ReplaceWave
454
+ Resample ResumeUpdate Reverse Rotate SQLHighLevelOp
455
+ STFT Save SaveData SaveExperiment SaveGizmoCopy
456
+ SaveGraphCopy SaveNotebook SavePICT
457
+ SavePackagePreferences SaveTableCopy
458
+ SetActiveSubwindow SetAxis SetBackground
459
+ SetDashPattern SetDataFolder SetDimLabel SetDrawEnv
460
+ SetDrawLayer SetFileFolderInfo SetFormula
461
+ SetIdlePeriod SetIgorHook SetIgorMenuMode
462
+ SetIgorOption SetMarquee SetProcessSleep SetRandomSeed
463
+ SetScale SetVariable SetWaveLock SetWaveTextEncoding
464
+ SetWindow ShowIgorMenus ShowInfo ShowTools Silent
465
+ Sleep Slider Smooth SmoothCustom Sort SortColumns
466
+ SoundInRecord SoundInSet SoundInStartChart
467
+ SoundInStatus SoundInStopChart SoundLoadWave
468
+ SoundSaveWave SphericalInterpolate
469
+ SphericalTriangulate SplitString SplitWave Stack
470
+ StackWindows StatsANOVA1Test StatsANOVA2NRTest
471
+ StatsANOVA2RMTest StatsANOVA2Test
472
+ StatsAngularDistanceTest StatsChiTest
473
+ StatsCircularCorrelationTest StatsCircularMeans
474
+ StatsCircularMoments StatsCircularTwoSampleTest
475
+ StatsCochranTest StatsContingencyTable StatsDIPTest
476
+ StatsDunnettTest StatsFTest StatsFriedmanTest
477
+ StatsHodgesAjneTest StatsJBTest StatsKDE StatsKSTest
478
+ StatsKWTest StatsKendallTauTest
479
+ StatsLinearCorrelationTest StatsLinearRegression
480
+ StatsMultiCorrelationTest StatsNPMCTest
481
+ StatsNPNominalSRTest StatsQuantiles
482
+ StatsRankCorrelationTest StatsResample StatsSRTest
483
+ StatsSample StatsScheffeTest StatsShapiroWilkTest
484
+ StatsSignTest StatsTTest StatsTukeyTest
485
+ StatsVariancesTest StatsWRCorrelationTest
486
+ StatsWatsonUSquaredTest StatsWatsonWilliamsTest
487
+ StatsWheelerWatsonTest StatsWilcoxonRankTest String
488
+ StructFill StructGet StructPut SumDimension SumSeries
489
+ TDMLoadData TDMSaveData TabControl Tag TextBox
490
+ ThreadGroupPutDF ThreadStart TickWavesFromAxis Tile
491
+ TileWindows TitleBox ToCommandLine ToolsGrid
492
+ Triangulate3d URLRequest Unwrap VDT2 VDTClosePort2
493
+ VDTGetPortList2 VDTGetStatus2 VDTOpenPort2
494
+ VDTOperationsPort2 VDTRead2 VDTReadBinary2
495
+ VDTReadBinaryWave2 VDTReadHex2 VDTReadHexWave2
496
+ VDTReadWave2 VDTTerminalPort2 VDTWrite2
497
+ VDTWriteBinary2 VDTWriteBinaryWave2 VDTWriteHex2
498
+ VDTWriteHexWave2 VDTWriteWave2 VISAControl VISARead
499
+ VISAReadBinary VISAReadBinaryWave VISAReadWave
500
+ VISAWrite VISAWriteBinary VISAWriteBinaryWave
501
+ VISAWriteWave ValDisplay Variable WaveMeanStdv
502
+ WaveStats WaveTransform WignerTransform WindowFunction
503
+ XLLoadWave cd dir fprintf printf pwd sprintf sscanf
504
+ wfprintf
247
505
  )
248
506
  end
249
507
 
@@ -278,9 +536,6 @@ module Rouge
278
536
  elsif self.class.igorOperation.include? m[0].downcase
279
537
  token Keyword::Reserved
280
538
  push :operationFlags
281
- elsif self.class.hdf5Operation.include? m[0].downcase
282
- token Keyword::Reserved
283
- push :operationFlags
284
539
  elsif m[0].downcase =~ /\b(v|s|w)_[a-z]+[a-z0-9]*/
285
540
  token Name::Constant
286
541
  else