├── .npmignore ├── .gitignore ├── package.json ├── README.md └── src ├── HeapSnapshot.coffee └── safeStrings.js /.npmignore: -------------------------------------------------------------------------------- 1 | /test 2 | /src 3 | /npm-debug.log 4 | -------------------------------------------------------------------------------- /.gitignore: -------------------------------------------------------------------------------- 1 | /node_modules 2 | /lib 3 | /npm-debug.log 4 | -------------------------------------------------------------------------------- /package.json: -------------------------------------------------------------------------------- 1 | { 2 | "name": "heapsnapshot-parser", 3 | "version": "0.1.0", 4 | "description": "Parses heapsnapshot files from node.js and Chrome V8.", 5 | "author": "Jason Walton (https://github.com/jwalton)", 6 | "repository": { 7 | "type": "git", 8 | "url": "https://github.com/jwalton/node-heapsnapshot-parser.git" 9 | }, 10 | "keywords": [ 11 | "v8", 12 | "heap", 13 | "heapsnapshot", 14 | "snapshot", 15 | "node", 16 | "nodejs", 17 | "memory", 18 | "leak" 19 | ], 20 | "license": "MIT", 21 | "dependencies": { 22 | "lodash": "^3.1.0" 23 | }, 24 | "devDependencies": { 25 | "coffee-script": "^1.9.0" 26 | }, 27 | "main": "./lib/HeapSnapshot.js", 28 | "scripts": { 29 | "prepublish": "coffee -c -o lib src" 30 | } 31 | } 32 | -------------------------------------------------------------------------------- /README.md: -------------------------------------------------------------------------------- 1 | Parses heapsnapshot files from node.js and Chrome V8. 2 | 3 | Install 4 | ======= 5 | 6 | npm install --save heapsnapshot-parser 7 | 8 | Usage 9 | ===== 10 | 11 | var fs = require('fs'); 12 | var parser = require('heapsnapshot-parser'); 13 | 14 | var snapshotFile = fs.readFileSync(filename, {encoding: "utf-8"}); 15 | var snapshot = parser.parse(snapshotFile); 16 | 17 | for (var i = 0; i < snapshot.nodes.length; i++) { 18 | var node = snapshot.nodes[i]; 19 | console.log(node.toShortString()); 20 | } 21 | 22 | API 23 | === 24 | 25 | parse(snapshot, options) 26 | ------------------------ 27 | 28 | Returns a new `HeapSnapshot` object. 29 | 30 | If `options.reporter()` is provided, `reporter({message})` will be called throughout the parsing 31 | process to indicate progress. 32 | 33 | Snapshot 34 | -------- 35 | 36 | The snapshot returned from `parse()` has the following properties: 37 | 38 | * `nodes` - an array of Node objects, one for every object found in the heap snapshot. 39 | * `nodesById` - a hash of Node objects, indexed by their ID. 40 | * `edges` - an array of Edge objects, one for every edge found in the heap snapshot. 41 | 42 | Node 43 | ---- 44 | 45 | All properties from the node present in the heapsnapshot file are copied directly to the Node object. 46 | This includes: 47 | 48 | * `type` - (string) The type of the object. 49 | * `name` - (string) The name of the object. 50 | * `id` - (integer) A unique numeric ID for the object. 51 | * `self_size` - (integer) Size of the object in bytes, not including any referenced objects. 52 | * `trace_node_id` - ??? 53 | 54 | In addition, each node has the following properties: 55 | 56 | * `references` - An array of Edge objects for nodes which this node references. 57 | * `referrers` - An array of Edge objects for nodes which reference this object. 58 | 59 | ### Node.getProperty(name, edgeType='property') 60 | 61 | If this Node has a reference to another Node of the specified name and edgeType, returns the Node. 62 | Returns `null` otherwise. 63 | 64 | ### Node.toString() 65 | 66 | Returns a string representation of this node. 67 | 68 | ### Node.toShortString() 69 | 70 | Returns a one-line string representation of this node. 71 | 72 | Edge 73 | ---- 74 | 75 | All properties from the edge present in the heapsnapshot file (except `to_node`) are copied 76 | directly to the Edge object. This includes: 77 | 78 | * `type` - (string) The type of the edge. 79 | * `name_or_index` - (string) The name (or index, for an array element) for this edge. 80 | 81 | In addition, each node has the following properties: 82 | 83 | * `fromNode`, `toNode` - Node objects for the referring and referred object for this edge. 84 | 85 | ### Edge.toString() 86 | 87 | Returns a string representation of this edge. 88 | 89 | 90 | TODO 91 | ==== 92 | 93 | * Reading a really huge file fails. See [Reading large files in node.js](https://coderwall.com/p/ohjerg/read-large-text-files-in-nodejs). 94 | 95 | Suggested Reading 96 | ================= 97 | 98 | Some articles about how objects are represented in V8: 99 | 100 | * [A Tour of V8 Object Representation](http://jayconrod.com/posts/52/a-tour-of-v8-object-representation) 101 | * [v8-profiler.h](https://github.com/v8/v8/blob/master/include/v8-profiler.h) has some documentation about the heap dump format (but, not a lot.) 102 | * [heap-snapshot-generator.cc](https://github.com/v8/v8/blob/master/src/heap-snapshot-generator.cc) 103 | -------------------------------------------------------------------------------- /src/HeapSnapshot.coffee: -------------------------------------------------------------------------------- 1 | fs = require 'fs' 2 | ld = require 'lodash' 3 | 4 | # Takes an array `fields` of field names, and an array `values` with a length which is a 5 | # multiple of `fields.length`, and returns the resulting objects. 6 | # 7 | # `constructor` must take the parameters `(snapshot, json)`. 8 | parseObjects = (snapshot, values, fields, constructor) -> 9 | answer = [] 10 | valueIndex = 0 11 | while valueIndex < values.length 12 | fieldIndex = 0 13 | obj = {} 14 | while fieldIndex < fields.length 15 | obj[fields[fieldIndex]] = values[valueIndex] 16 | fieldIndex++ 17 | valueIndex++ 18 | 19 | if constructor? 20 | answer.push new constructor snapshot, obj 21 | else 22 | answer.push obj 23 | 24 | return answer 25 | 26 | fillObjectType = (name, object, types) -> 27 | if object.type? 28 | if object.type > types.length 29 | throw new Error "Type #{object.type} out of range (#{types.length}) for #{name}." 30 | object.type = types[object.type] 31 | 32 | return object 33 | 34 | parseNodes = (snapshot) -> 35 | nodes = parseObjects snapshot, snapshot.nodes, snapshot.snapshot.meta.node_fields, Node 36 | 37 | parseEdges = (snapshot) -> 38 | edges = parseObjects snapshot, snapshot.edges, snapshot.snapshot.meta.edge_fields, Edge 39 | 40 | parseSnapshot = (snapshot, options={}) -> 41 | options.reporter? {message: "Parsing nodes"} 42 | nodes = parseNodes snapshot 43 | 44 | options.reporter? {message: "Parsing edges"} 45 | edges = parseEdges snapshot 46 | 47 | # Hook up edges to their `toNode`s 48 | options.reporter? {message: "Connecting edges to destination nodes"} 49 | for edge in edges 50 | toNode = nodes[edge.toNodeIndex] 51 | edge.toNode = toNode 52 | toNode.referrers.push edge 53 | 54 | # Hook up edges to their `fromNode`s. 55 | # If we read all the nodes in-order, then the edges they "own" are the next `edge_count` edges. 56 | options.reporter? {message: "Connecting edges to origin nodes"} 57 | edgeIndex = 0 58 | for node, nodeIndex in nodes 59 | nodeEdgeIndex = 0 60 | while nodeEdgeIndex < node.edge_count 61 | if edgeIndex >= edges.length then throw new Error "Ran out of edges!" 62 | edge = edges[edgeIndex] 63 | node.references.push edge 64 | edge.fromNode = node 65 | edgeIndex++ 66 | nodeEdgeIndex++ 67 | 68 | return {nodes, edges} 69 | 70 | MAX_STRING_LEN_TO_PRINT = 40 71 | 72 | # These are edge types we follow when we're computing the retained size of an object. 73 | # 74 | # Descriptions here are from v8-profiler.h: 75 | # 76 | # * 'context' edges are "A variable from a function context". 77 | # * 'element' is "An element of an array". TODO: How is this different from "property"? 78 | # * 'property' is a named object property (an element in an array or an actual property.) 79 | # * 'internal' are for references to objects that the V8 engine uses internally. These 80 | # are things like "maps" (see http://jayconrod.com/posts/52/a-tour-of-v8-object-representation.) 81 | # These are technically part of the retained size, but they aren't very interesting, and 82 | # they can take a lot of time to traverse, so we ignore them. 83 | # * 'hidden' is "A link that is needed for proper sizes calculation, but may be hidden from user." 84 | # so we follow them. 85 | # * 'shortcut' is "A link that must not be followed during sizes calculation." ??? 86 | # * 'weak' is a weak reference - we don't follow these for retained size, since this object is not 87 | # actually retaining the object. 88 | # 89 | RETAINED_SIZE_EDGES = ['context', 'element', 'property', 'hidden'] 90 | 91 | class Node 92 | constructor: (snapshot, json) -> 93 | for key, value of json 94 | this[key] = value 95 | 96 | if @name? then @name = snapshot.strings[@name] 97 | fillObjectType "node", this, snapshot.snapshot.meta.node_types[0] 98 | 99 | @references = [] 100 | @referrers = [] 101 | 102 | toShortString: -> 103 | name = @name 104 | if @type is 'string' 105 | name = name.replace /\n/g, '\\n' 106 | if name.length > MAX_STRING_LEN_TO_PRINT then name = name[0...(MAX_STRING_LEN_TO_PRINT-3)] + "..." 107 | name = "\"#{name}\"" 108 | else if name.length > MAX_STRING_LEN_TO_PRINT + 2 109 | name = '' 110 | "(#{@type}) #{name} @#{@id}" 111 | 112 | toString: -> 113 | """ 114 | #{@toShortString()} 115 | self-size: #{@self_size} bytes 116 | references: 117 | #{@references.map((r) -> " (#{r.type}) #{r.name_or_index}: #{r.toNode?.toShortString() ? 'missing'}").join("\n") } 118 | referrers: 119 | #{@referrers.map((r) -> " (#{r.type}) #{r.name_or_index}: from #{r.fromNode?.toShortString() ? 'missing'}").join("\n")} 120 | """ 121 | 122 | # Find the given property on this node. For example, 123 | # 124 | # node.getProperty("__proto__") 125 | # 126 | # would return the prototype for this object. Returns `null` if the property cannot be found. 127 | getProperty: (name, edgeType='property') -> 128 | for ref in @references 129 | if ref.type is edgeType and ref.name is name then return ref.toNode 130 | return null 131 | 132 | class Edge 133 | constructor: (snapshot, json) -> 134 | for key, value of json 135 | if key isnt 'to_node' then this[key] = value 136 | 137 | fillObjectType "edge", this, snapshot.snapshot.meta.edge_types[0] 138 | 139 | if @name_or_index? then @name_or_index = snapshot.strings[@name_or_index] 140 | # Define @name for convenience 141 | @name = @name_or_index 142 | 143 | # edge.to_node is always divisible by node_fields.length. I'm guessing 144 | # that this is an index into `snapshot.nodes`. 145 | nodeFields = snapshot.snapshot.meta.node_fields 146 | @toNodeIndex = json.to_node / nodeFields.length 147 | 148 | # `fromNode` and `toNode` will be filled in by `parseSnapshot`. 149 | 150 | toString: -> 151 | "#{@name_or_index} (#{@type}) - from #{@fromNode?.toShortString()} to #{@toNode?.toShortString()}" 152 | 153 | class HeapSnapshot 154 | # Create a new HeapSnapshot from a JSON snapshot object. 155 | constructor: (snapshot, options) -> 156 | {@nodes, @edges} = parseSnapshot snapshot, options 157 | @nodesById = ld.indexBy @nodes, 'id' 158 | 159 | # Parses a heapsnapshot. 160 | # 161 | # If `options.reporter()` is provided, `reporter({message})` will be called throughout the 162 | # parsing process to indicate progress. 163 | # 164 | exports.parse = (snapshot, options) -> 165 | if ld.isString snapshot 166 | snapshot = JSON.parse snapshot 167 | return new HeapSnapshot(snapshot, options) 168 | -------------------------------------------------------------------------------- /src/safeStrings.js: -------------------------------------------------------------------------------- 1 | module.exports = [ 2 | "", 3 | "", 4 | "(GC roots)", 5 | "(Strong roots)", 6 | "(Internal string)", 7 | "(Extensions)", 8 | "(Isolate)", 9 | "(Relocatable)", 10 | "(Compilation cache)", 11 | "(Handle scope)", 12 | "(Builtins)", 13 | "(Global handles)", 14 | "(Eternal handles)", 15 | "(Internalized strings)", 16 | "system / Map", 17 | "system / Oddball", 18 | "system", 19 | "system / Map (String)", 20 | "system / Map (AsciiString)", 21 | "system / Map (ConsString)", 22 | "system / Map (ConsAsciiString)", 23 | "system / Map (SlicedString)", 24 | "system / Map (SlicedAsciiString)", 25 | "system / Map (ExternalString)", 26 | "system / Map (ExternalStringWithOneByteData)", 27 | "system / Map (ExternalAsciiString)", 28 | "system / Map (ShortExternalString)", 29 | "system / Map (ShortExternalStringWithOneByteData)", 30 | "system / Map (InternalizedString)", 31 | "system / Map (AsciiInternalizedString)", 32 | "system / Map (ExternalInternalizedString)", 33 | "system / Map (ExternalInternalizedStringWithOneByteData)", 34 | "system / Map (ExternalAsciiInternalizedString)", 35 | "system / Map (ShortExternalInternalizedString)", 36 | "system / Map (ShortExternalInternalizedStringWithOneByteData)", 37 | "system / Map (ShortExternalAsciiInternalizedString)", 38 | "system / Map (ShortExternalAsciiString)", 39 | "number", 40 | "Object", 41 | "system / PolymorphicCodeCache", 42 | "(JSEntryStub code)", 43 | "system / Cell", 44 | "Array", 45 | "__proto__", 46 | "arguments", 47 | "Arguments", 48 | "call", 49 | "apply", 50 | "caller", 51 | "boolean", 52 | "Boolean", 53 | "callee", 54 | "constructor", 55 | ".result", 56 | ".for.", 57 | ".iterator", 58 | ".generator_object", 59 | "eval", 60 | "function", 61 | "length", 62 | "module", 63 | "name", 64 | "native", 65 | "null", 66 | "Number", 67 | "NaN", 68 | "RegExp", 69 | "source", 70 | "global", 71 | "ignoreCase", 72 | "multiline", 73 | "input", 74 | "index", 75 | "lastIndex", 76 | "object", 77 | "literals", 78 | "prototype", 79 | "string", 80 | "String", 81 | "symbol", 82 | "Symbol", 83 | "for", 84 | "for_api", 85 | "for_intern", 86 | "private_api", 87 | "private_intern", 88 | "Date", 89 | "this", 90 | "toString", 91 | "CharAt", 92 | "undefined", 93 | "valueOf", 94 | "stack", 95 | "toJSON", 96 | "InitializeVarGlobal", 97 | "InitializeConstGlobal", 98 | "KeyedLoadElementMonomorphic", 99 | "KeyedStoreElementMonomorphic", 100 | "kStackOverflowBoilerplate", 101 | "illegal access", 102 | "get", 103 | "set", 104 | "%map", 105 | "%elements", 106 | "%length", 107 | "%cell_value", 108 | "Function", 109 | "illegal argument", 110 | "MakeReferenceError", 111 | "MakeSyntaxError", 112 | "MakeTypeError", 113 | "unknown_label", 114 | " ", 115 | "exec", 116 | "0", 117 | "GlobalEval", 118 | "v8::IdentityHash", 119 | "(closure)", 120 | "use strict", 121 | ".", 122 | "(anonymous function)", 123 | "==", 124 | "===", 125 | "Infinity", 126 | "-Infinity", 127 | "v8::hidden_stack_trace", 128 | "(?:)", 129 | "Generator", 130 | "throw", 131 | "done", 132 | "value", 133 | "next", 134 | "byteLength", 135 | "byteOffset", 136 | "buffer", 137 | "v8::intl_initialized_marker", 138 | "v8::intl_object", 139 | "system / NativeContext", 140 | "(CEntryStub code)", 141 | "foo.heapsnapshot", 142 | "(FunctionApply builtin)", 143 | "system / Context", 144 | "(code for exports.writeSnapshot)", 145 | "(ArgumentsAdaptorTrampoline builtin)", 146 | "(FUNCTION code)", 147 | "(concatenated string)", 148 | "Module", 149 | "require", 150 | "(code for Module._compile)", 151 | "(code for exports.run)", 152 | "(code for compileScript)", 153 | "fs.Stats", 154 | "Buffer", 155 | "(code for compilePath)", 156 | "push", 157 | "(sliced string)", 158 | "(code for Module._extensions..js)", 159 | ".js", 160 | "(code for Module.load)", 161 | "(code for Module._load)", 162 | "(code for Module.runMain)", 163 | "EventEmitter", 164 | "startup", 165 | "(code for startup)", 166 | "process", 167 | "(JSEntryTrampoline builtin)", 168 | "address", 169 | "args", 170 | "argv", 171 | "_asyncQueue", 172 | "async", 173 | "atime", 174 | "birthtime", 175 | "blksize", 176 | "blocks", 177 | "bytes", 178 | "bytesParsed", 179 | "callback", 180 | "change", 181 | "close", 182 | "code", 183 | "compare", 184 | "ctime", 185 | "cwd", 186 | "debugPort", 187 | "debug", 188 | "detached", 189 | "dev", 190 | "_disposed", 191 | "domain", 192 | "exchange", 193 | "idle", 194 | "irq", 195 | "enter", 196 | "envPairs", 197 | "env", 198 | "errno", 199 | "error", 200 | "_events", 201 | "execArgv", 202 | "execPath", 203 | "_exiting", 204 | "exitCode", 205 | "exit", 206 | "expire", 207 | "exponent", 208 | "exports", 209 | "ext_key_usage", 210 | "family", 211 | "_fatalException", 212 | "fd", 213 | "file", 214 | "fingerprint", 215 | "flags", 216 | "FSEvent", 217 | "gid", 218 | "handle", 219 | "headers", 220 | "heap_size_limit", 221 | "heapTotal", 222 | "heapUsed", 223 | "hostmaster", 224 | "ignore", 225 | "_immediateCallback", 226 | "infoAccess", 227 | "inherit", 228 | "ino", 229 | "internal", 230 | "IPv4", 231 | "ipv6", 232 | "IPv6", 233 | "issuer", 234 | "issuerCertificate", 235 | "killSignal", 236 | "mac", 237 | "mark-sweep-compact", 238 | "maxBuffer", 239 | "message", 240 | "method", 241 | "minttl", 242 | "mode", 243 | "model", 244 | "modulus", 245 | "mtime", 246 | "_needImmediateCallback", 247 | "netmask", 248 | "nice", 249 | "nlink", 250 | "nsname", 251 | "OCSPRequest", 252 | "offset", 253 | "onchange", 254 | "onclienthello", 255 | "oncomplete", 256 | "onconnection", 257 | "ondone", 258 | "onerror", 259 | "onexit", 260 | "onhandshakedone", 261 | "onhandshakestart", 262 | "onmessage", 263 | "onnewsession", 264 | "onnewsessiondone", 265 | "onocspresponse", 266 | "onread", 267 | "onselect", 268 | "onsignal", 269 | "onstop", 270 | "output", 271 | "order", 272 | "owner", 273 | "Parse Error", 274 | "path", 275 | "PBKDF2 Error", 276 | "pid", 277 | "pipe", 278 | "port", 279 | "preference", 280 | "priority", 281 | "processed", 282 | "raw", 283 | "rdev", 284 | "readable", 285 | "receivedShutdown", 286 | "refresh", 287 | "regexp", 288 | "rename", 289 | "replacement", 290 | "retry", 291 | "rss", 292 | "serial", 293 | "scavenge", 294 | "scopeid", 295 | "sentShutdown", 296 | "serialNumber", 297 | "service", 298 | "servername", 299 | "sessionId", 300 | "shouldKeepAlive", 301 | "signal", 302 | "size", 303 | "_smalloc_p", 304 | "Invalid SNI context", 305 | "sni_context", 306 | "speed", 307 | "statusCode", 308 | "statusMessage", 309 | "status", 310 | "stdio", 311 | "subject", 312 | "subjectaltname", 313 | "sys", 314 | "syscall", 315 | "_tickCallback", 316 | "_tickDomainCallback", 317 | "timeout", 318 | "times", 319 | "timestamp", 320 | "title", 321 | "tls_npn", 322 | "tls_ocsp", 323 | "tls_sni", 324 | "tls", 325 | "tlsTicket", 326 | "total_heap_size_executable", 327 | "total_heap_size", 328 | "total_physical_size", 329 | "type", 330 | "uid", 331 | "", 332 | "upgrade", 333 | "url", 334 | "used_heap_size", 335 | "user", 336 | "uv", 337 | "valid_from", 338 | "valid_to", 339 | "verifyError", 340 | "versionMajor", 341 | "versionMinor", 342 | "version", 343 | "weight", 344 | "windowsVerbatimArguments", 345 | "wrap", 346 | "writable", 347 | "writeQueueSize", 348 | "x-forwarded-for", 349 | "ZERO_RETURN", 350 | "(context data)", 351 | "system / FunctionTemplateInfo", 352 | "InternalArray", 353 | "Instantiate", 354 | "node.js", 355 | "(Illegal builtin)", 356 | "(EmptyFunction builtin)", 357 | "(ArrayPush builtin)", 358 | "(ArrayPop builtin)", 359 | "(ArrayShift builtin)", 360 | "(ArrayUnshift builtin)", 361 | "(ArraySlice builtin)", 362 | "(ArraySplice builtin)", 363 | "(ArrayConcat builtin)", 364 | "(HandleApiCall builtin)", 365 | "(HandleApiCallConstruct builtin)", 366 | "(HandleApiCallAsFunction builtin)", 367 | "(HandleApiCallAsConstructor builtin)", 368 | "(StrictModePoisonPill builtin)", 369 | "(InOptimizationQueue builtin)", 370 | "(JSConstructStubCountdown builtin)", 371 | "(JSConstructStubGeneric builtin)", 372 | "(JSConstructStubApi builtin)", 373 | "(JSConstructEntryTrampoline builtin)", 374 | "(CompileUnoptimized builtin)", 375 | "(CompileOptimized builtin)", 376 | "(CompileOptimizedConcurrent builtin)", 377 | "(NotifyDeoptimized builtin)", 378 | "(NotifySoftDeoptimized builtin)", 379 | "(NotifyLazyDeoptimized builtin)", 380 | "(NotifyStubFailure builtin)", 381 | "(NotifyStubFailureSaveDoubles builtin)", 382 | "(LoadIC_Miss builtin)", 383 | "(KeyedLoadIC_Miss builtin)", 384 | "(StoreIC_Miss builtin)", 385 | "(KeyedStoreIC_Miss builtin)", 386 | "(LoadIC_Getter_ForDeopt builtin)", 387 | "(KeyedLoadIC_Initialize builtin)", 388 | "(KeyedLoadIC_PreMonomorphic builtin)", 389 | "(KeyedLoadIC_Generic builtin)", 390 | "(KeyedLoadIC_String builtin)", 391 | "(KeyedLoadIC_IndexedInterceptor builtin)", 392 | "(KeyedLoadIC_SloppyArguments builtin)", 393 | "(StoreIC_Setter_ForDeopt builtin)", 394 | "(KeyedStoreIC_Initialize builtin)", 395 | "(KeyedStoreIC_PreMonomorphic builtin)", 396 | "(KeyedStoreIC_Generic builtin)", 397 | "(KeyedStoreIC_Initialize_Strict builtin)", 398 | "(KeyedStoreIC_PreMonomorphic_Strict builtin)", 399 | "(KeyedStoreIC_Generic_Strict builtin)", 400 | "(KeyedStoreIC_SloppyArguments builtin)", 401 | "(FunctionCall builtin)", 402 | "(InternalArrayCode builtin)", 403 | "(ArrayCode builtin)", 404 | "(StringConstructCode builtin)", 405 | "(OnStackReplacement builtin)", 406 | "(InterruptCheck builtin)", 407 | "(OsrAfterStackCheck builtin)", 408 | "(StackCheck builtin)", 409 | "(MarkCodeAsExecutedOnce builtin)", 410 | "(MarkCodeAsExecutedTwice builtin)", 411 | "(MakeQuadragenarianCodeYoungAgainOddMarking builtin)", 412 | "(MakeQuadragenarianCodeYoungAgainEvenMarking builtin)", 413 | "(MakeQuinquagenarianCodeYoungAgainOddMarking builtin)", 414 | "(MakeQuinquagenarianCodeYoungAgainEvenMarking builtin)", 415 | "(MakeSexagenarianCodeYoungAgainOddMarking builtin)", 416 | "(MakeSexagenarianCodeYoungAgainEvenMarking builtin)", 417 | "(MakeSeptuagenarianCodeYoungAgainOddMarking builtin)", 418 | "(MakeSeptuagenarianCodeYoungAgainEvenMarking builtin)", 419 | "(MakeOctogenarianCodeYoungAgainOddMarking builtin)", 420 | "(MakeOctogenarianCodeYoungAgainEvenMarking builtin)", 421 | "(LoadIC_Slow builtin)", 422 | "(KeyedLoadIC_Slow builtin)", 423 | "(StoreIC_Slow builtin)", 424 | "(KeyedStoreIC_Slow builtin)", 425 | "(LoadIC_Normal builtin)", 426 | "(StoreIC_Normal builtin)", 427 | "(Return_DebugBreak builtin)", 428 | "(CallFunctionStub_DebugBreak builtin)", 429 | "(CallConstructStub_DebugBreak builtin)", 430 | "(CallConstructStub_Recording_DebugBreak builtin)", 431 | "(CallICStub_DebugBreak builtin)", 432 | "(LoadIC_DebugBreak builtin)", 433 | "(KeyedLoadIC_DebugBreak builtin)", 434 | "(StoreIC_DebugBreak builtin)", 435 | "(KeyedStoreIC_DebugBreak builtin)", 436 | "(CompareNilIC_DebugBreak builtin)", 437 | "(Slot_DebugBreak builtin)", 438 | "(PlainReturn_LiveEdit builtin)", 439 | "(FrameDropper_LiveEdit builtin)", 440 | "runAsyncQueue", 441 | "loadAsyncQueue", 442 | "unloadAsyncQueue", 443 | "NativeBuffer", 444 | "UDP", 445 | "true", 446 | "false", 447 | "hole", 448 | "uninitialized", 449 | "arguments_marker", 450 | "no_interceptor_result_sentinel", 451 | "termination_exception", 452 | "exception", 453 | "(code deopt data)", 454 | "system / ExecutableAccessorInfo", 455 | "system / Foreign", 456 | "(code for Object)", 457 | "(function scope info)", 458 | "native v8natives.js", 459 | "keys", 460 | "create", 461 | "defineProperty", 462 | "defineProperties", 463 | "freeze", 464 | "getPrototypeOf", 465 | "setPrototypeOf", 466 | "getOwnPropertyDescriptor", 467 | "getOwnPropertyNames", 468 | "is", 469 | "isExtensible", 470 | "isFrozen", 471 | "isSealed", 472 | "preventExtensions", 473 | "seal", 474 | "deliverChangeRecords", 475 | "getNotifier", 476 | "observe", 477 | "unobserve", 478 | "Empty", 479 | "(function literals)", 480 | "toLocaleString", 481 | "hasOwnProperty", 482 | "isPrototypeOf", 483 | "propertyIsEnumerable", 484 | "__defineGetter__", 485 | "__lookupGetter__", 486 | "__defineSetter__", 487 | "__lookupSetter__", 488 | "bind", 489 | "() {}", 490 | "system / AccessorPair", 491 | "ThrowTypeError", 492 | "(object elements)", 493 | "(shared function info)", 494 | "escape", 495 | "URIError", 496 | "MathConstructor", 497 | "Error", 498 | "ArrayBuffer", 499 | "isNaN", 500 | "unescape", 501 | "ReferenceError", 502 | "Int8Array", 503 | "Uint8ClampedArray", 504 | "DataView", 505 | "decodeURIComponent", 506 | "parseFloat", 507 | "Uint16Array", 508 | "Int16Array", 509 | "JSON", 510 | "RangeError", 511 | "TypeError", 512 | "WeakSet", 513 | "Float32Array", 514 | "isFinite", 515 | "Uint32Array", 516 | "WeakMap", 517 | "encodeURIComponent", 518 | "Uint8Array", 519 | "Int32Array", 520 | "decodeURI", 521 | "SyntaxError", 522 | "encodeURI", 523 | "parseInt", 524 | "Float64Array", 525 | "EvalError", 526 | "Promise", 527 | "(object properties)", 528 | "system / Box", 529 | "(code for Function)", 530 | "(construct stub code for Array)", 531 | "isArray", 532 | "(code for Number)", 533 | "isInteger", 534 | "isSafeInteger", 535 | "(code for Boolean)", 536 | "(code for String)", 537 | "native string.js", 538 | "fromCharCode", 539 | "(code for Date)", 540 | "native date.js", 541 | "UTC", 542 | "parse", 543 | "now", 544 | "(code for RegExp)", 545 | "native regexp.js", 546 | "RegExpGetLastMatch", 547 | "RegExpGetLastParen", 548 | "RegExpGetLeftContext", 549 | "RegExpGetRightContext", 550 | "stringify", 551 | "(code for ArrayBuffer)", 552 | "native arraybuffer.js", 553 | "isView", 554 | "(code for Uint8Array)", 555 | "native typedarray.js", 556 | "(code for Int8Array)", 557 | "(code for Uint16Array)", 558 | "(code for Int16Array)", 559 | "(code for Uint32Array)", 560 | "(code for Int32Array)", 561 | "(code for Float32Array)", 562 | "(code for Float64Array)", 563 | "(code for Uint8ClampedArray)", 564 | "(code for DataView)", 565 | "(code for WeakMap)", 566 | "native weak_collection.js", 567 | "(code for WeakSet)", 568 | "context_extension", 569 | "(context func. result caches)", 570 | "(context norm. map cache)", 571 | "builtins", 572 | "ObservedArrayPop", 573 | "toLocaleLowerCase", 574 | "PromiseInit", 575 | "ObjectInfoRemovePerformingType", 576 | "Revive", 577 | "accept", 578 | "resolve", 579 | "toDateString", 580 | "atan", 581 | "reduceRight", 582 | "forEach", 583 | "sort", 584 | "CreateDate", 585 | "getDate", 586 | "RegExpMakeCaptureGetter", 587 | "GetObjectInfoMap", 588 | "TimeClip", 589 | "toUTCString", 590 | "toTimeString", 591 | "CallbackInfoGet", 592 | "ComputeSpliceDeleteCount", 593 | "Int16ArrayConstructor", 594 | "SourceLocationRestrict", 595 | "EnqueueSpliceRecord", 596 | "getDay", 597 | "TimeStringUTC", 598 | "cos", 599 | "ObjectInfoGetFromNotifier", 600 | "SHL", 601 | "ScriptNameOrSourceURL", 602 | "Int8ArrayConstructByArrayBuffer", 603 | "FormatMessage", 604 | "GetCallbackInfoMap", 605 | "Float64ArrayConstructByArrayLike", 606 | "SparseJoinWithSeparator", 607 | "ObserverGetCallback", 608 | "ceil", 609 | "sqrt", 610 | "InstantiateFunction", 611 | "CaptureString", 612 | "isAlphaNumeric", 613 | "CALL_FUNCTION_PROXY_AS_CONSTRUCTOR", 614 | "NativeObjectObserve", 615 | "IsValidHex", 616 | "Int16ArrayConstructByArrayBuffer", 617 | "getUint32", 618 | "GetWeakMapWrapper", 619 | "getFloat32", 620 | "lastIndexOf", 621 | "NumberConstructor", 622 | "SimpleSlice", 623 | "Uint8ArrayConstructByArrayBuffer", 624 | "ConfigureTemplateInstance", 625 | "DateString", 626 | "TO_OBJECT", 627 | "reduce", 628 | "trim", 629 | "test", 630 | "then", 631 | "ScriptSourceLine", 632 | "subarray", 633 | "Uint16ArrayConstructByArrayLike", 634 | "indexOf", 635 | "ObjectInfoGetNotifier", 636 | "setInt16", 637 | "toLocaleDateString", 638 | "fontsize", 639 | "setYear", 640 | "ArrayBufferConstructor", 641 | "TypeMapHasType", 642 | "ThrowDateTypeError", 643 | "DataViewConstructor", 644 | "CALL_NON_FUNCTION", 645 | "small", 646 | "TypeMapRemoveType", 647 | "PromiseCoerce", 648 | "getMonth", 649 | "Float32ArrayConstructByLength", 650 | "match", 651 | "getInt32", 652 | "ObservedArrayUnshift", 653 | "ToStringCheckErrorObject", 654 | "ArraySlice", 655 | "BIT_XOR", 656 | "substring", 657 | "concat", 658 | "RegExpConstructor", 659 | "trimLeft", 660 | "captureStackTrace", 661 | "IsDataDescriptor", 662 | "Float64ArrayConstructor", 663 | "ObserverGetAcceptTypes", 664 | "getUTCHours", 665 | "URIEncodeOctets", 666 | "APPLY_PREPARE", 667 | "TypeMapIsDisjointFrom", 668 | "GetPendingObservers", 669 | "SetUpError", 670 | "ObjectInfoAddObserver", 671 | "PropertyDescriptor", 672 | "CallSiteGetLineNumber", 673 | "LocalTimezoneString", 674 | "max", 675 | "AcceptArgIsValid", 676 | "DoRegExpExec", 677 | "ObserverIsActive", 678 | "ToPropertyDescriptor", 679 | "SetUpMath", 680 | "setUTCMilliseconds", 681 | "GetOwnEnumerablePropertyNames", 682 | "JSONSerialize", 683 | "STRING_ADD_RIGHT", 684 | "TypeMapAddType", 685 | "DateConstructor", 686 | "charCodeAt", 687 | "getUTCMilliseconds", 688 | "setMilliseconds", 689 | "FILTER_KEY", 690 | "InternalPackedArray", 691 | "FromGenericPropertyDescriptor", 692 | "SUB", 693 | "Int32ArrayConstructByArrayLike", 694 | "GetTypeName", 695 | "InstallFunctions", 696 | "fontcolor", 697 | "DIV", 698 | "getUTCDate", 699 | "SetUpJSON", 700 | "PromiseIdResolveHandler", 701 | "SerializeArray", 702 | "Uint32ArrayConstructor", 703 | "setUTCHours", 704 | "DoConstructRegExp", 705 | "has", 706 | "GetObservationState", 707 | "DELETE", 708 | "SetUpNumber", 709 | "ToObject", 710 | "SetUpArray", 711 | "SetupObjectObserve", 712 | "ChangeObserversIsOptimized", 713 | "InstallConstants", 714 | "strike", 715 | "PromiseEnqueue", 716 | "getMinutes", 717 | "Float64ArrayConstructByArrayBuffer", 718 | "SmartSlice", 719 | "InstallGetterSetter", 720 | "SetUpRegExp", 721 | "getFullYear", 722 | "STRING_ADD_LEFT", 723 | "SAR", 724 | "setUTCSeconds", 725 | "GetNextCallbackPriority", 726 | "ToNameArray", 727 | "IsPrimitive", 728 | "TrigonometricInterpolation", 729 | "ADD", 730 | "ScriptLineCount", 731 | "BuildResultFromMatchInfo", 732 | "Uint32ArrayConstructByArrayBuffer", 733 | "CallTrap0", 734 | "ObserverCreate", 735 | "setMinutes", 736 | "delete", 737 | "ObjectInfoGet", 738 | "imul", 739 | "WeakSetConstructor", 740 | "CallSiteIsNative", 741 | "tan", 742 | "GetStackFrames", 743 | "asin", 744 | "SourceLocationSourceText", 745 | "BeginPerformSplice", 746 | "GetPositionInLine", 747 | "DefaultNumber", 748 | "CallbackInfoNormalize", 749 | "URIEncodeSingle", 750 | "MakeTime", 751 | "setFullYear", 752 | "ArrayUnshift", 753 | "ComputeSpliceStartIndex", 754 | "CallTrap2", 755 | "setFloat32", 756 | "Join", 757 | "URIAddEncodedOctetToBuffer", 758 | "ConvertToLocaleString", 759 | "URIEncodePair", 760 | "ObjectInfoRemoveObserver", 761 | "SetUpUri", 762 | "FromPropertyDescriptor", 763 | "InstallGetter", 764 | "toLowerCase", 765 | "getUTCDay", 766 | "StringReplaceNonGlobalRegExpWithFunction", 767 | "SetUpBoolean", 768 | "STACK_OVERFLOW", 769 | "race", 770 | "Int32ArrayConstructByArrayBuffer", 771 | "FormatEvalOrigin", 772 | "CallSiteIsToplevel", 773 | "Uint32ArrayConstructByArrayLike", 774 | "ToInteger", 775 | "Uint8ArrayConstructor", 776 | "Uint8ArrayConstructByArrayLike", 777 | "SetPendingObservers", 778 | "TypedArraySetFromArrayLike", 779 | "map", 780 | "getFloat64", 781 | "min", 782 | "add", 783 | "PromiseNopResolver", 784 | "CallSiteGetMethodName", 785 | "slice", 786 | "TO_STRING", 787 | "GetTrap", 788 | "toLocaleTimeString", 789 | "MOD", 790 | "filter", 791 | "toPrecision", 792 | "ArrayPop", 793 | "EQUALS", 794 | "MakeGenericError", 795 | "getUTCFullYear", 796 | "ExpandReplacement", 797 | "IsPromise", 798 | "MakeDay", 799 | "bold", 800 | "ObjectInfoEnqueueInternalChangeRecord", 801 | "STRICT_EQUALS", 802 | "setUTCMinutes", 803 | "FunctionSourceString", 804 | "SameValue", 805 | "BooleanConstructor", 806 | "SetUpWeakSet", 807 | "ConvertDescriptorArrayToDescriptor", 808 | "CallbackDeliverPending", 809 | "SerializeObject", 810 | "CallSiteGetThis", 811 | "ToPrimitive", 812 | "SetUpWeakMap", 813 | "GetSourceLine", 814 | "ToNumber", 815 | "reject", 816 | "NewFunctionString", 817 | "PromiseCreate", 818 | "setUint32", 819 | "SetUpString", 820 | "NotifyChange", 821 | "DefineOwnProperty", 822 | "COMPARE", 823 | "setUTCMonth", 824 | "pow", 825 | "ObserverEnqueueIfActive", 826 | "getYear", 827 | "NonNumberToNumber", 828 | "CallSiteGetFunction", 829 | "toFixed", 830 | "GetPromiseStatus", 831 | "SimpleMove", 832 | "charAt", 833 | "join", 834 | "setTime", 835 | "floor", 836 | "LongDateString", 837 | "SetupTypedArrays", 838 | "GetPromiseValue", 839 | "ObservedArrayPush", 840 | "every", 841 | "IsAccessorDescriptor", 842 | "chain", 843 | "SetUpObject", 844 | "compile", 845 | "CallbackInfoGetPriority", 846 | "getInt8", 847 | "INSTANCE_OF", 848 | "CALL_NON_FUNCTION_AS_CONSTRUCTOR", 849 | "setDate", 850 | "CALL_FUNCTION_PROXY", 851 | "MakeDate", 852 | "Delete", 853 | "CallSiteGetScriptNameOrSourceURL", 854 | "SetUpArrayBuffer", 855 | "URIDecodeOctets", 856 | "RegExpExecNoTests", 857 | "sin", 858 | "Decode", 859 | "getUTCMonth", 860 | "CallSiteGetFileName", 861 | "sub", 862 | "Uint32ArrayConstructByLength", 863 | "getUint16", 864 | "ObserveMicrotaskRunner", 865 | "CallSiteGetEvalOrigin", 866 | "substr", 867 | "Int16ArrayConstructByLength", 868 | "Float32ArrayConstructByArrayBuffer", 869 | "toUpperCase", 870 | "CallSiteIsEval", 871 | "DefineArrayProperty", 872 | "TypedArraySetFromOverlappingTypedArray", 873 | "SetUpPromise", 874 | "Int8ArrayConstructByArrayLike", 875 | "RunMicrotasks", 876 | "ArraySplice", 877 | "CallSiteToString", 878 | "setInt8", 879 | "abs", 880 | "GetPropertyWithoutInvokingMonkeyGetters", 881 | "DefineProxyProperty", 882 | "ObjectInfoGetPerformingTypes", 883 | "SetUpLockedPrototype", 884 | "PromiseDone", 885 | "BIT_AND", 886 | "ObjectConstructor", 887 | "link", 888 | "toExponential", 889 | "LocalTimezone", 890 | "ToBoolean", 891 | "clear", 892 | "MUL", 893 | "PromiseIdRejectHandler", 894 | "ScriptLocationFromPosition", 895 | "localeCompare", 896 | "TwoDigitString", 897 | "SetUpDate", 898 | "NonStringToString", 899 | "ErrorToStringDetectCycle", 900 | "setMonth", 901 | "ObservedArraySplice", 902 | "Float32ArrayConstructor", 903 | "catch", 904 | "setUint16", 905 | "ToCompletePropertyDescriptor", 906 | "PromiseResolve", 907 | "fixed", 908 | "StringConstructor", 909 | "FunctionConstructor", 910 | "nullProtoObject", 911 | "DefineObjectProperty", 912 | "setFloat64", 913 | "NativeObjectNotifierPerformChange", 914 | "anchor", 915 | "toISOString", 916 | "TimeString", 917 | "SourceSlice", 918 | "TimeInYear", 919 | "IsGenericDescriptor", 920 | "getUTCMinutes", 921 | "CallSiteGetTypeName", 922 | "SetUpFunction", 923 | "exp", 924 | "Int8ArrayConstructor", 925 | "CallSiteGetPosition", 926 | "Uint8ArrayConstructByLength", 927 | "getTime", 928 | "PromiseSet", 929 | "all", 930 | "getHours", 931 | "Int16ArrayConstructByArrayLike", 932 | "getUint8", 933 | "ObjectInfoHasActiveObservers", 934 | "TypeMapCreate", 935 | "SourceLocation", 936 | "round", 937 | "PromiseHandle", 938 | "HexValueOf", 939 | "TrimRegExp", 940 | "Int32ArrayConstructor", 941 | "performChange", 942 | "ScriptLocationFromLine", 943 | "toLocaleUpperCase", 944 | "ConvertToString", 945 | "ObjectGetOwnPropertyKeys", 946 | "split", 947 | "NoSideEffectToString", 948 | "ObservedArrayShift", 949 | "Float64ArrayConstructByLength", 950 | "FormatStackTrace", 951 | "normalize", 952 | "reverse", 953 | "StringReplaceGlobalRegExpWithFunction", 954 | "CheckDateCacheCurrent", 955 | "Uint8ClampedArrayConstructor", 956 | "notify", 957 | "EndPerformSplice", 958 | "GetSortedArrayKeys", 959 | "DefaultString", 960 | "TO_NUMBER", 961 | "random", 962 | "ObjectInfoNormalizeChangeObservers", 963 | "PadInt", 964 | "replace", 965 | "ToPositiveDataViewOffset", 966 | "SparseJoin", 967 | "big", 968 | "CallbackInfoGetOrCreate", 969 | "ArrayShift", 970 | "toGMTString", 971 | "ObjectInfoAddPerformingType", 972 | "setInt32", 973 | "ToUint32", 974 | "TypeMapCreateFromList", 975 | "SmartMove", 976 | "MakeEvalError", 977 | "getSeconds", 978 | "GetStackTraceLine", 979 | "setUTCDate", 980 | "FormatString", 981 | "IsInconsistentDescriptor", 982 | "ObjectInfoGetObject", 983 | "CallTrap1", 984 | "URIHexCharsToCharCode", 985 | "GetContextMaps", 986 | "sup", 987 | "OpaqueReference", 988 | "MakeError", 989 | "some", 990 | "ToName", 991 | "setSeconds", 992 | "NativeObjectGetNotifier", 993 | "DatePrintString", 994 | "ToInt32", 995 | "CanBeSafelyTreatedAsAnErrorObject", 996 | "GetNotifierObjectInfoMap", 997 | "StringSplitOnRegExp", 998 | "Float32ArrayConstructByArrayLike", 999 | "SourceSliceSourceText", 1000 | "WeakMapConstructor", 1001 | "search", 1002 | "Uint16ArrayConstructor", 1003 | "setUint8", 1004 | "ArrayConcat", 1005 | "Uint16ArrayConstructByLength", 1006 | "getInt16", 1007 | "Int8ArrayConstructByLength", 1008 | "IN", 1009 | "Uint16ArrayConstructByArrayBuffer", 1010 | "SparseReverse", 1011 | "ScriptSourceSlice", 1012 | "MakeRangeError", 1013 | "SetUpStackOverflowBoilerplate", 1014 | "italics", 1015 | "SetUpGlobal", 1016 | "PromiseReject", 1017 | "blink", 1018 | "log", 1019 | "EnqueueMicrotask", 1020 | "CharCodeToHex4Str", 1021 | "Int32ArrayConstructByLength", 1022 | "GetOwnProperty", 1023 | "Uint8ClampedArrayConstructByLength", 1024 | "ObjectInfoGetOrCreate", 1025 | "acos", 1026 | "setHours", 1027 | "UseSparseVariant", 1028 | "atan2", 1029 | "BIT_OR", 1030 | "ObjectInfoEnqueueExternalChangeRecord", 1031 | "SHR", 1032 | "JSONSerializeAdapter", 1033 | "Uint8ClampedArrayConstructByArrayBuffer", 1034 | "ToString", 1035 | "ToPositiveInteger", 1036 | "trimRight", 1037 | "defer", 1038 | "CallSiteIsConstructor", 1039 | "ProxyFix", 1040 | "Encode", 1041 | "Script", 1042 | "ToDetailString", 1043 | "CallSiteGetColumnNumber", 1044 | "ScriptLineFromPosition", 1045 | "getTimezoneOffset", 1046 | "GetLineNumber", 1047 | "ArrayPush", 1048 | "HtmlEscape", 1049 | "FormatErrorString", 1050 | "CallSiteGetFunctionName", 1051 | "SetupDataView", 1052 | "getMilliseconds", 1053 | "getUTCSeconds", 1054 | "Uint8ClampedArrayConstructByArrayLike", 1055 | "CallSite", 1056 | "setUTCFullYear", 1057 | "(code for EQUALS)", 1058 | "(code for STRICT_EQUALS)", 1059 | "(code for COMPARE)", 1060 | "(code for ADD)", 1061 | "(code for SUB)", 1062 | "(code for MUL)", 1063 | "(code for DIV)", 1064 | "(code for MOD)", 1065 | "(code for BIT_OR)", 1066 | "(code for BIT_AND)", 1067 | "(code for BIT_XOR)", 1068 | "(code for SHL)", 1069 | "(code for SAR)", 1070 | "(code for SHR)", 1071 | "(code for DELETE)", 1072 | "(code for IN)", 1073 | "(code for INSTANCE_OF)", 1074 | "(code for FILTER_KEY)", 1075 | "(code for CALL_NON_FUNCTION)", 1076 | "(code for CALL_NON_FUNCTION_AS_CONSTRUCTOR)", 1077 | "(code for CALL_FUNCTION_PROXY)", 1078 | "(code for CALL_FUNCTION_PROXY_AS_CONSTRUCTOR)", 1079 | "(code for TO_OBJECT)", 1080 | "(code for TO_NUMBER)", 1081 | "(code for TO_STRING)", 1082 | "(code for STRING_ADD_LEFT)", 1083 | "(code for STRING_ADD_RIGHT)", 1084 | "(code for APPLY_PREPARE)", 1085 | "(code for STACK_OVERFLOW)", 1086 | "(code for Script)", 1087 | "native messages.js", 1088 | "column_offset", 1089 | "id", 1090 | "line_offset", 1091 | "compilation_type", 1092 | "line_ends", 1093 | "context_data", 1094 | "eval_from_script", 1095 | "eval_from_script_position", 1096 | "eval_from_function_name", 1097 | "(construct stub code for InternalArray)", 1098 | "pop", 1099 | "splice", 1100 | "native runtime.js", 1101 | "(code for ToPrimitive)", 1102 | "(code for ToBoolean)", 1103 | "(code for ToNumber)", 1104 | "(code for NonNumberToNumber)", 1105 | "(code for ToString)", 1106 | "(code for NonStringToString)", 1107 | "(code for ToName)", 1108 | "(code for ToObject)", 1109 | "(code for ToUint32)", 1110 | "(code for IsPrimitive)", 1111 | "(code for DefaultString)", 1112 | "system / TypeFeedbackInfo", 1113 | "system / AllocationSite", 1114 | "(code for InstallFunctions)", 1115 | "(code for InstallGetter)", 1116 | "(code for InstallGetterSetter)", 1117 | "(code for InstallConstants)", 1118 | "(code for SetUpLockedPrototype)", 1119 | "(code for parseInt)", 1120 | "(code for parseFloat)", 1121 | "(code for SetUpGlobal)", 1122 | "(code for hasOwnProperty)", 1123 | "(code for __defineGetter__)", 1124 | "(code for keys)", 1125 | "(code for IsAccessorDescriptor)", 1126 | "(code for IsDataDescriptor)", 1127 | "(code for IsGenericDescriptor)", 1128 | "(code for IsInconsistentDescriptor)", 1129 | "(code for ToPropertyDescriptor)", 1130 | "(code for PropertyDescriptor)", 1131 | "(code for ConvertDescriptorArrayToDescriptor)", 1132 | "(code for DefineObjectProperty)", 1133 | "(code for DefineOwnProperty)", 1134 | "(code for getPrototypeOf)", 1135 | "(code for create)", 1136 | "(code for defineProperty)", 1137 | "(code for GetOwnEnumerablePropertyNames)", 1138 | "(code for defineProperties)", 1139 | "(code for __proto__)", 1140 | "(code for SetUpObject)", 1141 | "(code for SetUpBoolean)", 1142 | "(code for toString)", 1143 | "(code for SetUpNumber)", 1144 | "(code for SetUpFunction)", 1145 | "(code for $Array.enumerable_)", 1146 | "(code for $Array.writable_)", 1147 | "(code for $Array.configurable_)", 1148 | "(code for $Array.get_)", 1149 | "$Array.get_", 1150 | "(code for $Array.set_)", 1151 | "$Array.set_", 1152 | "(dependent code)", 1153 | "native array.js", 1154 | "(code for UseSparseVariant)", 1155 | "(code for Join)", 1156 | "(code for SimpleSlice)", 1157 | "(code for join)", 1158 | "(code for ArrayConcat)", 1159 | "(code for reverse)", 1160 | "(code for ArraySlice)", 1161 | "(code for sort)", 1162 | "(code for filter)", 1163 | "(code for indexOf)", 1164 | "(code for SetUpArray)", 1165 | "(code for SetUpArray.b)", 1166 | "SetUpArray.b", 1167 | "shift", 1168 | "unshift", 1169 | "(code for charAt)", 1170 | "(code for charCodeAt)", 1171 | "(code for lastIndexOf)", 1172 | "(code for match)", 1173 | "(code for replace)", 1174 | "(code for StringReplaceGlobalRegExpWithFunction)", 1175 | "(code for slice)", 1176 | "(code for split)", 1177 | "(code for StringSplitOnRegExp)", 1178 | "(code for substring)", 1179 | "(code for substr)", 1180 | "(code for toLowerCase)", 1181 | "(code for toUpperCase)", 1182 | "(code for SetUpString)", 1183 | "native uri.js", 1184 | "(code for SetUpUri)", 1185 | "native math.js", 1186 | "(code for MathConstructor)", 1187 | "Math", 1188 | "(code for floor)", 1189 | "(code for max)", 1190 | "(code for min)", 1191 | "(code for random)", 1192 | "(code for imul)", 1193 | "(code for SetUpMath)", 1194 | "(code for FormatString)", 1195 | "(code for MakeGenericError)", 1196 | "(code for FormatMessage)", 1197 | "(code for MakeRangeError)", 1198 | "(code for FormatErrorString)", 1199 | "(code for captureStackTrace)", 1200 | "(code for SetUpError)", 1201 | "(code for GetPropertyWithoutInvokingMonkeyGetters)", 1202 | "(code for ErrorToStringDetectCycle)", 1203 | "(code for SetUpStackOverflowBoilerplate)", 1204 | "CallSite#receiver", 1205 | "CallSite#function", 1206 | "CallSite#position", 1207 | "CallSite#strict_mode", 1208 | "(code for SetUpError.a)", 1209 | "SetUpError.a", 1210 | "(code for Error)", 1211 | "(code for d)", 1212 | "d", 1213 | "h", 1214 | "j", 1215 | "native apinatives.js", 1216 | "(code for Instantiate)", 1217 | "(code for InstantiateFunction)", 1218 | "(code for ConfigureTemplateInstance)", 1219 | "(code for SetUpDate)", 1220 | "native json.js", 1221 | "(code for Revive)", 1222 | "(code for parse)", 1223 | "(code for stringify)", 1224 | "(code for SetUpJSON)", 1225 | "(code for DoConstructRegExp)", 1226 | "(code for DoRegExpExec)", 1227 | "(code for BuildResultFromMatchInfo)", 1228 | "(code for RegExpExecNoTests)", 1229 | "(code for exec)", 1230 | "(code for test)", 1231 | "(code for RegExpMakeCaptureGetter)", 1232 | "(code for SetUpRegExp)", 1233 | "(code for SetUpArrayBuffer)", 1234 | "(code for SetupTypedArrays)", 1235 | "(code for SetupDataView)", 1236 | "(code for SetUpWeakMap)", 1237 | "(code for SetUpWeakSet)", 1238 | "native promise.js", 1239 | "(code for SetUpPromise)", 1240 | "Promise#status", 1241 | "Promise#value", 1242 | "Promise#onResolve", 1243 | "Promise#onReject", 1244 | "Promise#raw", 1245 | "native object-observe.js", 1246 | "(code for nullProtoObject)", 1247 | "(code for TypeMapCreate)", 1248 | "(code for TypeMapAddType)", 1249 | "(code for TypeMapCreateFromList)", 1250 | "(code for SetupObjectObserve)", 1251 | "system / ObjectTemplateInfo", 1252 | "system / InterceptorInfo", 1253 | "system / CallHandlerInfo", 1254 | "_startProfilerIdleNotifier", 1255 | "_stopProfilerIdleNotifier", 1256 | "_getActiveRequests", 1257 | "_getActiveHandles", 1258 | "reallyExit", 1259 | "abort", 1260 | "chdir", 1261 | "umask", 1262 | "getuid", 1263 | "setuid", 1264 | "setgid", 1265 | "getgid", 1266 | "getgroups", 1267 | "setgroups", 1268 | "initgroups", 1269 | "_kill", 1270 | "_debugProcess", 1271 | "_debugPause", 1272 | "_debugEnd", 1273 | "hrtime", 1274 | "dlopen", 1275 | "uptime", 1276 | "memoryUsage", 1277 | "binding", 1278 | "_setupAsyncListener", 1279 | "_setupNextTick", 1280 | "_setupDomainUse", 1281 | "evalScript", 1282 | "createWritableStdioStream", 1283 | "runInThisContext", 1284 | "(code for runInThisContext)", 1285 | "NativeModule", 1286 | "(code for NativeModule)", 1287 | "(code for startup.globalVariables)", 1288 | "(code for startup.globalTimeouts)", 1289 | "(code for startup.globalConsole)", 1290 | "(code for startup.processFatal)", 1291 | "(code for startup.processAssert)", 1292 | "(code for startup.processConfig)", 1293 | "(code for startup.processNextTick)", 1294 | "(code for startup.processStdio)", 1295 | "(code for startup.processKillAndExit)", 1296 | "(code for startup.processSignalHandlers)", 1297 | "(code for startup.processChannel)", 1298 | "(code for startup.processRawDebug)", 1299 | "(code for startup.resolveArgv0)", 1300 | "(code for NativeModule.require)", 1301 | "(code for NativeModule.getCached)", 1302 | "(code for NativeModule.exists)", 1303 | "(code for NativeModule.getSource)", 1304 | "(code for NativeModule.wrap)", 1305 | "(code for NativeModule.compile)", 1306 | "(code for NativeModule.cache)", 1307 | "_rawDebug", 1308 | "runInDebugContext", 1309 | "makeContext", 1310 | "isContext", 1311 | "ContextifyScript", 1312 | "system / SignatureInfo", 1313 | "runInContext", 1314 | "Binding contextify", 1315 | "Binding natives", 1316 | "Binding v8", 1317 | "Binding buffer", 1318 | "Binding smalloc", 1319 | "Binding fs", 1320 | "Binding constants", 1321 | "Binding timer_wrap", 1322 | "Binding cares_wrap", 1323 | "Binding uv", 1324 | "Binding pipe_wrap", 1325 | "Binding udp_wrap", 1326 | "Binding process_wrap", 1327 | "(map descriptors)", 1328 | "(transition array)", 1329 | "$Array", 1330 | ".value_", 1331 | ".enumerable_", 1332 | ".writable_", 1333 | "child_process.js", 1334 | "NFC", 1335 | "NFD", 1336 | "NFKC", 1337 | "NFKD", 1338 | ".c", 1339 | ".g", 1340 | "Maximum call stack size exceeded", 1341 | "Sun", 1342 | "Mon", 1343 | "Tue", 1344 | "Wed", 1345 | "Thu", 1346 | "Fri", 1347 | "Sat", 1348 | "Jan", 1349 | "Feb", 1350 | "Mar", 1351 | "Apr", 1352 | "May", 1353 | "Jun", 1354 | "Jul", 1355 | "Aug", 1356 | "Sep", 1357 | "Oct", 1358 | "Nov", 1359 | "Dec", 1360 | "Sunday", 1361 | "Monday", 1362 | "Tuesday", 1363 | "Wednesday", 1364 | "Thursday", 1365 | "Friday", 1366 | "Saturday", 1367 | "January", 1368 | "February", 1369 | "March", 1370 | "April", 1371 | "June", 1372 | "July", 1373 | "August", 1374 | "September", 1375 | "October", 1376 | "November", 1377 | "December", 1378 | ".a", 1379 | ".h", 1380 | ".i", 1381 | ".k", 1382 | "exports.exec", 1383 | "getConnections", 1384 | "exports.fork", 1385 | ".require", 1386 | ".getCached", 1387 | ".exists", 1388 | ".getSource", 1389 | ".wrap", 1390 | ".compile", 1391 | ".cache", 1392 | "configurable_", 1393 | "execSync", 1394 | "(prototype transitions", 1395 | "Unexpected eval or arguments in strict mode", 1396 | "Unexpected end of input", 1397 | "Start offset is too large:", 1398 | "Cannot modify frozen array elements", 1399 | "%0", 1400 | " is not extensible", 1401 | "More than one default clause in switch statement", 1402 | "Chaining cycle detected for promise ", 1403 | "Function has non-object prototype '", 1404 | "' in instanceof check", 1405 | "Strict mode function may not have duplicate parameter names", 1406 | "Unexpected number", 1407 | "Cannot assign to read only '", 1408 | "' in strict mode", 1409 | "Illegal access to a strict mode caller function.", 1410 | "Proxy handler ", 1411 | " returned undefined from '", 1412 | "%1", 1413 | "' trap", 1414 | " returned non-configurable descriptor for property '", 1415 | "%2", 1416 | "' from '", 1417 | "Object literal may not have multiple get/set accessors with the same name", 1418 | "Object.observe cannot deliver to a frozen function object", 1419 | "Cannot convert a Symbol value to a string", 1420 | "Module '", 1421 | "' used improperly", 1422 | " cannot be called on the global proxy object", 1423 | " has no '", 1424 | "this is not a Date object.", 1425 | "Reduce of empty array with no initial value", 1426 | "Invalid string length", 1427 | "Invalid cached data for function ", 1428 | "Octal literals are not allowed in strict mode.", 1429 | " returned false from '", 1430 | "Property description must be an object: ", 1431 | "Invalid property. A property cannot both have accessors and be writable or have a value, ", 1432 | "invalid_argument", 1433 | "Invalid typed array length", 1434 | "Cannot prevent extension of an object with external array elements", 1435 | "Invalid flags supplied to RegExp constructor '", 1436 | "'", 1437 | "Start offset is negative", 1438 | "Start offset is outside the bounds of the buffer", 1439 | "Invalid value used in weak set", 1440 | "Cannot define property:", 1441 | ", object is not extensible.", 1442 | "Trap '", 1443 | "' returned repeated property name '", 1444 | "Cannot delete property '", 1445 | "' of ", 1446 | "Unexpected strict mode reserved word", 1447 | "First argument to DataView constructor must be an ArrayBuffer", 1448 | "Cannot convert undefined or null to object", 1449 | "Too many variables declared (only 4194303 allowed)", 1450 | " has non-callable '", 1451 | "Object.", 1452 | " cannot ", 1453 | " non-object", 1454 | "Constructor ", 1455 | " requires 'new'", 1456 | "Cannot convert a Symbol wrapper object to a primitive value", 1457 | "Invalid count value", 1458 | "Label '", 1459 | "' has already been declared", 1460 | "Cannot perform non-function", 1461 | "Cannot read property '", 1462 | "Cannot set property ", 1463 | " of ", 1464 | " which has only a getter", 1465 | "Illegal let declaration in unprotected statement context.", 1466 | "Cannot convert object to primitive value", 1467 | "Illegal invocation", 1468 | "Cannot use 'in' operator to search for '", 1469 | "' in ", 1470 | "No input to ", 1471 | "Unexpected identifier", 1472 | "Invalid RegExp pattern /", 1473 | "/", 1474 | "Too many parameters in function definition (only 65535 allowed)", 1475 | "Function arg string contains parenthesis", 1476 | "Cannot assign to read only property '", 1477 | "Invalid regular expression: /", 1478 | "/: ", 1479 | "Missing catch or finally after try", 1480 | "Uncaught ", 1481 | "First argument to ", 1482 | " must not be a regular expression", 1483 | " has no properties", 1484 | "Unexpected token ", 1485 | "Illegal access", 1486 | "Invalid left-hand side expression in prefix operation", 1487 | "Cannot supply flags when constructing one RegExp from another", 1488 | "Getter must be a function: ", 1489 | "Invalid time value", 1490 | "Too many arguments in function call (only 65535 allowed)", 1491 | "Identifier '", 1492 | "Invalid left-hand side in assignment", 1493 | "Invalid left-hand side in for-loop", 1494 | "String '", 1495 | "' is not valid JSON", 1496 | "Converting circular structure to JSON", 1497 | "Source is too large", 1498 | "Module does not export '", 1499 | "', or export is not itself a module", 1500 | "Property '", 1501 | "' of object ", 1502 | " is not a function", 1503 | "Invalid non-string changeType", 1504 | "Invalid left-hand side expression in postfix operation", 1505 | "Illegal const declaration in unprotected statement context.", 1506 | "Array.getIndexOf: Argument undefined", 1507 | " should be a multiple of ", 1508 | "Object.observe accept must be an array of strings.", 1509 | "Cannot redefine a property of an object with external array elements", 1510 | "Object ", 1511 | " has no method '", 1512 | "Invalid array buffer length", 1513 | " is not a constructor", 1514 | "Offset is outside the bounds of the DataView", 1515 | "Generator has already finished", 1516 | "Expecting a function in instanceof check, but got ", 1517 | "Cannot set property '", 1518 | "Proxy.", 1519 | " called with non-object as handler", 1520 | "Promise resolver ", 1521 | "Method ", 1522 | " called on incompatible receiver ", 1523 | "Single function literal required", 1524 | "Function.prototype.apply: Arguments list has wrong type", 1525 | "Delete of an unqualified identifier in strict mode.", 1526 | "Invalid changeRecord with non-string 'type' property", 1527 | "Generator is already running", 1528 | "builtin %IS_VAR: not a variable", 1529 | "Setter must be a function: ", 1530 | "Invalid regular expression: missing /", 1531 | "Illegal continue statement", 1532 | "In strict mode code, functions can only be declared at top level or immediately within another function.", 1533 | " called on non-object", 1534 | " called with non-function for '", 1535 | "Cannot add/remove sealed array elements", 1536 | "'caller', 'callee', and 'arguments' properties may not be accessed on strict mode functions or the arguments objects for calls to them", 1537 | "Invalid cached data", 1538 | "Export '", 1539 | "' is not defined in module", 1540 | "Cannot redefine property: ", 1541 | " is not a promise", 1542 | "Illegal let declaration outside extended mode", 1543 | "notify called on non-notifier object", 1544 | " is not defined", 1545 | " is not a symbol", 1546 | "Illegal newline after throw", 1547 | "Duplicate data property in object literal not allowed in strict mode", 1548 | "Function.prototype.apply was called on ", 1549 | ", which is a ", 1550 | " and not a function", 1551 | "Cyclic __proto__ value", 1552 | "Illegal break statement", 1553 | "Assignment to constant variable.", 1554 | "Unexpected string", 1555 | "Can't add property ", 1556 | ", object is not extensible", 1557 | "Illegal return statement", 1558 | "this is not a typed array.", 1559 | "Strict mode code may not include a with statement", 1560 | "Invalid array length", 1561 | " called on null or undefined", 1562 | "Unexpected reserved word", 1563 | "Error loading debugger", 1564 | " called with non-object as prototype", 1565 | " cannot deliver to non-function", 1566 | "Undefined label '", 1567 | "Invalid value used as weak map key", 1568 | "' returned non-object ", 1569 | "Object literal may not have data and accessor property with the same name", 1570 | "Object prototype may only be an Object or null: ", 1571 | "Invalid data view length", 1572 | "Use of const in strict mode.", 1573 | "Stack Trace:\n", 1574 | "system / JSArrayBufferData", 1575 | "globalVariables", 1576 | "globalTimeouts", 1577 | "globalConsole", 1578 | "lazyConstants", 1579 | "processFatal", 1580 | "processAssert", 1581 | "processConfig", 1582 | "processNextTick", 1583 | "processStdio", 1584 | "processKillAndExit", 1585 | "processSignalHandlers", 1586 | "processChannel", 1587 | "processRawDebug", 1588 | "resolveArgv0", 1589 | "2.3", 1590 | "0.11.14", 1591 | "3.26.33", 1592 | "1.0.0", 1593 | "1.2.3", 1594 | "14", 1595 | "1.0.1i", 1596 | "RangeError: ", 1597 | "(function (exports, require, module, __filename, __dirname) { ", 1598 | "\n});", 1599 | "events.js", 1600 | "(code for EventEmitter)", 1601 | "(code for EventEmitter.init)", 1602 | "setMaxListeners", 1603 | "emit", 1604 | "(code for emit)", 1605 | "addListener", 1606 | "(code for addListener)", 1607 | "once", 1608 | "removeListener", 1609 | "removeAllListeners", 1610 | "listeners", 1611 | "util.js", 1612 | "inspect", 1613 | "stylizeWithColor", 1614 | "stylizeNoColor", 1615 | "arrayToHash", 1616 | "formatValue", 1617 | "formatPrimitive", 1618 | "formatPrimitiveNoColor", 1619 | "formatError", 1620 | "formatArray", 1621 | "formatProperty", 1622 | "reduceToSingleString", 1623 | "isBoolean", 1624 | "isNull", 1625 | "(code for isNull)", 1626 | "isNullOrUndefined", 1627 | "isNumber", 1628 | "(code for isNumber)", 1629 | "isString", 1630 | "(code for isString)", 1631 | "isSymbol", 1632 | "isUndefined", 1633 | "(code for isUndefined)", 1634 | "isRegExp", 1635 | "isObject", 1636 | "(code for isObject)", 1637 | "isDate", 1638 | "isError", 1639 | "isFunction", 1640 | "(code for isFunction)", 1641 | "isPrimitive", 1642 | "isBuffer", 1643 | "(code for isBuffer)", 1644 | "objectToString", 1645 | "pad", 1646 | "(code for exports.deprecate)", 1647 | "(code for exports.debuglog)", 1648 | "exports.log", 1649 | "(code for exports.inherits)", 1650 | "deprecated", 1651 | "tracing.js", 1652 | "emitGC", 1653 | "loadContext", 1654 | "unloadContext", 1655 | "errorHandler", 1656 | "AsyncListenerInst", 1657 | "createAsyncListener", 1658 | "addAsyncListener", 1659 | "removeAsyncListener", 1660 | "nodeInitialization", 1661 | "(code for nodeInitialization)", 1662 | "startGarbageCollectionTracking", 1663 | "stopGarbageCollectionTracking", 1664 | "getHeapStatistics", 1665 | "buffer.js", 1666 | "createPool", 1667 | "(code for createPool)", 1668 | "(code for Buffer)", 1669 | "SlowBuffer", 1670 | "checkOffset", 1671 | "checkInt", 1672 | "(code for Buffer.isEncoding)", 1673 | "(code for Buffer.toString)", 1674 | "equals", 1675 | "Buffer.write", 1676 | "Buffer.slice", 1677 | "copyOnto", 1678 | "sliceOnto", 1679 | "alloc", 1680 | "dispose", 1681 | "truncate", 1682 | "hasExternalData", 1683 | "asciiSlice", 1684 | "base64Slice", 1685 | "binarySlice", 1686 | "hexSlice", 1687 | "ucs2Slice", 1688 | "utf8Slice", 1689 | "asciiWrite", 1690 | "base64Write", 1691 | "binaryWrite", 1692 | "hexWrite", 1693 | "ucs2Write", 1694 | "utf8Write", 1695 | "readDoubleBE", 1696 | "readDoubleLE", 1697 | "readFloatBE", 1698 | "readFloatLE", 1699 | "writeDoubleBE", 1700 | "writeDoubleLE", 1701 | "writeFloatBE", 1702 | "writeFloatLE", 1703 | "copy", 1704 | "fill", 1705 | "ChildProcess", 1706 | "flushStdio", 1707 | "getHandleWrapType", 1708 | "lookupSignal", 1709 | "spawnSync", 1710 | "checkExecSyncError", 1711 | "execFileSync", 1712 | "tickDone", 1713 | "scheduleMicrotasks", 1714 | "runMicrotasksCallback", 1715 | "nextTick", 1716 | "runMicrotasks", 1717 | "process.exit", 1718 | "process.kill", 1719 | "isSignal", 1720 | "path.js", 1721 | "normalizeArray", 1722 | "(code for normalizeArray)", 1723 | "splitPath", 1724 | "normalizeUNCRoot", 1725 | "exports.join", 1726 | "(code for splitPath)", 1727 | "(code for exports.resolve)", 1728 | "(code for exports.normalize)", 1729 | "(code for exports.isAbsolute)", 1730 | "(code for exports.join)", 1731 | "(code for exports.relative)", 1732 | "(code for exports.dirname)", 1733 | "(code for exports.basename)", 1734 | "(code for exports.extname)", 1735 | "(code for exports._makeLong)", 1736 | "nullCheck", 1737 | "module.js", 1738 | "(code for Module)", 1739 | "statPath", 1740 | "(code for statPath)", 1741 | "readPackage", 1742 | "(code for readPackage)", 1743 | "tryPackage", 1744 | "(code for tryPackage)", 1745 | "tryFile", 1746 | "(code for tryFile)", 1747 | "tryExtensions", 1748 | "(code for tryExtensions)", 1749 | "stripBOM", 1750 | "(code for stripBOM)", 1751 | "(code for Module._findPath)", 1752 | "(code for Module._nodeModulePaths)", 1753 | "(code for Module._resolveLookupPaths)", 1754 | "Module._load", 1755 | "(code for Module._resolveFilename)", 1756 | "Module.load", 1757 | "(code for Module.require)", 1758 | "(code for Module._initPaths)", 1759 | "vm.js", 1760 | "(code for exports.runInThisContext)", 1761 | "assert.js", 1762 | "replacer", 1763 | "getMessage", 1764 | "fail", 1765 | "ok", 1766 | "(code for ok)", 1767 | "_deepEqual", 1768 | "isArguments", 1769 | "objEquiv", 1770 | "expectedException", 1771 | "_throws", 1772 | "AssertionError", 1773 | "equal", 1774 | "notEqual", 1775 | "deepEqual", 1776 | "notDeepEqual", 1777 | "strictEqual", 1778 | "notStrictEqual", 1779 | "fs.js", 1780 | "rethrow", 1781 | "maybeCallback", 1782 | "makeCallback", 1783 | "assertEncoding", 1784 | "(code for assertEncoding)", 1785 | "(code for nullCheck)", 1786 | "stringToFlags", 1787 | "(code for stringToFlags)", 1788 | "modeNum", 1789 | "(code for modeNum)", 1790 | "preprocessSymlinkDestination", 1791 | "toUnixTimestamp", 1792 | "writeAll", 1793 | "FSWatcher", 1794 | "StatWatcher", 1795 | "inStatWatchers", 1796 | "allocNewPool", 1797 | "ReadStream", 1798 | "WriteStream", 1799 | "SyncWriteStream", 1800 | "(code for fs.Stats)", 1801 | "(code for fs.Stats._checkModeProperty)", 1802 | "(code for fs.Stats.isDirectory)", 1803 | "(code for fs.Stats.isSymbolicLink)", 1804 | "fs.exists", 1805 | "fs.readFile", 1806 | "(code for fs.readFileSync)", 1807 | "fs.close", 1808 | "(code for fs.closeSync)", 1809 | "fs.closeSync", 1810 | "fs.open", 1811 | "(code for fs.openSync)", 1812 | "fs.openSync", 1813 | "fs.read", 1814 | "(code for fs.readSync)", 1815 | "fs.readSync", 1816 | "fs.write", 1817 | "fs.writeSync", 1818 | "fs.rename", 1819 | "fs.truncate", 1820 | "fs.ftruncate", 1821 | "fs.rmdir", 1822 | "fs.rmdirSync", 1823 | "fs.fdatasync", 1824 | "fs.fsync", 1825 | "fs.fsyncSync", 1826 | "fs.mkdir", 1827 | "fs.mkdirSync", 1828 | "fs.readdir", 1829 | "fs.fstat", 1830 | "fs.lstat", 1831 | "fs.stat", 1832 | "(code for fs.fstatSync)", 1833 | "fs.fstatSync", 1834 | "(code for fs.lstatSync)", 1835 | "fs.lstatSync", 1836 | "(code for fs.statSync)", 1837 | "fs.statSync", 1838 | "fs.readlink", 1839 | "(code for fs.readlinkSync)", 1840 | "fs.symlink", 1841 | "fs.link", 1842 | "fs.linkSync", 1843 | "fs.unlink", 1844 | "fs.fchmod", 1845 | "fs.lchmod", 1846 | "fs.chmod", 1847 | "fs.chmodSync", 1848 | "fs.lchown", 1849 | "fs.fchown", 1850 | "fs.chown", 1851 | "fs.chownSync", 1852 | "fs.utimes", 1853 | "fs.futimes", 1854 | "fs.writeFile", 1855 | "fs.watch", 1856 | "fs.watchFile", 1857 | "realpathSync", 1858 | "(code for realpathSync)", 1859 | "realpath", 1860 | "open", 1861 | "read", 1862 | "fdatasync", 1863 | "fsync", 1864 | "ftruncate", 1865 | "rmdir", 1866 | "mkdir", 1867 | "readdir", 1868 | "stat", 1869 | "lstat", 1870 | "fstat", 1871 | "symlink", 1872 | "readlink", 1873 | "unlink", 1874 | "writeBuffer", 1875 | "writeString", 1876 | "chmod", 1877 | "fchmod", 1878 | "chown", 1879 | "fchown", 1880 | "utimes", 1881 | "futimes", 1882 | "start", 1883 | "stop", 1884 | "stream.js", 1885 | "Stream", 1886 | "Stream.pipe", 1887 | "_stream_readable.js", 1888 | "ReadableState", 1889 | "Readable", 1890 | "readableAddChunk", 1891 | "needMoreData", 1892 | "roundUpToNextPowerOf2", 1893 | "howMuchToRead", 1894 | "chunkInvalid", 1895 | "onEofChunk", 1896 | "emitReadable", 1897 | "emitReadable_", 1898 | "maybeReadMore", 1899 | "maybeReadMore_", 1900 | "pipeOnDrain", 1901 | "resume", 1902 | "resume_", 1903 | "flow", 1904 | "fromList", 1905 | "endReadable", 1906 | "Readable.on", 1907 | "(code for debugs.(anonymous function))", 1908 | "_stream_writable.js", 1909 | "WriteReq", 1910 | "WritableState", 1911 | "Writable", 1912 | "writeAfterEnd", 1913 | "validChunk", 1914 | "decodeChunk", 1915 | "writeOrBuffer", 1916 | "doWrite", 1917 | "onwriteError", 1918 | "onwriteStateUpdate", 1919 | "onwrite", 1920 | "afterWrite", 1921 | "onwriteDrain", 1922 | "clearBuffer", 1923 | "needFinish", 1924 | "prefinish", 1925 | "finishMaybe", 1926 | "endWritable", 1927 | "Writable.end", 1928 | "_stream_duplex.js", 1929 | "Duplex", 1930 | "onend", 1931 | "_stream_transform.js", 1932 | "TransformState", 1933 | "afterTransform", 1934 | "Transform", 1935 | "_stream_passthrough.js", 1936 | "PassThrough", 1937 | "smalloc.js", 1938 | "(code for start)", 1939 | "normalizeSpawnArguments", 1940 | "maybeClose", 1941 | "r", 1942 | "(code for require)", 1943 | "(code for require.resolve)", 1944 | "x64", 1945 | "darwin", 1946 | "v0.11.14", 1947 | "_convertCustomFds", 1948 | "_validateStdio", 1949 | "Timer", 1950 | "ref", 1951 | "unref", 1952 | "setRepeat", 1953 | "getRepeat", 1954 | "again", 1955 | "queryA", 1956 | "queryAaaa", 1957 | "queryCname", 1958 | "queryMx", 1959 | "queryNs", 1960 | "queryTxt", 1961 | "querySrv", 1962 | "queryNaptr", 1963 | "querySoa", 1964 | "getHostByAddr", 1965 | "getaddrinfo", 1966 | "getnameinfo", 1967 | "isIP", 1968 | "strerror", 1969 | "getServers", 1970 | "setServers", 1971 | "Pipe", 1972 | "setBlocking", 1973 | "readStart", 1974 | "readStop", 1975 | "shutdown", 1976 | "writeAsciiString", 1977 | "writeUtf8String", 1978 | "writeUcs2String", 1979 | "writeBinaryString", 1980 | "listen", 1981 | "connect", 1982 | "send", 1983 | "bind6", 1984 | "send6", 1985 | "recvStart", 1986 | "recvStop", 1987 | "getsockname", 1988 | "addMembership", 1989 | "dropMembership", 1990 | "setMulticastTTL", 1991 | "setMulticastLoopback", 1992 | "setBroadcast", 1993 | "setTTL", 1994 | "Process", 1995 | "spawn", 1996 | "kill", 1997 | "setupChannel", 1998 | "nop", 1999 | "normalizeExecArgs", 2000 | "SocketListSend", 2001 | "SocketListReceive", 2002 | "getSocketList", 2003 | "handleMessage", 2004 | "createSocket", 2005 | ".openStdin", 2006 | "createPipe", 2007 | ".addListener", 2008 | "._rawDebug", 2009 | "handleWrapGetter", 2010 | "(code for handleWrapGetter)", 2011 | "NativeModule ", 2012 | ".resolve", 2013 | ".normalize", 2014 | ".isAbsolute", 2015 | ".relative", 2016 | ".dirname", 2017 | ".basename", 2018 | ".extname", 2019 | "._makeLong", 2020 | "sync", 2021 | "mkdirP", 2022 | "._findPath", 2023 | "._compile", 2024 | "..js", 2025 | "..json", 2026 | ".runMain", 2027 | "._initPaths", 2028 | ".requireRepl", 2029 | "vm", 2030 | "assert", 2031 | ".throws", 2032 | ".ifError", 2033 | "fs", 2034 | ".isDirectory", 2035 | ".isFile", 2036 | ".isFIFO", 2037 | ".isSocket", 2038 | ".existsSync", 2039 | ".renameSync", 2040 | ".readdirSync", 2041 | ".symlinkSync", 2042 | ".unlinkSync", 2043 | ".fchmodSync", 2044 | ".lchmodSync", 2045 | ".lchownSync", 2046 | ".fchownSync", 2047 | ".utimesSync", 2048 | ".futimesSync", 2049 | ".appendFile", 2050 | ".start", 2051 | ".close", 2052 | ".stop", 2053 | ".unwatchFile", 2054 | ".open", 2055 | "._read", 2056 | ".destroy", 2057 | "._write", 2058 | ".write", 2059 | ".end", 2060 | "stream", 2061 | "_stream_readable", 2062 | ".push", 2063 | ".unshift", 2064 | ".isPaused", 2065 | ".setEncoding", 2066 | ".read", 2067 | ".pipe", 2068 | ".unpipe", 2069 | ".resume", 2070 | ".pause", 2071 | "debugs", 2072 | "_stream_writable", 2073 | ".cork", 2074 | ".uncork", 2075 | "_stream_duplex", 2076 | "_stream_transform", 2077 | "._transform", 2078 | "_stream_passthrough", 2079 | "(code for exports.For.For.compileNode)", 2080 | "(code for exports.For.For.pluckDirectCall)", 2081 | "(code for exports.Op.Op.isUnary)", 2082 | "(code for exports.Op.Op.isChainable)", 2083 | "(code for exports.Op.Op.unfoldSoak)", 2084 | "(code for exports.Op.Op.compileNode)", 2085 | "\\/", 2086 | ".get", 2087 | "^\\#\\!.*", 2088 | "(code for exports.Splat.Splat.compileSplattedArray)", 2089 | "(code for exports.Param.Param.compileToFragments)", 2090 | "(code for exports.Param.Param.asReference)", 2091 | "(code for exports.Param.Param.isComplex)", 2092 | "(code for exports.Param.Param.eachName)", 2093 | ".write(string, encoding, offset, length) is deprecated.", 2094 | " Use write(string[, offset[, length]][, encoding]) instead.", 2095 | "(.*?)(?:[\\/]+|$)", 2096 | "^[\\/]*", 2097 | "./index", 2098 | "./lib/main", 2099 | "listenerCount", 2100 | "_errnoException", 2101 | "%[sdj%]", 2102 | "readUInt16LE", 2103 | "readUInt16BE", 2104 | "readUInt32LE", 2105 | "readUInt32BE", 2106 | "writeUInt16LE", 2107 | "writeUInt16BE", 2108 | "writeUInt32LE", 2109 | "writeUInt32BE", 2110 | "writeInt16LE", 2111 | "writeInt16BE", 2112 | "writeInt32LE", 2113 | "writeInt32BE", 2114 | "clearTimeout", 2115 | "clearInterval", 2116 | "setImmediate", 2117 | "clearImmediate", 2118 | "process.on", 2119 | ".process", 2120 | "^(\\/?|)([\\s\\S]*?)((?:\\.{1,2}|[^\\/]+?|)(\\.[^.\\/]*|))(?:[\\/]*)$", 2121 | "_nodeModulePaths", 2122 | "_resolveLookupPaths", 2123 | "_resolveFilename", 2124 | "._extensions", 2125 | "runInNewContext", 2126 | "createScript", 2127 | "createContext", 2128 | "doesNotThrow", 2129 | "_checkModeProperty", 2130 | "isBlockDevice", 2131 | "isCharacterDevice", 2132 | "isSymbolicLink", 2133 | "readFileSync", 2134 | "truncateSync", 2135 | "ftruncateSync", 2136 | "fdatasyncSync", 2137 | "readlinkSync", 2138 | "writeFileSync", 2139 | "appendFileSync", 2140 | "createReadStream", 2141 | "createWriteStream", 2142 | "smalloc", 2143 | "registerExtension", 2144 | "/Users", 2145 | "cyan", 2146 | "yellow", 2147 | "grey", 2148 | "green", 2149 | "magenta", 2150 | "red", 2151 | "Release", 2152 | "/deps/uv/", 2153 | "/usr/bin/python", 2154 | "static_library", 2155 | "events", 2156 | "tracing", 2157 | "util", 2158 | "OPENSSL_NO_SSL2=1", 2159 | "__indexOf", 2160 | "printLine", 2161 | "printWarn", 2162 | "hidden", 2163 | "exports.run", 2164 | "compilePath", 2165 | "findDirectoryIndex", 2166 | "compileScript", 2167 | "compileStdio", 2168 | "compileJoin", 2169 | "watch", 2170 | "watchDir", 2171 | "removeSourceDir", 2172 | "removeSource", 2173 | "silentUnlink", 2174 | "(code for outputPath)", 2175 | "outputPath", 2176 | "writeJs", 2177 | "wait", 2178 | "timeLog", 2179 | "printTokens", 2180 | "(code for parseOptions)", 2181 | "parseOptions", 2182 | "(code for compileOptions)", 2183 | "compileOptions", 2184 | "forkNode", 2185 | "usage", 2186 | "exports.ends", 2187 | "(code for exports.compact)", 2188 | "(code for exports.count)", 2189 | "(code for exports.merge)", 2190 | "(code for exports.extend)", 2191 | "(code for exports.flatten.flatten)", 2192 | "(code for exports.del)", 2193 | "exports.del", 2194 | "(code for exports.last.last)", 2195 | "exports.some", 2196 | "(code for buildLocationData)", 2197 | "buildLocationData", 2198 | "(code for exports.addLocationDataFn)", 2199 | "(code for exports.baseFileName)", 2200 | "(code for exports.isCoffee)", 2201 | "(code for exports.isLiterate)", 2202 | "syntaxErrorToString", 2203 | "OptionParser", 2204 | "(code for OptionParser)", 2205 | "(code for exports.OptionParser.OptionParser.parse)", 2206 | "(code for buildRules)", 2207 | "buildRules", 2208 | "(code for buildRule)", 2209 | "buildRule", 2210 | "(code for normalizeArguments)", 2211 | "normalizeArguments", 2212 | "(code for withPrettyErrors)", 2213 | "withPrettyErrors", 2214 | "exports.eval", 2215 | "(code for exports.register)", 2216 | "(code for parser.lexer.lex)", 2217 | "(code for parser.lexer.setInput)", 2218 | "formatSourcePosition", 2219 | "getSourceMap", 2220 | "Lexer", 2221 | "(code for Lexer)", 2222 | "(code for exports.Lexer.Lexer.tokenize)", 2223 | "(code for exports.Lexer.Lexer.clean)", 2224 | "(code for exports.Lexer.Lexer.identifierToken)", 2225 | "(code for exports.Lexer.Lexer.numberToken)", 2226 | "(code for exports.Lexer.Lexer.stringToken)", 2227 | "(code for exports.Lexer.Lexer.heredocToken)", 2228 | "(code for exports.Lexer.Lexer.commentToken)", 2229 | "(code for exports.Lexer.Lexer.jsToken)", 2230 | "(code for exports.Lexer.Lexer.regexToken)", 2231 | "(code for exports.Lexer.Lexer.lineToken)", 2232 | "(code for exports.Lexer.Lexer.outdentToken)", 2233 | "(code for exports.Lexer.Lexer.whitespaceToken)", 2234 | "(code for exports.Lexer.Lexer.newlineToken)", 2235 | "(code for exports.Lexer.Lexer.literalToken)", 2236 | "(code for exports.Lexer.Lexer.tagParameters)", 2237 | "(code for exports.Lexer.Lexer.closeIndentation)", 2238 | "(code for exports.Lexer.Lexer.balancedString)", 2239 | "(code for exports.Lexer.Lexer.pair)", 2240 | "(code for exports.Lexer.Lexer.getLineAndColumnFromChunk)", 2241 | "(code for exports.Lexer.Lexer.makeToken)", 2242 | "(code for exports.Lexer.Lexer.token)", 2243 | "(code for exports.Lexer.Lexer.tag)", 2244 | "(code for exports.Lexer.Lexer.value)", 2245 | "(code for exports.Lexer.Lexer.unfinished)", 2246 | "(code for exports.Lexer.Lexer.removeNewlines)", 2247 | "(code for exports.Lexer.Lexer.escapeLines)", 2248 | "(code for generate)", 2249 | "generate", 2250 | "Rewriter", 2251 | "(code for Rewriter)", 2252 | "(code for exports.Rewriter.Rewriter.rewrite)", 2253 | "(code for exports.Rewriter.Rewriter.scanTokens)", 2254 | "(code for exports.Rewriter.Rewriter.detectEnd)", 2255 | "(code for exports.Rewriter.Rewriter.removeLeadingNewlines)", 2256 | "(code for exports.Rewriter.Rewriter.closeOpenCalls)", 2257 | "(code for exports.Rewriter.Rewriter.closeOpenIndexes)", 2258 | "(code for exports.Rewriter.Rewriter.matchTags)", 2259 | "(code for exports.Rewriter.Rewriter.addImplicitBracesAndParens)", 2260 | "(code for exports.Rewriter.Rewriter.addLocationDataToGeneratedTokens)", 2261 | "(code for exports.Rewriter.Rewriter.normalizeLines)", 2262 | "(code for exports.Rewriter.Rewriter.tagPostfixConditionals)", 2263 | "(code for exports.Rewriter.Rewriter.tag)", 2264 | "Parser", 2265 | "(code for Parser)", 2266 | ":", 2267 | ".init", 2268 | ".format", 2269 | ".deprecate", 2270 | ".debuglog", 2271 | ".inherits", 2272 | "._extend", 2273 | ".isEncoding", 2274 | ".concat", 2275 | ".byteLength", 2276 | ".toString", 2277 | ".toJSON", 2278 | ".readUInt8", 2279 | ".readInt8", 2280 | ".readInt16LE", 2281 | ".readInt16BE", 2282 | ".readInt32LE", 2283 | ".readInt32BE", 2284 | ".writeUInt8", 2285 | ".writeInt8", 2286 | ".setTimeout", 2287 | ".setInterval", 2288 | ".assert", 2289 | "\"", 2290 | "CodeFragment", 2291 | "Base", 2292 | "Block", 2293 | "Literal", 2294 | "Undefined", 2295 | "Null", 2296 | "Bool", 2297 | "Return", 2298 | "Value", 2299 | "Comment", 2300 | "Call", 2301 | "Extends", 2302 | "Access", 2303 | "Index", 2304 | "Range", 2305 | "Slice", 2306 | "Obj", 2307 | "Arr", 2308 | "Class", 2309 | "Assign", 2310 | "Code", 2311 | "Param", 2312 | "Splat", 2313 | "Expansion", 2314 | "While", 2315 | "Op", 2316 | "In", 2317 | "Try", 2318 | "Throw", 2319 | "Existence", 2320 | "Parens", 2321 | "For", 2322 | "Switch", 2323 | "If", 2324 | "\n", 2325 | "sourceLocation", 2326 | "encodeBase64", 2327 | "LineMap", 2328 | "SourceMap", 2329 | ".coffee", 2330 | ".litcoffee", 2331 | ".coffee.md", 2332 | "exports.Base", 2333 | ".Base", 2334 | "compileToFragments", 2335 | "compileClosure", 2336 | "cacheToCodeFragments", 2337 | "lastNonComment", 2338 | "traverseChildren", 2339 | "updateLocationDataIfMissing", 2340 | "wrapInBraces", 2341 | "joinFragmentArrays", 2342 | ".Block", 2343 | "compileWithDeclarations", 2344 | ".Literal", 2345 | "isAssignable", 2346 | ".Undefined", 2347 | "exports.Null", 2348 | ".Null", 2349 | "exports.Bool", 2350 | ".Bool", 2351 | ".Return", 2352 | ".Value", 2353 | "hasProperties", 2354 | "isSimpleNumber", 2355 | "isNotCallable", 2356 | "cacheReference", 2357 | ".Comment", 2358 | "exports.Call", 2359 | ".Call", 2360 | "superReference", 2361 | "compileSplat", 2362 | ".Extends", 2363 | ".Access", 2364 | ".Index", 2365 | ".Range", 2366 | "compileVariables", 2367 | "compileArray", 2368 | ".Slice", 2369 | "exports.Obj", 2370 | ".Obj", 2371 | "exports.Arr", 2372 | ".Arr", 2373 | ".Class", 2374 | "determineName", 2375 | "addBoundFunctions", 2376 | "addProperties", 2377 | "hoistDirectivePrologue", 2378 | "ensureConstructor", 2379 | ".Assign", 2380 | "compilePatternMatch", 2381 | "compileConditional", 2382 | "compileSpecialMath", 2383 | "compileSplice", 2384 | "exports.Code", 2385 | ".Code", 2386 | "eachParamName", 2387 | ".Param", 2388 | ".Splat", 2389 | "compileSplattedArray", 2390 | ".Expansion", 2391 | ".While", 2392 | "exports.Op", 2393 | ".Op", 2394 | "compileChain", 2395 | "compileExistence", 2396 | "compileUnary", 2397 | "compilePower", 2398 | "compileFloorDivision", 2399 | "compileModulo", 2400 | "exports.In", 2401 | ".In", 2402 | "compileOrTest", 2403 | "compileLoopTest", 2404 | "exports.Try", 2405 | ".Try", 2406 | ".Throw", 2407 | ".Existence", 2408 | ".Parens", 2409 | "exports.For", 2410 | ".For", 2411 | "pluckDirectCall", 2412 | ".Switch", 2413 | "exports.If", 2414 | ".If", 2415 | "elseBodyNode", 2416 | "compileStatement", 2417 | "compileExpression", 2418 | "Scope", 2419 | ".Scope", 2420 | "freeVariable", 2421 | "hasDeclarations", 2422 | "declaredVariables", 2423 | "assignedVariables", 2424 | "(code for Scope)", 2425 | "(code for CodeFragment)", 2426 | "ctor", 2427 | "(code for Block)", 2428 | "(code for Literal)", 2429 | "(code for Return)", 2430 | "(code for Value)", 2431 | "(code for Call)", 2432 | "(code for Access)", 2433 | "(code for Range)", 2434 | "(code for Obj)", 2435 | "(code for Arr)", 2436 | "(code for Assign)", 2437 | "(code for Code)", 2438 | "(code for Param)", 2439 | "(code for Op)", 2440 | "(code for For)", 2441 | "^[+-]?0x[\\da-f]+", 2442 | "^[$A-Za-z_\\x7f-\\uffff][$\\w\\x7f-\\uffff]*$", 2443 | "^\\/", 2444 | "^['\"]", 2445 | "(code for NO)", 2446 | "^[+-]?(?:0x[\\da-f]+|\\d*\\.?\\d+(?:e[+-]?\\d+)?)$", 2447 | "^[+-]?\\d+$", 2448 | "(code for THIS)", 2449 | "(code for YES)", 2450 | "(code for fragmentsToText)", 2451 | "(code for parseNum)", 2452 | "(code for unfoldSoak)", 2453 | "!==", 2454 | "in", 2455 | "condition", 2456 | "guard", 2457 | "body", 2458 | "handleConversion", 2459 | ".net.Native", 2460 | ".net.Server", 2461 | ".net.Socket", 2462 | "dgram.Native", 2463 | "dgram.Socket", 2464 | "expressions", 2465 | "expression", 2466 | "base", 2467 | "properties", 2468 | "variable", 2469 | "child", 2470 | "parent", 2471 | "from", 2472 | "to", 2473 | "range", 2474 | "objects", 2475 | "params", 2476 | "first", 2477 | "second", 2478 | "array", 2479 | "attempt", 2480 | "recovery", 2481 | "ensure", 2482 | "step", 2483 | "cases", 2484 | "otherwise", 2485 | "elseBody", 2486 | "string_decoder", 2487 | "StringDecoder", 2488 | "detectIncompleteChar", 2489 | "passThroughWrite", 2490 | "utf16DetectIncompleteChar", 2491 | "base64DetectIncompleteChar", 2492 | "net", 2493 | "net.js", 2494 | "normalizeConnectArgs", 2495 | "Socket", 2496 | "Server", 2497 | "createServer", 2498 | ".connect", 2499 | ".exports", 2500 | "createConnection", 2501 | ".listen", 2502 | "._onTimeout", 2503 | ".setNoDelay", 2504 | "setKeepAlive", 2505 | ".address", 2506 | ".destroySoon", 2507 | "._destroy", 2508 | "_getpeername", 2509 | "_getsockname", 2510 | "_writeGeneric", 2511 | "._writev", 2512 | "_createServerHandle", 2513 | "._listen2", 2514 | "_emitCloseIfDrained", 2515 | "._setupSlave", 2516 | ".isIPv4", 2517 | ".isIPv6", 2518 | "_setSimultaneousAccepts", 2519 | "noop", 2520 | "createTCP", 2521 | "createHandle", 2522 | "isPipeName", 2523 | "initSocketHandle", 2524 | "onSocketFinish", 2525 | "afterShutdown", 2526 | "onSocketEnd", 2527 | "writeAfterFIN", 2528 | "maybeDestroy", 2529 | "createWriteReq", 2530 | "afterConnect", 2531 | "toNumber", 2532 | "_listen", 2533 | "timers", 2534 | "timers.js", 2535 | ".unenroll", 2536 | ".enroll", 2537 | ".active", 2538 | "Timeout", 2539 | ".unref", 2540 | "_unrefActive", 2541 | "insert", 2542 | "listOnTimeout", 2543 | "processImmediate", 2544 | "Immediate", 2545 | "unrefTimeout", 2546 | "kOnTimeout", 2547 | "_linklist", 2548 | "_linklist.js", 2549 | "init", 2550 | "peek", 2551 | "remove", 2552 | "append", 2553 | "isEmpty", 2554 | "(code for init)", 2555 | "dgram", 2556 | "dgram.js", 2557 | "_createSocketHandle", 2558 | ".sendto", 2559 | ".setTTL", 2560 | "_healthCheck", 2561 | "_stopReceiving", 2562 | "lookup", 2563 | "lookup4", 2564 | "lookup6", 2565 | "newHandle", 2566 | "startListening", 2567 | "replaceHandle", 2568 | "afterSend", 2569 | "onMessage", 2570 | "constants", 2571 | "constants.js", 2572 | "-b", 2573 | "--bare", 2574 | "compile without a top-level function wrapper", 2575 | "-c", 2576 | "--compile", 2577 | "compile to JavaScript and save as .js files", 2578 | "-e", 2579 | "--eval", 2580 | "pass a string from the command line as input", 2581 | "-h", 2582 | "--help", 2583 | "display this help message", 2584 | "-i", 2585 | "--interactive", 2586 | "run an interactive CoffeeScript REPL", 2587 | "-j", 2588 | "--join [FILE]", 2589 | "concatenate the source CoffeeScript before compiling", 2590 | "-m", 2591 | "--map", 2592 | "generate source map and save as .js.map files", 2593 | "-n", 2594 | "--nodes", 2595 | "print out the parse tree that the parser produces", 2596 | "--nodejs [ARGS]", 2597 | "pass options directly to the \"node\" binary", 2598 | "--no-header", 2599 | "suppress the \"Generated by\" header", 2600 | "-o", 2601 | "--output [DIR]", 2602 | "set the output directory for compiled JavaScript", 2603 | "-p", 2604 | "--print", 2605 | "print out the compiled JavaScript", 2606 | "-s", 2607 | "--stdio", 2608 | "listen for and compile scripts over stdio", 2609 | "-l", 2610 | "--literate", 2611 | "treat stdio as literate style coffee-script", 2612 | "-t", 2613 | "--tokens", 2614 | "print out the tokens that the lexer/rewriter produce", 2615 | "-v", 2616 | "--version", 2617 | "display the version number", 2618 | "-w", 2619 | "--watch", 2620 | "watch scripts for changes and rerun commands", 2621 | "Usage: coffee [options] path/to/script.coffee -- [args]\n\nIf called without options, `coffee` will run your script.", 2622 | "bare", 2623 | "help", 2624 | "interactive", 2625 | "--join", 2626 | "nodes", 2627 | "nodejs", 2628 | "--nodejs", 2629 | "no-header", 2630 | "--output", 2631 | "print", 2632 | "literate", 2633 | "tokens", 2634 | "./app.coffee", 2635 | "coffee", 2636 | "\\.(litcoffee|coffee\\.md)$", 2637 | "app.coffee", 2638 | "app.js", 2639 | "child_process", 2640 | ".fork", 2641 | "(code for findExtension)", 2642 | "\\.((lit)?coffee|coffee\\.md)$", 2643 | "\\r", 2644 | "IDENTIFIER", 2645 | "heapdump", 2646 | "=", 2647 | "^\\s*\\n\\s*", 2648 | "([^\\\\]|\\\\\\\\)\\s*\\n\\s*$", 2649 | "\\\\[^\\S\\n]*(\\n|\\\\)\\s*", 2650 | "\\s*\\n\\s*", 2651 | "STRING", 2652 | "'heapdump'", 2653 | "^(?:\\\\.|[^\\\\])*\\\\(?:0[0-7]|[1-7])", 2654 | "TERMINATOR", 2655 | "getRandomInt", 2656 | "PARAM_START", 2657 | "(", 2658 | "PARAM_END", 2659 | ")", 2660 | "->", 2661 | "INDENT", 2662 | "RETURN", 2663 | "return", 2664 | "CALL_START", 2665 | "CALL_END", 2666 | "MATH", 2667 | "*", 2668 | "OUTDENT", 2669 | "root", 2670 | "[", 2671 | "]", 2672 | "FOR", 2673 | "i", 2674 | "FORIN", 2675 | "^0[BOX]", 2676 | "E", 2677 | "^0\\d*[89]", 2678 | "^0\\d+", 2679 | "^0o([0-7]+)", 2680 | "^0b([01]+)", 2681 | "NUMBER", 2682 | "..", 2683 | "100", 2684 | "arr", 2685 | "arrSize", 2686 | "\"hello\"", 2687 | "anotherRoot", 2688 | "{", 2689 | "\"foobar\"", 2690 | "}", 2691 | "foo", 2692 | "\"bar\"", 2693 | "baz", 2694 | "7", 2695 | " ", 2696 | " ", 2697 | " ", 2698 | "var", 2699 | "\\d", 2700 | "_i", 2701 | "_j", 2702 | "writeSnapshot", 2703 | "\\s*,\\s*", 2704 | "(code for getRandomInt)", 2705 | "hello", 2706 | "foobar", 2707 | "bar", 2708 | "trace", 2709 | "anonymous", 2710 | "(code for anonymous)", 2711 | "parseError", 2712 | "commonjsMain", 2713 | "1.8.0", 2714 | ".add", 2715 | ".generate", 2716 | ".encodeVlq", 2717 | "STATEMENT", 2718 | "JS", 2719 | "REGEX", 2720 | "DEBUGGER", 2721 | "UNDEFINED", 2722 | "NULL", 2723 | "BOOL", 2724 | "HERECOMMENT", 2725 | "=>", 2726 | ",", 2727 | "...", 2728 | "?.", 2729 | "::", 2730 | "?::", 2731 | "INDEX_START", 2732 | "INDEX_END", 2733 | "INDEX_SOAK", 2734 | "CLASS", 2735 | "EXTENDS", 2736 | "SUPER", 2737 | "FUNC_EXIST", 2738 | "THIS", 2739 | "@", 2740 | "TRY", 2741 | "FINALLY", 2742 | "CATCH", 2743 | "THROW", 2744 | "WHILE", 2745 | "WHEN", 2746 | "UNTIL", 2747 | "LOOP", 2748 | "OWN", 2749 | "FOROF", 2750 | "BY", 2751 | "SWITCH", 2752 | "ELSE", 2753 | "LEADING_WHEN", 2754 | "IF", 2755 | "POST_IF", 2756 | "UNARY", 2757 | "UNARY_MATH", 2758 | "-", 2759 | "+", 2760 | "--", 2761 | "++", 2762 | "?", 2763 | "**", 2764 | "SHIFT", 2765 | "LOGIC", 2766 | "RELATION", 2767 | "COMPOUND_ASSIGN", 2768 | "^index\\.\\w+?$", 2769 | ".starts", 2770 | ".repeat", 2771 | ".compact", 2772 | ".count", 2773 | ".merge", 2774 | ".extend", 2775 | ".flatten", 2776 | "exports.last", 2777 | ".last", 2778 | ".isCoffee", 2779 | ".isLiterate", 2780 | ".parse", 2781 | ".help", 2782 | ".register", 2783 | "_base", 2784 | "parser.lexer", 2785 | ".lex", 2786 | ".setInput", 2787 | "parser.yy", 2788 | ".parseError", 2789 | ".tokenize", 2790 | ".clean", 2791 | ".numberToken", 2792 | ".stringToken", 2793 | ".jsToken", 2794 | ".regexToken", 2795 | ".lineToken", 2796 | ".pair", 2797 | ".makeToken", 2798 | ".token", 2799 | ".tag", 2800 | ".value", 2801 | ".unfinished", 2802 | ".escapeLines", 2803 | ".makeString", 2804 | ".error", 2805 | ".rewrite", 2806 | ".scanTokens", 2807 | ".detectEnd", 2808 | ".matchTags", 2809 | ".indentation", 2810 | "THEN", 2811 | "NEW", 2812 | "new", 2813 | "typeof", 2814 | "instanceof", 2815 | "break", 2816 | "continue", 2817 | "debugger", 2818 | "if", 2819 | "else", 2820 | "switch", 2821 | "while", 2822 | "do", 2823 | "try", 2824 | "finally", 2825 | "class", 2826 | "extends", 2827 | "super", 2828 | "unless", 2829 | "until", 2830 | "loop", 2831 | "of", 2832 | "by", 2833 | "when", 2834 | "&&", 2835 | "||", 2836 | "!=", 2837 | "!", 2838 | "case", 2839 | "default", 2840 | "void", 2841 | "with", 2842 | "const", 2843 | "let", 2844 | "enum", 2845 | "export", 2846 | "import", 2847 | "__hasProp", 2848 | "__extends", 2849 | "__slice", 2850 | "__bind", 2851 | "implements", 2852 | "interface", 2853 | "package", 2854 | "private", 2855 | "protected", 2856 | "public", 2857 | "static", 2858 | "yield", 2859 | "-=", 2860 | "+=", 2861 | "/=", 2862 | "*=", 2863 | "%=", 2864 | "||=", 2865 | "&&=", 2866 | "?=", 2867 | "<<=", 2868 | ">>=", 2869 | ">>>=", 2870 | "&=", 2871 | "^=", 2872 | "|=", 2873 | "**=", 2874 | "//=", 2875 | "%%=", 2876 | "TYPEOF", 2877 | "DO", 2878 | "~", 2879 | "&", 2880 | "|", 2881 | "^", 2882 | "<<", 2883 | ">>", 2884 | ">>>", 2885 | "<", 2886 | ">", 2887 | "<=", 2888 | ">=", 2889 | "%", 2890 | "//", 2891 | "%%", 2892 | "OF", 2893 | "INSTANCEOF", 2894 | "TRUE", 2895 | "FALSE", 2896 | "invertLiterate", 2897 | "addLocationDataFn", 2898 | "locationDataToString", 2899 | "baseFileName", 2900 | "throwSyntaxError", 2901 | "updateSyntaxError", 2902 | "nameWhitespaceCharacter", 2903 | "^(--\\w[\\w\\-]*)", 2904 | "^-(\\w{2,})", 2905 | "\\[(\\w+(\\*?))\\]", 2906 | "^(-\\w)$", 2907 | "_compileFile", 2908 | "upcomingInput", 2909 | "prepareStackTrace", 2910 | ".Lexer", 2911 | "identifierToken", 2912 | "heredocToken", 2913 | "commentToken", 2914 | "heregexToken", 2915 | "outdentToken", 2916 | "whitespaceToken", 2917 | "newlineToken", 2918 | "suppressNewlines", 2919 | "literalToken", 2920 | "sanitizeHeredoc", 2921 | "tagParameters", 2922 | "closeIndentation", 2923 | "balancedString", 2924 | "interpolateString", 2925 | "getLineAndColumnFromChunk", 2926 | "removeNewlines", 2927 | ".Rewriter", 2928 | "removeLeadingNewlines", 2929 | "closeOpenCalls", 2930 | "closeOpenIndexes", 2931 | "looksObjectish", 2932 | "findTagsBackwards", 2933 | "addImplicitBracesAndParens", 2934 | "addLocationDataToGeneratedTokens", 2935 | "normalizeLines", 2936 | "tagPostfixConditionals", 2937 | "^[-=]>", 2938 | "and", 2939 | "or", 2940 | "isnt", 2941 | "not", 2942 | "yes", 2943 | "no", 2944 | "on", 2945 | "off", 2946 | "^###([^#][\\s\\S]*?)(?:###[^\\n\\S]*|###$)|^(?:\\s*#(?!##[^#]).*)+", 2947 | "^(\"\"\"|''')((?:\\\\[\\s\\S]|[^\\\\])*?)(?:\\n[^\\n\\S]*)?\\1", 2948 | "\\*\\/", 2949 | "\\n+([^\\n\\S]*)", 2950 | "^\\/{3}((?:\\\\?[\\s\\S])+?)\\/{3}([imgy]{0,4})(?!\\w)", 2951 | "((?:\\\\\\\\)+)|\\\\(\\s|\\/)|\\s+(?:#.*)?", 2952 | "^([$A-Za-z_\\x7f-\\uffff][$\\w\\x7f-\\uffff]*)([^\\n\\S]*:(?!:))?", 2953 | "^`[^\\\\`]*(?:\\\\.[^\\\\`]*)*`", 2954 | "^\\s*(?:,|\\??\\.(?![.\\d])|::)", 2955 | "\\n", 2956 | "^(?:\\n[^\\n\\S]*)+", 2957 | "^0b[01]+|^0o[0-7]+|^0x[\\da-f]+|^\\d*\\.?\\d+(?:e[+-]?\\d+)?", 2958 | "^(?:[-=]>|[-+*\\/%<>&|^!?=]=|>>>=?|([-+:])\\1|([&|<>*\\/%])\\2=?|\\?(\\.|::)|\\.{2,3})", 2959 | "^(\\/(?![\\s=])[^[\\/\\n\\\\]*(?:(?:\\\\[\\s\\S]|\\[[^\\]\\n\\\\]*(?:\\\\[\\s\\S][^\\]\\n\\\\]*)*])[^[\\/\\n\\\\]*)*\\/)([imgy]{0,4})(?!\\w)", 2960 | "^'[^\\\\']*(?:\\\\[\\s\\S][^\\\\']*)*'", 2961 | "\\s+$", 2962 | "^[^\\n\\S]+", 2963 | "LineMap.add", 2964 | "(code for __extends)", 2965 | "YES", 2966 | "NO", 2967 | "NEGATE", 2968 | "fragmentsToText", 2969 | "(code for exports.Base.Base.compile)", 2970 | "(code for exports.Base.Base.compileToFragments)", 2971 | "(code for exports.Base.Base.cache)", 2972 | "(code for exports.Base.Base.cacheToCodeFragments)", 2973 | "(code for exports.Base.Base.makeReturn)", 2974 | "(code for exports.Base.Base.lastNonComment)", 2975 | "(code for exports.Base.Base.toString)", 2976 | "(code for exports.Base.Base.eachChild)", 2977 | "(code for exports.Base.Base.unwrapAll)", 2978 | "(code for exports.Base.Base.updateLocationDataIfMissing)", 2979 | "(code for exports.Base.Base.makeCode)", 2980 | "(code for exports.Base.Base.joinFragmentArrays)", 2981 | "(code for exports.Block.Block.push)", 2982 | "(code for exports.Block.Block.isEmpty)", 2983 | "(code for exports.Block.Block.makeReturn)", 2984 | "(code for exports.Block.Block.compileToFragments)", 2985 | "(code for exports.Block.Block.compileNode)", 2986 | "(code for exports.Block.Block.compileRoot)", 2987 | "(code for exports.Block.Block.compileWithDeclarations)", 2988 | "(code for exports.Block.Block.wrap)", 2989 | "(code for exports.Literal.Literal.isAssignable)", 2990 | "(code for exports.Literal.Literal.isStatement)", 2991 | "(code for exports.Literal.Literal.compileNode)", 2992 | "(code for exports.Literal.Literal.toString)", 2993 | "(code for exports.Return.Return.compileToFragments)", 2994 | "(code for exports.Return.Return.compileNode)", 2995 | "(code for exports.Value.Value.add)", 2996 | "(code for exports.Value.Value.hasProperties)", 2997 | "(code for exports.Value.Value.bareLiteral)", 2998 | "(code for exports.Value.Value.isArray)", 2999 | "(code for exports.Value.Value.isRange)", 3000 | "(code for exports.Value.Value.isComplex)", 3001 | "(code for exports.Value.Value.isAssignable)", 3002 | "(code for exports.Value.Value.isSimpleNumber)", 3003 | "(code for exports.Value.Value.isString)", 3004 | "(code for exports.Value.Value.isRegex)", 3005 | "(code for exports.Value.Value.isNotCallable)", 3006 | "(code for exports.Value.Value.isStatement)", 3007 | "(code for exports.Value.Value.isObject)", 3008 | "(code for exports.Value.Value.isSplice)", 3009 | "(code for exports.Value.Value.unwrap)", 3010 | "(code for exports.Value.Value.compileNode)", 3011 | "(code for exports.Value.Value.unfoldSoak)", 3012 | "(code for exports.Call.Call.unfoldSoak)", 3013 | "(code for exports.Call.Call.compileNode)", 3014 | "(code for exports.Access.Access.compileToFragments)", 3015 | "(code for exports.Range.Range.compileVariables)", 3016 | "(code for exports.Range.Range.compileNode)", 3017 | "(code for exports.Obj.Obj.compileNode)", 3018 | "(code for exports.Arr.Arr.compileNode)", 3019 | "(code for exports.Assign.Assign.isStatement)", 3020 | "(code for exports.Assign.Assign.unfoldSoak)", 3021 | "(code for exports.Assign.Assign.compileNode)", 3022 | "(code for exports.Code.Code.isStatement)", 3023 | "(code for exports.Code.Code.makeScope)", 3024 | "(code for exports.Code.Code.compileNode)", 3025 | "(code for exports.Code.Code.eachParamName)", 3026 | "utility", 3027 | "multident", 3028 | "parseNum", 3029 | "isLiteralArguments", 3030 | "isLiteralThis", 3031 | "unfoldSoak", 3032 | "(code for exports.Scope.Scope.add)", 3033 | "(code for exports.Scope.Scope.find)", 3034 | "(code for exports.Scope.Scope.parameter)", 3035 | "(code for exports.Scope.Scope.check)", 3036 | "(code for exports.Scope.Scope.temporary)", 3037 | "(code for exports.Scope.Scope.type)", 3038 | "(code for exports.Scope.Scope.freeVariable)", 3039 | "(code for exports.Scope.Scope.hasDeclarations)", 3040 | "(code for exports.Scope.Scope.declaredVariables)", 3041 | "(code for ctor)", 3042 | ".makeReturn", 3043 | ".contains", 3044 | ".eachChild", 3045 | ".invert", 3046 | ".unwrapAll", 3047 | ".makeCode", 3048 | ".pop", 3049 | ".unwrap", 3050 | ".isEmpty", 3051 | ".isStatement", 3052 | ".jumps", 3053 | ".compileNode", 3054 | ".compileRoot", 3055 | ".assigns", 3056 | ".bareLiteral", 3057 | ".isArray", 3058 | ".isRange", 3059 | ".isComplex", 3060 | ".isString", 3061 | ".isRegex", 3062 | ".isAtomic", 3063 | ".isObject", 3064 | ".isSplice", 3065 | ".looksStatic", 3066 | ".unfoldSoak", 3067 | ".newInstance", 3068 | ".superThis", 3069 | ".setContext", 3070 | ".walkBody", 3071 | ".makeScope", 3072 | ".asReference", 3073 | ".eachName", 3074 | ".addBody", 3075 | ".isUnary", 3076 | ".isChainable", 3077 | ".generateDo", 3078 | ".bodyNode", 3079 | ".addElse", 3080 | ".ensureBlock", 3081 | "UTILITIES", 3082 | ".extends", 3083 | ".bind", 3084 | ".indexOf", 3085 | ".modulo", 3086 | ".hasProp", 3087 | ".slice", 3088 | ".namedMethod", 3089 | ".find", 3090 | ".parameter", 3091 | ".check", 3092 | ".temporary", 3093 | ".type", 3094 | ".assign", 3095 | ".send", 3096 | ".got", 3097 | ".postSend", 3098 | "._request", 3099 | "._forkChild", 3100 | ".execFile", 3101 | ".spawn", 3102 | ".kill", 3103 | ".ref", 3104 | "string_decoder.js", 3105 | "Socket.read", 3106 | "Socket._read", 3107 | "Socket.end", 3108 | "Socket.write", 3109 | "Socket.ref", 3110 | "Socket.unref", 3111 | "Server.close", 3112 | "Server.ref", 3113 | "Server.unref", 3114 | "Timeout.ref", 3115 | "Socket.bind", 3116 | "Socket.send", 3117 | "Socket.close", 3118 | "(code for trim)", 3119 | "loadFile", 3120 | "findExtension", 3121 | "RegExp.prototype.exec", 3122 | "(code for condition)", 3123 | "(code for action)", 3124 | "action", 3125 | "(code for stackTop)", 3126 | "stackTop", 3127 | "(code for forward)", 3128 | "forward", 3129 | "(code for inImplicit)", 3130 | "inImplicit", 3131 | "(code for inImplicitCall)", 3132 | "inImplicitCall", 3133 | "(code for inImplicitObject)", 3134 | "inImplicitObject", 3135 | "inImplicitControl", 3136 | "(code for startImplicitCall)", 3137 | "startImplicitCall", 3138 | "(code for endImplicitCall)", 3139 | "endImplicitCall", 3140 | "startImplicitObject", 3141 | "endImplicitObject", 3142 | "popStack", 3143 | "lex", 3144 | "(code for lex)", 3145 | "atParam", 3146 | "(code for a)", 3147 | "a", 3148 | "InsertionSort", 3149 | "(code for InsertionSort)", 3150 | "QuickSort", 3151 | "(code for QuickSort)", 3152 | "CopyFromPrototype", 3153 | "U", 3154 | "SafeRemoveArrayHoles", 3155 | "(code relocation info)", 3156 | "GetProperty", 3157 | "KeyedGetProperty", 3158 | "DeleteProperty", 3159 | "HasLocalProperty", 3160 | "HasProperty", 3161 | "HasElement", 3162 | "IsPropertyEnumerable", 3163 | "GetPropertyNames", 3164 | "GetPropertyNamesFast", 3165 | "GetLocalPropertyNames", 3166 | "GetLocalElementNames", 3167 | "GetInterceptorInfo", 3168 | "GetNamedInterceptorPropertyNames", 3169 | "GetIndexedInterceptorElementNames", 3170 | "GetArgumentsProperty", 3171 | "ToFastProperties", 3172 | "FinishArrayPrototypeSetup", 3173 | "SpecialArrayFunctions", 3174 | "IsSloppyModeFunction", 3175 | "GetDefaultReceiver", 3176 | "GetPrototype", 3177 | "SetPrototype", 3178 | "IsInPrototypeChain", 3179 | "IsExtensible", 3180 | "PreventExtensions", 3181 | "CheckIsBootstrapping", 3182 | "GetRootNaN", 3183 | "Apply", 3184 | "GetFunctionDelegate", 3185 | "GetConstructorDelegate", 3186 | "DeoptimizeFunction", 3187 | "ClearFunctionTypeFeedback", 3188 | "RunningInSimulator", 3189 | "IsConcurrentRecompilationSupported", 3190 | "OptimizeFunctionOnNextCall", 3191 | "NeverOptimizeFunction", 3192 | "GetOptimizationStatus", 3193 | "GetOptimizationCount", 3194 | "UnblockConcurrentRecompilation", 3195 | "CompileForOnStackReplacement", 3196 | "SetAllocationTimeout", 3197 | "SetNativeFlag", 3198 | "SetInlineBuiltinFlag", 3199 | "StoreArrayLiteralElement", 3200 | "DebugPrepareStepInIfStepping", 3201 | "DebugPromiseHandlePrologue", 3202 | "DebugPromiseHandleEpilogue", 3203 | "FlattenString", 3204 | "LoadMutableDouble", 3205 | "TryMigrateInstance", 3206 | "NotifyContextDisposed", 3207 | "PushIfAbsent", 3208 | "ToBool", 3209 | "Typeof", 3210 | "StringToNumber", 3211 | "StringParseInt", 3212 | "StringParseFloat", 3213 | "StringToLowerCase", 3214 | "StringToUpperCase", 3215 | "StringSplit", 3216 | "CharFromCode", 3217 | "URIEscape", 3218 | "URIUnescape", 3219 | "NumberToInteger", 3220 | "NumberToIntegerMapMinusZero", 3221 | "NumberToJSUint32", 3222 | "NumberToJSInt32", 3223 | "NumberAdd", 3224 | "NumberSub", 3225 | "NumberMul", 3226 | "NumberDiv", 3227 | "NumberMod", 3228 | "NumberUnaryMinus", 3229 | "NumberImul", 3230 | "StringBuilderConcat", 3231 | "StringBuilderJoin", 3232 | "NumberOr", 3233 | "NumberAnd", 3234 | "NumberXor", 3235 | "NumberShl", 3236 | "NumberShr", 3237 | "NumberSar", 3238 | "NumberEquals", 3239 | "StringEquals", 3240 | "NumberCompare", 3241 | "SmiLexicographicCompare", 3242 | "MathAcos", 3243 | "MathAsin", 3244 | "MathAtan", 3245 | "MathFloor", 3246 | "MathAtan2", 3247 | "MathExp", 3248 | "RoundNumber", 3249 | "MathFround", 3250 | "RegExpCompile", 3251 | "RegExpExecMultiple", 3252 | "RegExpInitializeObject", 3253 | "ParseJson", 3254 | "BasicJSONStringify", 3255 | "QuoteJSONString", 3256 | "StringIndexOf", 3257 | "StringLastIndexOf", 3258 | "StringLocaleCompare", 3259 | "StringReplaceGlobalRegExpWithString", 3260 | "StringReplaceOneCharWithString", 3261 | "StringMatch", 3262 | "StringTrim", 3263 | "StringToArray", 3264 | "NewStringWrapper", 3265 | "NewString", 3266 | "TruncateString", 3267 | "NumberToRadixString", 3268 | "NumberToFixed", 3269 | "NumberToExponential", 3270 | "NumberToPrecision", 3271 | "IsValidSmi", 3272 | "FunctionSetInstanceClassName", 3273 | "FunctionSetLength", 3274 | "FunctionSetPrototype", 3275 | "FunctionSetReadOnlyPrototype", 3276 | "FunctionGetName", 3277 | "FunctionSetName", 3278 | "FunctionNameShouldPrintAsAnonymous", 3279 | "FunctionMarkNameShouldPrintAsAnonymous", 3280 | "FunctionIsGenerator", 3281 | "FunctionBindArguments", 3282 | "BoundFunctionGetBindings", 3283 | "FunctionRemovePrototype", 3284 | "FunctionGetSourceCode", 3285 | "FunctionGetScript", 3286 | "FunctionGetScriptSourcePosition", 3287 | "FunctionGetPositionForOffset", 3288 | "FunctionIsAPIFunction", 3289 | "FunctionIsBuiltin", 3290 | "GetScript", 3291 | "CollectStackTrace", 3292 | "GetAndClearOverflowedStackTrace", 3293 | "GetV8Version", 3294 | "SetCode", 3295 | "SetExpectedNumberOfProperties", 3296 | "CreateApiFunction", 3297 | "IsTemplate", 3298 | "GetTemplateField", 3299 | "DisableAccessChecks", 3300 | "EnableAccessChecks", 3301 | "SetAccessorProperty", 3302 | "DateCurrentTime", 3303 | "DateParseString", 3304 | "DateLocalTimezone", 3305 | "DateToUTC", 3306 | "DateMakeDay", 3307 | "DateSetValue", 3308 | "DateCacheVersion", 3309 | "CompileString", 3310 | "GlobalReceiver", 3311 | "IsAttachedGlobal", 3312 | "SetProperty", 3313 | "DefineOrRedefineDataProperty", 3314 | "DefineOrRedefineAccessorProperty", 3315 | "IgnoreAttributesAndSetProperty", 3316 | "GetDataProperty", 3317 | "SetHiddenProperty", 3318 | "RemoveArrayHoles", 3319 | "GetArrayKeys", 3320 | "MoveArrayContents", 3321 | "EstimateNumberOfElements", 3322 | "LookupAccessor", 3323 | "ObjectFreeze", 3324 | "GetMicrotaskState", 3325 | "IsJSModule", 3326 | "CreateSymbol", 3327 | "CreatePrivateSymbol", 3328 | "CreateGlobalPrivateSymbol", 3329 | "NewSymbolWrapper", 3330 | "SymbolDescription", 3331 | "SymbolRegistry", 3332 | "SymbolIsPrivate", 3333 | "CreateJSProxy", 3334 | "CreateJSFunctionProxy", 3335 | "IsJSProxy", 3336 | "IsJSFunctionProxy", 3337 | "GetHandler", 3338 | "GetCallTrap", 3339 | "GetConstructTrap", 3340 | "Fix", 3341 | "SetInitialize", 3342 | "SetAdd", 3343 | "SetHas", 3344 | "SetDelete", 3345 | "SetClear", 3346 | "SetGetSize", 3347 | "SetCreateIterator", 3348 | "SetIteratorNext", 3349 | "SetIteratorClose", 3350 | "MapInitialize", 3351 | "MapGet", 3352 | "MapHas", 3353 | "MapDelete", 3354 | "MapClear", 3355 | "MapSet", 3356 | "MapGetSize", 3357 | "MapCreateIterator", 3358 | "MapIteratorNext", 3359 | "MapIteratorClose", 3360 | "WeakCollectionInitialize", 3361 | "WeakCollectionGet", 3362 | "WeakCollectionHas", 3363 | "WeakCollectionDelete", 3364 | "WeakCollectionSet", 3365 | "SetMicrotaskPending", 3366 | "IsObserved", 3367 | "SetIsObserved", 3368 | "ObservationWeakMapCreate", 3369 | "ObserverObjectAndRecordHaveSameOrigin", 3370 | "ObjectWasCreatedInCurrentOrigin", 3371 | "ObjectObserveInObjectContext", 3372 | "ObjectGetNotifierInObjectContext", 3373 | "ObjectNotifierPerformChangeInObjectContext", 3374 | "ArrayBufferInitialize", 3375 | "ArrayBufferSliceImpl", 3376 | "ArrayBufferIsView", 3377 | "ArrayBufferNeuter", 3378 | "TypedArrayInitializeFromArrayLike", 3379 | "TypedArrayGetBuffer", 3380 | "TypedArraySetFastCases", 3381 | "DataViewGetBuffer", 3382 | "DataViewGetInt8", 3383 | "DataViewGetUint8", 3384 | "DataViewGetInt16", 3385 | "DataViewGetUint16", 3386 | "DataViewGetInt32", 3387 | "DataViewGetUint32", 3388 | "DataViewGetFloat32", 3389 | "DataViewGetFloat64", 3390 | "DataViewSetInt8", 3391 | "DataViewSetUint8", 3392 | "DataViewSetInt16", 3393 | "DataViewSetUint16", 3394 | "DataViewSetInt32", 3395 | "DataViewSetUint32", 3396 | "DataViewSetFloat32", 3397 | "DataViewSetFloat64", 3398 | "NewObjectFromBound", 3399 | "OptimizeObjectForAddingMultipleProperties", 3400 | "DebugPrint", 3401 | "GlobalPrint", 3402 | "DebugTrace", 3403 | "TraceEnter", 3404 | "TraceExit", 3405 | "Abort", 3406 | "AbortJS", 3407 | "LocalKeys", 3408 | "MessageGetStartPosition", 3409 | "MessageGetScript", 3410 | "IS_VAR", 3411 | "HasFastSmiElements", 3412 | "HasFastSmiOrObjectElements", 3413 | "HasFastObjectElements", 3414 | "HasFastDoubleElements", 3415 | "HasFastHoleyElements", 3416 | "HasDictionaryElements", 3417 | "HasSloppyArgumentsElements", 3418 | "HasExternalUint8ClampedElements", 3419 | "HasExternalArrayElements", 3420 | "HasExternalInt8Elements", 3421 | "HasExternalUint8Elements", 3422 | "HasExternalInt16Elements", 3423 | "HasExternalUint16Elements", 3424 | "HasExternalInt32Elements", 3425 | "HasExternalUint32Elements", 3426 | "HasExternalFloat32Elements", 3427 | "HasExternalFloat64Elements", 3428 | "HasFixedUint8ClampedElements", 3429 | "HasFixedInt8Elements", 3430 | "HasFixedUint8Elements", 3431 | "HasFixedInt16Elements", 3432 | "HasFixedUint16Elements", 3433 | "HasFixedInt32Elements", 3434 | "HasFixedUint32Elements", 3435 | "HasFixedFloat32Elements", 3436 | "HasFixedFloat64Elements", 3437 | "HasFastProperties", 3438 | "TransitionElementsKind", 3439 | "HaveSameMap", 3440 | "IsJSGlobalProxy", 3441 | "DebugBreak", 3442 | "SetDebugEventListener", 3443 | "Break", 3444 | "DebugGetPropertyDetails", 3445 | "DebugGetProperty", 3446 | "DebugPropertyTypeFromDetails", 3447 | "DebugPropertyAttributesFromDetails", 3448 | "DebugPropertyIndexFromDetails", 3449 | "DebugNamedInterceptorPropertyValue", 3450 | "DebugIndexedInterceptorElementValue", 3451 | "CheckExecutionState", 3452 | "GetFrameCount", 3453 | "GetFrameDetails", 3454 | "GetScopeCount", 3455 | "GetStepInPositions", 3456 | "GetScopeDetails", 3457 | "GetAllScopesDetails", 3458 | "GetFunctionScopeCount", 3459 | "GetFunctionScopeDetails", 3460 | "SetScopeVariableValue", 3461 | "DebugPrintScopes", 3462 | "GetThreadCount", 3463 | "GetThreadDetails", 3464 | "SetDisableBreak", 3465 | "GetBreakLocations", 3466 | "SetFunctionBreakPoint", 3467 | "SetScriptBreakPoint", 3468 | "ClearBreakPoint", 3469 | "ChangeBreakOnException", 3470 | "IsBreakOnException", 3471 | "PrepareStep", 3472 | "ClearStepping", 3473 | "DebugEvaluate", 3474 | "DebugEvaluateGlobal", 3475 | "DebugGetLoadedScripts", 3476 | "DebugReferencedBy", 3477 | "DebugConstructedBy", 3478 | "DebugGetPrototype", 3479 | "DebugSetScriptSource", 3480 | "SystemBreak", 3481 | "DebugDisassembleFunction", 3482 | "DebugDisassembleConstructor", 3483 | "FunctionGetInferredName", 3484 | "LiveEditFindSharedFunctionInfosForScript", 3485 | "LiveEditGatherCompileInfo", 3486 | "LiveEditReplaceScript", 3487 | "LiveEditReplaceFunctionCode", 3488 | "LiveEditFunctionSourceUpdated", 3489 | "LiveEditFunctionSetScript", 3490 | "LiveEditReplaceRefToNestedFunction", 3491 | "LiveEditPatchFunctionPositions", 3492 | "LiveEditCheckAndDropActivations", 3493 | "LiveEditCompareStrings", 3494 | "LiveEditRestartFrame", 3495 | "GetFunctionCodePositionFromSource", 3496 | "ExecuteInDebugContext", 3497 | "SetFlags", 3498 | "CollectGarbage", 3499 | "GetHeapUsage", 3500 | "_IsSmi", 3501 | "_IsNonNegativeSmi", 3502 | "_IsArray", 3503 | "_IsRegExp", 3504 | "_IsConstructCall", 3505 | "_CallFunction", 3506 | "_ArgumentsLength", 3507 | "_Arguments", 3508 | "_ValueOf", 3509 | "_SetValueOf", 3510 | "_DateField", 3511 | "_StringCharFromCode", 3512 | "_StringCharAt", 3513 | "_OneByteSeqStringSetChar", 3514 | "_TwoByteSeqStringSetChar", 3515 | "_ObjectEquals", 3516 | "_IsObject", 3517 | "_IsFunction", 3518 | "_IsUndetectableObject", 3519 | "_IsSpecObject", 3520 | "_IsStringWrapperSafeForDefaultValueOf", 3521 | "_MathPow", 3522 | "_IsMinusZero", 3523 | "_HasCachedArrayIndex", 3524 | "_GetCachedArrayIndex", 3525 | "_FastAsciiArrayJoin", 3526 | "_GeneratorNext", 3527 | "_GeneratorThrow", 3528 | "_DebugBreakInOptimizedCode", 3529 | "_ClassOf", 3530 | "_StringCharCodeAt", 3531 | "_StringAdd", 3532 | "_SubString", 3533 | "_StringCompare", 3534 | "_RegExpExec", 3535 | "_RegExpConstructResult", 3536 | "_GetFromCache", 3537 | "_NumberToString", 3538 | "_TypedArrayInitialize", 3539 | "_DataViewInitialize", 3540 | "_MaxSmi", 3541 | "_TypedArrayMaxSizeInHeap", 3542 | "_ArrayBufferViewGetByteLength", 3543 | "_ArrayBufferViewGetByteOffset", 3544 | "_TypedArrayGetLength", 3545 | "_ArrayBufferGetByteLength", 3546 | "_ConstructDouble", 3547 | "_DoubleHi", 3548 | "_DoubleLo", 3549 | "_MathSqrt", 3550 | "_MathLog", 3551 | "_DebugCallbackSupportsStepping", 3552 | "$Object", 3553 | "$String", 3554 | "$Number", 3555 | "$Function", 3556 | "$Boolean", 3557 | "$NaN", 3558 | "b", 3559 | "c", 3560 | "e", 3561 | "g", 3562 | "invalid_in_operator_use", 3563 | "instanceof_function_expected", 3564 | "instanceof_nonobject_proto", 3565 | "called_non_callable", 3566 | "stack_overflow", 3567 | "apply_non_function", 3568 | "apply_wrong_args", 3569 | "symbol_to_primitive", 3570 | "symbol_to_string", 3571 | "undefined_or_null_to_object", 3572 | "cannot_convert_to_primitive", 3573 | "$isNaN", 3574 | "GlobalIsNaN", 3575 | "$isFinite", 3576 | "GlobalIsFinite", 3577 | "GlobalParseInt", 3578 | "GlobalParseFloat", 3579 | "$EvalError", 3580 | "ObjectToString", 3581 | "ObjectToLocaleString", 3582 | "called_on_null_or_undefined", 3583 | "ObjectValueOf", 3584 | "ObjectHasOwnProperty", 3585 | "hasOwn", 3586 | "DerivedHasOwnTrap", 3587 | "ObjectIsPrototypeOf", 3588 | "ObjectPropertyIsEnumerable", 3589 | "isEnumerable", 3590 | "ObjectDefineGetter", 3591 | "$TypeError", 3592 | "Object.prototype.__defineGetter__: Expecting function", 3593 | "setGet", 3594 | "setEnumerable", 3595 | "setConfigurable", 3596 | "ObjectLookupGetter", 3597 | "ObjectDefineSetter", 3598 | "setSet", 3599 | "ObjectLookupSetter", 3600 | "ObjectKeys", 3601 | "called_on_non_object", 3602 | "Object.keys", 3603 | "DerivedKeysTrap", 3604 | "hasGetter", 3605 | "hasSetter", 3606 | "hasValue", 3607 | "hasWritable", 3608 | "getValue", 3609 | "isWritable", 3610 | "enumerable", 3611 | "configurable", 3612 | "isConfigurable", 3613 | "getGet", 3614 | "getSet", 3615 | "hasEnumerable", 3616 | "hasConfigurable", 3617 | "property_desc_object", 3618 | "setValue", 3619 | "setWritable", 3620 | "getter_must_be_callable", 3621 | "setter_must_be_callable", 3622 | "value_and_accessor", 3623 | "value_", 3624 | "hasValue_", 3625 | "writable_", 3626 | "hasWritable_", 3627 | "enumerable_", 3628 | "hasEnumerable_", 3629 | "hasConfigurable_", 3630 | "get_", 3631 | "hasGetter_", 3632 | "set_", 3633 | "hasSetter_", 3634 | "Internal error: invalid desc_array", 3635 | "handler_trap_missing", 3636 | "handler_trap_must_be_callable", 3637 | "proxy_prop_not_configurable", 3638 | "define_disallowed", 3639 | "handler_returned_false", 3640 | "redefine_disallowed", 3641 | "k", 3642 | "l", 3643 | "$RangeError", 3644 | "m", 3645 | "o", 3646 | "ObjectGetPrototypeOf", 3647 | "Object.getPrototypeOf", 3648 | "ObjectSetPrototypeOf", 3649 | "proto_object_or_null", 3650 | "ObjectGetOwnPropertyDescriptor", 3651 | "proxy_non_object_prop_names", 3652 | "proxy_repeated_prop_name", 3653 | "ObjectGetOwnPropertyNames", 3654 | "ObjectCreate", 3655 | "ObjectDefineProperties", 3656 | "ObjectDefineProperty", 3657 | "Object.defineProperty", 3658 | "Object.defineProperties", 3659 | "handler_returned_undefined", 3660 | "ObjectSeal", 3661 | "ObjectPreventExtension", 3662 | "ObjectIsSealed", 3663 | "ObjectIsFrozen", 3664 | "ObjectIsExtensible", 3665 | "ObjectIs", 3666 | "ObjectGetProto", 3667 | "ObjectSetProto", 3668 | "Object.prototype.__proto__", 3669 | "BooleanToString", 3670 | "BooleanValueOf", 3671 | "NumberToString", 3672 | "Number.prototype.toString is not generic", 3673 | "toString() radix argument must be between 2 and 36", 3674 | "NumberToLocaleString", 3675 | "NumberValueOf", 3676 | "incompatible_method_receiver", 3677 | "NumberIsFinite", 3678 | "NumberIsInteger", 3679 | "NumberIsNaN", 3680 | "NumberIsSafeInteger", 3681 | "MathAbs", 3682 | "MAX_SAFE_INTEGER", 3683 | "MAX_VALUE", 3684 | "MIN_VALUE", 3685 | "NEGATIVE_INFINITY", 3686 | "POSITIVE_INFINITY", 3687 | "MIN_SAFE_INTEGER", 3688 | "EPSILON", 3689 | "FunctionToString", 3690 | "FunctionBind", 3691 | "paren_in_arg_string", 3692 | "visited_arrays", 3693 | "ArraySort", 3694 | "q", 3695 | "ArrayToString", 3696 | "ArrayJoin", 3697 | "ArrayToLocaleString", 3698 | "Array.prototype.join", 3699 | "Array.prototype.concat", 3700 | "ArrayReverse", 3701 | "Array.prototype.reverse", 3702 | "array_functions_change_sealed", 3703 | "Array.prototype.slice", 3704 | "array_functions_on_frozen", 3705 | "Array.prototype.sort", 3706 | "t", 3707 | "w", 3708 | "z", 3709 | "A", 3710 | "B", 3711 | "C", 3712 | "D", 3713 | "G", 3714 | "H", 3715 | "I", 3716 | "J", 3717 | "K", 3718 | "L", 3719 | "M", 3720 | "O", 3721 | "W", 3722 | "aa", 3723 | "ab", 3724 | "ac", 3725 | "ArrayFilter", 3726 | "Array.prototype.filter", 3727 | "ArrayForEach", 3728 | "ArraySome", 3729 | "ArrayEvery", 3730 | "ArrayMap", 3731 | "ArrayIndexOf", 3732 | "Array.prototype.indexOf", 3733 | "ArrayLastIndexOf", 3734 | "ArrayReduce", 3735 | "reduce_no_initial", 3736 | "ArrayReduceRight", 3737 | "ArrayIsArray", 3738 | "StringToString", 3739 | "StringValueOf", 3740 | "StringCharAt", 3741 | "String.prototype.charAt", 3742 | "StringCharCodeAt", 3743 | "String.prototype.charCodeAt", 3744 | "StringConcat", 3745 | "String.prototype.indexOf", 3746 | "String.prototype.lastIndexOf", 3747 | "String.prototype.match", 3748 | "lastMatchInfo", 3749 | "lastMatchInfoOverride", 3750 | "$RegExp", 3751 | "NORMALIZATION_FORMS", 3752 | "StringNormalize", 3753 | ", ", 3754 | "reusableMatchInfo", 3755 | "StringReplace", 3756 | "String.prototype.replace", 3757 | "$", 3758 | "reusableReplaceArray", 3759 | "StringSearch", 3760 | "StringSlice", 3761 | "String.prototype.slice", 3762 | "String.prototype.split", 3763 | "ArrayPushBuiltin", 3764 | "StringSubstring", 3765 | "String.prototype.subString", 3766 | "StringSubstr", 3767 | "String.prototype.substr", 3768 | "String.prototype.toLowerCase", 3769 | "StringToLocaleLowerCase", 3770 | "String.prototype.toUpperCase", 3771 | "StringToLocaleUpperCase", 3772 | "StringTrimLeft", 3773 | "StringTrimRight", 3774 | "StringFromCharCode", 3775 | "StringLink", 3776 | "StringAnchor", 3777 | "StringFontcolor", 3778 | "StringFontsize", 3779 | "StringBig", 3780 | "StringBlink", 3781 | "StringBold", 3782 | "StringFixed", 3783 | "StringItalics", 3784 | "StringSmall", 3785 | "StringStrike", 3786 | "StringSub", 3787 | "StringSup", 3788 | "hexCharArray", 3789 | "hexCharCodeArray", 3790 | "$URIError", 3791 | "URIDecode", 3792 | "URIDecodeComponent", 3793 | "URIEncode", 3794 | "URIEncodeComponent", 3795 | "1", 3796 | "2", 3797 | "3", 3798 | "4", 3799 | "5", 3800 | "6", 3801 | "8", 3802 | "9", 3803 | "$floor", 3804 | "$abs", 3805 | "$Math", 3806 | "MathCeil", 3807 | "MathCos", 3808 | "MathLog", 3809 | "MathMax", 3810 | "MathMin", 3811 | "MathPow", 3812 | "rngstate", 3813 | "MathRandom", 3814 | "MathImul", 3815 | "MathRound", 3816 | "MathSin", 3817 | "MathSqrt", 3818 | "MathTan", 3819 | "kInversePiHalf", 3820 | "kInversePiHalfS26", 3821 | "kS26", 3822 | "kTwoStepThreshold", 3823 | "kPiHalf", 3824 | "kPiHalf1", 3825 | "kPiHalf2", 3826 | "kSamples", 3827 | "kIndexConvert", 3828 | "kSinTable", 3829 | "kCosXIntervalTable", 3830 | "LN10", 3831 | "LN2", 3832 | "LOG2E", 3833 | "LOG10E", 3834 | "PI", 3835 | "SQRT1_2", 3836 | "SQRT2", 3837 | "kMessages", 3838 | "cyclic_proto", 3839 | "code_gen_from_strings", 3840 | "generator_running", 3841 | "generator_finished", 3842 | "unexpected_token", 3843 | "unexpected_token_number", 3844 | "unexpected_token_string", 3845 | "unexpected_token_identifier", 3846 | "unexpected_reserved", 3847 | "unexpected_strict_reserved", 3848 | "unexpected_eos", 3849 | "malformed_regexp", 3850 | "unterminated_regexp", 3851 | "regexp_flags", 3852 | "multiple_defaults_in_switch", 3853 | "newline_after_throw", 3854 | "label_redeclaration", 3855 | "var_redeclaration", 3856 | "no_catch_or_finally", 3857 | "uncaught_exception", 3858 | "stack_trace", 3859 | "undefined_method", 3860 | "property_not_function", 3861 | "not_constructor", 3862 | "not_defined", 3863 | "non_object_property_load", 3864 | "non_object_property_store", 3865 | "with_expression", 3866 | "illegal_invocation", 3867 | "no_setter_in_callback", 3868 | "non_extensible_proto", 3869 | "handler_non_object", 3870 | "proto_non_object", 3871 | "trap_function_expected", 3872 | "invalid_weakmap_key", 3873 | "invalid_weakset_value", 3874 | "not_date_object", 3875 | "observe_non_object", 3876 | "observe_non_function", 3877 | "observe_callback_frozen", 3878 | "observe_invalid_accept", 3879 | "observe_type_non_string", 3880 | "observe_perform_non_string", 3881 | "observe_perform_non_function", 3882 | "observe_notify_non_notifier", 3883 | "observe_global_proxy", 3884 | "not_typed_array", 3885 | "data_view_not_array_buffer", 3886 | "constructor_not_function", 3887 | "not_a_symbol", 3888 | "not_a_promise", 3889 | "resolver_not_a_function", 3890 | "promise_cyclic", 3891 | "first_argument_not_regexp", 3892 | "invalid_array_length", 3893 | "invalid_array_buffer_length", 3894 | "invalid_string_length", 3895 | "invalid_typed_array_offset", 3896 | "invalid_typed_array_length", 3897 | "invalid_typed_array_alignment", 3898 | "typed_array_set_source_too_large", 3899 | "typed_array_set_negative_offset", 3900 | "invalid_data_view_offset", 3901 | "invalid_data_view_length", 3902 | "invalid_data_view_accessor_offset", 3903 | "invalid_time_value", 3904 | "invalid_count_value", 3905 | "invalid_lhs_in_assignment", 3906 | "invalid_lhs_in_for", 3907 | "invalid_lhs_in_postfix_op", 3908 | "invalid_lhs_in_prefix_op", 3909 | "not_isvar", 3910 | "single_function_literal", 3911 | "invalid_regexp_flags", 3912 | "invalid_regexp", 3913 | "illegal_break", 3914 | "illegal_continue", 3915 | "illegal_return", 3916 | "illegal_let", 3917 | "error_loading_debugger", 3918 | "no_input_to_regexp", 3919 | "invalid_json", 3920 | "circular_structure", 3921 | "array_indexof_not_defined", 3922 | "object_not_extensible", 3923 | "illegal_access", 3924 | "invalid_cached_data_function", 3925 | "invalid_cached_data", 3926 | "strict_mode_with", 3927 | "strict_eval_arguments", 3928 | "too_many_arguments", 3929 | "too_many_parameters", 3930 | "too_many_variables", 3931 | "strict_param_dupe", 3932 | "strict_octal_literal", 3933 | "strict_duplicate_property", 3934 | "accessor_data_property", 3935 | "accessor_get_set", 3936 | "strict_delete", 3937 | "strict_delete_property", 3938 | "strict_const", 3939 | "strict_function", 3940 | "strict_read_only_property", 3941 | "strict_cannot_assign", 3942 | "strict_poison_pill", 3943 | "strict_caller", 3944 | "unprotected_let", 3945 | "unprotected_const", 3946 | "cant_prevent_ext_external_array_elements", 3947 | "redef_external_array_element", 3948 | "harmony_const_assign", 3949 | "invalid_module_path", 3950 | "module_type_error", 3951 | "module_export_undefined", 3952 | "......", 3953 | "#", 3954 | "x", 3955 | "ErrorToString", 3956 | "$Error", 3957 | "Not supported", 3958 | "", 4008 | "formatting_custom_stack_trace", 4009 | "stackTraceLimit", 4010 | "visited_errors", 4011 | "cyclic_error_marker", 4012 | ": ", 4013 | "Error.prototype.toString", 4014 | "$Date", 4015 | "kApiFunctionCache", 4016 | "functionCache", 4017 | "Unknown API tag <", 4018 | "Bad properties array", 4019 | "timezone_cache_time", 4020 | "timezone_cache_timezone", 4021 | "Date_cache", 4022 | "time", 4023 | "DateParse", 4024 | "WeekDays", 4025 | "Months", 4026 | "LongWeekDays", 4027 | "LongMonths", 4028 | "parse_buffer", 4029 | "DateUTC", 4030 | "DateNow", 4031 | "DateToString", 4032 | "DateToDateString", 4033 | "DateToTimeString", 4034 | "DateToLocaleString", 4035 | "DateToLocaleDateString", 4036 | "DateToLocaleTimeString", 4037 | "DateValueOf", 4038 | "DateGetTime", 4039 | "DateGetFullYear", 4040 | "DateGetUTCFullYear", 4041 | "DateGetMonth", 4042 | "DateGetUTCMonth", 4043 | "DateGetDate", 4044 | "DateGetUTCDate", 4045 | "DateGetDay", 4046 | "DateGetUTCDay", 4047 | "DateGetHours", 4048 | "DateGetUTCHours", 4049 | "DateGetMinutes", 4050 | "DateGetUTCMinutes", 4051 | "DateGetSeconds", 4052 | "DateGetUTCSeconds", 4053 | "DateGetMilliseconds", 4054 | "DateGetUTCMilliseconds", 4055 | "DateGetTimezoneOffset", 4056 | "DateSetTime", 4057 | "DateSetMilliseconds", 4058 | "DateSetUTCMilliseconds", 4059 | "DateSetSeconds", 4060 | "DateSetUTCSeconds", 4061 | "DateSetMinutes", 4062 | "DateSetUTCMinutes", 4063 | "DateSetHours", 4064 | "DateSetUTCHours", 4065 | "DateSetDate", 4066 | "DateSetUTCDate", 4067 | "DateSetMonth", 4068 | "DateSetUTCMonth", 4069 | "DateSetFullYear", 4070 | "DateSetUTCFullYear", 4071 | "DateToUTCString", 4072 | "DateGetYear", 4073 | "DateSetYear", 4074 | "DateToGMTString", 4075 | "DateToISOString", 4076 | "DateToJSON", 4077 | "date_cache_version_holder", 4078 | "date_cache_version", 4079 | "$JSON", 4080 | "JSONParse", 4081 | ",\n", 4082 | "[\n", 4083 | "[]", 4084 | "{}", 4085 | "JSONStringify", 4086 | " ", 4087 | "RegExpExec", 4088 | "regexp_key", 4089 | "regexp_val", 4090 | "RegExpTest", 4091 | "RegExp.prototype.test", 4092 | "RegExpToString", 4093 | "$_", 4094 | "$input", 4095 | "$*", 4096 | "lastMatch", 4097 | "$&", 4098 | "lastParen", 4099 | "$+", 4100 | "leftContext", 4101 | "$`", 4102 | "rightContext", 4103 | "$'", 4104 | "$1", 4105 | "$2", 4106 | "$3", 4107 | "$4", 4108 | "$5", 4109 | "$6", 4110 | "$7", 4111 | "$8", 4112 | "$9", 4113 | "$ArrayBuffer", 4114 | "ArrayBufferGetByteLen", 4115 | "ArrayBufferSlice", 4116 | "Uint8Array_GetBuffer", 4117 | "Uint8Array_GetByteLength", 4118 | "Uint8Array_GetByteOffset", 4119 | "Uint8Array_GetLength", 4120 | "$Uint8Array", 4121 | "Uint8ArraySubArray", 4122 | "Int8Array_GetBuffer", 4123 | "Int8Array_GetByteLength", 4124 | "Int8Array_GetByteOffset", 4125 | "Int8Array_GetLength", 4126 | "$Int8Array", 4127 | "Int8ArraySubArray", 4128 | "Uint16Array_GetBuffer", 4129 | "Uint16Array_GetByteLength", 4130 | "Uint16Array_GetByteOffset", 4131 | "Uint16Array_GetLength", 4132 | "$Uint16Array", 4133 | "Uint16ArraySubArray", 4134 | "Int16Array_GetBuffer", 4135 | "Int16Array_GetByteLength", 4136 | "Int16Array_GetByteOffset", 4137 | "Int16Array_GetLength", 4138 | "$Int16Array", 4139 | "Int16ArraySubArray", 4140 | "Uint32Array_GetBuffer", 4141 | "Uint32Array_GetByteLength", 4142 | "Uint32Array_GetByteOffset", 4143 | "Uint32Array_GetLength", 4144 | "$Uint32Array", 4145 | "Uint32ArraySubArray", 4146 | "Int32Array_GetBuffer", 4147 | "Int32Array_GetByteLength", 4148 | "Int32Array_GetByteOffset", 4149 | "Int32Array_GetLength", 4150 | "$Int32Array", 4151 | "Int32ArraySubArray", 4152 | "Float32Array_GetBuffer", 4153 | "Float32Array_GetByteLength", 4154 | "Float32Array_GetByteOffset", 4155 | "Float32Array_GetLength", 4156 | "$Float32Array", 4157 | "Float32ArraySubArray", 4158 | "Float64Array_GetBuffer", 4159 | "Float64Array_GetByteLength", 4160 | "Float64Array_GetByteOffset", 4161 | "Float64Array_GetLength", 4162 | "$Float64Array", 4163 | "Float64ArraySubArray", 4164 | "Uint8ClampedArray_GetBuffer", 4165 | "Uint8ClampedArray_GetByteLength", 4166 | "Uint8ClampedArray_GetByteOffset", 4167 | "Uint8ClampedArray_GetLength", 4168 | "$Uint8ClampedArray", 4169 | "Uint8ClampedArraySubArray", 4170 | "BYTES_PER_ELEMENT", 4171 | "TypedArraySet", 4172 | "$DataView", 4173 | "DataViewGetByteOffset", 4174 | "DataViewGetByteLength", 4175 | "$WeakMap", 4176 | "$WeakSet", 4177 | "WeakMapGet", 4178 | "WeakMapSet", 4179 | "WeakMapHas", 4180 | "WeakMapDelete", 4181 | "WeakMapClear", 4182 | "WeakSetAdd", 4183 | "WeakSetHas", 4184 | "WeakSetDelete", 4185 | "WeakSetClear", 4186 | "$Promise", 4187 | "promiseRaw", 4188 | "promiseStatus", 4189 | "promiseValue", 4190 | "promiseOnResolve", 4191 | "promiseOnReject", 4192 | "PromiseDeferred", 4193 | "PromiseResolved", 4194 | "PromiseRejected", 4195 | "PromiseChain", 4196 | "PromiseCatch", 4197 | "PromiseThen", 4198 | "table", 4199 | "PromiseCast", 4200 | "PromiseAll", 4201 | "PromiseOne", 4202 | "keyFor", 4203 | "observationState", 4204 | "contextMaps", 4205 | "defaultAcceptTypes", 4206 | "update", 4207 | "setPrototype", 4208 | "reconfigure", 4209 | "notifierPrototype", 4210 | "ObjectObserve", 4211 | "ObjectUnobserve", 4212 | "ArrayObserve", 4213 | "ArrayUnobserve", 4214 | "ObjectNotifierNotify", 4215 | "ObjectNotifierPerformChange", 4216 | "ObjectGetNotifier", 4217 | "ex", 4218 | "ObjectDeliverChangeRecords", 4219 | "moduleLoadList", 4220 | "versions", 4221 | "http_parser", 4222 | "node", 4223 | "v8", 4224 | "zlib", 4225 | "modules", 4226 | "openssl", 4227 | "arch", 4228 | "platform", 4229 | "features", 4230 | "_nodeInitialization", 4231 | "exists", 4232 | "_third_party_main", 4233 | "_debugger", 4234 | "_eval", 4235 | "[eval]", 4236 | "NODE_UNIQUE_ID", 4237 | "cluster", 4238 | "_setupWorker", 4239 | "v8debug", 4240 | "arg", 4241 | "debugTimeout", 4242 | "NODE_DEBUG_TIMEOUT", 4243 | "setTimeout", 4244 | "runMain", 4245 | "_forceRepl", 4246 | "tty", 4247 | "isatty", 4248 | "opts", 4249 | "useGlobal", 4250 | "ignoreUndefined", 4251 | "NODE_NO_READLINE", 4252 | "terminal", 4253 | "NODE_DISABLE_COLORS", 4254 | "useColors", 4255 | "repl", 4256 | "requireRepl", 4257 | "stdin", 4258 | "setEncoding", 4259 | "utf8", 4260 | "data", 4261 | "GLOBAL", 4262 | "setInterval", 4263 | "console", 4264 | "_lazyConstants", 4265 | "_errorHandler", 4266 | "er", 4267 | "msg", 4268 | "config", 4269 | "_source", 4270 | "\\\"", 4271 | "key", 4272 | "nextTickQueue", 4273 | "asyncFlags", 4274 | "_asyncFlags", 4275 | "_runAsyncQueue", 4276 | "_loadAsyncQueue", 4277 | "_unloadAsyncQueue", 4278 | "microtasksScheduled", 4279 | "_runMicrotasks", 4280 | "tickInfo", 4281 | "kIndex", 4282 | "kLength", 4283 | "kCount", 4284 | "threw", 4285 | "obj", 4286 | "filename", 4287 | "paths", 4288 | "_contextLoad", 4289 | ";\n", 4290 | "result", 4291 | "_compile", 4292 | "TTY", 4293 | "TCP", 4294 | "stdout", 4295 | "stderr", 4296 | "destroy", 4297 | "destroySoon", 4298 | "SIGWINCH", 4299 | "pause", 4300 | "openStdin", 4301 | "err", 4302 | "SIGTERM", 4303 | "errnoException", 4304 | "signalWraps", 4305 | "listener", 4306 | "NODE_CHANNEL_FD", 4307 | "cp", 4308 | "tcp_wrap", 4309 | "_forkChild", 4310 | "format", 4311 | "rawDebug", 4312 | "isWindows", 4313 | "win32", 4314 | "argv0", 4315 | "contextify", 4316 | "options", 4317 | "loaded", 4318 | "natives", 4319 | "_cache", 4320 | "native_module", 4321 | "cached", 4322 | "getCached", 4323 | "No such native module ", 4324 | "nativeModule", 4325 | "cache", 4326 | "getSource", 4327 | "wrapper", 4328 | "fn", 4329 | "DTRACE_NET_SERVER_CONNECTION", 4330 | "DTRACE_NET_STREAM_END", 4331 | "DTRACE_NET_SOCKET_READ", 4332 | "DTRACE_NET_SOCKET_WRITE", 4333 | "DTRACE_HTTP_SERVER_REQUEST", 4334 | "DTRACE_HTTP_SERVER_RESPONSE", 4335 | "DTRACE_HTTP_CLIENT_REQUEST", 4336 | "DTRACE_HTTP_CLIENT_RESPONSE", 4337 | "crypto", 4338 | "dns", 4339 | "freelist", 4340 | "http", 4341 | "_http_agent", 4342 | "_http_client", 4343 | "_http_common", 4344 | "_http_incoming", 4345 | "_http_outgoing", 4346 | "_http_server", 4347 | "https", 4348 | "os", 4349 | "punycode", 4350 | "querystring", 4351 | "readline", 4352 | "_tls_common", 4353 | "_tls_legacy", 4354 | "_tls_wrap", 4355 | "__filename", 4356 | "__dirname", 4357 | "usingDomains", 4358 | "_maxListeners", 4359 | "defaultMaxListeners", 4360 | "active", 4361 | "Domain", 4362 | "n", 4363 | "handler", 4364 | "len", 4365 | "Uncaught, unspecified \"error\" event.", 4366 | "domainEmitter", 4367 | "domainThrown", 4368 | "listener must be a function", 4369 | "newListener", 4370 | "warned", 4371 | "(node) warning: possible EventEmitter memory ", 4372 | "leak detected. %d %s listeners added. ", 4373 | "Use emitter.setMaxListeners() to increase limit.", 4374 | "list", 4375 | "formatRegExp", 4376 | "f", 4377 | "str", 4378 | "_", 4379 | "deprecate", 4380 | "noDeprecation", 4381 | "debugEnviron", 4382 | "debuglog", 4383 | "NODE_DEBUG", 4384 | "\\b", 4385 | "colors", 4386 | "_extend", 4387 | "italic", 4388 | "underline", 4389 | "inverse", 4390 | "white", 4391 | "black", 4392 | "blue", 4393 | "styles", 4394 | "special", 4395 | "date", 4396 | "val", 4397 | "idx", 4398 | "\\", 4399 | "prev", 4400 | "months", 4401 | "inherits", 4402 | "superCtor", 4403 | "super_", 4404 | "origin", 4405 | "prop", 4406 | "p", 4407 | "util.p: Use console.error() instead", 4408 | "util.exec is now called `child_process.exec`.", 4409 | "write", 4410 | "util.print: Use console.log instead", 4411 | "puts", 4412 | "util.puts: Use console.log instead", 4413 | "util.debug: Use console.error instead", 4414 | "util.error: Use console.error instead", 4415 | "pump", 4416 | "chunk", 4417 | "util.pump(): Use readableStream.pipe() instead", 4418 | "original", 4419 | "errname", 4420 | "v8binding", 4421 | "pobj", 4422 | "before", 4423 | "after", 4424 | "gc", 4425 | "asyncQueue", 4426 | "contextStack", 4427 | "currentContext", 4428 | "alUid", 4429 | "inAsyncTick", 4430 | "inErrorTick", 4431 | "kHasListener", 4432 | "HAS_CREATE_AL", 4433 | "HAS_BEFORE_AL", 4434 | "HAS_AFTER_AL", 4435 | "HAS_ERROR_AL", 4436 | "context", 4437 | "_asyncData", 4438 | "callback_flags", 4439 | "kMaxLength", 4440 | "INSPECT_MAX_BYTES", 4441 | "poolSize", 4442 | "poolOffset", 4443 | "allocPool", 4444 | "encoding", 4445 | "must start with number, buffer, array or string", 4446 | "Attempt to allocate Buffer larger than maximum ", 4447 | "size: 0x", 4448 | " bytes", 4449 | "setupBufferJS", 4450 | "isEncoding", 4451 | "hex", 4452 | "utf-8", 4453 | "ascii", 4454 | "binary", 4455 | "base64", 4456 | "ucs2", 4457 | "ucs-2", 4458 | "utf16le", 4459 | "utf-16le", 4460 | "loweredCase", 4461 | "Unknown encoding: ", 4462 | ".get() is deprecated. Access using array indexes instead.", 4463 | "v", 4464 | ".set() is deprecated. Set using array indexes instead.", 4465 | "writeWarned", 4466 | "writeMsg", 4467 | "ext", 4468 | "readUInt8", 4469 | "readInt8", 4470 | "readInt16LE", 4471 | "readInt16BE", 4472 | "readInt32LE", 4473 | "readInt32BE", 4474 | "writeUInt8", 4475 | "writeInt8", 4476 | "cflags", 4477 | "default_configuration", 4478 | "defines", 4479 | "include_dirs", 4480 | "libraries", 4481 | "target_defaults", 4482 | "clang", 4483 | "host_arch", 4484 | "node_install_npm", 4485 | "node_prefix", 4486 | "node_shared_cares", 4487 | "node_shared_http_parser", 4488 | "node_shared_libuv", 4489 | "node_shared_openssl", 4490 | "node_shared_v8", 4491 | "node_shared_zlib", 4492 | "node_tag", 4493 | "node_use_dtrace", 4494 | "node_use_etw", 4495 | "node_use_mdb", 4496 | "node_use_openssl", 4497 | "node_use_perfctr", 4498 | "openssl_no_asm", 4499 | "python", 4500 | "target_arch", 4501 | "uv_library", 4502 | "uv_parent_path", 4503 | "uv_use_dtrace", 4504 | "v8_enable_gdbjit", 4505 | "v8_enable_i18n_support", 4506 | "v8_no_strict_aliasing", 4507 | "v8_optimized_debug", 4508 | "v8_random_seed", 4509 | "v8_use_snapshot", 4510 | "want_separate_host_toolset", 4511 | "variables", 4512 | "parts", 4513 | "allowAboveRoot", 4514 | "up", 4515 | "last", 4516 | "splitDeviceRe", 4517 | "^([a-zA-Z]:|[\\\\\\/]{2}[^\\\\\\/]+[\\\\\\/]+[^\\\\\\/]+)?([\\\\\\/])?([\\s\\S]*?)$", 4518 | "splitTailRe", 4519 | "^([\\s\\S]*?)((?:\\.{1,2}|[^\\\\\\/]+?|)(\\.[^.\\/\\\\]*|))(?:[\\\\\\/]*)$", 4520 | "dir", 4521 | "basename", 4522 | "resolvedAbsolute", 4523 | "Arguments to path.resolve must be strings", 4524 | "isAbsolute", 4525 | "trailingSlash", 4526 | "Arguments to path.join must be strings", 4527 | "relative", 4528 | "toParts", 4529 | "samePartsLength", 4530 | "outputParts", 4531 | "sep", 4532 | "delimiter", 4533 | ";", 4534 | "splitPathRe", 4535 | "resolvedPath", 4536 | "segments", 4537 | "nonEmptySegments", 4538 | "segment", 4539 | "fromParts", 4540 | "dirname", 4541 | "extname", 4542 | "path.exists is now called `fs.exists`.", 4543 | "existsSync", 4544 | "path.existsSync is now called `fs.existsSync`.", 4545 | "_makeLong", 4546 | "children", 4547 | "NODE_MODULE_CONTEXTS", 4548 | "_pathCache", 4549 | "_extensions", 4550 | "modulePaths", 4551 | "globalPaths", 4552 | "_debug", 4553 | "statSync", 4554 | "packageMainCache", 4555 | "requestPath", 4556 | "jsonPath", 4557 | "package.json", 4558 | "json", 4559 | "pkg", 4560 | "main", 4561 | "Error parsing ", 4562 | "exts", 4563 | "_realpathCache", 4564 | "stats", 4565 | "isDirectory", 4566 | "EL", 4567 | "_findPath", 4568 | "request", 4569 | "cacheKey", 4570 | "PL", 4571 | "basePath", 4572 | "splitRe", 4573 | "tip", 4574 | "node_modules", 4575 | "./", 4576 | "mainPaths", 4577 | "isIndex", 4578 | "parentIdPath", 4579 | "RELATIVE: requested:", 4580 | " set ID to: ", 4581 | " from ", 4582 | "_load", 4583 | "isMain", 4584 | "Module._load REQUEST ", 4585 | " parent: ", 4586 | "cachedModule", 4587 | "replModule", 4588 | "repl.js", 4589 | "load native module ", 4590 | "mainModule", 4591 | "hadException", 4592 | "load", 4593 | "resolvedModule", 4594 | "looking for ", 4595 | " in ", 4596 | "Cannot find module '", 4597 | "MODULE_NOT_FOUND", 4598 | "load ", 4599 | " for module ", 4600 | "extension", 4601 | "path must be a string", 4602 | "missing path", 4603 | "resolvedArgv", 4604 | "content", 4605 | "self", 4606 | "extensions", 4607 | "load submodule", 4608 | "sandbox", 4609 | "load root module", 4610 | "compiledWrapper", 4611 | "Debug", 4612 | "setBreakPoint", 4613 | ".json", 4614 | ".node", 4615 | "_initPaths", 4616 | "homeDir", 4617 | "USERPROFILE", 4618 | "HOME", 4619 | "lib", 4620 | ".node_libraries", 4621 | ".node_modules", 4622 | "nodePath", 4623 | "NODE_PATH", 4624 | "pSlice", 4625 | "expected", 4626 | "operator", 4627 | "s", 4628 | "block", 4629 | "throws", 4630 | "ifError", 4631 | "pathModule", 4632 | "kMinPoolSpace", 4633 | "O_APPEND", 4634 | "O_CREAT", 4635 | "O_EXCL", 4636 | "O_RDONLY", 4637 | "O_RDWR", 4638 | "O_SYNC", 4639 | "O_TRUNC", 4640 | "O_WRONLY", 4641 | "DEBUG", 4642 | "Path must be a string without null bytes.", 4643 | "Stats", 4644 | "atim_msec", 4645 | "mtim_msec", 4646 | "ctim_msec", 4647 | "birthtim_msec", 4648 | "FSInitialize", 4649 | "property", 4650 | "S_IFMT", 4651 | "S_IFDIR", 4652 | "isFile", 4653 | "S_IFREG", 4654 | "S_IFBLK", 4655 | "S_IFCHR", 4656 | "S_IFLNK", 4657 | "isFIFO", 4658 | "S_IFIFO", 4659 | "isSocket", 4660 | "S_IFSOCK", 4661 | "readFile", 4662 | "flag", 4663 | "Bad arguments", 4664 | "buffers", 4665 | "bytesRead", 4666 | "openSync", 4667 | "fstatSync", 4668 | "closeSync", 4669 | "readSync", 4670 | "rs", 4671 | "sr", 4672 | "r+", 4673 | "rs+", 4674 | "sr+", 4675 | "wx", 4676 | "xw", 4677 | "w+", 4678 | "wx+", 4679 | "xw+", 4680 | "ax", 4681 | "xa", 4682 | "a+", 4683 | "ax+", 4684 | "xa+", 4685 | "Unknown file open flag: ", 4686 | "_stringToFlags", 4687 | "def", 4688 | "legacy", 4689 | "writeSync", 4690 | "renameSync", 4691 | "rmdirSync", 4692 | "fsyncSync", 4693 | "mkdirSync", 4694 | "readdirSync", 4695 | "lstatSync", 4696 | "symlinkSync", 4697 | "linkSync", 4698 | "unlinkSync", 4699 | "fchmodSync", 4700 | "O_SYMLINK", 4701 | "lchmod", 4702 | "lchmodSync", 4703 | "chmodSync", 4704 | "lchown", 4705 | "lchownSync", 4706 | "fchownSync", 4707 | "chownSync", 4708 | "_toUnixTimestamp", 4709 | "utimesSync", 4710 | "futimesSync", 4711 | "writeFile", 4712 | "appendFile", 4713 | "current", 4714 | "previous", 4715 | "statWatchers", 4716 | "watchFile", 4717 | "unwatchFile", 4718 | "nextPartRe", 4719 | "(.*?)(?:[\\/\\\\]+|$)", 4720 | "splitRootRe", 4721 | "^(?:[a-zA-Z]:|[\\\\\\/]{2}[^\\\\\\/]+[\\\\\\/][^\\\\\\/]+)?[\\\\\\/]*", 4722 | "seenLinks", 4723 | "knownHard", 4724 | "resolvedLink", 4725 | "linkTarget", 4726 | "pool", 4727 | "FileReadStream", 4728 | "_read", 4729 | "bytesWritten", 4730 | "FileWriteStream", 4731 | "_write", 4732 | "E2BIG", 4733 | "EACCES", 4734 | "EADDRINUSE", 4735 | "EADDRNOTAVAIL", 4736 | "EAFNOSUPPORT", 4737 | "EAGAIN", 4738 | "EALREADY", 4739 | "EBADF", 4740 | "EBADMSG", 4741 | "EBUSY", 4742 | "ECANCELED", 4743 | "ECHILD", 4744 | "ECONNABORTED", 4745 | "ECONNREFUSED", 4746 | "ECONNRESET", 4747 | "EDEADLK", 4748 | "EDESTADDRREQ", 4749 | "EDOM", 4750 | "EDQUOT", 4751 | "EEXIST", 4752 | "EFAULT", 4753 | "EFBIG", 4754 | "EHOSTUNREACH", 4755 | "EIDRM", 4756 | "EILSEQ", 4757 | "EINPROGRESS", 4758 | "EINTR", 4759 | "EINVAL", 4760 | "EIO", 4761 | "EISCONN", 4762 | "EISDIR", 4763 | "ELOOP", 4764 | "EMFILE", 4765 | "EMLINK", 4766 | "EMSGSIZE", 4767 | "EMULTIHOP", 4768 | "ENAMETOOLONG", 4769 | "ENETDOWN", 4770 | "ENETRESET", 4771 | "ENETUNREACH", 4772 | "ENFILE", 4773 | "ENOBUFS", 4774 | "ENODATA", 4775 | "ENODEV", 4776 | "ENOENT", 4777 | "ENOEXEC", 4778 | "ENOLCK", 4779 | "ENOLINK", 4780 | "ENOMEM", 4781 | "ENOMSG", 4782 | "ENOPROTOOPT", 4783 | "ENOSPC", 4784 | "ENOSR", 4785 | "ENOSTR", 4786 | "ENOSYS", 4787 | "ENOTCONN", 4788 | "ENOTDIR", 4789 | "ENOTEMPTY", 4790 | "ENOTSOCK", 4791 | "ENOTSUP", 4792 | "ENOTTY", 4793 | "ENXIO", 4794 | "EOPNOTSUPP", 4795 | "EOVERFLOW", 4796 | "EPERM", 4797 | "EPIPE", 4798 | "EPROTO", 4799 | "EPROTONOSUPPORT", 4800 | "EPROTOTYPE", 4801 | "ERANGE", 4802 | "EROFS", 4803 | "ESPIPE", 4804 | "ESRCH", 4805 | "ESTALE", 4806 | "ETIME", 4807 | "ETIMEDOUT", 4808 | "ETXTBSY", 4809 | "EWOULDBLOCK", 4810 | "EXDEV", 4811 | "SIGHUP", 4812 | "SIGINT", 4813 | "SIGQUIT", 4814 | "SIGILL", 4815 | "SIGTRAP", 4816 | "SIGABRT", 4817 | "SIGIOT", 4818 | "SIGBUS", 4819 | "SIGFPE", 4820 | "SIGKILL", 4821 | "SIGUSR1", 4822 | "SIGSEGV", 4823 | "SIGUSR2", 4824 | "SIGPIPE", 4825 | "SIGALRM", 4826 | "SIGCHLD", 4827 | "SIGCONT", 4828 | "SIGSTOP", 4829 | "SIGTSTP", 4830 | "SIGTTIN", 4831 | "SIGTTOU", 4832 | "SIGURG", 4833 | "SIGXCPU", 4834 | "SIGXFSZ", 4835 | "SIGVTALRM", 4836 | "SIGPROF", 4837 | "SIGIO", 4838 | "SIGSYS", 4839 | "SSL_OP_ALL", 4840 | "SSL_OP_ALLOW_UNSAFE_LEGACY_RENEGOTIATION", 4841 | "SSL_OP_CIPHER_SERVER_PREFERENCE", 4842 | "SSL_OP_CISCO_ANYCONNECT", 4843 | "SSL_OP_COOKIE_EXCHANGE", 4844 | "SSL_OP_CRYPTOPRO_TLSEXT_BUG", 4845 | "SSL_OP_DONT_INSERT_EMPTY_FRAGMENTS", 4846 | "SSL_OP_EPHEMERAL_RSA", 4847 | "SSL_OP_LEGACY_SERVER_CONNECT", 4848 | "SSL_OP_MICROSOFT_BIG_SSLV3_BUFFER", 4849 | "SSL_OP_MICROSOFT_SESS_ID_BUG", 4850 | "SSL_OP_MSIE_SSLV2_RSA_PADDING", 4851 | "SSL_OP_NETSCAPE_CA_DN_BUG", 4852 | "SSL_OP_NETSCAPE_CHALLENGE_BUG", 4853 | "SSL_OP_NETSCAPE_DEMO_CIPHER_CHANGE_BUG", 4854 | "SSL_OP_NETSCAPE_REUSE_CIPHER_CHANGE_BUG", 4855 | "SSL_OP_NO_COMPRESSION", 4856 | "SSL_OP_NO_QUERY_MTU", 4857 | "SSL_OP_NO_SESSION_RESUMPTION_ON_RENEGOTIATION", 4858 | "SSL_OP_NO_SSLv2", 4859 | "SSL_OP_NO_SSLv3", 4860 | "SSL_OP_NO_TICKET", 4861 | "SSL_OP_NO_TLSv1", 4862 | "SSL_OP_NO_TLSv1_1", 4863 | "SSL_OP_NO_TLSv1_2", 4864 | "SSL_OP_PKCS1_CHECK_1", 4865 | "SSL_OP_PKCS1_CHECK_2", 4866 | "SSL_OP_SINGLE_DH_USE", 4867 | "SSL_OP_SINGLE_ECDH_USE", 4868 | "SSL_OP_SSLEAY_080_CLIENT_DH_BUG", 4869 | "SSL_OP_SSLREF2_REUSE_CERT_TYPE_BUG", 4870 | "SSL_OP_TLS_BLOCK_PADDING_BUG", 4871 | "SSL_OP_TLS_D5_BUG", 4872 | "SSL_OP_TLS_ROLLBACK_BUG", 4873 | "ENGINE_METHOD_DSA", 4874 | "ENGINE_METHOD_DH", 4875 | "ENGINE_METHOD_RAND", 4876 | "ENGINE_METHOD_ECDH", 4877 | "ENGINE_METHOD_ECDSA", 4878 | "ENGINE_METHOD_CIPHERS", 4879 | "ENGINE_METHOD_DIGESTS", 4880 | "ENGINE_METHOD_STORE", 4881 | "ENGINE_METHOD_PKEY_METHS", 4882 | "ENGINE_METHOD_PKEY_ASN1_METHS", 4883 | "ENGINE_METHOD_ALL", 4884 | "ENGINE_METHOD_NONE", 4885 | "DH_CHECK_P_NOT_SAFE_PRIME", 4886 | "DH_CHECK_P_NOT_PRIME", 4887 | "DH_UNABLE_TO_CHECK_GENERATOR", 4888 | "DH_NOT_SUITABLE_GENERATOR", 4889 | "NPN_ENABLED", 4890 | "RSA_PKCS1_PADDING", 4891 | "RSA_SSLV23_PADDING", 4892 | "RSA_NO_PADDING", 4893 | "RSA_PKCS1_OAEP_PADDING", 4894 | "RSA_X931_PADDING", 4895 | "RSA_PKCS1_PSS_PADDING", 4896 | "POINT_CONVERSION_COMPRESSED", 4897 | "POINT_CONVERSION_UNCOMPRESSED", 4898 | "POINT_CONVERSION_HYBRID", 4899 | "O_NOCTTY", 4900 | "O_DIRECTORY", 4901 | "O_NOFOLLOW", 4902 | "O_NONBLOCK", 4903 | "S_IRWXU", 4904 | "S_IRUSR", 4905 | "S_IWUSR", 4906 | "S_IXUSR", 4907 | "S_IRWXG", 4908 | "S_IRGRP", 4909 | "S_IWGRP", 4910 | "S_IXGRP", 4911 | "S_IRWXO", 4912 | "S_IROTH", 4913 | "S_IWOTH", 4914 | "S_IXOTH", 4915 | "UV_UDP_REUSEADDR", 4916 | "EE", 4917 | "state", 4918 | "isPaused", 4919 | "MAX_HWM", 4920 | "unpipe", 4921 | "res", 4922 | "_fromList", 4923 | "STREAM", 4924 | "cork", 4925 | "uncork", 4926 | "_writev", 4927 | "_transform", 4928 | "Types", 4929 | "Int8", 4930 | "Uint8", 4931 | "Int16", 4932 | "Uint16", 4933 | "Int32", 4934 | "Uint32", 4935 | "Float", 4936 | "Double", 4937 | "Uint8Clamped", 4938 | "MODULE", 4939 | "[\\/\\\\]", 4940 | "../lib", 4941 | "/coffee-script/command", 4942 | "run", 4943 | "BANNER", 4944 | "CoffeeScript", 4945 | "SWITCHES", 4946 | "helpers", 4947 | "joinTimeout", 4948 | "mkdirp", 4949 | "notSources", 4950 | "optionParser", 4951 | "optparse", 4952 | "sourceCode", 4953 | "sources", 4954 | "useWinPathSep", 4955 | "watchedDirs", 4956 | "_ref", 4957 | "item", 4958 | "./helpers", 4959 | "./optparse", 4960 | "./coffee-script", 4961 | "extend", 4962 | "replCliOpts", 4963 | "_len", 4964 | "_ref1", 4965 | "_results", 4966 | "./repl", 4967 | "topLevel", 4968 | "files", 4969 | "_error", 4970 | "File not found: ", 4971 | "isCoffee", 4972 | "FILE_EXTENSIONS", 4973 | "compiled", 4974 | "task", 4975 | "register", 4976 | "isLiterate", 4977 | "js", 4978 | "sourceMap", 4979 | "v3SourceMap", 4980 | "success", 4981 | "jsPath", 4982 | "failure", 4983 | "\u0007", 4984 | "srcDir", 4985 | "jsDir", 4986 | "func", 4987 | "tag", 4988 | "token", 4989 | "answer", 4990 | "header", 4991 | "merge", 4992 | "sourceRoot", 4993 | "sourceFiles", 4994 | "generatedFile", 4995 | "VERSION", 4996 | "flatten", 4997 | "repeat", 4998 | "starts", 4999 | "ends", 5000 | "back", 5001 | "compact", 5002 | "count", 5003 | "num", 5004 | "overrides", 5005 | "element", 5006 | "flattened", 5007 | "del", 5008 | "lines", 5009 | "first_line", 5010 | "first_column", 5011 | "last_line", 5012 | "last_column", 5013 | "locationData", 5014 | "stripExt", 5015 | "pathSep", 5016 | "_ref2", 5017 | "tab", 5018 | "LONG_FLAG", 5019 | "MULTI_FLAG", 5020 | "OPTIONAL", 5021 | "SHORT_FLAG", 5022 | "rules", 5023 | "banner", 5024 | "isOption", 5025 | "matchedRule", 5026 | "originalArgs", 5027 | "rule", 5028 | "seenNonOptionArg", 5029 | "skippingArgument", 5030 | "_len1", 5031 | "shortFlag", 5032 | "longFlag", 5033 | "hasArgument", 5034 | "isList", 5035 | "unrecognized option: ", 5036 | "description", 5037 | "tuple", 5038 | "lexer", 5039 | "parser", 5040 | "sourceMaps", 5041 | "./lexer", 5042 | "./parser", 5043 | "./sourcemap", 5044 | "currentColumn", 5045 | "currentLine", 5046 | "fragment", 5047 | "fragments", 5048 | "newLines", 5049 | "tokenize", 5050 | "shiftLine", 5051 | "noReplace", 5052 | "Generated by CoffeeScript ", 5053 | "// ", 5054 | "moduleCache", 5055 | "./register", 5056 | "yytext", 5057 | "yylloc", 5058 | "errorToken", 5059 | "yylineno", 5060 | "setInput", 5061 | "yy", 5062 | "./nodes", 5063 | "end of input", 5064 | "indentation", 5065 | "BOM", 5066 | "CALLABLE", 5067 | "CODE", 5068 | "COFFEE_ALIASES", 5069 | "COFFEE_ALIAS_MAP", 5070 | "COFFEE_KEYWORDS", 5071 | "COMMENT", 5072 | "HEREDOC", 5073 | "HEREDOC_ILLEGAL", 5074 | "HEREDOC_INDENT", 5075 | "HEREGEX", 5076 | "HEREGEX_OMIT", 5077 | "INDENTABLE_CLOSERS", 5078 | "INDEXABLE", 5079 | "INVERSES", 5080 | "JSTOKEN", 5081 | "JS_FORBIDDEN", 5082 | "JS_KEYWORDS", 5083 | "LINE_BREAK", 5084 | "LINE_CONTINUER", 5085 | "MULTILINER", 5086 | "MULTI_DENT", 5087 | "NOT_REGEX", 5088 | "NOT_SPACED_REGEX", 5089 | "OPERATOR", 5090 | "RESERVED", 5091 | "SIMPLESTR", 5092 | "STRICT_PROSCRIBED", 5093 | "TRAILING_SPACES", 5094 | "WHITESPACE", 5095 | "./rewriter", 5096 | "consumed", 5097 | "indent", 5098 | "baseIndent", 5099 | "indebt", 5100 | "outdebt", 5101 | "indents", 5102 | "chunkLine", 5103 | "chunkColumn", 5104 | "clean", 5105 | "lineToken", 5106 | "stringToken", 5107 | "numberToken", 5108 | "regexToken", 5109 | "jsToken", 5110 | "missing ", 5111 | "rewrite", 5112 | "colon", 5113 | "colonOffset", 5114 | "forcedIdentifier", 5115 | "idLength", 5116 | "poppedToken", 5117 | "tagToken", 5118 | "_ref3", 5119 | "_ref4", 5120 | "own", 5121 | "spaced", 5122 | "seenFor", 5123 | "UNLESS", 5124 | "reserved", 5125 | "reserved word \"", 5126 | "binaryLiteral", 5127 | "lexedLength", 5128 | "octalLiteral", 5129 | "radix prefix '", 5130 | "' must be lowercase", 5131 | "exponential notation '", 5132 | "' must be indicated with a lowercase 'e'", 5133 | "decimal literal '", 5134 | "' must not be prefixed with '0'", 5135 | "octal literal '", 5136 | "' must be prefixed with '0o'", 5137 | "0x", 5138 | "inner", 5139 | "innerLen", 5140 | "numBreak", 5141 | "octalEsc", 5142 | "quote", 5143 | "trimmed", 5144 | '#{', 5145 | "strOffset", 5146 | "escapeLines", 5147 | "octal escape sequences ", 5148 | " are not allowed", 5149 | "doc", 5150 | "heredoc", 5151 | "makeString", 5152 | "comment", 5153 | "here", 5154 | "herecomment", 5155 | "`", 5156 | "regex", 5157 | "/*", 5158 | "regular expressions cannot begin with `*`", 5159 | "diff", 5160 | "noNewlines", 5161 | "unfinished", 5162 | "missing indentation", 5163 | "moveOut", 5164 | "outdentLength", 5165 | "decreasedIndent", 5166 | "dent", 5167 | "lastIndent", 5168 | "pair", 5169 | "nline", 5170 | "newLine", 5171 | "_ref5", 5172 | "\" can't be assigned", 5173 | "tok", 5174 | "continueCount", 5175 | "letter", 5176 | "#", 5177 | ", starting", 5178 | "expr", 5179 | "offsetInChunk", 5180 | "makeToken", 5181 | "stringEnd", 5182 | "wanted", 5183 | "unmatched ", 5184 | "lastCharacter", 5185 | "BALANCED_PAIRS", 5186 | "CALL_CLOSERS", 5187 | "EXPRESSION_CLOSE", 5188 | "EXPRESSION_END", 5189 | "EXPRESSION_START", 5190 | "IMPLICIT_CALL", 5191 | "IMPLICIT_END", 5192 | "IMPLICIT_FUNC", 5193 | "IMPLICIT_UNSPACED_CALL", 5194 | "LINEBREAKS", 5195 | "SINGLE_CLOSERS", 5196 | "SINGLE_LINERS", 5197 | "left", 5198 | "rite", 5199 | "generated", 5200 | "scanTokens", 5201 | "detectEnd", 5202 | "levels", 5203 | "matchTags", 5204 | "fuzz", 5205 | "pattern", 5206 | "nextTag", 5207 | "prevTag", 5208 | "prevToken", 5209 | "sameLine", 5210 | "stackIdx", 5211 | "stackTag", 5212 | "startIdx", 5213 | "startsLine", 5214 | "ours", 5215 | "CONTROL", 5216 | "insideForDeclaration", 5217 | "nextLocation", 5218 | "prevLocation", 5219 | "explicit", 5220 | "outdent", 5221 | "starter", 5222 | "fromThen", 5223 | "symbols_", 5224 | "Root", 5225 | "Body", 5226 | "Line", 5227 | "Expression", 5228 | "Statement", 5229 | "Invocation", 5230 | "Operation", 5231 | "Identifier", 5232 | "AlphaNumeric", 5233 | "Assignable", 5234 | "AssignObj", 5235 | "ObjAssignable", 5236 | "ThisProperty", 5237 | "ParamList", 5238 | "FuncGlyph", 5239 | "OptComma", 5240 | "ParamVar", 5241 | "SimpleAssignable", 5242 | "Accessor", 5243 | "Parenthetical", 5244 | "This", 5245 | "IndexValue", 5246 | "AssignList", 5247 | "OptFuncExist", 5248 | "ArgList", 5249 | "RangeDots", 5250 | "Arg", 5251 | "SimpleArgs", 5252 | "Catch", 5253 | "WhileSource", 5254 | "Loop", 5255 | "ForBody", 5256 | "ForStart", 5257 | "ForSource", 5258 | "ForVariables", 5259 | "ForValue", 5260 | "Whens", 5261 | "When", 5262 | "IfBlock", 5263 | "$accept", 5264 | "$end", 5265 | "terminals_", 5266 | "productions_", 5267 | "performAction", 5268 | "yyleng", 5269 | "yystate", 5270 | "$$", 5271 | "_$", 5272 | "$0", 5273 | "boundfunc", 5274 | "soak", 5275 | "inclusive", 5276 | "exclusive", 5277 | "invert", 5278 | "addBody", 5279 | "addElse", 5280 | "statement", 5281 | "defaultActions", 5282 | "vstack", 5283 | "lstack", 5284 | "recovering", 5285 | "TERROR", 5286 | "EOF", 5287 | "yyloc", 5288 | "ranges", 5289 | "preErrorSymbol", 5290 | "yyval", 5291 | "newState", 5292 | "errStr", 5293 | "showPosition", 5294 | "Parse error on line ", 5295 | ":\n", 5296 | "\nExpecting ", 5297 | ", got '", 5298 | ": Unexpected ", 5299 | "text", 5300 | "loc", 5301 | "Parse Error: multiple actions possible at state: ", 5302 | ", token: ", 5303 | "*/", 5304 | "BASE64_CHARS", 5305 | "VLQ_CONTINUATION_BIT", 5306 | "VLQ_SHIFT", 5307 | "VLQ_VALUE_MASK", 5308 | "encodeVlq", 5309 | "ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+/", 5310 | "HEXNUM", 5311 | "IDENTIFIER_STR", 5312 | "IS_REGEX", 5313 | "IS_STRING", 5314 | "LEVEL_ACCESS", 5315 | "LEVEL_COND", 5316 | "LEVEL_LIST", 5317 | "LEVEL_OP", 5318 | "LEVEL_PAREN", 5319 | "LEVEL_TOP", 5320 | "METHOD_DEF", 5321 | "SIMPLENUM", 5322 | "TAB", 5323 | "__super__", 5324 | "./scope", 5325 | "unknown", 5326 | "lvl", 5327 | "level", 5328 | "isStatement", 5329 | "compileNode", 5330 | "jumps", 5331 | "sharedScope", 5332 | "contains", 5333 | "reused", 5334 | "isComplex", 5335 | "scope", 5336 | "makeCode", 5337 | "cacheValues", 5338 | "makeReturn", 5339 | "me", 5340 | "unwrapAll", 5341 | "idt", 5342 | "tree", 5343 | "eachChild", 5344 | "attr", 5345 | "unwrap", 5346 | "isChainable", 5347 | "assigns", 5348 | "fragmentsList", 5349 | "joinStr", 5350 | "_super", 5351 | "compileRoot", 5352 | "compiledNodes", 5353 | "top", 5354 | "front", 5355 | "\n\n", 5356 | "void 0", 5357 | "prelude", 5358 | "preludeExps", 5359 | "rest", 5360 | "locals", 5361 | "parameter", 5362 | "(function() {\n", 5363 | "\n}).call(this);\n", 5364 | "declars", 5365 | "post", 5366 | "hasAssignments", 5367 | "var ", 5368 | "bound", 5369 | " \"", 5370 | "props", 5371 | "bareLiteral", 5372 | "isRange", 5373 | "isRegex", 5374 | "isAtomic", 5375 | "isSplice", 5376 | "onlyGenerated", 5377 | "looksStatic", 5378 | "unfoldedSoak", 5379 | "_this", 5380 | "fst", 5381 | "ifn", 5382 | "snd", 5383 | "isNew", 5384 | "isSuper", 5385 | "literal is not a function", 5386 | "newInstance", 5387 | "namedMethod", 5388 | "klass", 5389 | "superThis", 5390 | "typeof ", 5391 | " === \"function\"", 5392 | "argIndex", 5393 | "compiledArgs", 5394 | "compiledArray", 5395 | "preface", 5396 | ".call(", 5397 | " = ", 5398 | "asKey", 5399 | "fromC", 5400 | "fromVar", 5401 | "toC", 5402 | "toVar", 5403 | "stepVar", 5404 | "fromNum", 5405 | "toNum", 5406 | "stepNum", 5407 | "cond", 5408 | "condPart", 5409 | "gt", 5410 | "idxName", 5411 | "known", 5412 | "lt", 5413 | "namedIndex", 5414 | "stepPart", 5415 | "varPart", 5416 | " <", 5417 | " >", 5418 | " > 0", 5419 | " <= ", 5420 | " ? ", 5421 | " : ", 5422 | " += ", 5423 | " ? ++", 5424 | " : --", 5425 | "++ : ", 5426 | "; ", 5427 | "results", 5428 | "return ", 5429 | "for (", 5430 | "lastNoncom", 5431 | "({})", 5432 | "cannot have an implicit value in an implicit object", 5433 | "Invalid object key", 5434 | "objs", 5435 | "compiledObjs", 5436 | "setContext", 5437 | "lhs", 5438 | "assign", 5439 | "exprs", 5440 | "classScope", 5441 | "walkBody", 5442 | "noReturn", 5443 | "makeScope", 5444 | "forbidden", 5445 | "param", 5446 | "subpattern", 5447 | "variable name may not be \"", 5448 | "compiledName", 5449 | "isValue", 5450 | "varBase", 5451 | "\" cannot be assigned", 5452 | "find", 5453 | "ivar", 5454 | "_ref6", 5455 | "_ref7", 5456 | ".length - 1", 5457 | "check", 5458 | "isExistentialEquals", 5459 | "].concat(", 5460 | "parentScope", 5461 | "lit", 5462 | "splats", 5463 | "uniqs", 5464 | "wasEmpty", 5465 | "_k", 5466 | "_l", 5467 | "_len2", 5468 | "_len3", 5469 | "_len4", 5470 | "_len5", 5471 | "_m", 5472 | "_n", 5473 | "shared", 5474 | "asReference", 5475 | "splat", 5476 | " == null", 5477 | "multiple parameters named '", 5478 | ") {", 5479 | "iterator", 5480 | "eachName", 5481 | "parameter name \"", 5482 | "\" is not allowed", 5483 | "reference", 5484 | "illegal parameter ", 5485 | "compiledNode", 5486 | "concatPart", 5487 | ".concat(", 5488 | "returns", 5489 | "rvar", 5490 | " = [];\n", 5491 | "CONVERSIONS", 5492 | "INVERSIONS", 5493 | "op", 5494 | "flip", 5495 | "generateDo", 5496 | "isUnary", 5497 | "isChain", 5498 | "rhs", 5499 | "delete operand may not be argument or var", 5500 | "cannot increment/decrement \"", 5501 | "modulo", 5502 | "index cannot be a pattern matching expression", 5503 | "indexes do not apply to range loops", 5504 | "cannot pattern match over range loops", 5505 | "cannot use own with for-in", 5506 | "bodyFragments", 5507 | "compareDown", 5508 | "declare", 5509 | "declareDown", 5510 | "defPart", 5511 | "defPartFragments", 5512 | "down", 5513 | "forPartFragments", 5514 | "guardPart", 5515 | "idt1", 5516 | "increment", 5517 | "kvar", 5518 | "kvarAssign", 5519 | "lastJumps", 5520 | "lvar", 5521 | "namePart", 5522 | "resultPart", 5523 | "returnResult", 5524 | "svar", 5525 | " = 0, ", 5526 | ".length", 5527 | " < ", 5528 | " >= 0", 5529 | " > 0 ? ", 5530 | " > 0 ? (", 5531 | ") : ", 5532 | "if (!", 5533 | "hasProp", 5534 | ")) continue;", 5535 | "defs", 5536 | "_ref8", 5537 | "bodyNode", 5538 | "ensureBlock", 5539 | "[$A-Za-z_\\x7f-\\uffff][$\\w\\x7f-\\uffff]*", 5540 | "^(", 5541 | ")(\\.prototype)?(?:\\.(", 5542 | ")|\\[(\"(?:[^\\\\\"\\r\\n]|\\\\.)*\"|'(?:[^\\\\'\\r\\n]|\\\\.)*')\\]|\\[(0x[\\da-fA-F]+|\\d*\\.?\\d+(?:[eE][+-]?\\d+)?)\\])$", 5543 | "positions", 5544 | "immediate", 5545 | "temporary", 5546 | "reserve", 5547 | "temp", 5548 | "realVars", 5549 | "tempVars", 5550 | "process_wrap", 5551 | "spawn_sync", 5552 | "handleWraps", 5553 | "cons", 5554 | "pipe_wrap", 5555 | "udp_wrap", 5556 | "net.Native", 5557 | "simultaneousAccepts", 5558 | "got", 5559 | "net.Server", 5560 | "net.Socket", 5561 | "_setupSlave", 5562 | "postSend", 5563 | "_request", 5564 | "INTERNAL_PREFIX", 5565 | "NODE_", 5566 | "fork", 5567 | "execFile", 5568 | "_deprecatedCustomFds", 5569 | "child_process: customFds option is deprecated, use stdio instead.", 5570 | "UV_EAGAIN", 5571 | "UV_EMFILE", 5572 | "UV_ENFILE", 5573 | "UV_ENOENT", 5574 | "UV_ESRCH", 5575 | "UV_EINVAL", 5576 | "UV_ENOSYS", 5577 | "cares", 5578 | "cares_wrap", 5579 | "_normalizeConnectArgs", 5580 | "_destroy", 5581 | "enroll", 5582 | "unenroll", 5583 | "_onTimeout", 5584 | "setNoDelay", 5585 | "readyState", 5586 | "bufferSize", 5587 | "UV_EOF", 5588 | "remoteAddress", 5589 | "remoteFamily", 5590 | "remotePort", 5591 | "localAddress", 5592 | "localPort", 5593 | "createServerHandle", 5594 | "_listen2", 5595 | "UV_EADDRINUSE", 5596 | "listenFD", 5597 | "listenFD is deprecated. Use listen({fd: }).", 5598 | "isIPv4", 5599 | "isIPv6", 5600 | "timer_wrap", 5601 | "TIMEOUT_MAX", 5602 | "timer", 5603 | "lists", 5604 | "_idleNext", 5605 | "_idlePrev", 5606 | "immediateQueue", 5607 | "_onImmediate", 5608 | "unrefList", 5609 | "unrefTimer", 5610 | "TIMER", 5611 | "AF_INET", 5612 | "AF_INET6", 5613 | "AF_UNSPEC", 5614 | "AI_ADDRCONFIG", 5615 | "AI_V4MAPPED", 5616 | "UV_E2BIG", 5617 | "UV_EACCES", 5618 | "UV_EADDRNOTAVAIL", 5619 | "UV_EAFNOSUPPORT", 5620 | "UV_EAI_ADDRFAMILY", 5621 | "UV_EAI_AGAIN", 5622 | "UV_EAI_BADFLAGS", 5623 | "UV_EAI_BADHINTS", 5624 | "UV_EAI_CANCELED", 5625 | "UV_EAI_FAIL", 5626 | "UV_EAI_FAMILY", 5627 | "UV_EAI_MEMORY", 5628 | "UV_EAI_NODATA", 5629 | "UV_EAI_NONAME", 5630 | "UV_EAI_OVERFLOW", 5631 | "UV_EAI_PROTOCOL", 5632 | "UV_EAI_SERVICE", 5633 | "UV_EAI_SOCKTYPE", 5634 | "UV_EALREADY", 5635 | "UV_EBADF", 5636 | "UV_EBUSY", 5637 | "UV_ECANCELED", 5638 | "UV_ECHARSET", 5639 | "UV_ECONNABORTED", 5640 | "UV_ECONNREFUSED", 5641 | "UV_ECONNRESET", 5642 | "UV_EDESTADDRREQ", 5643 | "UV_EEXIST", 5644 | "UV_EFAULT", 5645 | "UV_EFBIG", 5646 | "UV_EHOSTUNREACH", 5647 | "UV_EINTR", 5648 | "UV_EIO", 5649 | "UV_EISCONN", 5650 | "UV_EISDIR", 5651 | "UV_ELOOP", 5652 | "UV_EMSGSIZE", 5653 | "UV_ENAMETOOLONG", 5654 | "UV_ENETDOWN", 5655 | "UV_ENETUNREACH", 5656 | "UV_ENOBUFS", 5657 | "UV_ENODEV", 5658 | "UV_ENOMEM", 5659 | "UV_ENONET", 5660 | "UV_ENOPROTOOPT", 5661 | "UV_ENOSPC", 5662 | "UV_ENOTCONN", 5663 | "UV_ENOTDIR", 5664 | "UV_ENOTEMPTY", 5665 | "UV_ENOTSOCK", 5666 | "UV_ENOTSUP", 5667 | "UV_EPERM", 5668 | "UV_EPIPE", 5669 | "UV_EPROTO", 5670 | "UV_EPROTONOSUPPORT", 5671 | "UV_EPROTOTYPE", 5672 | "UV_ERANGE", 5673 | "UV_EROFS", 5674 | "UV_ESHUTDOWN", 5675 | "UV_ESPIPE", 5676 | "UV_ETIMEDOUT", 5677 | "UV_ETXTBSY", 5678 | "UV_EXDEV", 5679 | "UV_UNKNOWN", 5680 | "UV_ENXIO", 5681 | "UV_EMLINK", 5682 | "NET", 5683 | "BIND_STATE_UNBOUND", 5684 | "BIND_STATE_BINDING", 5685 | "BIND_STATE_BOUND", 5686 | "sendto", 5687 | "\\\\|\\/", 5688 | "curExtension", 5689 | "../../bin/coffee", 5690 | "^0x", 5691 | "addon", 5692 | "../build/Release/addon", 5693 | "../build/Debug/addon", 5694 | "kForkFlag", 5695 | "kSignalFlag", 5696 | "NODE_HEAPDUMP_OPTIONS", 5697 | "option", 5698 | "nofork", 5699 | "nosignal", 5700 | "node-heapdump: unrecognized option:", 5701 | "configure", 5702 | "\r", 5703 | "(StoreBufferOverflowStub code)", 5704 | "(StubFailureTrampolineStub code)", 5705 | "(ArrayNoArgumentConstructorStub code)", 5706 | "(ArraySingleArgumentConstructorStub code)", 5707 | "(ArrayNArgumentsConstructorStub code)", 5708 | "(RecordWriteStub code)", 5709 | "(CreateAllocationSiteStub code)", 5710 | "(DoubleToIStub code)", 5711 | "(CallConstructStub code)", 5712 | "(NameDictionaryLookupStub code)", 5713 | "(InternalArrayNoArgumentConstructorStub code)", 5714 | "(InternalArraySingleArgumentConstructorStub code)", 5715 | "(InternalArrayNArgumentsConstructorStub code)", 5716 | "(CallFunctionStub code)", 5717 | "(StringCompareStub code)", 5718 | "(StringAddStub code)", 5719 | "(FastCloneShallowArrayStub code)", 5720 | "(StoreArrayLiteralElementStub code)", 5721 | "(ArgumentsAccessStub code)", 5722 | "(NumberToStringStub code)", 5723 | "(KeyedLoadElementStub code)", 5724 | "(ToNumberStub code)", 5725 | "(FastCloneShallowObjectStub code)", 5726 | "(MathPowStub code)", 5727 | "(FastNewContextStub code)", 5728 | "(FastNewClosureStub code)", 5729 | "system / PropertyCell", 5730 | "(BinaryOpWithAllocationSiteStub code)", 5731 | "(CallApiGetterStub code)", 5732 | "(SubStringStub code)", 5733 | "(KeyedStoreElementStub code)", 5734 | "(InstanceofStub code)", 5735 | "(RegExpExecStub code)", 5736 | "(RegExpConstructResultStub code)", 5737 | "byte_array_map", 5738 | "free_space_map", 5739 | "one_pointer_filler_map", 5740 | "two_pointer_filler_map", 5741 | "undefined_value", 5742 | "instanceof_cache_map", 5743 | "null_value", 5744 | "true_value", 5745 | "false_value", 5746 | "uninitialized_value", 5747 | "cell_map", 5748 | "global_property_cell_map", 5749 | "shared_function_info_map", 5750 | "meta_map", 5751 | "heap_number_map", 5752 | "native_context_map", 5753 | "fixed_array_map", 5754 | "code_map", 5755 | "scope_info_map", 5756 | "fixed_cow_array_map", 5757 | "fixed_double_array_map", 5758 | "constant_pool_array_map", 5759 | "hash_table_map", 5760 | "ordered_hash_table_map", 5761 | "materialized_objects", 5762 | "empty_byte_array", 5763 | "empty_descriptor_array", 5764 | "empty_constant_pool_array", 5765 | "number_string_cache", 5766 | "single_character_string_cache", 5767 | "string_split_cache", 5768 | "regexp_multiple_cache", 5769 | "symbol_map", 5770 | "string_map", 5771 | "ascii_string_map", 5772 | "cons_string_map", 5773 | "cons_ascii_string_map", 5774 | "sliced_string_map", 5775 | "sliced_ascii_string_map", 5776 | "external_string_map", 5777 | "external_string_with_one_byte_data_map", 5778 | "external_ascii_string_map", 5779 | "short_external_string_map", 5780 | "short_external_string_with_one_byte_data_map", 5781 | "internalized_string_map", 5782 | "ascii_internalized_string_map", 5783 | "external_internalized_string_map", 5784 | "external_internalized_string_with_one_byte_data_map", 5785 | "external_ascii_internalized_string_map", 5786 | "short_external_internalized_string_map", 5787 | "short_external_internalized_string_with_one_byte_data_map", 5788 | "short_external_ascii_internalized_string_map", 5789 | "short_external_ascii_string_map", 5790 | "undetectable_string_map", 5791 | "undetectable_ascii_string_map", 5792 | "external_int8_array_map", 5793 | "external_uint8_array_map", 5794 | "external_int16_array_map", 5795 | "external_uint16_array_map", 5796 | "external_int32_array_map", 5797 | "external_uint32_array_map", 5798 | "external_float32_array_map", 5799 | "external_float64_array_map", 5800 | "external_uint8_clamped_array_map", 5801 | "empty_external_int8_array", 5802 | "empty_external_uint8_array", 5803 | "empty_external_int16_array", 5804 | "empty_external_uint16_array", 5805 | "empty_external_int32_array", 5806 | "empty_external_uint32_array", 5807 | "empty_external_float32_array", 5808 | "empty_external_float64_array", 5809 | "empty_external_uint8_clamped_array", 5810 | "fixed_uint8_array_map", 5811 | "fixed_int8_array_map", 5812 | "fixed_uint16_array_map", 5813 | "fixed_int16_array_map", 5814 | "fixed_uint32_array_map", 5815 | "fixed_int32_array_map", 5816 | "fixed_float32_array_map", 5817 | "fixed_float64_array_map", 5818 | "fixed_uint8_clamped_array_map", 5819 | "empty_fixed_uint8_array", 5820 | "empty_fixed_int8_array", 5821 | "empty_fixed_uint16_array", 5822 | "empty_fixed_int16_array", 5823 | "empty_fixed_uint32_array", 5824 | "empty_fixed_int32_array", 5825 | "empty_fixed_float32_array", 5826 | "empty_fixed_float64_array", 5827 | "empty_fixed_uint8_clamped_array", 5828 | "sloppy_arguments_elements_map", 5829 | "function_context_map", 5830 | "catch_context_map", 5831 | "with_context_map", 5832 | "block_context_map", 5833 | "module_context_map", 5834 | "global_context_map", 5835 | "undefined_map", 5836 | "the_hole_map", 5837 | "null_map", 5838 | "boolean_map", 5839 | "uninitialized_map", 5840 | "arguments_marker_map", 5841 | "no_interceptor_result_sentinel_map", 5842 | "exception_map", 5843 | "termination_exception_map", 5844 | "message_object_map", 5845 | "foreign_map", 5846 | "nan_value", 5847 | "infinity_value", 5848 | "minus_zero_value", 5849 | "neander_map", 5850 | "message_listeners", 5851 | "code_stubs", 5852 | "non_monomorphic_cache", 5853 | "polymorphic_code_cache", 5854 | "js_entry_code", 5855 | "js_construct_entry_code", 5856 | "natives_source_cache", 5857 | "empty_script", 5858 | "intrinsic_function_names", 5859 | "undefined_cell", 5860 | "observation_state", 5861 | "external_map", 5862 | "symbol_registry", 5863 | "frozen_symbol", 5864 | "nonexistent_symbol", 5865 | "elements_transition_symbol", 5866 | "empty_slow_element_dictionary", 5867 | "observed_symbol", 5868 | "uninitialized_symbol", 5869 | "megamorphic_symbol", 5870 | "allocation_sites_scratchpad", 5871 | "microtask_state", 5872 | "Array_string", 5873 | "Object_string", 5874 | "proto_string", 5875 | "arguments_string", 5876 | "Arguments_string", 5877 | "call_string", 5878 | "apply_string", 5879 | "caller_string", 5880 | "boolean_string", 5881 | "Boolean_string", 5882 | "callee_string", 5883 | "constructor_string", 5884 | "dot_result_string", 5885 | "dot_for_string", 5886 | "dot_iterator_string", 5887 | "dot_generator_object_string", 5888 | "eval_string", 5889 | "empty_string", 5890 | "function_string", 5891 | "length_string", 5892 | "module_string", 5893 | "name_string", 5894 | "native_string", 5895 | "null_string", 5896 | "number_string", 5897 | "Number_string", 5898 | "nan_string", 5899 | "RegExp_string", 5900 | "source_string", 5901 | "global_string", 5902 | "ignore_case_string", 5903 | "multiline_string", 5904 | "input_string", 5905 | "index_string", 5906 | "last_index_string", 5907 | "object_string", 5908 | "literals_string", 5909 | "prototype_string", 5910 | "string_string", 5911 | "String_string", 5912 | "symbol_string", 5913 | "Symbol_string", 5914 | "for_string", 5915 | "for_api_string", 5916 | "for_intern_string", 5917 | "private_api_string", 5918 | "private_intern_string", 5919 | "Date_string", 5920 | "this_string", 5921 | "to_string_string", 5922 | "char_at_string", 5923 | "undefined_string", 5924 | "value_of_string", 5925 | "stack_string", 5926 | "toJSON_string", 5927 | "InitializeVarGlobal_string", 5928 | "InitializeConstGlobal_string", 5929 | "KeyedLoadElementMonomorphic_string", 5930 | "KeyedStoreElementMonomorphic_string", 5931 | "stack_overflow_string", 5932 | "illegal_access_string", 5933 | "get_string", 5934 | "set_string", 5935 | "map_field_string", 5936 | "elements_field_string", 5937 | "length_field_string", 5938 | "cell_value_string", 5939 | "function_class_string", 5940 | "illegal_argument_string", 5941 | "MakeReferenceError_string", 5942 | "MakeSyntaxError_string", 5943 | "MakeTypeError_string", 5944 | "unknown_label_string", 5945 | "space_string", 5946 | "exec_string", 5947 | "zero_string", 5948 | "global_eval_string", 5949 | "identity_hash_string", 5950 | "closure_string", 5951 | "use_strict_string", 5952 | "dot_string", 5953 | "anonymous_function_string", 5954 | "compare_ic_string", 5955 | "strict_compare_ic_string", 5956 | "infinity_string", 5957 | "minus_infinity_string", 5958 | "hidden_stack_trace_string", 5959 | "query_colon_string", 5960 | "Generator_string", 5961 | "throw_string", 5962 | "done_string", 5963 | "value_string", 5964 | "next_string", 5965 | "byte_length_string", 5966 | "byte_offset_string", 5967 | "buffer_string", 5968 | "intl_initialized_marker_string", 5969 | "intl_impl_object_string", 5970 | "box_map", 5971 | "declared_accessor_descriptor_map", 5972 | "declared_accessor_info_map", 5973 | "executable_accessor_info_map", 5974 | "accessor_pair_map", 5975 | "access_check_info_map", 5976 | "interceptor_info_map", 5977 | "call_handler_info_map", 5978 | "function_template_info_map", 5979 | "object_template_info_map", 5980 | "signature_info_map", 5981 | "type_switch_info_map", 5982 | "script_map", 5983 | "allocation_site_map", 5984 | "allocation_memento_map", 5985 | "code_cache_map", 5986 | "polymorphic_code_cache_map", 5987 | "type_feedback_info_map", 5988 | "aliased_arguments_entry_map", 5989 | "debug_info_map", 5990 | "break_point_info_map", 5991 | "relocation_info", 5992 | "handler_table", 5993 | "constant_pool", 5994 | "closure", 5995 | "global_proxy_object", 5996 | "security_token", 5997 | "boolean_function", 5998 | "number_function", 5999 | "string_function", 6000 | "string_function_prototype_map", 6001 | "object_function", 6002 | "internal_array_function", 6003 | "array_function", 6004 | "js_array_maps", 6005 | "date_function", 6006 | "json_object", 6007 | "regexp_function", 6008 | "initial_object_prototype", 6009 | "initial_array_prototype", 6010 | "create_date_fun", 6011 | "to_number_fun", 6012 | "to_string_fun", 6013 | "to_detail_string_fun", 6014 | "to_object_fun", 6015 | "to_integer_fun", 6016 | "to_uint32_fun", 6017 | "to_int32_fun", 6018 | "global_eval_fun", 6019 | "instantiate_fun", 6020 | "configure_instance_fun", 6021 | "array_buffer_fun", 6022 | "uint8_array_fun", 6023 | "int8_array_fun", 6024 | "uint16_array_fun", 6025 | "int16_array_fun", 6026 | "uint32_array_fun", 6027 | "int32_array_fun", 6028 | "float32_array_fun", 6029 | "float64_array_fun", 6030 | "uint8_clamped_array_fun", 6031 | "int8_array_external_map", 6032 | "uint8_array_external_map", 6033 | "int16_array_external_map", 6034 | "uint16_array_external_map", 6035 | "int32_array_external_map", 6036 | "uint32_array_external_map", 6037 | "float32_array_external_map", 6038 | "float64_array_external_map", 6039 | "uint8_clamped_array_external_map", 6040 | "data_view_fun", 6041 | "sloppy_function_map", 6042 | "strict_function_map", 6043 | "sloppy_function_without_prototype_map", 6044 | "strict_function_without_prototype_map", 6045 | "regexp_result_map", 6046 | "sloppy_arguments_boilerplate", 6047 | "aliased_arguments_boilerplate", 6048 | "strict_arguments_boilerplate", 6049 | "get_stack_trace_line_fun", 6050 | "function_cache", 6051 | "jsfunction_result_caches", 6052 | "normalized_map_cache", 6053 | "runtime_context", 6054 | "call_as_function_delegate", 6055 | "call_as_constructor_delegate", 6056 | "script_function", 6057 | "opaque_reference_function", 6058 | "context_extension_function", 6059 | "map_cache", 6060 | "embedder_data", 6061 | "run_microtasks", 6062 | "enqueue_microtask", 6063 | "is_promise", 6064 | "promise_create", 6065 | "promise_resolve", 6066 | "promise_reject", 6067 | "promise_chain", 6068 | "promise_catch", 6069 | "to_complete_property_descriptor", 6070 | "observers_notify_change", 6071 | "observers_enqueue_splice", 6072 | "observers_begin_perform_splice", 6073 | "observers_end_perform_splice", 6074 | "native_object_observe", 6075 | "native_object_get_notifier", 6076 | "native_object_notifier_perform_change", 6077 | "optimized_functions_list", 6078 | "optimized_code_list", 6079 | "get console", 6080 | "native_context", 6081 | "global_context", 6082 | "global_receiver", 6083 | "initial_map", 6084 | "type_feedback_info", 6085 | "get paths", 6086 | "get stdin", 6087 | "get stderr", 6088 | "get stdout" 6089 | ]; --------------------------------------------------------------------------------