diff --git a/.travis.yml b/.travis.yml index 7277f2f7..943c1b12 100644 --- a/.travis.yml +++ b/.travis.yml @@ -1,4 +1,6 @@ -before_install: sudo apt-get install libicu-dev -y +before_install: + - sudo apt-get install libicu-dev -y + - gem update --system 2.1.11 rvm: - 1.8.7 - 1.9.2 diff --git a/LICENSE b/LICENSE index d1d7570c..f09a7d0a 100644 --- a/LICENSE +++ b/LICENSE @@ -1,4 +1,4 @@ -Copyright (c) 2011-2013 GitHub, Inc. +Copyright (c) 2011-2014 GitHub, Inc. Permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation diff --git a/README.md b/README.md index 80ab56c0..1ff2ed8f 100644 --- a/README.md +++ b/README.md @@ -1,18 +1,17 @@ # Linguist -We use this library at GitHub to detect blob languages, highlight code, ignore binary files, suppress generated files in diffs and generate language breakdown graphs. +We use this library at GitHub to detect blob languages, highlight code, ignore binary files, suppress generated files in diffs, and generate language breakdown graphs. ## Features ### Language detection -Linguist defines the list of all languages known to GitHub in a [yaml file](https://github.com/github/linguist/blob/master/lib/linguist/languages.yml). In order for a file to be highlighted, a language and lexer must be defined there. +Linguist defines a list of all languages known to GitHub in a [yaml file](https://github.com/github/linguist/blob/master/lib/linguist/languages.yml). In order for a file to be highlighted, a language and a lexer must be defined there. -Most languages are detected by their file extension. This is the fastest and most common situation. - -For disambiguating between files with common extensions, we use a [Bayesian classifier](https://github.com/github/linguist/blob/master/lib/linguist/classifier.rb). For an example, this helps us tell the difference between `.h` files which could be either C, C++, or Obj-C. - -In the actual GitHub app we deal with `Grit::Blob` objects. For testing, there is a simple `FileBlob` API. +Most languages are detected by their file extension. For disambiguating between files with common extensions, we first apply some common-sense heuristics to pick out obvious languages. After that, we use a +[statistical +classifier](https://github.com/github/linguist/blob/master/lib/linguist/classifier.rb). +This process can help us tell the difference between, for example, `.h` files which could be either C, C++, or Obj-C. ```ruby @@ -27,12 +26,9 @@ See [lib/linguist/language.rb](https://github.com/github/linguist/blob/master/li The actual syntax highlighting is handled by our Pygments wrapper, [pygments.rb](https://github.com/tmm1/pygments.rb). It also provides a [Lexer abstraction](https://github.com/tmm1/pygments.rb/blob/master/lib/pygments/lexer.rb) that determines which highlighter should be used on a file. -We typically run on a pre-release version of Pygments, [pygments.rb](https://github.com/tmm1/pygments.rb), to get early access to new lexers. The [languages.yml](https://github.com/github/linguist/blob/master/lib/linguist/languages.yml) file is a dump of the lexers we have available on our server. - ### Stats -The Language Graph you see on every repository is built by aggregating the languages of each file in that repository. -The top language in the graph determines the project's primary language. Collectively, these stats make up the [Top Languages](https://github.com/languages) page. +The Language stats bar that you see on every repository is built by aggregating the languages of each file in that repository. The top language in the graph determines the project's primary language. The repository stats API, accessed through `#languages`, can be used on a directory: @@ -42,10 +38,27 @@ project.language.name #=> "Ruby" project.languages #=> { "Ruby" => 0.98, "Shell" => 0.02 } ``` -These stats are also printed out by the `linguist` binary. Try running `linguist` on itself: +These stats are also printed out by the `linguist` binary. You can use the +`--breakdown` flag, and the binary will also output the breakdown of files by language. - $ bundle exec linguist lib/ - 100% Ruby +You can try running `linguist` on the `lib/` directory in this repository itself: + + $ bundle exec linguist lib/ --breakdown + + 100.00% Ruby + + Ruby: + linguist/blob_helper.rb + linguist/classifier.rb + linguist/file_blob.rb + linguist/generated.rb + linguist/heuristics.rb + linguist/language.rb + linguist/md5.rb + linguist/repository.rb + linguist/samples.rb + linguist/tokenizer.rb + linguist.rb #### Ignore vendored files diff --git a/Rakefile b/Rakefile index 0b3d16a4..e89e75a9 100644 --- a/Rakefile +++ b/Rakefile @@ -1,7 +1,7 @@ +require 'json' require 'rake/clean' require 'rake/testtask' require 'yaml' -require 'json' task :default => :test diff --git a/bin/linguist b/bin/linguist index c428fa67..2cfa8064 100755 --- a/bin/linguist +++ b/bin/linguist @@ -1,14 +1,22 @@ #!/usr/bin/env ruby # linguist — detect language type for a file, or, given a directory, determine language breakdown -# -# usage: linguist +# usage: linguist [<--breakdown>] require 'linguist/file_blob' require 'linguist/repository' path = ARGV[0] || Dir.pwd +# special case if not given a directory but still given the --breakdown option +if path == "--breakdown" + path = Dir.pwd + breakdown = true +end + +ARGV.shift +breakdown = true if ARGV[0] == "--breakdown" + if File.directory?(path) repo = Linguist::Repository.from_directory(path) repo.languages.sort_by { |_, size| size }.reverse.each do |language, size| @@ -16,6 +24,17 @@ if File.directory?(path) percentage = sprintf '%.2f' % percentage puts "%-7s %s" % ["#{percentage}%", language] end + if breakdown + puts + file_breakdown = repo.breakdown_by_file + file_breakdown.each do |lang, files| + puts "#{lang}:" + files.each do |file| + puts file + end + puts + end + end elsif File.file?(path) blob = Linguist::FileBlob.new(path, Dir.pwd) type = if blob.text? diff --git a/github-linguist.gemspec b/github-linguist.gemspec index f5f31064..ca7647b8 100644 --- a/github-linguist.gemspec +++ b/github-linguist.gemspec @@ -1,10 +1,12 @@ Gem::Specification.new do |s| s.name = 'github-linguist' - s.version = '2.10.2' + s.version = '2.10.12' s.summary = "GitHub Language detection" + s.description = 'We use this library at GitHub to detect blob languages, highlight code, ignore binary files, suppress generated files in diffs, and generate language breakdown graphs.' s.authors = "GitHub" s.homepage = "https://github.com/github/linguist" + s.license = "MIT" s.files = Dir['lib/**/*'] s.executables << 'linguist' diff --git a/lib/linguist.rb b/lib/linguist.rb index e717fb67..ad8337c8 100644 --- a/lib/linguist.rb +++ b/lib/linguist.rb @@ -1,5 +1,6 @@ require 'linguist/blob_helper' require 'linguist/generated' +require 'linguist/heuristics' require 'linguist/language' require 'linguist/repository' require 'linguist/samples' diff --git a/lib/linguist/classifier.rb b/lib/linguist/classifier.rb index 195087d8..5370bdd8 100644 --- a/lib/linguist/classifier.rb +++ b/lib/linguist/classifier.rb @@ -78,18 +78,13 @@ module Linguist def classify(tokens, languages) return [] if tokens.nil? tokens = Tokenizer.tokenize(tokens) if tokens.is_a?(String) - scores = {} - if verbosity >= 2 - dump_all_tokens(tokens, languages) - end + + debug_dump_all_tokens(tokens, languages) if verbosity >= 2 + languages.each do |language| - scores[language] = tokens_probability(tokens, language) + - language_probability(language) - if verbosity >= 1 - printf "%10s = %10.3f + %7.3f = %10.3f\n", - language, tokens_probability(tokens, language), language_probability(language), scores[language] - end + scores[language] = tokens_probability(tokens, language) + language_probability(language) + debug_dump_probabilities(tokens, language, scores[language]) if verbosity >= 1 end scores.sort { |a, b| b[1] <=> a[1] }.map { |score| [score[0], score[1]] } @@ -135,6 +130,11 @@ module Linguist @verbosity ||= (ENV['LINGUIST_DEBUG'] || 0).to_i end + def debug_dump_probabilities(tokens, language, score) + printf("%10s = %10.3f + %7.3f = %10.3f\n", + language, tokens_probability(tokens, language), language_probability(language), score) + end + # Internal: show a table of probabilities for each pair. # # The number in each table entry is the number of "points" that each @@ -145,22 +145,22 @@ module Linguist # how much more likely (log of probability ratio) that token is to # appear in one language vs. the least-likely language. Dashes # indicate the least-likely language (and zero points) for each token. - def dump_all_tokens(tokens, languages) + def debug_dump_all_tokens(tokens, languages) maxlen = tokens.map { |tok| tok.size }.max - + printf "%#{maxlen}s", "" puts " #" + languages.map { |lang| sprintf("%10s", lang) }.join - + token_map = Hash.new(0) tokens.each { |tok| token_map[tok] += 1 } - + token_map.sort.each { |tok, count| arr = languages.map { |lang| [lang, token_probability(tok, lang)] } min = arr.map { |a,b| b }.min minlog = Math.log(min) if !arr.inject(true) { |result, n| result && n[1] == arr[0][1] } printf "%#{maxlen}s%5d", tok, count - + puts arr.map { |ent| ent[1] == min ? " -" : sprintf("%10.3f", count * (Math.log(ent[1]) - minlog)) }.join diff --git a/lib/linguist/generated.rb b/lib/linguist/generated.rb index 7c607250..5c3de141 100644 --- a/lib/linguist/generated.rb +++ b/lib/linguist/generated.rb @@ -58,10 +58,12 @@ module Linguist generated_parser? || generated_net_docfile? || generated_net_designer_file? || + generated_postscript? || generated_protocol_buffer? || generated_jni_header? || composer_lock? || - node_modules? + node_modules? || + vcr_cassette? end # Internal: Is the blob an XCode project file? @@ -176,6 +178,29 @@ module Linguist false end + # Internal: Is the blob of PostScript generated? + # + # PostScript files are often generated by other programs. If they tell us so, + # we can detect them. + # + # Returns true or false. + def generated_postscript? + return false unless ['.ps', '.eps'].include? extname + + # We analyze the "%%Creator:" comment, which contains the author/generator + # of the file. If there is one, it should be in one of the first few lines. + creator = lines[0..9].find {|line| line =~ /^%%Creator: /} + return false if creator.nil? + + # Most generators write their version number, while human authors' or companies' + # names don't contain numbers. So look if the line contains digits. Also + # look for some special cases without version numbers. + return creator =~ /[0-9]/ || + creator.include?("mpage") || + creator.include?("draw") || + creator.include?("ImageMagick") + end + # Internal: Is the blob a C++, Java or Python source file generated by the # Protocol Buffer compiler? # @@ -198,20 +223,28 @@ module Linguist lines[1].include?("#include ") end - # node_modules/ can contain large amounts of files, in general not meant - # for humans in pull requests. + # Internal: Is the blob part of node_modules/, which are not meant for humans in pull requests. # # Returns true or false. def node_modules? !!name.match(/node_modules\//) end - # the php composer tool generates a lock file to represent a specific dependency state. - # In general not meant for humans in pull requests. + # Internal: Is the blob a generated php composer lock file? # # Returns true or false. def composer_lock? !!name.match(/composer.lock/) end + + # Is the blob a VCR Cassette file? + # + # Returns true or false + def vcr_cassette? + return false unless extname == '.yml' + return false unless lines.count > 2 + # VCR Cassettes have "recorded_with: VCR" in the second last line. + return lines[-2].include?("recorded_with: VCR") + end end end diff --git a/lib/linguist/heuristics.rb b/lib/linguist/heuristics.rb new file mode 100644 index 00000000..a3de46e9 --- /dev/null +++ b/lib/linguist/heuristics.rb @@ -0,0 +1,80 @@ +module Linguist + # A collection of simple heuristics that can be used to better analyze languages. + class Heuristics + ACTIVE = false + + # Public: Given an array of String language names, + # apply heuristics against the given data and return an array + # of matching languages, or nil. + # + # data - Array of tokens or String data to analyze. + # languages - Array of language name Strings to restrict to. + # + # Returns an array of Languages or [] + def self.find_by_heuristics(data, languages) + if active? + if languages.all? { |l| ["Objective-C", "C++"].include?(l) } + disambiguate_c(data, languages) + end + if languages.all? { |l| ["Perl", "Prolog"].include?(l) } + disambiguate_pl(data, languages) + end + if languages.all? { |l| ["ECL", "Prolog"].include?(l) } + disambiguate_ecl(data, languages) + end + if languages.all? { |l| ["TypeScript", "XML"].include?(l) } + disambiguate_ts(data, languages) + end + if languages.all? { |l| ["Common Lisp", "OpenCL"].include?(l) } + disambiguate_cl(data, languages) + end + end + end + + # .h extensions are ambigious between C, C++, and Objective-C. + # We want to shortcut look for Objective-C _and_ now C++ too! + # + # Returns an array of Languages or [] + def self.disambiguate_c(data, languages) + matches = [] + matches << Language["Objective-C"] if data.include?("@interface") + matches << Language["C++"] if data.include?("#include ") + matches + end + + def self.disambiguate_pl(data, languages) + matches = [] + matches << Language["Prolog"] if data.include?(":-") + matches << Language["Perl"] if data.include?("use strict") + matches + end + + def self.disambiguate_ecl(data, languages) + matches = [] + matches << Language["Prolog"] if data.include?(":-") + matches << Language["ECL"] if data.include?(":=") + matches + end + + def self.disambiguate_ts(data, languages) + matches = [] + if (data.include?("")) + matches << Language["XML"] + else + matches << Language["TypeScript"] + end + matches + end + + def self.disambiguate_cl(data, languages) + matches = [] + matches << Language["Common Lisp"] if data.include?("(defun ") + matches << Language["OpenCL"] if /\/\* |\/\/ |^\}/.match(data) + matches + end + + def self.active? + !!ACTIVE + end + end +end diff --git a/lib/linguist/language.rb b/lib/linguist/language.rb index 04562dc2..955becb3 100644 --- a/lib/linguist/language.rb +++ b/lib/linguist/language.rb @@ -7,6 +7,7 @@ rescue LoadError end require 'linguist/classifier' +require 'linguist/heuristics' require 'linguist/samples' module Linguist @@ -32,7 +33,7 @@ module Linguist # # Returns an array def self.detectable_markup - ["CSS", "Less", "Sass", "TeX"] + ["CSS", "Less", "Sass", "SCSS", "Stylus", "TeX"] end # Detect languages by a specific type @@ -113,18 +114,32 @@ module Linguist name += ".script!" end + # First try to find languages that match based on filename. possible_languages = find_by_filename(name) + # If there is more than one possible language with that extension (or no + # extension at all, in the case of extensionless scripts), we need to continue + # our detection work if possible_languages.length > 1 data = data.call() if data.respond_to?(:call) + possible_language_names = possible_languages.map(&:name) + + # Don't bother with emptiness if data.nil? || data == "" nil + # Check if there's a shebang line and use that as authoritative elsif (result = find_by_shebang(data)) && !result.empty? result.first - elsif classified = Classifier.classify(Samples::DATA, data, possible_languages.map(&:name)).first + # No shebang. Still more work to do. Try to find it with our heuristics. + elsif (determined = Heuristics.find_by_heuristics(data, possible_language_names)) && !determined.empty? + determined.first + # Lastly, fall back to the probablistic classifier. + elsif classified = Classifier.classify(Samples::DATA, data, possible_language_names ).first + # Return the actual Language object based of the string language name (i.e., first element of `#classify`) Language[classified[0]] end else + # Simplest and most common case, we can just return the one match based on extension possible_languages.first end end @@ -470,7 +485,7 @@ module Linguist # # Returns html String def colorize(text, options = {}) - lexer.highlight(text, options = {}) + lexer.highlight(text, options) end # Public: Return name as String representation diff --git a/lib/linguist/languages.yml b/lib/linguist/languages.yml index 0a982154..98c0b0cd 100644 --- a/lib/linguist/languages.yml +++ b/lib/linguist/languages.yml @@ -53,6 +53,18 @@ ASP: - .aspx - .axd +ATS: + type: programming + color: "#1ac620" + primary_extension: .dats + lexer: OCaml + aliases: + - ats2 + extensions: + - .atxt + - .hats + - .sats + ActionScript: type: programming lexer: ActionScript 3 @@ -90,6 +102,10 @@ AppleScript: aliases: - osascript primary_extension: .applescript + extensions: + - .scpt + interpreters: + - osascript Arc: type: programming @@ -113,6 +129,12 @@ AsciiDoc: - .adoc - .asc +AspectJ: + type: programming + lexer: AspectJ + color: "#1957b0" + primary_extension: .aj + Assembly: type: programming lexer: NASM @@ -212,6 +234,7 @@ C: color: "#555" primary_extension: .c extensions: + - .cats - .w C#: @@ -223,6 +246,7 @@ C#: - csharp primary_extension: .cs extensions: + - .cshtml - .csx C++: @@ -236,6 +260,7 @@ C++: extensions: - .C - .c++ + - .cc - .cxx - .H - .h++ @@ -281,7 +306,7 @@ COBOL: CSS: ace_mode: css - color: "#1f085e" + color: "#563d7c" primary_extension: .css Ceylon: @@ -293,6 +318,16 @@ ChucK: lexer: Java primary_extension: .ck +Cirru: + type: programming + color: "#aaaaff" + primary_extension: .cirru + # ace_mode: cirru + # lexer: Cirru + lexer: Text only + extensions: + - .cr + Clean: type: programming color: "#3a81ad" @@ -313,6 +348,7 @@ Clojure: - .cljscm - .cljx - .hic + - .cljs.hl filenames: - riemann.config @@ -330,6 +366,8 @@ CoffeeScript: - .iced filenames: - Cakefile + interpreters: + - coffee ColdFusion: type: programming @@ -380,6 +418,12 @@ Creole: wrap: true primary_extension: .creole +Crystal: + type: programming + lexer: Ruby + primary_extension: .cr + ace_mode: ruby + Cucumber: lexer: Gherkin primary_extension: .feature @@ -454,6 +498,9 @@ Dylan: type: programming color: "#3ebc27" primary_extension: .dylan + extensions: + - .intr + - .lid Ecere Projects: type: data @@ -519,6 +566,14 @@ F#: - .fsi - .fsx +FLUX: + type: programming + color: "#33CCFF" + primary_extension: .fx + lexer: Text only + extensions: + - .flux + FORTRAN: type: programming lexer: Fortran @@ -577,6 +632,11 @@ Frege: lexer: Haskell primary_extension: .fr +Game Maker Language: + type: programming + lexer: JavaScript + primary_extension: .gml + GAS: type: programming group: Assembly @@ -624,6 +684,17 @@ Glyph: lexer: Tcl primary_extension: .glf +Gnuplot: + type: programming + color: "#f0a9f0" + lexer: Gnuplot + primary_extension: .gp + extensions: + - .gnu + - .gnuplot + - .plot + - .plt + Go: type: programming color: "#a89b4d" @@ -650,6 +721,8 @@ Groovy: ace_mode: groovy color: "#e69f56" primary_extension: .groovy + interpreters: + - groovy Groovy Server Pages: group: Groovy @@ -667,6 +740,7 @@ HTML: extensions: - .htm - .xhtml + - .html.hl HTML+Django: type: markup @@ -715,6 +789,12 @@ Handlebars: - .html.handlebars - .html.hbs +Harbour: + type: programming + lexer: Text only + color: "#0e60e3" + primary_extension: .hb + Haskell: type: programming color: "#29b544" @@ -730,6 +810,19 @@ Haxe: extensions: - .hxsl +Hy: + type: programming + lexer: Clojure + ace_mode: clojure + color: "#7891b1" + primary_extension: .hy + +IDL: + type: programming + lexer: Text only + color: "#e3592c" + primary_extension: .pro + INI: type: data extensions: @@ -788,8 +881,21 @@ JSON: - .sublime-settings - .sublime-workspace filenames: + - .jshintrc - composer.lock +JSON5: + type: data + lexer: JavaScript + primary_extension: .json5 + +JSONLD: + type: data + group: JavaScript + ace_mode: json + lexer: JavaScript + primary_extension: .jsonld + Jade: group: HTML type: markup @@ -812,7 +918,7 @@ Java Server Pages: JavaScript: type: programming ace_mode: javascript - color: "#f15501" + color: "#f7df1e" aliases: - js - node @@ -820,16 +926,20 @@ JavaScript: extensions: - ._js - .bones + - .es6 - .jake - .jsfl - .jsm - .jss - .jsx + - .njs - .pac - .sjs - .ssjs filenames: - Jakefile + interpreters: + - node Julia: type: programming @@ -918,10 +1028,6 @@ LiveScript: Logos: type: programming primary_extension: .xm - extensions: - - .x - - .xi - - .xmi Logtalk: type: programming @@ -937,6 +1043,8 @@ Lua: extensions: - .nse - .rbxs + interpreters: + - lua M: type: programming @@ -978,6 +1086,18 @@ Markdown: - .mkdown - .ron +Mask: + type: markup + lexer: SCSS + color: "#f97732" + ace_mode: scss + primary_extension: .mask + +Mathematica: + type: programming + primary_extension: .mathematica + lexer: Text only + Matlab: type: programming color: "#bb92ac" @@ -1085,6 +1205,7 @@ OCaml: primary_extension: .ml extensions: - .eliomi + - .ml4 - .mli - .mll - .mly @@ -1151,6 +1272,12 @@ Oxygene: color: "#5a63a3" primary_extension: .oxygene +PAWN: + type: programming + lexer: C++ + color: "#dbb284" + primary_extension: .pwn + PHP: type: programming ace_mode: php @@ -1204,16 +1331,28 @@ Perl: primary_extension: .pl extensions: - .PL - - .nqp - .perl - .ph - .plx - - .pm6 + - .pm - .pod - .psgi interpreters: - perl +Perl6: + type: programming + color: "#0298c3" + primary_extension: .p6 + extensions: + - .6pl + - .6pm + - .nqp + - .p6l + - .p6m + - .pl6 + - .pm6 + Pike: type: programming color: "#066ab2" @@ -1222,12 +1361,25 @@ Pike: extensions: - .pmod +Pod: + type: prose + lexer: Text only + ace_mode: perl + wrap: true + primary_extension: .pod + PogoScript: type: programming color: "#d80074" lexer: Text only primary_extension: .pogo +PostScript: + type: markup + primary_extension: .ps + extensions: + - .eps + PowerShell: type: programming ace_mode: powershell @@ -1249,7 +1401,8 @@ Prolog: color: "#74283c" primary_extension: .prolog extensions: - - .pro + - .ecl + - .pl Protocol Buffer: type: markup @@ -1287,6 +1440,8 @@ Python: - .xpy filenames: - wscript + - SConstruct + - SConscript interpreters: - python @@ -1306,9 +1461,12 @@ R: type: programming color: "#198ce7" lexer: S + aliases: + - R primary_extension: .r extensions: - .R + - .rsx filenames: - .Rprofile interpreters: @@ -1337,6 +1495,15 @@ RHTML: group: HTML primary_extension: .rhtml +RMarkdown: + type: prose + lexer: Text only + wrap: true + ace_mode: markdown + primary_extension: .rmd + extensions: + - .Rmd + Racket: type: programming lexer: Racket @@ -1413,6 +1580,7 @@ Ruby: - Appraisals - Berksfile - Gemfile + - Gemfile.lock - Guardfile - Podfile - Thorfile @@ -1451,6 +1619,8 @@ Scala: ace_mode: scala color: "#7dd3b0" primary_extension: .scala + extensions: + - .sc Scaml: group: HTML @@ -1462,6 +1632,7 @@ Scheme: color: "#1e4aec" primary_extension: .scm extensions: + - .sld - .sls - .ss interpreters: @@ -1500,6 +1671,12 @@ Shell: filenames: - Dockerfile +Shen: + type: programming + color: "#120F14" + lexer: Text only + primary_extension: .shen + Slash: type: programming color: "#007eff" @@ -1524,12 +1701,29 @@ Standard ML: aliases: - sml primary_extension: .sml + extensions: + - .fun + +Stylus: + type: markup + group: CSS + lexer: Text only + primary_extension: .styl SuperCollider: type: programming color: "#46390b" lexer: Text only - primary_extension: .sc + primary_extension: .scd + +SystemVerilog: + type: programming + color: "#343761" + lexer: systemverilog + primary_extension: .sv + extensions: + - .svh + - .vh TOML: type: data @@ -1558,12 +1752,14 @@ TeX: type: markup color: "#3D6117" ace_mode: latex + wrap: true aliases: - latex primary_extension: .tex extensions: - .aux - .bib + - .cls - .dtx - .ins - .ltx @@ -1670,6 +1866,7 @@ Visual Basic: - .frm - .frx - .vba + - .vbhtml - .vbs Volt: @@ -1705,6 +1902,7 @@ XML: - .kml - .launch - .mxml + - .osm - .plist - .pluginspec - .ps1xml diff --git a/lib/linguist/repository.rb b/lib/linguist/repository.rb index 4b34be0a..a62bf281 100644 --- a/lib/linguist/repository.rb +++ b/lib/linguist/repository.rb @@ -29,6 +29,7 @@ module Linguist @computed_stats = false @language = @size = nil @sizes = Hash.new { 0 } + @file_breakdown = Hash.new { |h,k| h[k] = Array.new } end # Public: Returns a breakdown of language stats. @@ -60,6 +61,12 @@ module Linguist @size end + # Public: Return the language breakdown of this repository by file + def breakdown_by_file + compute_stats + @file_breakdown + end + # Internal: Compute language breakdown for each blob in the Repository. # # Returns nothing @@ -75,6 +82,10 @@ module Linguist # Only include programming languages and acceptable markup languages if blob.language.type == :programming || Language.detectable_markup.include?(blob.language.name) + + # Build up the per-file breakdown stats + @file_breakdown[blob.language.group.name] << blob.name + @sizes[blob.language.group] += blob.size end end diff --git a/lib/linguist/samples.json b/lib/linguist/samples.json index bb5dddd8..d7448255 100644 --- a/lib/linguist/samples.json +++ b/lib/linguist/samples.json @@ -1,44890 +1,552 @@ { + "extnames": { + "ABAP": [ + ".abap" + ], + "Agda": [ + ".agda" + ], + "Apex": [ + ".cls" + ], + "AppleScript": [ + ".applescript" + ], + "Arduino": [ + ".ino" + ], + "AsciiDoc": [ + ".adoc", + ".asc", + ".asciidoc" + ], + "AspectJ": [ + ".aj" + ], + "ATS": [ + ".atxt", + ".dats", + ".hats", + ".sats" + ], + "AutoHotkey": [ + ".ahk" + ], + "Awk": [ + ".awk" + ], + "BlitzBasic": [ + ".bb" + ], + "Bluespec": [ + ".bsv" + ], + "Brightscript": [ + ".brs" + ], + "C": [ + ".c", + ".cats", + ".h" + ], + "C#": [ + ".cs", + ".cshtml" + ], + "C++": [ + ".cc", + ".cpp", + ".h", + ".hpp" + ], + "Ceylon": [ + ".ceylon" + ], + "Cirru": [ + ".cirru" + ], + "Clojure": [ + ".cl2", + ".clj", + ".cljc", + ".cljs", + ".cljscm", + ".cljx", + ".hic" + ], + "COBOL": [ + ".cbl", + ".ccp", + ".cob", + ".cpy" + ], + "CoffeeScript": [ + ".coffee" + ], + "Common Lisp": [ + ".lisp" + ], + "Coq": [ + ".v" + ], + "Creole": [ + ".creole" + ], + "CSS": [ + ".css" + ], + "Cuda": [ + ".cu", + ".cuh" + ], + "Dart": [ + ".dart" + ], + "Diff": [ + ".patch" + ], + "DM": [ + ".dm" + ], + "ECL": [ + ".ecl" + ], + "edn": [ + ".edn" + ], + "Elm": [ + ".elm" + ], + "Emacs Lisp": [ + ".el" + ], + "Erlang": [ + ".erl", + ".escript", + ".script!" + ], + "fish": [ + ".fish" + ], + "Forth": [ + ".forth", + ".fth" + ], + "Frege": [ + ".fr" + ], + "Game Maker Language": [ + ".gml" + ], + "GAS": [ + ".s" + ], + "GLSL": [ + ".fp", + ".glsl" + ], + "Gnuplot": [ + ".gnu", + ".gp" + ], + "Gosu": [ + ".gs", + ".gst", + ".gsx", + ".vark" + ], + "Groovy": [ + ".gradle", + ".script!" + ], + "Groovy Server Pages": [ + ".gsp" + ], + "Haml": [ + ".haml" + ], + "Handlebars": [ + ".handlebars", + ".hbs" + ], + "Hy": [ + ".hy" + ], + "IDL": [ + ".dlm", + ".pro" + ], + "Idris": [ + ".idr" + ], + "Ioke": [ + ".ik" + ], + "Jade": [ + ".jade" + ], + "Java": [ + ".java" + ], + "JavaScript": [ + ".js", + ".script!" + ], + "JSON": [ + ".json", + ".lock" + ], + "JSON5": [ + ".json5" + ], + "JSONLD": [ + ".jsonld" + ], + "Julia": [ + ".jl" + ], + "Kotlin": [ + ".kt" + ], + "KRL": [ + ".krl" + ], + "Lasso": [ + ".las", + ".lasso", + ".lasso9", + ".ldml" + ], + "Less": [ + ".less" + ], + "LFE": [ + ".lfe" + ], + "Literate Agda": [ + ".lagda" + ], + "Literate CoffeeScript": [ + ".litcoffee" + ], + "LiveScript": [ + ".ls" + ], + "Logos": [ + ".xm" + ], + "Logtalk": [ + ".lgt" + ], + "Lua": [ + ".pd_lua" + ], + "M": [ + ".m" + ], + "Makefile": [ + ".script!" + ], + "Markdown": [ + ".md" + ], + "Mask": [ + ".mask" + ], + "Mathematica": [ + ".m" + ], + "Matlab": [ + ".m" + ], + "Max": [ + ".maxhelp", + ".maxpat", + ".mxt" + ], + "MediaWiki": [ + ".mediawiki" + ], + "Monkey": [ + ".monkey" + ], + "MoonScript": [ + ".moon" + ], + "Nemerle": [ + ".n" + ], + "NetLogo": [ + ".nlogo" + ], + "Nimrod": [ + ".nim" + ], + "NSIS": [ + ".nsh", + ".nsi" + ], + "Nu": [ + ".nu", + ".script!" + ], + "Objective-C": [ + ".h", + ".m" + ], + "OCaml": [ + ".eliom", + ".ml" + ], + "Omgrofl": [ + ".omgrofl" + ], + "Opa": [ + ".opa" + ], + "OpenCL": [ + ".cl" + ], + "OpenEdge ABL": [ + ".cls", + ".p" + ], + "Org": [ + ".org" + ], + "Oxygene": [ + ".oxygene" + ], + "Parrot Assembly": [ + ".pasm" + ], + "Parrot Internal Representation": [ + ".pir" + ], + "Pascal": [ + ".dpr" + ], + "PAWN": [ + ".pwn" + ], + "Perl": [ + ".fcgi", + ".pl", + ".pm", + ".script!", + ".t" + ], + "Perl6": [ + ".p6", + ".pm6" + ], + "PHP": [ + ".module", + ".php", + ".script!" + ], + "Pod": [ + ".pod" + ], + "PogoScript": [ + ".pogo" + ], + "PostScript": [ + ".ps" + ], + "PowerShell": [ + ".ps1", + ".psm1" + ], + "Processing": [ + ".pde" + ], + "Prolog": [ + ".ecl", + ".pl", + ".prolog" + ], + "Protocol Buffer": [ + ".proto" + ], + "Python": [ + ".py", + ".script!" + ], + "R": [ + ".R", + ".rsx", + ".script!" + ], + "Racket": [ + ".scrbl" + ], + "Ragel in Ruby Host": [ + ".rl" + ], + "RDoc": [ + ".rdoc" + ], + "Rebol": [ + ".r" + ], + "RMarkdown": [ + ".rmd" + ], + "RobotFramework": [ + ".robot" + ], + "Ruby": [ + ".pluginspec", + ".rabl", + ".rake", + ".rb", + ".script!" + ], + "Rust": [ + ".rs" + ], + "Sass": [ + ".sass", + ".scss" + ], + "Scala": [ + ".sbt", + ".sc", + ".script!" + ], + "Scaml": [ + ".scaml" + ], + "Scheme": [ + ".sld", + ".sps" + ], + "Scilab": [ + ".sce", + ".sci", + ".tst" + ], + "SCSS": [ + ".scss" + ], + "Shell": [ + ".bash", + ".script!", + ".sh", + ".zsh" + ], + "Shen": [ + ".shen" + ], + "Slash": [ + ".sl" + ], + "Squirrel": [ + ".nut" + ], + "Standard ML": [ + ".fun", + ".sig", + ".sml" + ], + "Stylus": [ + ".styl" + ], + "SuperCollider": [ + ".scd" + ], + "SystemVerilog": [ + ".sv", + ".svh", + ".vh" + ], + "Tea": [ + ".tea" + ], + "TeX": [ + ".cls" + ], + "Turing": [ + ".t" + ], + "TXL": [ + ".txl" + ], + "TypeScript": [ + ".ts" + ], + "UnrealScript": [ + ".uc" + ], + "Verilog": [ + ".v" + ], + "VHDL": [ + ".vhd" + ], + "Visual Basic": [ + ".cls", + ".vb", + ".vbhtml" + ], + "Volt": [ + ".volt" + ], + "wisp": [ + ".wisp" + ], + "XC": [ + ".xc" + ], + "XML": [ + ".ant", + ".ivy", + ".xml" + ], + "XProc": [ + ".xpl" + ], + "XQuery": [ + ".xqm" + ], + "XSLT": [ + ".xslt" + ], + "Xtend": [ + ".xtend" + ], + "YAML": [ + ".yml" + ] + }, "interpreters": { }, - "tokens": { - "TypeScript": { - "+": 3, - "alert": 3, - "}": 9, - "public": 1, - "{": 9, - ";": 8, - ")": 18, - "(": 18, - "Snake": 2, - "tom.move": 1, - "new": 2, - "this.name": 1, - "Animal": 4, - "meters": 2, - "super": 2, - "extends": 2, - "move": 3, - "name": 5, - "constructor": 3, - "sam.move": 1, - "tom": 1, - "super.move": 2, - "console.log": 1, - "sam": 1, - "var": 2, - "Horse": 2, - "class": 3 - }, - "TeX": { - "footnoterule": 1, - "footnotesize": 1, - "onecolumn": 1, - "space": 4, - "thechapter": 1, - "headers": 6, - "endoldthebibliography": 2, - "m@th": 1, - "%": 59, - "em": 3, - "different": 1, - "you": 1, - "@department": 3, - "newcommand": 2, - "c@page": 1, - "lof": 1, - "@author": 1, - "right": 1, - "parfillskip": 1, - "]": 22, - "addpenalty": 1, - "nobreak": 2, - "pt": 1, - "indexname": 1, - "contentsname": 1, - "abstract": 1, - "lowercase": 1, - "@chapapp": 2, - "and": 2, - "hrulefill": 5, - "psych": 1, - "newpage": 3, - "makes": 2, - "AtBeginDocument": 1, - "makebox": 6, - "t": 1, - "setcounter": 1, - "leaders": 1, - ".6in": 1, - "RTcleardoublepage": 3, - "fancyhf": 1, - "Partial": 1, - "begin": 4, - "ifodd": 1, - "mkern": 2, - "renewcommand": 6, - "vskip": 4, - "College": 5, - "be": 3, - "@afterindentfalse": 1, - ".5in": 3, - "The": 4, - "newenvironment": 1, - "oddsidemargin": 2, - "AtEndDocument": 1, - "AtBeginDvi": 2, - "par": 6, - "oldtheindex": 2, - "@undefined": 1, - "ifx": 1, - "topmargin": 6, - "from": 1, - "In": 1, - "gdef": 6, - "thepage": 1, - "@restonecolfalse": 1, - "hfill": 1, - "#1": 12, - "@topnewpage": 1, - "same": 1, - "Contents": 1, - "Thesis": 5, - "not": 1, - "/Creator": 1, - "thebibliography": 2, - "thedivisionof#1": 1, - "copy0": 1, - "thanks": 1, - "hb@xt@": 1, - "ProvidesClass": 1, - "advisor": 1, - "@pnumwidth": 3, - "rightmark": 2, - "bigskip": 2, - "wd0": 7, - "for": 5, - "@altadvisor": 3, - "relax": 2, - "advisor#1": 1, - "@plus": 1, - "bfseries": 3, - "both": 1, - "chaptermark": 1, - "approved": 1, - "hss": 1, - "lot": 1, - "RequirePackage": 1, - "secdef": 1, - "typeout": 1, - "slshape": 2, - "Capitals": 1, - "RToldchapter": 1, - "(": 3, - "#2": 4, - "@latex@warning@no@line": 3, - "like": 1, - "out": 1, - "setlength": 10, - "the": 14, - "global": 2, - "majors": 1, - "No": 3, - "@topnum": 1, - "Class": 4, - "addtolength": 8, - "addtocontents": 2, - "options": 1, - "rawpostscript": 1, - "LO": 2, - "endtheindex": 1, - "fancyhdr": 1, - "Arts": 1, - "@pdfoutput": 1, - "leavevmode": 1, - "@chapter": 2, - "Reed": 5, - "in": 10, - "above": 1, - "leftmark": 2, - "pdfinfo": 1, - "LoadClass": 1, - ")": 3, - "centerline": 8, - "m@ne": 2, - "oldthebibliography": 2, - "if@altadvisor": 3, - "p@": 3, - "would": 1, - "reedthesis": 1, - "hskip": 1, - "@altadvisorfalse": 1, - "textwidth": 2, - "addcontentsline": 5, - "vfil": 8, - "setbox0": 2, - "@empty": 1, - "c@secnumdepth": 1, - "refstepcounter": 1, - "sign": 1, - "@highpenalty": 2, - "@approvedforthe": 3, - "LE": 1, - "things": 1, - "cleardoublepage": 4, - "left": 1, - "Approved": 2, - "your": 1, - "on": 1, - "if@openright": 1, - "If": 1, - "ifnum": 2, - "DeclareOption*": 1, - "@afterheading": 1, - "department#1": 1, - "approvedforthe#1": 1, - "penalty": 1, - "chapter": 9, - "else": 7, - "With": 1, - "remove": 1, - "endoldtheindex": 2, - "caps.": 2, - "bibname": 2, - "LaTeX": 3, - "twocolumn": 1, - "fancy": 1, - "LaTeX2e": 1, - "@tempdima": 2, - "lineskip": 1, - "A": 1, - "advance": 1, - "@makechapterhead": 2, - "newif": 1, - "Bachelor": 1, - "toc": 5, - "just": 1, - "@restonecoltrue": 1, - "leftskip": 2, - "nouppercase": 2, - "hbox": 15, - "thispagestyle": 3, - "evensidemargin": 2, - "c": 5, - "Presented": 1, - "CurrentOption": 1, - "does": 1, - "department": 1, - "theindex": 2, - "headsep": 3, - "textheight": 4, - "page": 3, - "normalfont": 1, - "l@chapter": 1, - "begingroup": 1, - "major": 1, - "tabular": 2, - "@dotsep": 2, - "selectfont": 6, - "def": 12, - "division#1": 1, - "space#1": 1, - "When": 1, - "if@twocolumn": 3, - "thechapter.": 1, - "SN": 3, - "References": 1, - "small": 2, - "all": 1, - "@date": 1, - "use": 1, - "let": 10, - "endthebibliography": 1, - "headheight": 4, - "/01/27": 1, - "division": 2, - "maketitle": 1, - "/12/04": 3, - "Abstract": 2, - "RToldcleardoublepage": 1, - "protect": 2, - "RO": 1, - "empty": 4, - ".75em": 1, - "scshape": 2, - "following": 1, - "addvspace": 2, - "pages": 2, - "side": 2, - "comment": 1, - "Requirements": 2, - "center": 7, - "renewenvironment": 2, - "fi": 13, - "{": 180, - "NeedsTeXFormat": 1, - "book": 2, - "Fulfillment": 1, - "Degree": 2, - "-": 2, - "Specified.": 1, - "of": 8, - "given": 3, - "Division": 2, - "@altadvisortrue": 1, - "clearpage": 3, - "null": 3, - "footnote": 1, - "altadvisor#1": 1, - "LEFT": 2, - "if@twoside": 1, - "RIGHT": 2, - "fancyhead": 5, - "so": 1, - "noexpand": 3, - "pagestyle": 2, - "ProcessOptions": 1, - "one": 1, - "RE": 2, - "RTpercent": 3, - "or": 1, - "endgroup": 1, - ".": 1, - "symbol": 1, - "to": 8, - "@advisor": 3, - "This": 2, - "[": 22, - "choose": 1, - "fontsize": 7, - "rightskip": 1, - "below": 2, - "baselineskip": 2, - "And": 1, - "cm": 2, - "@title": 1, - "@percentchar": 1, - "if@restonecol": 1, - "parindent": 1, - "Table": 1, - "}": 185, - "if@mainmatter": 1, - "will": 2, - "c@tocdepth": 1, - "special": 2, - "@schapter": 1, - "@division": 3, - "@thedivisionof": 3, - "mu": 2, - "PassOptionsToClass": 1, - "end": 5, - "thing": 1, - "sure": 1, - "italic": 1, - "titlepage": 2, - "z@": 2 - }, - "Julia": { - "return": 1, - "*sqrt": 2, - "Motion": 1, - "Asset": 2, - "Dividend": 1, - "Issue": 1, - "SimulPriceA": 5, - "correlated": 1, - "r": 3, - "*dt": 2, - "stock": 1, - "A": 1, - "storages": 1, - "CurrentPrice": 3, - "/250": 1, - "T": 5, - "Matrix": 2, - "original": 1, - "#": 11, - "*CorrWiener": 2, - "+": 2, - "rate": 1, - "stockcorr": 1, - "Vol": 5, - "prices": 1, - "#445": 1, - "Initial": 1, - "free": 1, - "assets": 1, - "UpperTriangle": 2, - "information": 1, - "Define": 1, - "days": 3, - "the": 2, - "Corr": 2, - "(": 13, - ";": 1, - "Wiener": 1, - "i": 5, - "unoptimised": 1, - "Correlation": 1, - "#STOCKCORR": 1, - "for": 2, - "##": 5, - "Risk": 1, - "CorrWiener": 1, - "Prices": 1, - "Price": 2, - "stocks": 1, - "simulates": 1, - "simulations": 1, - "-": 11, - "Wiener*UpperTriangle": 1, - "decomposition": 1, - "Cholesky": 1, - "Brownian": 1, - "asset": 1, - "Test": 1, - "The": 1, - "[": 20, - "to": 1, - "n": 4, - "end": 3, - "of": 6, - "Time": 1, - "years": 1, - "two": 2, - "Generating": 1, - "Simulated": 2, - "Information": 1, - "/2": 2, - "*exp": 2, - "randn": 1, - "SimulPriceB": 5, - "dt": 3, - "step": 1, - "Correlated": 1, - "by": 2, - "B": 1, - "simulate": 1, - "Geometric": 1, - "zeros": 2, - "year": 1, - "]": 20, - "Volatility": 1, - "chol": 1, - "paths": 1, - "from": 1, - "that": 1, - "Number": 2, - "code": 1, - "case": 1, - "Div": 3, - ")": 13, - "Market": 1, - "j": 7, - "function": 1 - }, - "JavaScript": { - "this.checkUrl": 3, - "n.save": 35, - "end.data.charCodeAt": 1, - ".nodeValue": 1, - "setting": 2, - "Modernizr._cssomPrefixes": 1, - "elems.length": 1, - "this.write": 1, - "kr.type": 1, - "marks": 1, - "select.appendChild": 1, - "c.liveFired": 1, - "parser._headers": 6, - "l/ot": 1, - "e.preventDefault": 1, - ".getElementsByTagName": 2, - "this.setPointSymbols": 1, - "r*1.035": 4, - "this.output": 3, - "isReady": 5, - "Xa": 1, - "minute": 1, - "0": 220, - "this.extend": 1, - "bg.optgroup": 1, - "jquery": 3, - "bu": 11, - "OPERATOR_CHARS": 1, - "this._routeToRegExp": 1, - "d.async": 1, - "widget": 1, - "a.contentWindow.document": 1, - "/SVGAnimate/.test": 1, - "w*.093457": 2, - "try": 44, - "wt.medium.getRgbaColor": 3, - "ai": 21, - "overflow": 2, - "scrollLeft": 2, - "uuid": 2, - "y": 101, - "setAttribute": 1, - "Math.abs": 19, - "Non": 3, - "possible": 3, - "w/r": 1, - "u*r*": 1, - "84": 1, - "start": 20, - ".eq": 1, - "g.preType": 3, - "id": 38, - "t.playing": 1, - "self.socket.once": 1, - "this._trailer": 5, - "model.unbind": 1, - "b*100": 1, - ".wrapAll": 2, - "f.event.add": 2, - "attrFix": 1, - "shift": 1, - "e._Deferred": 1, - "c.dataTypes.unshift": 1, - "et.getContext": 2, - "partsConverted": 2, - "regularEaseInOut": 2, - "f*.12864": 2, - "regex": 3, - "f.event.special.change.filters": 1, - "filters": 1, - "bool.webm": 1, - "560747": 4, - "d.toFixed": 1, - "scroll": 6, - "this.options.pushState": 2, - "y.exec": 1, - "n/lt*": 1, - "u.pointSymbols": 4, - "failDeferred": 1, - "are": 18, - "elem.nodeType": 8, - "s/10": 1, - "ht/": 2, - "i.backgroundVisible": 10, - "dateExpression": 1, - "extension": 1, - "area": 2, - ".WebkitAppearance": 1, - "this.models": 1, - "internalCache": 3, - "unload": 5, - "br=": 1, - "Bulk": 1, - "at/yt*t": 1, - "ti.length": 1, - "wf": 4, - "509345": 1, - "this.pos": 4, - "u*.046728": 1, - "25": 9, - "show": 10, - "g.indexOf": 2, - "ce": 6, - "bY": 1, - "lt=": 4, - "PEG.parser": 1, - "this.stack": 2, - "d.cloneNode": 1, - "ba.apply": 1, - "jQuery.Callbacks": 2, - "c.toLowerCase": 4, - "isReady=": 1, - "a.isPropagationStopped": 1, - "window.history": 2, - "rect": 3, - "<=>": 1, - "steelseries.Orientation.NORTH": 2, - "uu.drawImage": 1, - "object.url": 4, - "self.has": 1, - "g.scrollTo": 1, - "e.complete.call": 1, - "jsonpCallback": 1, - "c.replaceWith": 1, - "g.parentNode": 2, - "a.dataFilter": 2, - "window.WebGLRenderingContext": 1, - "]": 1456, - "i.valueColor": 6, - "startRule": 1, - "self": 17, - "r*": 2, - "deleteExpando": 3, - "/red/.test": 1, - "#10870": 1, - "rightmostFailuresPos": 2, - "ii.getContext": 5, - "f.selector": 2, - "result0.push": 1, - "wi.height": 1, - "atom": 5, - "this.parent": 2, - "onbeforeunload=": 3, - "internal": 8, - "focusinBubbles": 2, - "fi.height": 2, - "document.styleSheets": 1, - "i*.45": 4, - "setValueLatest=": 1, - "select": 20, - "exist": 2, - "st.height": 1, - "colspan": 2, - "S.text.indexOf": 1, - "f.nth": 2, - "fails": 2, - "str3": 2, - "ft.getContext": 2, - "<\\/\\1>": 4, - "parse_simpleBracketDelimitedCharacter": 2, - "binary": 1, - "f.support.tbody": 1, - "nothing": 2, - "41": 3, - "subtracts": 1, - "n.moveTo": 37, - "key.replace": 2, - "this.handlers": 2, - "model.id": 1, - ".data": 3, - "h.setAttribute": 2, - "g.guid": 3, - "ut.width": 1, - "rinvalidChar.test": 1, - "navigate": 2, - "bg.colgroup": 1, - "beforedeactivate": 1, - "Array.prototype.slice.call": 1, - ".getTime": 3, - "frag.cloneNode": 1, - "a.innerHTML": 7, - "overzealous": 4, - "t*.13": 3, - "details": 3, - "i.scrollTop": 1, - "removeClass": 2, - "options.elements": 1, - "supportsUnknownElements": 3, - "stroke": 7, - "b=": 25, - "parse_unicodeEscapeSequence": 3, - "ft.height": 1, - "right": 3, - "ownerDocument.createDocumentFragment": 2, - "added": 1, - "lt": 55, - "it.getContext": 2, - "u*.007": 2, - "window.": 6, - "Backbone.Router.prototype": 1, - "n.relative": 5, - "bu.test": 1, - "inputs": 3, - "A": 24, - "parse_classCharacter": 5, - "Tween.regularEaseInOut": 6, - "c.currentTarget": 2, - "localStorage.setItem": 1, - "obj.nodeType": 2, - "resetBuffers": 1, - "to": 92, - "j.attr": 1, - "b.handle": 2, - "i.shift": 1, - "mouseleave": 9, - "i.width*.5": 2, - "through": 3, - "ii.medium.getRgbaColor": 1, - "hasOwn": 2, - "w.textColor": 1, - "c.top": 4, - "c.url": 2, - "f.propHooks.selected": 2, - "c.defaultView.getComputedStyle": 3, - "chunk.": 1, - "this.headers": 2, - "this._headerSent": 5, - "x0B": 1, - "#11217": 1, - "i.resolveWith": 1, - "l.relative": 6, - "ctor.prototype": 3, - "iu": 14, - "s*.006": 1, - "originalTarget": 1, - "correctly": 1, - "hi": 15, - "a.cacheable": 1, - "p.setup": 1, - "ex.stack": 1, - "aa.call": 3, - "flags.split": 1, - "f.support.parentNode": 1, - ".createSVGRect": 1, - "Prevent": 2, - "_.uniqueId": 1, - "s.createTextNode": 2, - "late": 2, - "w.": 17, - "h.toFixed": 3, - "eE": 4, - "converted": 2, - "ForegroundType": 2, - "d.onMotionChanged": 2, - ".4*k": 1, - "n.attr": 1, - ".off": 1, - "mStyle": 2, - "tt=": 3, - "ht.textColor": 2, - "h.substr": 1, - "h.length": 3, - "window.document": 2, - "exports.ATOMIC_START_TOKEN": 1, - "ECMA": 1, - "specialEasing": 2, - "wrapAll": 1, - "j.boxModel": 1, - "c.body.removeChild": 1, - "b.css": 1, - "continue": 18, - "Normalize": 1, - "attr": 13, - "k*.037383": 11, - "protoProps.constructor": 1, - "cv": 2, - "%": 26, - "200": 2, - "EX_EOF": 3, - "appendChild": 1, - "bj": 3, - "e*.121428": 2, - "result3": 35, - "interval": 3, - "s.exec": 1, - "e.fn": 2, - "f.globalEval": 2, - "incoming.length": 2, - "digitalFont": 4, - "core": 2, - "yi.getContext": 2, - "entry": 1, - "x.length": 8, - "getPreventDefault": 2, - "clientTop": 2, - "sentExpect": 3, - "n": 874, - ".46": 3, - "KEYWORDS": 2, - "f.pixelLeft": 1, - "d.call": 3, - "this.toArray": 3, - "i.lcdColor": 8, - "et.width": 1, - "staticProps": 3, - "support.pixelMargin": 1, - "c.xhr": 1, - "pvt": 8, - "throw": 27, - "ai/": 2, - "before": 8, - "expected": 12, - "escape.call": 1, - "collection": 3, - "readyState": 1, - "a.style.opacity": 2, - "too": 1, - "steelseries.TrendState.OFF": 4, - "u*.12864": 3, - "globalAgent": 3, - "i*.851941": 1, - "ClientRequest.prototype.setNoDelay": 1, - "UNICODE": 1, - "c.createElement": 12, - "die": 3, - "d.getContext": 2, - "target.modal": 1, - "uaMatch": 3, - "deep": 12, - "": 4, - "a.unit": 1, - "off": 1, - "*/": 2, - "readyList.resolveWith": 1, - "switch": 30, - "column": 8, - "t*.012135": 1, - "vi.drawImage": 2, - "this.route": 1, - "d.firstChild": 2, - "c.left": 4, - "o.innerHTML": 1, - "36": 2, - "er": 19, - "ei=": 1, - "bytesParsed": 4, - "this.outputEncodings": 2, - "subject": 1, - "or.drawImage": 1, - "promise": 14, - "df": 3, - "cr*.38": 1, - "this.selectedIndex": 1, - "j.nodeName": 1, - "str1.length": 1, - "P.version": 1, - "bN": 2, - "node.offsetLeft": 1, - "DARK_GRAY": 1, - "parser.onBody": 1, - "elem.attributes": 1, - "_mark": 2, - "reliableMarginRight": 2, - "vi.getStart": 1, - "sure": 18, - "out": 1, - "/bfnrt": 1, - "flags.length": 1, - "R": 2, - "req.upgradeOrConnect": 1, - "789719": 1, - "occurred.": 2, - "viewOptions": 2, - "b.top": 2, - "b.url": 4, - "embed": 3, - "html5.elements": 1, - "i=": 31, - "i*kt": 1, - "*lt": 9, - "e*.023364": 2, - "parse": 1, - "UNICODE.non_spacing_mark.test": 1, - "find": 7, - "st": 59, - "at/kt": 1, - "h1": 5, - "opportunity": 2, - "outside": 2, - "jQuery.isFunction": 6, - "loses": 1, - "k.position": 4, - "docElement.removeChild": 1, - "isFunction.": 2, - "c.ready": 7, - "128": 2, - "": 1, - "hr.getContext": 1, - "lowercase": 1, - "bJ.test": 1, - "key": 85, - "": 1, - "f.length": 5, - "ct*2.5": 1, - "optgroup": 5, - "callback.apply": 1, - "n.documentElement": 1, - "k.find": 6, - "e.textAlign": 1, - "parse_digit": 3, - "xhr": 1, - "g.length": 2, - "//docs.jquery.com/Utilities/jQuery.browser": 1, - "table": 6, - "rvalidbraces": 2, - "f*.009": 1, - "n.led": 20, - "always": 6, - "jshint": 1, - "attrs.id": 1, - "Has": 1, - "f.concat.apply": 1, - "zIndex": 1, - "c.isDefaultPrevented": 2, - "f.acceptData": 4, - "reSkip.test": 1, - "b*.093457": 2, - "this.setLedColor": 5, - "urlError": 2, - "this.finished": 4, - "ret": 62, - "called": 2, - ".childNodes.length": 1, - "setLcdColor=": 2, - "i.medium.getHexColor": 1, - "parserOnMessageComplete": 2, - "k/2": 1, - "ex.name": 1, - "parent.apply": 1, - "deal": 2, - ".785*t": 1, - "li": 19, - "up": 4, - "this._pendings.length": 1, - "f.offset.initialize": 3, - "this.end": 2, - "a.apply": 2, - "Modernizr.mq": 1, - "td": 3, - "test": 21, - "know": 3, - "jQuery.cache": 3, - "s*.checked.": 1, - "._last": 1, - "i.getBlue": 1, - "incorrectly": 1, - "270": 1, - "Not": 4, - "": 5, - "d.removeChild": 1, - "ajaxSetup": 1, - "oldIE": 3, - "jQuery.browser.webkit": 1, - "a.now": 4, - "l.innerHTML": 1, - "saveClones.test": 1, - ".toUpperCase": 3, - "Agent.defaultMaxSockets": 2, - "c.noData": 2, - "wt.getContext": 1, - "input.substr": 9, - "y.save": 1, - "r.addClass": 1, - "necessary": 1, - "against": 1, - ".wrapInner": 1, - "canvas": 22, - "n.canvas.height/2": 4, - "jQuery.uuid": 1, - "t/255": 1, - "removeAttribute": 3, - "bug": 3, - "c.support.changeBubbles": 1, - "stopImmediatePropagation": 1, - "lt/ct": 2, - "trimming": 2, - "div": 28, - "/opacity": 1, - "i.createDocumentFragment": 1, - "

": 2, - "f.concat": 1, - "ni.getContext": 4, - "p.save": 2, - "exports.Client": 1, - ".8425*t": 1, - "StringDecoder": 2, - "ne": 2, - "bi*.05": 1, - "e*.556074": 3, - "window.location.search": 1, - "it/2": 2, - "width": 32, - "u.area": 2, - "createElement": 3, - "lt.textColor": 2, - "radio": 17, - "route.replace": 1, - "f.Event": 2, - "hrefNormalized": 3, - "a.context": 2, - "a.XMLHttpRequest": 1, - "Add": 4, - "events": 18, - "parser.incoming": 9, - "restore": 14, - "ck": 5, - "Math.sqrt": 2, - "this.setBackgroundColor": 7, - "this.data": 5, - ".substring": 2, - "u180E": 1, - "Grab": 1, - "duration=": 2, - "ecmascript/": 1, - "b_": 4, - "crashing": 1, - "was": 6, - "f*.556074": 9, - "buttons": 1, - "g.documentElement": 1, - "digits": 3, - "quadraticCurveTo": 4, - "kf": 3, - "textOrientationFixed": 2, - "between": 1, - "c": 775, - "cssomPrefixes": 2, - "being": 2, - "rbrace": 1, - "shivMethods": 2, - "this._paused": 3, - "once": 4, - ".67*e": 1, - "jQuery.isXMLDoc": 2, - "kt.rotate": 1, - "delay": 4, - "valueForeColor": 1, - "t.repaint": 4, - "t.setValue": 1, - "debugger": 2, - ".bind": 3, - "e.hide": 2, - "bool.ogg": 2, - ".toString": 3, - "translate": 38, - "f.exec": 2, - "a.parentNode": 6, - "inputElem.value": 2, - "new": 86, - "f*": 5, - "screenX": 4, - "trimLeft": 4, - "info.shouldKeepAlive": 1, - "begin.data": 1, - "exports.ServerResponse": 1, - "isExplorer.exec": 1, - "pa": 1, - ".charAt": 1, - "l.leftMatch": 1, - "target.apply": 2, - "i.getAlpha": 1, - "hasContent=": 1, - "a.replace": 7, - "supports": 2, - "cssText": 4, - ".8025*t": 1, - "e*.22": 3, - "gr.getContext": 1, - ".149019": 1, - "window.Modernizr": 1, - "jQuery.type": 4, - "s/2": 2, - "i*.152857": 1, - "ti.playing": 1, - "prefix": 6, - "Backbone.Collection.prototype": 1, - "c.prototype": 1, - "m=": 2, - "f.unique": 4, - "b.firstChild": 5, - "attrHooks": 3, - "ret.comments_before": 1, - ".triggerHandler": 1, - "e.fn.init.call": 1, - ".test": 1, - "u/vt": 1, - "sentContentLengthHeader": 4, - "self.on": 1, - "shrink": 1, - "Math.random": 2, - "a.style.zoom": 1, - "b.slice": 1, - "lastData.constructor": 1, - "bC": 2, - "a.setAttribute": 7, - "wrapper": 1, - "p.labelColor.getRgbaColor": 4, - "certain": 2, - "each": 17, - "isFunction": 12, - "c.xhrFields": 3, - "G": 11, - "Set": 4, - "oi.setAttribute": 2, - ".join": 14, - "c.props": 2, - "animate": 4, - "d.charset": 1, - "unwrap": 1, - "console.error": 3, - "n.fillStyle": 36, - "tu": 13, - "mouseenter": 9, - "r*1.014": 5, - "728155": 2, - "m.elem.disabled": 1, - "response.": 1, - "f*.443925": 9, - "si": 23, - "client": 3, - "u.test": 1, - "g.selector": 3, - "u00b0": 8, - ".8": 1, - "node": 23, - "this.col": 2, - "classes": 1, - "non": 8, - "foreground": 30, - "callbacks.shift": 1, - "this.nodeType": 4, - "a.firstChild.nodeType": 2, - "b.rotate": 1, - "fi.play": 1, - "this.iframe": 4, - ".display": 1, - "prune": 1, - "empty": 3, - "onto": 2, - "based": 1, - "e.makeArray": 1, - "f.isNaN": 3, - "li.getContext": 6, - "h*.475": 1, - "steelseries.LcdColor.STANDARD": 9, - "yt.getColorAt": 2, - "": 1, - "want": 1, - "they": 2, - "d.toggleClass": 1, - ".455*h": 1, - "r.addColorStop": 6, - ".36*f": 6, - "ni.textColor": 2, - "yf.repaint": 1, - "this._buffer": 2, - "fragment": 27, - "Backbone.View.prototype": 1, - "h.getAllResponseHeaders": 1, - "c.removeClass": 1, - "defaultView.getComputedStyle": 2, - "p/r": 1, - "Backbone.History": 2, - "jQuery.access": 2, - "d.left": 2, - ".exec": 2, - "ar.drawImage": 1, - "exports.member": 1, - "curry": 1, - "routes.length": 1, - "script": 7, - "836448": 5, - "u.customLayer": 4, - "options.localAddress": 3, - "lineCap=": 5, - "ue": 1, - "+": 1135, - "this._bindRoutes": 1, - "dashed": 1, - "ajaxPrefilter": 1, - "bp": 1, - ".domManip": 1, - "attrFn": 2, - "window.msMatchMedia": 1, - "CRLF": 13, - "u.textAlign": 2, - "tt.labelColor.getRgbaColor": 2, - "04": 2, - "than": 3, - "get/setAttribute": 1, - "normal": 2, - "v.expr": 4, - "a.addEventListener": 4, - "thead": 2, - "ServerResponse.prototype.writeContinue": 1, - "case": 136, - "res.end": 1, - "h*.415": 1, - "at/": 1, - "parse_eol": 4, - "token": 5, - "params.data": 5, - "f.ajaxSettings": 4, - "q.length": 1, - "isDefaultPrevented=": 2, - "t.exec": 1, - "b.clearAttributes": 2, - "window.Worker": 1, - "child.prototype": 4, - "shortcut": 1, - "t": 436, - "Values": 1, - "sentDateHeader": 3, - "jQuery.attr": 2, - "parent.insertBefore": 1, - "u2000": 1, - "expected.length": 4, - "func.call": 1, - "div.style.overflow": 2, - "handlers": 1, - "f.support.boxModel": 4, - "t*.142857": 8, - "h*.365": 2, - "parser.socket.resume": 1, - "params": 2, - "n.order": 1, - "f.style": 4, - "/alpha": 1, - "timeStamp=": 1, - "selected=": 1, - "e.each": 2, - "testProps": 3, - "li.height": 3, - "s.documentElement": 2, - "b.offsetParent": 2, - "a.text": 1, - "Function.prototype.bind": 2, - ".call": 10, - "freeParser": 9, - "shadowColor=": 1, - "u.section": 2, - "jQuery.acceptData": 2, - "b.currentStyle": 2, - "a.appendChild": 3, - "t.stroke": 2, - "pr": 16, - "light": 5, - "et=": 6, - "kt.translate": 2, - "regexp": 5, - "this.id": 2, - "f.prevObject": 1, - "this.setTrendVisible": 2, - "of": 28, - "setFrameDesign=": 1, - "this.add": 1, - "f.support.style": 1, - "ex": 3, - "wa": 1, - "active": 2, - "ownerDocument.documentElement": 1, - "div.appendChild": 4, - "n.pointer": 10, - ".1025*t": 8, - "break": 111, - "RFC": 16, - "s.body.appendChild": 1, - "bW.toLowerCase": 1, - "jQuery=": 2, - "border": 7, - "this.trailers": 2, - "Last": 2, - "eliminate": 2, - "regex_allowed": 1, - "support.optDisabled": 1, - "f.clone": 2, - "a.guid": 7, - "html": 10, - "res.upgrade": 1, - "this.initialize.apply": 2, - "bT": 2, - "g.childNodes.length": 1, - "x.browser": 2, - "e.isReady": 1, - "n.test": 2, - "testDOMProps": 2, - "name.toLowerCase": 6, - ".getRgbaColor": 3, - "t=": 19, - "_.isString": 1, - "orig": 3, - "leadingWhitespace": 3, - "f*.1": 5, - "store": 3, - "bound": 8, - "//basic": 1, - "X": 6, - "t.width*.1": 2, - "f*.36": 4, - "failDeferred.resolveWith": 1, - "y.clearRect": 2, - "labelColor": 6, - "done": 10, - "a.currentStyle.left": 1, - "this.sub": 2, - "mStyle.background": 1, - "maxLength": 2, - "this.setValue": 7, - "itself": 4, - "uXXXX": 1, - "socket.removeListener": 5, - "Top": 1, - "b.getBoundingClientRect": 1, - "bg.option": 1, - "self.listeners": 2, - "gets": 6, - "selector": 40, - "element.trigger": 1, - "e.reverse": 1, - "args.length": 3, - "e*.4": 1, - "Length/i": 1, - "later": 1, - "dateExpression.test": 1, - "isEvents": 1, - "this.start": 2, - "ui.length": 2, - "hr.drawImage": 2, - "params.contentType": 2, - "gt": 32, - "h*t": 1, - "encodeURIComponent": 2, - "json": 2, - ".detach": 1, - "c.documentElement": 4, - "fakeBody.parentNode.removeChild": 1, - ".onSocket": 1, - "document.readyState": 4, - "space_combining_mark": 1, - "1_=": 1, - "i*.435714": 4, - "process.env.NODE_DEBUG": 2, - "wt.digits": 2, - "firingStart": 3, - "Modernizr.prefixed": 1, - "nu.drawImage": 3, - "4c4c4c": 1, - "c.push": 3, - "UserAgent": 2, - "part": 8, - "k.translate": 2, - "this.client": 1, - "Backbone.emulateHTTP": 1, - "bt.type": 1, - "window.addEventListener": 2, - "oi*.05": 1, - "Cloning": 2, - "ropera": 2, - "t.getAlpha": 4, - "c.support.boxModel": 1, - "Fire": 1, - "p.length": 10, - "//if": 2, - "Explorer": 1, - "support.radioValue": 2, - "handle": 15, - "ColorDef": 2, - "element.appendTo": 1, - "o.test": 1, - "j.cacheable": 1, - "e.elem": 2, - "socket.ondata": 3, - "<": 209, - "addColorStop": 25, - "rmsie": 2, - "__slice.call": 2, - "The": 9, - "Wa": 2, - "i.offsetLeft": 1, - "b.dataTypes": 2, - "f.find.matchesSelector": 2, - ".0113*t": 10, - "wt.font": 1, - "j.style.cssFloat": 1, - "f.offset.subtractsBorderForOverflowNotVisible": 1, - "v.exec": 1, - "feature": 12, - "it.width": 1, - "lookups": 2, - "au": 10, - "r.attr": 1, - "m.exec": 1, - "b.parentNode": 4, - "<0&&(n+=360),n=\"00\"+Math.round(n),n=n.substring(n.length,n.length-3),(ht===steelseries.LcdColor.STANDARD||ht===steelseries.LcdColor.STANDARD_GREEN)&&(e.shadowColor=\"gray\",e.shadowOffsetX=f*.007,e.shadowOffsetY=f*.007,e.shadowBlur=f*.007),e.font=pr?gr:br,e.fillText(n+\"\\u00b0\",f/2+gt*.05,(t?or:cr)+er*.5+ui*.38,gt*.9),e.restore()},wi=function(n,t,i,r,u){n.save(),n.strokeStyle=r,n.fillStyle=r,n.lineWidth=f*.035;var>": 1, - "n.bargraphled": 4, - "gradientFraction1Color": 1, - "": 1, - "l.match.ID.test": 2, - "which=": 3, - "c.isPropagationStopped": 1, - "u200A": 1, - "complete=": 1, - ".type.toLowerCase": 1, - "a.sub": 1, - "isEventSupported": 5, - "n.lineWidth": 30, - "works": 1, - "self.shouldKeepAlive": 4, - "f.support": 2, - "c.body": 4, - "testing": 1, - "rt/2": 2, - ".StringDecoder": 1, - "bt.labelColor.setAlpha": 1, - ".12864": 2, - "selector.nodeType": 2, - "c.dataTypes": 1, - "finding": 2, - "ufeff": 1, - "i.resolve": 1, - "rule": 5, - "bindReady": 5, - "then": 8, - "exports.IncomingMessage": 1, - "UNICODE.space_combining_mark.test": 1, - "Backbone.Collection.extend": 1, - "e.className": 14, - "bool.mp3": 1, - ".298039": 1, - ".8125*t": 2, - "this.connection._httpMessage": 3, - "array_to_hash": 11, - "j.handleObj.data": 1, - "f.attrHooks.value": 1, - "noData": 3, - "ck.createElement": 1, - "window.openDatabase": 1, - "IE8": 2, - "document.createDocumentFragment": 3, - "IncomingMessage.prototype.setEncoding": 1, - "_.bind": 2, - "marginDiv.style.width": 1, - "Snake.__super__.move.call": 2, - "chunkExpression": 1, - "hooks.set": 2, - ".color": 13, - "both": 2, - "wr": 18, - "socket.destroy": 10, - "this.connection": 8, - "_toggle": 2, - "l.order": 1, - "Internet": 1, - "over": 7, - "u.lcdVisible": 2, - "u.save": 7, - "vf": 5, - "success": 2, - "e.browser.safari": 1, - "cq": 3, - "Avoids": 2, - "cleanupExpected": 2, - "modified": 3, - "u*.65": 2, - "c.overflow": 1, - "Snake.name": 1, - "self.socket.writable": 1, - "fail": 10, - "way": 2, - "be": 12, - ".delegate": 2, - "g.body": 1, - "abortIncoming": 3, - "90": 3, - ".8*t": 2, - "OutgoingMessage.prototype.destroy": 1, - "setOffset": 1, - "f.expr.filters.animated": 1, - "state=": 1, - "t.width": 2, - "elem.removeAttribute": 6, - "i": 853, - "Useragent": 2, - ".471962*f": 5, - "S.regex_allowed": 1, - "name.split": 1, - "f.ajaxPrefilter": 2, - "h.type": 1, - "a.getAttributeNode": 7, - "deferred.reject": 1, - "v.status": 1, - "be.test": 1, - "/f": 3, - "deferred.cancel": 2, - "Matches": 1, - "something": 3, - "safe": 3, - ".slice": 6, - "self.readable": 1, - "RE_HEX_NUMBER.test": 1, - "jQuerySub.fn.init.prototype": 1, - "d.guid": 4, - "value": 98, - "471962": 4, - "Object.prototype.hasOwnProperty.call": 1, - "
": 5, - "a.keyCode": 2, - "setSection=": 1, - "code": 2, - "ServerResponse.prototype.detachSocket": 1, - "_default": 5, - ".76*t": 4, - "decrement": 2, - "e*.28": 1, - "_.isFunction": 1, - "R.call": 2, - "**": 1, - ".append": 6, - "opt": 2, - "e*.35514": 2, - "skip_whitespace": 1, - "k.left": 1, - "e.val": 1, - "with": 18, - "31": 26, - "track": 2, - "ri.width": 3, - "window.frameElement": 2, - "steelseries.ColorDef.RED.medium.getRgbaColor": 6, - "da": 1, - "f.isFunction": 21, - "285046": 5, - "s.on": 4, - "has": 9, - "isEmptyDataObject": 3, - "exports.OPERATORS": 1, - "c.fn": 2, - "clearQueue": 2, - "overwrite": 4, - "this.setFrameDesign": 7, - "ties": 1, - "s.createDocumentFragment": 1, - "ua.toLowerCase": 1, - "bI": 1, - "k.get": 1, - "shiftKey": 4, - "cur": 6, - "i.minMeasuredValueVisible": 8, - "breaking": 1, - "Object.keys": 5, - "support": 13, - ".fail.apply": 1, - "e*.73": 3, - "n.shadowBlur": 4, - "ei.labelColor.getRgbaColor": 2, - "optimize": 3, - "a=": 23, - "M": 9, - "alive": 1, - "ut=": 6, - "s*.626168": 1, - "logger": 2, - "act": 1, - "a.defaultView": 2, - "browserMatch.browser": 2, - "now=": 1, - "e.removeChild": 1, - "o._default.call": 1, - "g.selected": 1, - "e.isWindow": 2, - "so": 8, - ".7875*t": 4, - "obj.constructor.prototype": 2, - "Index": 1, - "HTTPParser": 2, - "internally": 5, - "connector_punctuation": 1, - "d.firstChild.nodeType": 1, - "createFlags": 2, - "not": 26, - "begin.data.charCodeAt": 1, - "Map": 4, - "parse_zeroEscapeSequence": 3, - "onMotionChanged=": 2, - "s*.32": 1, - "pageXOffset": 2, - "": 3, - "scrollTop": 2, - "self.sockets": 3, - "button": 24, - "OutgoingMessage.prototype.setHeader": 1, - "this.setMaxMeasuredValueVisible": 4, - "hu": 11, - "checked=": 1, - "c.support.submitBubbles": 1, - "select.disabled": 1, - "h.hasClass": 1, - "hasOwnProperty": 5, - "gi": 26, - "strokeStyle=": 8, - "f.attrHooks.name": 1, - "prop.substr": 1, - "h/ht": 1, - "d.playing": 2, - "arguments.length": 18, - "n.measureText": 2, - "that.": 3, - "slideUp": 1, - "a.global": 1, - "f.removeAttr": 3, - "bi/": 2, - ".emit": 1, - "promiseMethods.length": 1, - "d.style": 3, - "s*.060747": 2, - "f.fn.css": 1, - "kt.save": 1, - "ut/2": 4, - "while": 53, - "quote": 3, - "corresponding": 2, - "c.set": 1, - "a.outerHTML": 1, - "f.cssHooks.opacity": 1, - "o.firstChild.childNodes": 1, - ".documentElement": 1, - "c.shift": 2, - "this.expected": 1, - "leading": 1, - "add": 15, - "valHooks": 1, - "1": 97, - "input.setAttribute": 5, - "bv": 2, - "that": 33, - "fi=": 1, - "begin": 1, - "Backbone.View.extend": 1, - "getFragment": 1, - "safari": 1, - "b.offsetLeft": 2, - "isPropagationStopped=": 1, - "bodyStyle": 1, - "this.state": 3, - "o.firstChild": 2, - "B.call": 3, - "smile": 4, - "solves": 1, - "jQuery.removeAttr": 2, - "thing": 2, - "z": 21, - "f.canvas.width": 3, - "Math.PI*2": 1, - "/http/.test": 1, - "S.newline_before": 3, - "f*255": 1, - "u.pointerTypeAverage": 2, - "fired": 12, - "extra": 1, - "Mozilla": 2, - "ie": 2, - "c.exclusive": 2, - "this.socket.pause": 1, - "HTTPParser.REQUEST": 2, - "http.createServer": 1, - "div.firstChild.nodeType": 1, - "crossDomain=": 2, - "attrFixes": 1, - "kt/at*t": 1, - "this.nextSibling": 2, - "fA": 2, - "never": 2, - "parse_eolEscapeSequence": 3, - "Mark": 1, - "innerHTML": 1, - "px": 31, - "i.odometerParams": 2, - "trick": 2, - "closePath": 8, - "ui.height": 2, - "b.insertBefore": 3, - "ol": 1, - "nightlies": 3, - "same": 1, - "messageHeader": 7, - "et.clearRect": 1, - "steelseries.FrameDesign.METAL": 7, - "this.handlers.unshift": 1, - "k.drawImage": 3, - ".trigger": 3, - "this._byId": 2, - "

": 2, - "frameDesign": 4, - "been": 5, - "expectExpression.test": 1, - "***": 1, - "Backbone.sync": 1, - "s.createElement": 10, - "d.jquery": 1, - "dr": 16, - "with_eof_error": 1, - "static": 2, - "contains": 8, - "cf": 7, - "bZ": 3, - "mod": 12, - "this._endEmitted": 3, - "s.detachEvent": 1, - "f*.7": 2, - "req.res.emit": 1, - "is_unicode_connector_punctuation": 2, - "c.cache": 2, - "Diego": 2, - "steelseries.TrendState.STEADY": 2, - "345794": 3, - ".0415*t": 2, - "f*.546728": 2, - "basic": 1, - "d.parseFromString": 1, - "b.remove": 1, - ".038": 1, - "set": 22, - "i.gaugeType": 6, - "wi.getContext": 2, - "selected": 5, - "dataType": 6, - "a.ActiveXObject": 3, - "type": 49, - ".0516*t": 7, - "*kt": 5, - "h=": 19, - "escapeRegExp": 2, - "": 3, - "setRequestHeader": 6, - "isArray": 10, - "this._sent100": 2, - "math.cube": 2, - "rt": 45, - "u200c": 1, - "jQuerySub": 7, - "l.done": 1, - "b.src": 4, - "characters": 6, - "g.getContext": 2, - "t*.025": 1, - "c.inArray": 2, - "Modernizr._domPrefixes": 1, - "tom.move": 2, - "kt.restore": 1, - "exports.globalAgent": 1, - "exposing": 2, - "r*255": 1, - "JS_Parse_Error.prototype.toString": 1, - "f.cssHooks": 3, - "cssNumber": 3, - "Event": 3, - "toggleClass": 2, - "f.ready": 1, - "lcdColor": 4, - "this._url": 1, - "string": 41, - "recognize": 1, - "conn": 3, - "req.res._emitPending": 1, - "this.navigate": 2, - "f.event": 2, - "ot.type": 10, - "text": 14, - "already": 6, - "fn": 14, - ".innerHTML": 3, - "rt.addColorStop": 4, - "functions": 6, - "this.socket": 10, - "vertical": 1, - "o/r*": 1, - "u.splice": 1, - "cube": 2, - "useMap": 2, - "CONNECT": 1, - "globalEval": 2, - "st*10": 2, - "ni=": 1, - "cubes": 4, - "controls": 1, - "this.method": 2, - "end.rawText": 2, - ".12*t": 4, - "hook": 1, - "Optionally": 1, - "ownerDocument": 9, - "fi.setAttribute": 2, - "lu": 10, - "i*.114285": 1, - "e.trim": 1, - "B": 5, - "passed": 5, - "gradientStartColor": 1, - "n/255": 1, - "elvis": 4, - "S.tokpos": 3, - "b.options": 1, - "#9897": 1, - "name=": 2, - "merge": 2, - "Object.prototype.toString": 7, - "this._headers": 13, - "protoProps": 6, - "ab.test": 1, - "End": 1, - "this.map": 3, - "n.length": 1, - "c.specified": 1, - "Either": 2, - "arguments_": 2, - "using": 5, - "self.options.maxSockets": 1, - "rotate": 31, - ".3": 8, - "exports.RESERVED_WORDS": 1, - "x.shift": 4, - ".698039": 1, - "s*.007": 3, - "name.indexOf": 2, - ".1075*t": 2, - "show=": 1, - "v.getResponseHeader": 2, - "//don": 1, - "c.documentElement.doScroll": 2, - "decimalBackColor": 1, - "socket._httpMessage": 9, - "u*255": 1, - "all.length": 1, - "input.value": 5, - "setAlpha": 8, - "s/vt": 1, - "key.match": 1, - "H=": 1, - ".046728*h": 1, - "support.reliableHiddenOffsets": 1, - "b.jsonpCallback": 4, - "div.parentNode.removeChild": 1, - "fn.apply": 1, - "si.height": 2, - "row": 1, - "h.status": 1, - "leftMatch": 2, - "serif": 13, - "799065": 2, - "stream.Stream.call": 2, - "df.type": 1, - "Save": 2, - "callbacks.push": 1, - "Accept": 1, - "a.done": 1, - "e.style.cssFloat": 1, - "matchFailed": 40, - "steelseries.BackgroundColor.TURNED": 2, - "cw": 1, - "b.createTextNode": 2, - "a.fn.constructor": 1, - "e.ready": 6, - "setCssAll": 2, - "t/2": 1, - "&": 13, - "has_e": 3, - "dequeue": 6, - "e.access": 1, - "bk": 5, - "f.nodeName": 16, - "this.setSectionActive": 2, - "Error": 16, - "result4": 12, - "n.translate": 93, - "RegExp": 12, - "batch": 2, - ".innerHTML.replace": 1, - "f.support.focusinBubbles": 1, - "h.guid": 2, - "self._deferToConnect": 1, - "parser.incoming._paused": 2, - "kr": 17, - ".proxy": 1, - "cssHooks": 1, - "even": 3, - "o": 322, - "root": 5, - ".47": 3, - "lineHeight": 1, - "<-90&&e>": 2, - "forms": 1, - "setMaxValue=": 1, - "hasOwn.call": 6, - "f*.028037": 6, - "copied": 1, - "f*.15": 2, - "because": 1, - ".marginTop": 1, - "lists": 2, - "responseFields": 1, - "e.guid": 3, - "socketCloseListener": 2, - "lineJoin=": 5, - "y*.012135": 2, - "comment1": 1, - "onunload": 1, - "Feb": 1, - "normalizes": 1, - "g.clientTop": 1, - "top": 12, - "f.queue": 3, - "b.checked": 1, - "repaint": 23, - "newline_before": 1, - "RE_DEC_NUMBER.test": 1, - "E.call": 1, - "section": 2, - "ends": 1, - "b.drawImage": 1, - ".480099": 1, - "onSocket": 3, - "stream.Stream": 2, - "oa": 1, - ".guid": 1, - "yt": 32, - "array": 7, - "ns.svg": 4, - "365": 2, - "string.length": 1, - "ba.test": 1, - "relative": 4, - "steelseries.GaugeType.TYPE1": 4, - "len": 11, - "_id": 1, - "n.shift": 1, - "l=": 10, - "OutgoingMessage.prototype._buffer": 1, - "b.contents": 1, - "i.addColorStop": 27, - "lineWidth=": 6, - "k*.61": 1, - "parser.finish": 6, - "_configure": 1, - "bO": 2, - "expression": 4, - "toggle": 10, - "req.socket": 1, - "W/": 2, - "keep": 1, - "float": 3, - "ajaxStart": 1, - "v.statusCode": 2, - "h.firstChild": 2, - "hostHeader": 3, - "this.offset": 2, - "readyList": 6, - "n.drawImage": 14, - "<=\",>": 1, - "1e8": 1, - "S": 8, - "u*.58": 1, - "224299": 1, - "style": 30, - "size": 6, - "u.strokeStyle": 2, - "jQuerySub.superclass": 1, - "decimalsVisible": 2, - "this.repaint": 126, - "the": 107, - ".805*t": 2, - "executing": 1, - "location.hash": 1, - "c.filter": 2, - "su": 12, - "h2": 5, - "support.noCloneChecked": 1, - "f.expr": 4, - "Modernizr.input": 1, - "vi.getColorAt": 1, - "ri": 24, - "t*.856796": 1, - "||": 648, - "read_string": 1, - "num.substr": 2, - "this._extractParameters": 1, - "u17b4": 1, - "borderTopWidth": 1, - "f.support.optSelected": 1, - "feature.toLowerCase": 2, - "ti/2": 1, - "print": 2, - "s*.38": 2, - "isFinite": 1, - "this.doesAddBorderForTableAndCells": 1, - "k.cloneNode": 1, - "a.button": 2, - "div.firstChild.namespaceURI": 1, - "255": 3, - "chars": 1, - "iterating": 1, - "bt/": 1, - "Q.test": 1, - "f.expr.filters": 3, - "html5.shivMethods": 1, - "res.on": 1, - ".528036*f": 5, - "e*.537383": 2, - "it.labelColor.setAlpha": 1, - "socket.parser": 3, - "push": 11, - "persist": 1, - "u.length": 3, - "Actual": 2, - "v.get": 1, - "b.defaultValue": 1, - ".145098": 1, - "/mg": 1, - "incoming.push": 1, - "actually": 2, - "s.canvas.width": 4, - "r.getElementById": 7, - "this.setUnitString": 4, - "params.processData": 1, - "this._remove": 1, - "frowned": 1, - "<=o-4&&(e=0,c=!1),u.fillText(n,o-2-e,h*.5+v*.38)),u.restore()},dt=function(n,i,r,u){var>": 1, - "self.useChunkedEncodingByDefault": 2, - "i.ledColor": 10, - "util.inherits": 7, - "tr.width": 1, - "#8421": 1, - "chars.join": 1, - "ft=": 3, - "u.lcdTitleStrings": 2, - "this.setThreshold": 4, - "removeEventListener": 3, - "b.toUpperCase": 3, - "steelseries.BackgroundColor.CARBON": 2, - "setValue=": 2, - "b.each": 1, - "self._flush": 1, - "prop": 24, - "e*.481308": 2, - "g.height": 4, - "Math.PI": 13, - "newValue": 3, - "this._implicitHeader": 2, - "c.isXMLDoc": 1, - "readyState=": 1, - "U.test": 1, - "parent.firstChild": 1, - "implemented": 1, - "te": 2, - "p.addColorStop": 4, - "its": 2, - "he.drawImage": 1, - "pos": 197, - "a.style.cssFloat": 1, - "u*i*": 2, - "c.browser.safari": 1, - "c.map": 1, - "care": 1, - "d.getElementsByTagName": 6, - "matches=": 1, - "contenteditable": 1, - "Boolean": 2, - "i.height*.9": 6, - "end.data": 1, - "s.save": 4, - "": 1, - "e.css": 1, - "ii.height": 2, - "URLs": 1, - "ignoreCase": 1, - "g.width": 4, - "b.style": 1, - "f.event.special.change": 1, - "a.style.paddingLeft": 1, - "h.cloneNode": 1, - "l.match.PSEUDO.test": 1, - "c.async": 4, - "isPlainObject": 4, - "u*.15": 2, - "parseFloat": 30, - "peek": 5, - "_.isRegExp": 1, - "marginDiv.style.marginRight": 1, - "parentsUntil": 1, - "visibility": 3, - "*st/": 1, - "host": 29, - "gt.width": 2, - "get/set": 2, - "c.nodeName": 4, - "d.mimeType": 1, - "or": 38, - "d/": 3, - "parent": 15, - "this._header": 10, - "u00A0": 2, - "layout": 2, - "url=": 1, - "nf": 7, - "parse_lowerCaseLetter": 2, - "lastData": 2, - "Will": 2, - "Backbone.history.route": 1, - "/#.*": 1, - "a.execScript": 1, - ".871012": 3, - "e.getAttribute": 2, - "destroy": 1, - "o.childNodes": 2, - "b.createElement": 2, - "cl": 3, - "u.canvas.width": 7, - "ending": 2, - "c.getElementsByTagName": 1, - "k.uniqueSort": 5, - "specialSubmit": 3, - "f.cache": 5, - "d.length": 8, - "inputElem.style.cssText": 1, - "instanceof": 19, - "this.getHeader": 2, - "options.path": 2, - "eventSplitter": 2, - "borderLeftWidth": 1, - "c.each": 2, - "m.level": 1, - "f.hasData": 2, - "sessionStorage.removeItem": 1, - ".start": 12, - "s=": 12, - "Assume": 2, - "headers": 41, - "u2028": 3, - "*vt": 4, - "steelseries.BackgroundColor.PUNCHED_SHEET": 2, - "rspace": 1, - "res.detachSocket": 1, - "d": 771, - "": 1, - "u.backgroundColor": 4, - "namedParam": 2, - "originalEvent=": 1, - "f.trim": 2, - "Make": 17, - "jQuery.fn": 4, - ".shift": 1, - "/a": 1, - "document.createElementNS": 6, - "this.maxSockets": 1, - "steelseries.Orientation.WEST": 6, - "safety": 1, - "": 4, - "si.getContext": 4, - "least": 4, - "i.toPrecision": 1, - "c.browser.webkit": 1, - "jQuery.isEmptyObject": 1, - "f.support.opacity": 1, - ".0013*t": 12, - "dr=": 1, - "screenY": 4, - "return": 944, - "a.namespace.split": 1, - "map": 7, - "l.type": 26, - "e*.012135": 2, - "u0604": 1, - "node.offsetHeight": 2, - "padding": 4, - "f.rotate": 5, - "yi": 17, - "b.elem": 1, - "l.match.PSEUDO.exec": 1, - "Modernizr.testStyles": 1, - "toString.call": 2, - "48": 1, - "ft": 70, - "shadowBlur=": 1, - "nt=": 5, - "exports.KEYWORDS": 1, - "ajaxSend": 1, - ".toArray": 1, - "this._hasBody": 6, - "copyIsArray": 2, - "exports.slice": 1, - "bW.href": 2, - "g.substring": 1, - "this.setThresholdVisible": 4, - "Construct": 1, - "f.parseJSON": 2, - "a.defaultChecked": 1, - "target.data": 1, - "uffff": 1, - "a.fragment": 1, - "bD": 3, - "start_token": 1, - "a.document.nodeType": 1, - "detachEvent": 2, - "data=": 2, - "ut.getContext": 2, - "steelseries.BackgroundColor.STAINLESS": 2, - "model.idAttribute": 2, - "duration": 4, - "f.support.noCloneChecked": 1, - "": 1, - "H": 8, - "this._finish": 2, - "option": 12, - "classProps": 2, - "v.statusText": 1, - "a.preventDefault": 3, - "e.nodeName.toLowerCase": 1, - "isNode": 11, - "parse___": 2, - "71028": 1, - "ch.charCodeAt": 1, - "Va": 1, - "j.handleObj.origHandler.apply": 1, - "d.style.overflow": 1, - "443": 2, - "ct*5": 1, - "g.splice": 2, - "f.support.checkOn": 1, - "cellpadding": 1, - "j.deleteExpando": 1, - "Internal": 1, - "parse_whitespace": 3, - "url.parse": 1, - "fetch": 4, - "m.xml": 1, - "e.href": 1, - "rowspan": 2, - "Snake.__super__.constructor.apply": 2, - "parser.incoming._emitData": 1, - "JSON.stringify": 4, - "_i": 10, - "parser.incoming.statusCode": 2, - "shouldKeepAlive": 4, - "bs.test": 1, - "class=": 5, - "node.id": 1, - "END_OF_FILE": 3, - "k*.13": 2, - "dt.stop": 2, - "load": 5, - "jQuery.noData": 2, - "this.writable": 1, - "existed": 1, - "64": 1, - "cellspacing": 2, - "b.nodeType": 6, - "Animal": 12, - "i.lcdVisible": 8, - ".15": 2, - "field.slice": 1, - "cx.test": 2, - "rbrace.test": 2, - "Match": 3, - "backgroundVisible": 2, - "u2060": 1, - "this.appendChild": 1, - "removeProp": 1, - "tds": 6, - "a.eval.call": 1, - "li.width": 3, - "jQuerySub.fn.constructor": 1, - "d.type": 2, - "connectionExpression": 1, - "/Expect/i": 1, - "h/e.duration": 1, - "e.browser": 1, - "//abort": 1, - "options.headers": 7, - "square": 10, - "Return": 2, - "A.frameElement": 1, - "bg.caption": 1, - "originalEvent": 2, - "_results.push": 2, - "vr": 20, - "s*.523364": 2, - "onload": 2, - "bb.test": 2, - "h.indexOf": 3, - "detail": 3, - "uf": 5, - "bq": 2, - "h.slice": 1, - "05": 2, - "this.color": 1, - "options.port": 4, - "decimalForeColor": 1, - "jQuerySub.prototype": 1, - "/checked": 1, - "a.document": 3, - "a.type": 14, - "this.constructor": 5, - "Snake": 12, - "ae": 2, - "UnicodeEscapeSequence": 1, - "80": 2, - "e.apply": 1, - "c.detachEvent": 1, - "f.expando": 23, - "lr=": 1, - "u": 304, - ".createTextNode": 1, - "jQuery.camelCase": 6, - "w.labelColor": 1, - "r.getRgbaColor": 8, - "f.support.appendChecked": 1, - "": 1, - "u.toFixed": 2, - "/r": 1, - "IncomingMessage.prototype._emitEnd": 1, - "But": 1, - "a.oRequestAnimationFrame": 1, - ".parentNode.removeChild": 2, - "g.charAt": 1, - ".find": 5, - "b.innerHTML": 3, - "determining": 3, - "vt=": 2, - "steelseries.LedColor.GREEN_LED": 2, - "k.labelColor.setAlpha": 1, - "": 1, - ".end": 1, - "F.call": 1, - "matchMedia": 3, - "info.url": 1, - "xA0": 7, - "r.repaint": 1, - "deletion": 1, - "background": 56, - "self.path": 3, - "u.shadowBlur": 2, - "S.tokcol": 3, - "e.nodeType": 7, - "colSpan": 2, - "e.medium.getHexColor": 1, - "f.support.ajax": 1, - "h*.41": 1, - "Backbone.View": 1, - "this.slice": 5, - "steelseries.KnobType.STANDARD_KNOB": 14, - "Math.log10": 1, - "s*.06": 1, - "this.found": 1, - ".name": 3, - ".indexOf": 2, - "let": 1, - "<2)for(b>": 1, - "v.complete": 1, - "OutgoingMessage.prototype._finish": 1, - "tr.getContext": 1, - "v.drawImage": 2, - "keyup": 3, - "context": 48, - "e/2": 2, - ".parentNode": 7, - "usemap": 2, - "": 1, - "": 2, - "parser.onMessageComplete": 1, - "21": 2, - "#x2F": 1, - "Backbone.Router": 1, - "e.getComputedStyle": 1, - "a.selected": 1, - "ca": 6, - "res.emit": 1, - "k*.803738": 2, - "u.pointerColor": 4, - "util": 1, - "Reference": 1, - "i.pageXOffset": 1, - "bU": 4, - "font=": 28, - "used": 13, - "aspect": 1, - "color": 4, - "t*.12864": 1, - ".69": 1, - "steelseries.PointerType.TYPE1": 3, - "u070f": 1, - "hide": 8, - "xml": 3, - "propHooks": 1, - "ci/": 2, - "stop": 7, - "loop": 7, - "f*.2": 1, - "j.style.opacity": 1, - "Y": 3, - "d.resolveWith": 1, - "f*.37": 3, - "i.odometerUseValue": 2, - "parse_letter": 1, - "Agent.prototype.addRequest": 1, - "self.setHeader": 1, - "i.titleString": 10, - "Backbone.Model.extend": 1, - "append": 1, - "parser.reinitialize": 1, - "textAlign=": 7, - "u.canvas.height": 7, - "rNonWord": 1, - "tbody/i": 1, - "jQuery.attrHooks": 2, - "end": 14, - "Necessary": 1, - "fragment.replace": 1, - "d.statusCode": 1, - "g.className": 4, - "e*.5": 10, - "ai.width": 1, - "err.message": 1, - "350466": 1, - "#9699": 1, - "f.sibling": 2, - "docCreateElement": 5, - "beginPath": 12, - "context.nodeType": 2, - "AGENT": 2, - "ATOMIC_START_TOKEN": 1, - "Infinity": 1, - "59": 3, - "gu": 9, - "h*u": 1, - "opera": 4, - "ClientRequest": 6, - "j.noCloneEvent": 1, - "//avoid": 1, - "r.toPrecision": 4, - "fi": 26, - "s.addEventListener": 3, - "siblings": 1, - "frag.createDocumentFragment": 1, - "f*i*ft/": 1, - "yt.playing": 1, - ".*version": 4, - "camelizing": 1, - "*c": 2, - "message": 5, - "c.support.deleteExpando": 2, - "supported": 2, - "propName": 8, - "setInterval": 6, - "fi.getContext": 4, - ".style": 1, - "f.fn.extend": 9, - ".cssText": 2, - "d.toUTCString": 1, - ".892523*ut": 1, - "u*.003": 2, - "body.firstChild": 1, - "b.value": 4, - "transferEncodingExpression.test": 1, - "et.save": 1, - "s*.3": 1, - "this.selector": 16, - "speed": 4, - "dataTypes=": 1, - "j.call": 2, - "_fired": 5, - "ft.type": 1, - "f.drawImage": 9, - "obj": 40, - "href": 9, - "modal": 4, - "inner.style.top": 2, - "f.support.checkClone": 2, - "stopPropagation": 5, - "e.value": 1, - "l.style": 1, - "f.grep": 3, - "delete": 39, - "lcdDecimals": 4, - "Client.prototype.request": 1, - "i.repaint": 1, - "k.offsetWidth": 1, - "b.appendChild": 1, - "f.expr.match.POS": 1, - "docElement.style": 1, - "event": 31, - "this.column": 1, - "75": 3, - "deferred": 25, - "Prioritize": 1, - "f.fn.load": 1, - "window.html5": 2, - "he": 1, - "trimRight": 4, - "their": 3, - "S.line": 2, - "elem.canPlayType": 10, - "execute": 4, - "camel": 2, - "triggerHandler": 1, - "nodeType=": 6, - "cl.createElement": 1, - "div.innerHTML": 7, - "r.createElement": 11, - "ID": 8, - "h*.035": 1, - "checkUrl": 1, - "cache.setInterval": 1, - "f.valHooks": 7, - "a.nodeName.toLowerCase": 3, - "e.isPlainObject": 1, - "self.socketPath": 4, - "h.splice.apply": 1, - "c.getElementById": 1, - "aren": 5, - "STANDARD": 3, - "666666": 2, - "i.labelNumberFormat": 10, - "jQuery.isNaN": 1, - "pointer": 28, - "t.dark.getRgbaColor": 2, - "d.readyState": 2, - "Modernizr._prefixes": 1, - ".stop": 11, - "n/Math.pow": 1, - "kf.repaint": 1, - "standalone": 2, - "Convert": 1, - "j.getComputedStyle": 2, - "b.selectedIndex": 2, - "oi/2": 2, - "q.splice": 1, - "isPropagationStopped": 1, - "call": 9, - "dt.height/2": 2, - "self.getHeader": 1, - "jQuery": 48, - "this.setPointerType": 3, - "i.frameDesign": 10, - "error.code": 1, - "this.tagName": 1, - "j.radioValue": 1, - "<=f[n].stop){t=et[n],i=ut[n];break}u.drawImage(t,0,0),kt(a,i)},this.repaint(),this},wr=function(n,t){t=t||{};var>": 1, - "cr": 20, - "u.digitalFont": 2, - "emitTimeout": 4, - "A.jQuery": 3, - "i.done": 1, - "/SVGClipPath/.test": 1, - "IncomingMessage.prototype._emitPending": 1, - "mouseup": 3, - "quoteForRegexpClass": 1, - "bf": 6, - "this._hasPushState": 6, - "d.push": 1, - "l.top": 1, - ".each": 3, - "i.height": 6, - "directly": 2, - "getAllResponseHeaders": 1, - "returned.promise": 2, - "j": 265, - "Use": 7, - "_.bindAll": 1, - "e*.007": 5, - "e*.58": 1, - "gt.height/2": 2, - "failDeferred.cancel": 1, - "bP.test": 1, - "isDefaultPrevented": 1, - "e.extend": 2, - "inputElem.offsetHeight": 1, - "/g": 37, - "t*.121428": 1, - "this._renderHeaders": 3, - "token.type": 1, - "f.ajaxSettings.xhr": 2, - "a.push": 2, - "clearTimeout": 2, - "g=": 15, - "tok": 1, - "getResponseHeader": 1, - "": 1, - "f.save": 5, - "i*.007142": 4, - "f1": 1, - "k*Math.PI/180": 1, - "this.": 2, - "this.make": 1, - "privateCache.events": 1, - "exec.call": 1, - "f.support.reliableMarginRight": 1, - "left": 14, - "res.statusCode": 1, - "e*.490654": 2, - "col": 7, - "m.test": 1, - "enableClasses": 3, - ".width": 2, - "Name": 1, - "W/.test": 1, - "c.charAt": 1, - "360": 15, - "": 1, - "res._emitEnd": 1, - "route": 18, - "32": 1, - "cases": 4, - "null/undefined": 2, - "option.disabled": 2, - "db": 1, - "e.style.position": 2, - "fieldset": 1, - ".style.textShadow": 1, - "error": 20, - "existent": 2, - "u205F": 1, - "div.style.width": 2, - "s.splice": 1, - "html5": 3, - "additional": 1, - "attributes": 14, - "Cancel": 1, - "*t": 3, - "promiseMethods": 3, - "this.trigger.apply": 2, - "flags.unique": 1, - "bJ": 1, - "style.cssText": 1, - "waiting": 2, - "nt.translate": 2, - "obj.constructor": 2, - "i.substring": 3, - "outgoing.length": 2, - "y.canvas.height": 3, - "backgroundColor": 2, - "i.minValue": 10, - "d*.093457": 2, - "": 1, - "N": 2, - "jQuery.ready": 16, - "dateCache": 5, - "parser.onHeaders": 1, - "Support": 1, - "beforeactivate": 1, - "F.prototype": 1, - "Test": 3, - "steelseries.TrendState.DOWN": 2, - "drawImage": 12, - "uFEFF/": 1, - "h.scrollLeft": 2, - "f.attrFn": 3, - "div.test": 1, - "st*2.5": 1, - "textBaseline=": 4, - "matching": 3, - "u/2": 5, - "UNARY_POSTFIX": 1, - "a.slice": 2, - "f.support.noCloneEvent": 1, - "item": 4, - "getComputedStyle": 3, - "Horse.__super__.constructor.apply": 2, - "exports.createClient": 1, - "di.height": 1, - "n.canvas.height": 3, - "rawText": 5, - "rsingleTag": 2, - "member": 2, - "hex_bytes": 3, - "window.history.pushState": 2, - "ba.call": 1, - "a.nodeName.toUpperCase": 2, - "794392": 1, - "removeAttr": 5, - "this.setGradientActive": 2, - "metadata": 2, - ".appendChild": 1, - "c.fn.init.prototype": 1, - "fontWeight": 1, - "this.firstChild": 1, - "oi.play": 1, - "version": 10, - "net.createConnection": 3, - "jQuery.support.getSetAttribute": 1, - "parser": 27, - "t.getContext": 2, - "g.nodeType": 6, - "str": 4, - "pt.height": 1, - "angle": 1, - "sentTransferEncodingHeader": 3, - "//XXX": 1, - "g.getAttribute": 1, - "this.removeAttribute": 1, - "c.error": 2, - "jQuery.uaMatch": 1, - "dt.type": 4, - "i*.142857": 1, - "s/ut": 1, - "steelseries.LcdColor.STANDARD_GREEN": 4, - ".elem": 1, - "G=": 1, - "p.splice": 1, - "st.width": 1, - "v/": 1, - "n.canvas.width/2": 6, - "u.backgroundVisible": 4, - "String.prototype.toJSON": 1, - "current": 7, - "fadeTo": 1, - "q.expr": 4, - "f.fx": 2, - "c.crossDomain": 3, - "bo.test": 1, - "k.nodeType": 1, - "b.parentNode.removeChild": 2, - "mq": 3, - "setData": 3, - "is_alphanumeric_char": 3, - "x.push": 1, - "when": 20, - "le": 1, - "assignment": 1, - "i.style.width": 1, - "ck.contentWindow": 1, - "ul": 1, - "single": 2, - "2": 66, - "read_escaped_char": 1, - "bw": 2, - "__sizzle__": 1, - "f.event.trigger": 6, - "f.attrHooks.style": 1, - "serverSocketCloseListener": 3, - "t.format": 7, - "IncomingMessage": 4, - "u.createRadialGradient": 1, - "jQuery.extend": 11, - "TYPE1": 2, - "transition": 1, - "readonly": 3, - "//": 410, - "nt.drawImage": 3, - "const": 2, - "b.test": 1, - "n.slice": 1, - "noop": 3, - "st.getContext": 2, - "{": 2736, - "giving": 1, - "e.animatedProperties": 5, - "a.mozRequestAnimationFrame": 1, - "f.map": 5, - "helper": 1, - "if": 1230, - "div.className": 1, - "Ensure": 1, - "d.onload": 3, - "a.push.apply": 2, - "": 1, - "i.getGreen": 1, - "sub": 4, - "notxml": 8, - "isEmptyObject": 7, - "f*.05": 2, - ".replace": 38, - "d.appendChild": 3, - "f.boxModel": 1, - "parsers.alloc": 1, - "it.labelColor.getRgbaColor": 4, - "password": 5, - "stat": 1, - "dir": 1, - "dealing": 2, - "Remember": 2, - "d.nextSibling.firstChild.firstChild": 1, - "a.style.filter": 1, - "d*": 8, - "requires": 1, - "this._httpMessage": 3, - "ti.stop": 1, - "parser.onIncoming": 3, - "g.sort": 1, - "na": 1, - "ecma": 1, - "p.add": 1, - "prefixes.join": 3, - "docElement.appendChild": 2, - ".0264*t": 4, - "d.innerHTML": 2, - "node.hidden": 1, - "location": 2, - "ticket": 4, - "onServerResponseClose": 3, - "355": 1, - "/href": 1, - "previousSibling": 5, - "docCreateFragment": 2, - "statement": 1, - "": 1, - "/radio": 1, - "c.expando": 2, - "c.password": 1, - "cg": 7, - "c.head": 1, - "h.concat.apply": 1, - "incoming.shift": 2, - "run": 1, - "bT.apply": 1, - "access": 2, - "u.addColorStop": 14, - "this.chunkedEncoding": 6, - "vi.height": 1, - "document.documentElement.doScroll": 4, - "exports.ClientRequest": 1, - "refuse": 1, - "window.matchMedia": 1, - "_": 9, - "array.length": 1, - "CDATA": 1, - "": 1, - "e.isArray": 2, - "ni.width": 2, - "fallback": 4, - "REGEXP_MODIFIERS": 1, - "ActiveXObject": 1, - "parse_multiLineComment": 2, - "getData": 3, - "gt=": 1, - "ii.length": 2, - "TypeError": 2, - "data.length": 3, - "navigator": 3, - "focus": 7, - "hold": 6, - "k.contains": 5, - "firing": 16, - "f*.142857": 4, - "have": 6, - "Math": 51, - "ru": 14, - "is_unicode_combining_mark": 2, - "f.cssNumber": 1, - "andSelf": 1, - "Math.floor": 26, - "goggles": 1, - "b.replace": 3, - "wt.decimalForeColor": 1, - "s.fillText": 2, - "OutgoingMessage.prototype.getHeader": 1, - "s.test": 1, - "ck.frameBorder": 1, - "cssomPrefixes.join": 1, - "e*.728155*": 1, - "nlb": 1, - "flags.once": 1, - "document.documentMode": 3, - ".when": 1, - "runners": 6, - "If": 21, - "ot.getContext": 3, - "this.sockets": 9, - "linear": 1, - "a.contentDocument": 1, - "y.resolveWith": 1, - "status": 3, - "noCloneEvent": 3, - "div.style.zoom": 2, - "b.contentType": 1, - "outgoing.shift": 1, - "this.valueLatest": 1, - "n.toFixed": 2, - "computeErrorPosition": 2, - "cache": 45, - "avoid": 5, - ".Event": 1, - "

": 4, - "a.style.cssText.toLowerCase": 1, - "opacity": 13, - "async": 5, - "docElement": 1, - "t*.15": 1, - "document.createElement": 26, - "f*.075": 1, - "jQuery.nodeName": 3, - "req.listeners": 1, - "Backbone.history.navigate": 1, - "model.collection": 2, - "send": 2, - "d.parentNode.removeChild": 1, - "bg.th": 1, - "b.mergeAttributes": 2, - "/.exec": 4, - "a.offsetParent": 1, - "d.unshift": 2, - "f.noData": 2, - "a.firstChild": 6, - "f.ajax": 3, - "c.body.appendChild": 1, - "u*.009": 1, - "attrChange": 4, - "n.value": 4, - "2d": 26, - "n.setAttribute": 1, - "h.rejectWith": 1, - "contents": 4, - "C": 4, - "rdigit": 1, - "h*.04": 1, - "headerIndex": 4, - "m.elem": 1, - ".845*t": 1, - "Ta.exec": 1, - "v.error": 1, - "param": 3, - "selector.charAt": 4, - "se": 1, - "auth": 1, - "conMarginTop": 3, - "d.nodeType": 5, - "c.namespace_re": 1, - "bt.labelColor.getRgbaColor": 2, - "Static": 1, - ".4": 2, - "elem.nodeName.toLowerCase": 2, - "135": 1, - "socket.destroySoon": 2, - "readyList.fireWith": 1, - "pageY=": 1, - "u.shadowOffsetX": 2, - "req._hadError": 3, - "browser": 11, - "tabIndex": 4, - "c.ajax": 1, - "emptyGet": 3, - "d.filter": 1, - "d.readOnly": 1, - "inputElem.checkValidity": 2, - "setArea=": 1, - "this._storeHeader": 2, - "OutgoingMessage.call": 2, - "_.each": 1, - "accepts": 5, - "a.dataTypes": 2, - "but": 4, - "Strange": 1, - "ensure": 2, - "bezierCurveTo": 6, - "si.width": 2, - "msie": 4, - "slideToggle": 1, - "getValueAverage=": 1, - "normalize": 2, - "result1.push": 3, - "cellSpacing": 2, - "window.history.replaceState": 1, - "i.style.marginRight": 1, - "window.HTMLDataListElement": 1, - "testMediaQuery": 2, - "t*.435714": 4, - "ut.addColorStop": 2, - "setLcdTitleStrings=": 1, - "OutgoingMessage.prototype.removeHeader": 1, - "nr": 22, - "div.setAttribute": 1, - "c/": 2, - "exports.tokenizer": 1, - "s.getElementsByTagName": 2, - "approach": 1, - "s*.130841": 1, - "Server": 6, - "i*.12864": 2, - "exports.KEYWORDS_ATOM": 1, - "has_dot": 3, - "g.document.body": 1, - "a.offsetHeight": 2, - "self.options": 2, - "i*.571428": 2, - "kt.medium.getRgbaColor": 1, - "ii.push": 1, - "j.indexOf": 1, - "page": 1, - "ua": 6, - "cx": 2, - ".type": 2, - "s*.475": 1, - "u.titleString": 2, - "getContext": 26, - "this.setMinMeasuredValueVisible": 4, - "e/r*": 1, - "seenCR": 5, - "All": 1, - "f.parseXML": 1, - "i.sort": 1, - "bl": 3, - "ot=": 4, - "jQuery.browser": 4, - "result5": 4, - "f*.453271": 2, - "this.eq": 4, - ".030373*e": 1, - "kt/at": 2, - "j.optDisabled": 1, - "fakeBody": 4, - ".48": 7, - "valuesNumeric": 4, - "*ut": 2, - "else": 307, - "e.toPrecision": 1, - "div.addEventListener": 1, - "r=": 18, - "p": 110, - "model.toJSON": 1, - "g.clientLeft": 1, - "d.join": 1, - "Z.exec": 1, - "toLowerCase": 3, - "module.deprecate": 2, - "non_spacing_mark": 1, - "c.zoom": 1, - "hot": 3, - "b.addColorStop": 4, - "match": 30, - "r/g": 2, - "f._data": 15, - "only": 10, - "comment2": 1, - "Gets": 2, - "PUT": 1, - "Ban": 1, - "d.concat": 1, - "unbind": 2, - "layerX": 3, - "kt.textColor": 2, - "<-180&&e>": 2, - "c.documentElement.currentStyle": 1, - "detach": 1, - "f.propHooks": 1, - "whitespace": 7, - "div.fireEvent": 1, - "blur": 8, - "yu": 10, - "this.setMaxValue": 3, - "replace": 8, - "n.canvas.width": 3, - "api": 1, - "Flag": 2, - "l.left": 1, - "position": 7, - "mStyle.backgroundImage": 1, - "item.bind": 1, - "38": 5, - "expando": 14, - "et": 45, - "u*.88": 2, - "s*.365": 2, - "container": 4, - "f.offset.doesAddBorderForTableAndCells": 1, - "socket.end": 2, - "parserOnHeadersComplete": 2, - "Modal": 2, - "stack.shift": 1, - "iterate": 1, - "a.href": 2, - "h.value": 3, - "a.selector": 4, - "Buffer": 1, - "this.length": 40, - "bP": 1, - "classes.push": 1, - "target": 44, - "lastToggle": 4, - "option.selected": 2, - ".19857": 6, - "unrecognized": 3, - "this._expect_continue": 1, - "T": 4, - "this.bind": 2, - "frameborder": 2, - "&&": 1017, - "i.pointerColor": 4, - "option.parentNode": 2, - "defun": 1, - "this.nodeName": 4, - "ctor": 6, - "n.textAlign": 12, - "parts": 28, - "<\",>": 1, - "support.reliableMarginRight": 1, - "f.support.reliableHiddenOffsets": 1, - ".049*t": 8, - "h3": 3, - "Height": 1, - "Ua": 1, - "history.pushState": 1, - "this.line": 3, - "setPointerType=": 1, - "this.hide": 1, - "u17b5": 1, - "f._Deferred": 2, - "g.reject": 1, - "makeArray": 3, - "a.liveFired": 4, - "rowSpan": 2, - "st/": 1, - "w.labelColor.setAlpha": 1, - "func": 3, - "vi.getContext": 2, - "n.closePath": 34, - "handleObj=": 1, - "k.parentNode": 1, - "c.createDocumentFragment": 1, - "a.handleObj": 2, - ".875*t": 3, - "t*.007142": 4, - "occur": 1, - "a.ownerDocument.defaultView": 1, - "omPrefixes.split": 1, - "t.onMotionChanged": 1, - ".05": 2, - "differently": 1, - "First": 3, - "ci.getContext": 1, - "data.constructor": 1, - "ServerResponse.prototype.writeHeader": 1, - "f*.571428": 8, - "d.attachEvent": 2, - "continuing": 1, - "f.event.global": 2, - "a.call": 17, - "GC": 2, - "e*.850467": 4, - "ut.save": 1, - "is_token": 1, - ".scrollTop": 1, - "appendTo": 1, - "this.get": 1, - "child": 17, - "wt=": 3, - "e*.518691": 2, - "document.detachEvent": 2, - "a.currentStyle.filter": 1, - "this.path": 1, - "marginRight": 2, - "TAGNAMES": 2, - "jQuery.support.deleteExpando": 3, - "t.closePath": 4, - "*Math.PI": 10, - "vi.getEnd": 1, - ".63*u": 3, - "animatedProperties": 2, - "": 1, - "getElements": 2, - "part.data": 1, - "8": 2, - "See": 9, - "ur": 20, - "viewOptions.length": 1, - "n.order.length": 1, - "rdashAlpha": 1, - "namespace": 1, - "search": 5, - "t*.053": 1, - "": 1, - "Catch": 2, - "f/2": 13, - "tf": 5, - "j.getAttribute": 2, - "tick": 3, - "d.parentNode": 4, - "attrs.list": 2, - "Animal.prototype.move": 2, - "wt.decimalBackColor": 1, - "options.setHost": 1, - "this.context": 17, - "rule.split": 1, - "toElement": 5, - "cr.drawImage": 3, - "except": 1, - "a.sort": 1, - "h.replace": 2, - "095": 1, - "f*.093457": 10, - "use": 10, - "<[\\w\\W]+>": 4, - "/gi": 2, - "f.access": 3, - "this._decoder": 2, - "true": 147, - "i.thresholdVisible": 8, - "input.checked": 1, - "this.setGradient": 2, - "y.length": 1, - "f.active": 1, - "y=": 5, - "net.Server": 1, - "i*.121428": 1, - "still": 4, - ".map": 1, - "this.elements": 2, - "inputElem.type": 1, - "getByName": 3, - "e*.060747": 2, - "#x": 1, - "s.drawImage": 8, - "hi.play": 1, - "inserted": 1, - "t.getGreen": 4, - "bK.test": 1, - "serializeArray": 1, - "*.05": 4, - "console.log": 3, - "space": 1, - ".mouseleave": 1, - "y.done": 1, - "pair": 1, - "self.createConnection": 2, - "With": 1, - "week": 1, - "a.navigator": 1, - "RED": 1, - "": 3, - "jQuerySub.sub": 1, - "cm": 2, - "f.ajaxSettings.traditional": 2, - "this.resetMinMeasuredValue": 4, - "keydown": 4, - "u.drawImage": 22, - "document": 26, - "s*.71": 1, - "u.clearRect": 5, - "u.canvas.width*.4865": 2, - "ba": 3, - "Syntax": 3, - "b.defaultChecked": 1, - "k*.57": 1, - "parse_simpleEscapeSequence": 3, - "s*.035": 2, - "ni.height": 2, - "i.size": 6, - "u*r": 1, - "guid": 5, - "DocumentTouch": 1, - "u2029": 2, - ".59": 4, - "jQuery._Deferred": 3, - "errorPosition": 1, - "here": 1, - "e": 663, - ".107476*ut": 1, - "u.shadowColor": 2, - "failDeferred.isResolved": 1, - "this.output.length": 5, - "_=": 1, - "e.isFunction": 5, - "results": 4, - "e*.53": 1, - "datetime": 1, - ".checked": 2, - "u.size": 4, - ".push": 3, - "self.chunkedEncoding": 1, - "stored": 4, - ".nodeType": 9, - "this.each": 42, - "d.height": 4, - "TODO": 2, - "option.getAttribute": 2, - "p.shift": 4, - "h.onreadystatechange": 2, - "g.join": 1, - "d.events": 1, - "this.maxHeaderPairs": 2, - "IncomingMessage.prototype._emitData": 1, - "i.ledVisible": 10, - "s*.12": 1, - "k.matches": 1, - "parsers": 2, - "fu": 13, - "i.area": 4, - "scripts": 2, - "e/22": 2, - "49": 1, - "c.wrapAll": 1, - "a.offsetWidth": 6, - "ei": 26, - "parser.incoming.upgrade": 4, - "200934": 2, - "failDeferred.done": 1, - "led": 18, - "into": 2, - "Object.prototype.hasOwnProperty": 6, - "mminMeasuredValue": 1, - "req.httpVersionMajor": 2, - "joiner": 2, - "protoProps.hasOwnProperty": 1, - "td.offsetTop": 1, - "this.startTime": 2, - "etag": 3, - "v.clearRect": 2, - "given": 3, - "self._emitEnd": 1, - "handy": 2, - "jQuery.data": 15, - "bE": 2, - "c.attachEvent": 3, - "v.readyState": 1, - "this.port": 1, - "measureText": 4, - "this.sendDate": 3, - "n.lineJoin": 5, - ".specified": 1, - "e.style.top": 2, - "I": 7, - "punc": 27, - "hover": 3, - "t.start": 1, - "provided": 1, - "u202f": 1, - "P.test": 1, - "fakeBody.appendChild": 1, - "yt/at": 1, - "isRejected": 2, - "": 2, - "animatedProperties=": 1, - "this.remove": 1, - "more": 6, - "f*.121428": 2, - "Ba": 3, - "f.dir": 6, - "p.add.call": 1, - "hasDuplicate": 1, - "056074": 1, - "this.setLcdColor": 5, - "65": 2, - "self.agent": 3, - "f.offset.doesNotIncludeMarginInBodyOffset": 1, - "__hasProp.call": 2, - "this.output.shift": 2, - "ft/2": 2, - "other": 3, - "yi.setAttribute": 2, - ".ajax": 1, - "attrHandle": 2, - "socket._httpMessage._last": 1, - "t.height": 2, - "pi=": 1, - "OutgoingMessage": 5, - "nextSibling": 3, - "wrapInner": 1, - "holdReady": 3, - "this.output.unshift": 1, - "arguments": 83, - "f*.695": 4, - "tokline": 1, - "b.createDocumentFragment": 1, - "lastModified": 3, - "Math.round": 7, - "WHITESPACE_CHARS": 2, - "body.removeChild": 1, - "h.call": 2, - "/Content": 1, - "i.getContext": 2, - "display": 7, - "f.ajaxTransport": 2, - "g.domManip": 1, - "bool.h264": 1, - "parser.socket.readable": 1, - "cu.setValue": 1, - "tickCounter*a": 2, - "level": 3, - "-": 705, - "IncomingMessage.prototype.destroy": 1, - ".0377*t": 2, - "d.nodeName": 4, - "06": 1, - "br": 19, - "af": 5, - "acceptData": 3, - "/top/.test": 2, - "maybe": 2, - "this.now": 3, - "n.shadowOffsetX": 4, - "hu.repaint": 1, - "v": 135, - ".0365*t": 9, - "well": 2, - "": 1, - ".7475": 2, - "srcElement": 5, - "e.position": 1, - "280373": 3, - "only.": 2, - "i.nodeType": 1, - "a.data": 2, - "a.dataType": 1, - "Modernizr": 12, - "nt.restore": 1, - "property": 15, - "calls": 1, - "e.style.opacity": 1, - "f=": 13, - "rmultiDash": 3, - "nodes": 14, - "Avoid": 1, - ".support.transition": 1, - "around": 1, - "pt": 48, - "this.delegateEvents": 1, - "inputElem.style.WebkitAppearance": 1, - "localAddress": 15, - "at.drawImage": 1, - "h*.42": 1, - "this.loadUrl": 4, - "this.prevObject": 3, - "Math.ceil": 63, - "this.iframe.location.hash": 3, - "i.preType": 2, - "Users": 1, - "elems": 9, - "fadeToggle": 1, - "click": 11, - "e.save": 2, - "this.setScrolling": 1, - "self.agent.addRequest": 1, - "rmsPrefix": 1, - "custom": 5, - "l.order.length": 1, - "I.focus": 1, - "_Deferred": 4, - ".7725*t": 6, - "this._emitPending": 1, - "shouldSendKeepAlive": 2, - "DTRACE_HTTP_CLIENT_REQUEST": 1, - "unary": 2, - "or/2": 1, - "steelseries.ColorDef.BLUE.dark.getRgbaColor": 6, - "cb": 16, - "bV": 3, - "C.call": 1, - "DOMContentLoaded": 14, - "steelseries.PointerType.TYPE2": 1, - "pr*.38": 1, - "fi.pause": 1, - "j.handleObj": 1, - "r.live.slice": 1, - "f*.3": 4, - "ei.textColor": 2, - "<0?0:n>": 1, - "obj.length": 1, - "typeof": 132, - "timers": 3, - ".concat": 3, - "setPointerTypeAverage=": 1, - "setPointerColor=": 1, - "Z": 6, - "f*.38": 7, - "opt.selected": 1, - "jQuery.fn.extend": 4, - "warn": 3, - "res.assignSocket": 1, - "this": 577, - "this.setValueColor": 3, - "properties": 7, - "or.restore": 1, - "doesAddBorderForTableAndCells": 1, - "": 1, - "f.support.radioValue": 1, - "a.style.width": 1, - "n.fillRect": 16, - ".extend": 1, - "a.selectedIndex": 3, - "s*.093457": 5, - "": 1, - "character": 3, - "like": 5, - "fn.call": 2, - "it.addColorStop": 4, - "hack": 2, - "350467": 5, - "class": 5, - "c.bindReady": 1, - "o.push": 1, - "steelseries.TickLabelOrientation.NORMAL": 2, - "deferred.done": 2, - "regular": 1, - "R.test": 1, - "a.constructor": 2, - "maxSockets": 1, - "parser.incoming.complete": 2, - "steelseries.Odometer": 1, - "display=": 3, - "a.childNodes": 1, - "metaKey=": 1, - "h.set": 1, - "lt*fr": 1, - ".7825*t": 5, - "f.each": 21, - "Math.PI/2": 40, - "comments_before": 1, - "p.pop": 4, - "c.documentElement.compareDocumentPosition": 1, - "b.text": 3, - "steelseries.ColorDef.RED": 7, - "document.body": 8, - "resize": 3, - "434579": 4, - "had": 1, - "g.get": 1, - "a.contents": 1, - "img": 1, - "n.fillText": 54, - "u/": 3, - "s/r": 1, - "this.outputEncodings.unshift": 1, - "style.cssRules": 3, - "f/ht": 1, - ".childNodes": 2, - "a.": 2, - "window.postMessage": 1, - "i*.0486/2": 1, - "u*.004": 1, - "495327": 2, - "pred": 2, - "newDefer.reject": 1, - "s*.4": 1, - "tickCounter": 4, - "c.removeData": 2, - "ajaxTransport": 1, - "script/i": 1, - "f.camelCase": 5, - "req.httpVersionMinor": 2, - "dt.playing": 2, - "handler=": 1, - "a.length": 23, - "exports.createServer": 1, - "k*.8": 1, - "all": 16, - "isn": 2, - "this._configure": 1, - "o.split": 1, - "i.toFixed": 2, - "t.save": 2, - "toplevel": 7, - "n.font": 34, - "errorDeferred": 1, - ".promise": 5, - "this.options.root.length": 1, - "i.live.slice": 1, - "e.offset": 1, - "hasClass": 2, - "rootjQuery": 8, - "ir": 23, - "unless": 2, - "pos0": 51, - "exports.Agent": 1, - ".14857": 1, - "browserMatch.version": 1, - "b.scrollLeft": 1, - "hf": 4, - "cleanExpected": 2, - "c.fragments": 2, - "Sets": 3, - "g.ownerDocument": 1, - "c.type": 9, - "i.set": 1, - "SHEBANG#!node": 2, - "getAttribute": 3, - "this.setMinMeasuredValue": 3, - "n.arc": 6, - "fnDone": 2, - "u00ad": 1, - "": 2, - "this.httpAllowHalfOpen": 1, - "IE": 28, - "repeatable": 1, - "date": 1, - "sam": 4, - "self.port": 1, - "ht=": 6, - "Math.min": 5, - "parseJSON": 4, - "forgettable": 1, - "f.attrHooks": 5, - "f.contains": 5, - "option.parentNode.disabled": 2, - "image": 5, - "this._httpMessage.emit": 2, - "e.level": 1, - "need": 10, - ".053*e": 1, - "714953": 5, - "Class": 2, - "Recurse": 2, - "ma": 3, - "legend": 1, - "this.setTitleString": 4, - "wt": 26, - ".8175*t": 2, - "c.support.checkClone": 2, - ".825*t": 9, - "this.cid": 3, - "a.style.position": 1, - "cs": 3, - "Clear": 1, - "jQuery.browser.version": 1, - "bg": 3, - "i.test": 1, - "Horse.__super__.move.call": 2, - "t.createLinearGradient": 2, - "result0": 264, - "Keep": 2, - "this.el": 10, - "slideDown": 1, - "split": 4, - "y.canvas.width": 3, - "92": 1, - "keyup.dismiss.modal": 2, - "i.events": 2, - "div.id": 1, - "k": 302, - "removeData": 8, - "b.jquery": 1, - "b.map": 1, - "k.ownerDocument": 1, - ".HTTPParser": 1, - "fillText": 23, - "doneCallbacks": 2, - "OutgoingMessage.prototype._flush": 1, - "shrinkWrapBlocks": 2, - "onClose": 3, - "A.": 3, - "c.isLocal": 1, - "reSkip": 1, - "outgoing.push": 1, - "this.socket.once": 1, - "f.curCSS": 1, - "this.trigger": 2, - "j.noCloneChecked": 1, - "Invalid": 2, - "destroyed": 2, - "D/g": 2, - "proxy": 4, - "file": 5, - "f2": 1, - "expectExpression": 1, - "a.insertBefore": 2, - "l.order.splice": 1, - "n.unbind": 1, - "isWindow": 2, - "this._send": 8, - "document.attachEvent": 6, - "pi": 24, - "gradientFraction2Color": 1, - "f.event.fix": 2, - "c.target": 3, - ".value": 1, - "m.slice": 1, - ".lastChild.checked": 2, - "self.httpAllowHalfOpen": 1, - "this.connection.write": 4, - "obsoleted": 1, - "steelseries.LedColor.RED_LED": 7, - "S.text.charAt": 2, - "Modernizr.hasEvent": 1, - "quickExpr.exec": 2, - "exec": 8, - "defer": 1, - "q.push": 1, - "gr.drawImage": 3, - "c.fn.init": 1, - "*u": 1, - "bK": 1, - "clearInterval": 6, - "createHangUpError": 3, - "exists": 9, - "bt.length": 4, - "t*.05": 2, - "attr.length": 2, - "self.method": 3, - "parser.socket.onend": 1, - "window.location.hash": 3, - "Backbone.History.prototype": 1, - "purpose": 1, - "b.length": 12, - "7757": 1, - "String.fromCharCode": 4, - "u.canvas.height*.105": 2, - "input.length": 9, - ".nodeName": 2, - "a.String": 1, - "O": 6, - "frag.appendChild": 1, - "args.concat": 2, - "req.res.readable": 1, - "incoming": 2, - "this.parser": 2, - "see": 6, - "eof": 6, - ".then": 3, - "issue": 1, - "this.getMaxValue": 4, - "slow": 1, - "e.isDefaultPrevented": 2, - "re": 2, - "browsers": 2, - "internalKey": 12, - "parser.incoming._pendings.length": 2, - "Fails": 2, - ".children": 1, - "pt=": 5, - "y*.121428": 2, - "hashStrip": 4, - "getJSON": 1, - "pageX=": 2, - "modElem": 2, - "changed": 3, - "part.rawText": 1, - "window.navigator": 2, - "XSS": 1, - "this.one": 1, - "d.toLowerCase": 1, - "i.customLayer": 4, - "this.socket.destroy": 3, - "two": 1, - "t.restore": 2, - "n.shadowColor": 2, - "f*.006": 2, - "self._pendings.shift": 1, - "b.name": 2, - "delegate": 1, - "applet": 2, - "Horse": 12, - "t.getRed": 4, - "released": 2, - "e.type": 6, - "inArray": 5, - "st*di": 1, - "b.translate": 2, - "a.namespace": 1, - "a.querySelectorAll": 1, - "": 2, - "req": 32, - "504672": 2, - "_routeToRegExp": 1, - "c.extend": 7, - "outer.nextSibling.firstChild.firstChild": 1, - "this.nodeName.toLowerCase": 1, - "t*.19857": 1, - ".replaceWith": 1, - "Can": 2, - "lf": 5, - "continueExpression": 1, - "listen": 1, - "i.each": 1, - "this.parentNode": 1, - "a.jquery": 2, - "Snake.prototype.move": 2, - "3": 13, - "Trigger": 2, - "key.split": 2, - "any": 12, - "chainable": 4, - "g.defaultView": 1, - "insertBefore": 1, - "o._default": 1, - "bx": 2, - "options.shivMethods": 1, - "n.target._pos": 7, - "this.setHeader": 2, - "model.trigger": 1, - "navigator.userAgent.toLowerCase": 1, - "cors": 1, - "existing": 1, - "j.replace": 2, - "this.checked": 1, - "js": 1, - "s.translate": 6, - "|": 206, - "i.height*.5": 2, - "f*.012135/2": 1, - ".attributes": 2, - "i.playAlarm": 10, - ".hide": 2, - "unit=": 1, - "q=": 1, - "pairs": 2, - "self.socket": 5, - "u*.7475": 1, - "none": 4, - "dt.onMotionChanged": 2, - "result.SyntaxError.prototype": 1, - "Promise": 1, - "#4512": 1, - "this.prop": 2, - "docElement.className.replace": 1, - "global": 5, - "reference": 5, - "ai=": 1, - "Backbone.emulateJSON": 2, - "#*": 1, - "i.hasClass": 1, - "h.setRequestHeader": 1, - "len.toString": 2, - "checkbox": 14, - "f*.06": 1, - "Label": 1, - "removal": 1, - "fragmentOverride": 2, - "a.style.cssText": 3, - "autofocus": 1, - "window.attachEvent": 2, - ".79*t": 1, - "sans": 12, - "Width": 1, - "java": 1, - "h*.48": 1, - "textarea": 8, - "dblclick": 3, - "on": 37, - "cache=": 1, - "j.parentNode": 1, - "c.addClass": 1, - "e/1.95": 1, - "u.pointerColorAverage": 2, - "params.beforeSend": 1, - "this.valueOf": 2, - "wrap": 2, - "exports._connectionListener": 1, - "res._expect_continue": 1, - "n.odo": 2, - "nType": 8, - "wi": 24, - "resolveWith": 4, - "onFree": 3, - "next": 9, - "filter": 10, - "dt": 30, - "s*.355": 1, - "e.document.documentElement": 1, - "offset": 21, - "f.getRgbaColor": 8, - "ch": 58, - "i.useOdometer": 2, - "offsetParent": 1, - "remove": 9, - "steelseries.PointerType.TYPE8": 1, - "information": 5, - "ot.addColorStop": 2, - "field.toLowerCase": 1, - "ut.rotate": 1, - "field": 36, - "7fd5f0": 2, - "yt.start": 1, - "self.emit": 9, - "release": 2, - "bp.test": 1, - "propFix": 1, - "k.createElement": 1, - "t.width*.9": 4, - "window.onload": 4, - "existence": 1, - "margin": 8, - "parserOnIncomingClient": 1, - ".ok": 1, - "vt.getContext": 1, - "props": 21, - "et.height": 1, - "le.type": 1, - "Date.prototype.toJSON": 2, - "working": 1, - "exceptions": 2, - "u.frameVisible": 4, - "options.defaultPort": 1, - "frameVisible": 4, - "rv": 4, - "Ta": 1, - "visible": 1, - "k.top": 1, - "this.supportsFixedPosition": 1, - "Content": 1, - "net": 1, - "ready": 31, - "camelCased": 1, - "a.cache": 2, - "/json/": 1, - "this.parentNode.insertBefore": 2, - "di.getContext": 2, - "s*.29": 1, - "h*1.17": 2, - "means": 1, - "u0600": 1, - "c.isPlainObject": 3, - "self.fireWith": 1, - ".clone": 1, - "ye": 2, - "stream": 1, - "e*.53271": 2, - "Unexpected": 3, - "checkbox/": 1, - "Array.prototype.slice": 6, - "70588": 4, - "w*.121428": 2, - "util._extend": 1, - "doing": 3, - "this.getUTCMonth": 1, - "outer": 2, - "c.borderLeftWidth": 2, - "e.documentElement": 4, - "a.getElementsByClassName": 3, - "objects": 7, - "cancelable": 4, - "ei/": 1, - "socketErrorListener": 2, - "repaint=": 2, - "xhr.setRequestHeader": 1, - "serialize": 1, - "a.superclass": 1, - "localStorage.removeItem": 1, - "nt.save": 1, - "window.location.pathname": 1, - "doesNotAddBorder": 1, - "NAME": 2, - "b.restore": 1, - "l/et": 8, - "decimals": 1, - "c.attr": 4, - "supportsHtml5Styles": 5, - "tag": 2, - "Get": 4, - "toFixed": 3, - "this.setMinValue": 4, - "div.getElementsByTagName": 6, - "s.documentElement.doScroll": 2, - "i.offsetTop": 1, - "resolved": 1, - "y*.093457": 2, - "yi.width": 1, - "S.pos": 4, - "params.url": 2, - "selectorDelegate": 2, - "time": 1, - "_unmark": 3, - "D": 9, - "a.mimeType": 1, - "featureName": 5, - "removed": 3, - "": 5, - "options.protocol": 3, - "
": 3, - "c.result": 3, - "props.length": 2, - "tr": 23, - "ii=": 2, - "require": 9, - "shivDocument": 3, - "res._last": 1, - "process.nextTick": 1, - "setTimeout": 19, - "sf": 5, - "f.fragments": 3, - "": 2, - "ut.drawImage": 2, - ".5": 7, - "msecs": 4, - ".document": 1, - "attrs": 6, - "or*.5": 1, - "pi.getContext": 2, - "u.shadowOffsetY": 2, - "defining": 1, - "Number.prototype.toJSON": 1, - "c.event.handle.apply": 1, - "old=": 1, - "v.done": 1, - "this.queue": 4, - "f.removeData": 4, - "this.setLcdDecimals": 3, - "Math.max": 10, - "085": 4, - "expectedHumanized": 5, - "loadUrl": 1, - "about": 1, - "webforms": 2, - "f.canvas.height*.27": 2, - "body": 22, - "DELETE": 1, - "i.selector": 3, - "issue.": 1, - "f.offset.setOffset": 2, - "x=": 1, - "l.appendChild": 1, - "apply": 8, - "ri.height": 3, - "289719": 1, - "render": 1, - "offsets": 1, - "mode": 1, - "c.hasContent": 1, - "e.insertBefore": 1, - "h*.2": 2, - "tables": 1, - "fillStyle=": 13, - "steelseries.LedColor.CYAN_LED": 2, - "this._flush": 1, - "rvalidescape": 2, - "Ready": 2, - "_bindRoutes": 1, - "<\\/script>": 2, - "f.fn": 9, - "ns": 1, - "e*.453271": 5, - "Full": 1, - "optSelected": 3, - "d.shift": 2, - "f.event.remove": 5, - "i*.05": 2, - "p.rotate": 4, - "f.restore": 5, - "f.support.cors": 1, - "domManip": 1, - "f.uuid": 1, - "e.fn.trigger": 1, - ".63*e": 3, - "plain": 2, - "bodyOffset": 1, - "h.send": 1, - "cy": 4, - "(": 8513, - "hi.setAttribute": 2, - "c.merge": 4, - "01": 1, - "e.browser.webkit": 1, - "a.fn.init": 2, - "bm": 3, - "LcdColor": 4, - "Used": 3, - "parse_class": 1, - "info.headers": 1, - "aa": 1, - "this.doesNotAddBorder": 1, - "Transport": 1, - "": 1, - "kt": 24, - "parseFunctions": 1, - "k*.47": 1, - "jsonp": 1, - "q": 34, - ".49": 4, - "/255": 1, - "without": 1, - "triggerRoute": 4, - "prependTo": 1, - ".style.display": 5, - "f*.033": 1, - "a.toLowerCase": 4, - "e.fn.init.prototype": 1, - "i.knobStyle": 4, - "n.fill": 17, - "sometimes": 1, - "zero": 2, - "t.light.getRgbaColor": 2, - "u*.22": 3, - ".getContext": 8, - "h.responseXML": 1, - "complete/.test": 1, - "e.splice": 1, - "j.checkClone": 1, - "mStyle.backgroundColor": 3, - "options.createConnection": 4, - "getValueLatest=": 1, - "closeExpression.test": 1, - "paddingMarginBorder": 5, - "rgb": 6, - "h.light.getRgbaColor": 6, - "doScrollCheck": 6, - "/Date/i": 1, - "layerY": 3, - "cos": 1, - "p.setup.call": 1, - "h.parentNode": 3, - "f.isArray": 8, - "DTRACE_HTTP_SERVER_REQUEST": 1, - "self._pendings.length": 2, - "constructor": 8, - "e.toFixed": 2, - "/chunk/i": 1, - "outer.style.overflow": 1, - "bc.test": 2, - "f.prop": 2, - "pipe": 2, - "eu": 13, - "Math.PI/": 1, - "child.prototype.constructor": 1, - "c.trim": 3, - "i.childNodes.length": 1, - "d.promise": 1, - "Modernizr.testAllProps": 1, - "di": 22, - "TEXT.replace": 1, - "c.clean": 1, - ".split": 19, - "hf*.5": 1, - "after": 7, - "Inspect": 1, - "bQ": 3, - "ie6/7": 1, - "rBackslash": 1, - "l.split": 1, - "s.": 1, - "central": 2, - "k.symbolColor.getRgbaColor": 1, - "is_identifier_char": 1, - "Q.push": 1, - "U": 1, - "a.className": 1, - "enumerated": 2, - "d.stop": 2, - "k.save": 1, - "u.useColorLabels": 2, - "keypress.specialSubmit": 2, - "setup": 5, - "prefixes": 2, - "__hasProp": 2, - "eol": 2, - ".32*f": 2, - "h4": 3, - "charCode": 7, - "b.nodeName": 2, - "e*.1": 1, - "self._last": 4, - ".85*t": 2, - "i.backgroundColor": 10, - "Aa": 3, - "entire": 1, - "hi.height": 3, - "this.outputEncodings.push": 2, - "continually": 2, - "fade": 4, - "this.interval": 1, - "a.url": 1, - "steelseries.ForegroundType.TYPE1": 5, - "errorPosition.line": 1, - ".scrollLeft": 1, - "ajaxSettings": 1, - "Z.test": 2, - "ck.contentDocument": 1, - "soFar": 1, - "this.requests": 5, - "tests": 48, - "fe": 2, - "this._headers.length": 1, - "matched": 2, - "f.guid": 3, - "a.charAt": 2, - "clearRect": 8, - "relatedNode": 4, - "sliceDeferred": 1, - "defaults": 3, - "ei.labelColor.setAlpha": 1, - "allows": 1, - "specific": 2, - "where": 2, - "h.statusText": 1, - "traditional": 1, - "n.frame": 22, - "e.strokeStyle": 1, - "explicit": 1, - "b.offsetTop": 2, - "h.resolveWith": 1, - "h.namespace": 2, - "pt.getContext": 2, - "bi*.9": 1, - "
": 1, - "data.": 1, - "this.host": 1, - "No.": 1, - "Call": 1, - "us": 2, - "has_x": 5, - "b.offset": 1, - "f*r*bt/": 1, - "jQuery.expando": 12, - "c.guid": 1, - "f.filter": 2, - "OutgoingMessage.prototype.write": 1, - ".0314*t": 5, - "ar": 20, - "self.onSocket": 3, - "at=": 3, - "offsetSupport.subtractsBorderForOverflowNotVisible": 1, - "f.swap": 2, - "fires.": 2, - "i.maxValue": 10, - ".*": 20, - ".8225*t": 3, - "webkit": 6, - "onRemove": 3, - "parser.socket": 4, - "b.save": 1, - "end=": 1, - "_hasOwnProperty": 2, - "self._storeHeader": 2, - "class.": 1, - ".22": 1, - "u.restore": 6, - "newDefer": 3, - "f.clearRect": 2, - "cancel": 6, - "specified": 4, - "options.routes": 2, - "Left": 1, - "": 1, - "f.attr": 2, - "parse_hexDigit": 7, - "h.offsetTop": 1, - "*ht": 8, - "expected.slice": 1, - "er.getContext": 1, - "flags": 13, - "begin.rawText": 2, - "e=": 21, - "bt.labelColor": 2, - "f.timers": 2, - "h.push": 1, - "a.exec": 2, - "hooks.get": 2, - "i.maxMeasuredValueVisible": 8, - "yi=": 1, - "ot": 43, - "p.innerHTML": 1, - "Own": 2, - ".apply": 7, - "u.degreeScale": 4, - ".89*f": 2, - "k.style.paddingLeft": 1, - "bool.wav": 1, - "bodyHead": 4, - "asynchronously": 2, - "c.browser": 1, - "wrong": 1, - "e.push": 3, - "promisy": 1, - "": 1, - "f.offset.bodyOffset": 2, - "cn": 1, - "type=": 5, - ".matches": 1, - "f*.046728": 1, - ".053": 1, - ".04*f": 1, - "bb": 2, - "isImmediatePropagationStopped=": 1, - "e*.12864": 3, - "elem.removeAttributeNode": 1, - "n.textBaseline": 10, - "#000": 2, - "this.selected": 1, - "options.host": 4, - "relatedTarget": 6, - "jQuery.fn.init": 2, - "ki": 21, - "r.exec": 1, - "css": 7, - "f": 666, - "it.labelColor": 2, - "skipBody": 3, - "flagsCache": 3, - "overflowX": 1, - "f.event.customEvent": 1, - "nodeName": 20, - "also": 5, - "f*.28": 6, - "Encoding/i": 1, - "socketOnEnd": 1, - "classes.join": 1, - "these": 2, - "socket.on": 2, - ".contentWindow": 1, - "a.responseText": 1, - "l.find.CLASS": 1, - "m.shift": 1, - "i.valueGradient": 4, - "Fallback": 2, - "info.upgrade": 2, - "WARNING": 1, - "jQuery._data": 2, - "y.restore": 1, - "foregroundType": 4, - "keyword": 11, - "js_error": 2, - "t.test": 2, - "a.converters": 3, - "autoScroll": 2, - "ki.pause": 1, - "UNICODE.connector_punctuation.test": 1, - "anyone": 1, - "b.left": 2, - "j.appendChecked": 1, - "490654": 3, - "steelseries": 10, - ".0875*t": 3, - "timeStamp": 1, - "jQuery.isArray": 1, - "h.open": 2, - "s.events": 1, - "t.strokeStyle": 2, - "i.origType.replace": 1, - "should": 1, - "e.browser.version": 1, - "ck.width": 1, - "self._renderHeaders": 1, - "this._deferToConnect": 3, - "n.createLinearGradient": 17, - "Missing": 1, - "#x27": 1, - "sizset": 2, - "f.find": 2, - "this.outputEncodings.shift": 2, - "seed": 1, - ".76": 1, - ".7975*t": 2, - "bF": 1, - ".closest": 4, - "it=": 7, - "separate": 1, - ".attr": 1, - "h.toLowerCase": 2, - "setCss": 7, - "documentElement": 2, - "extend": 13, - "/compatible/.test": 1, - "ua.test": 1, - "h.clientTop": 1, - "J": 5, - "meters": 4, - "this.message": 3, - "can": 10, - "RE_DEC_NUMBER": 1, - "d.onreadystatechange": 2, - "d.src": 1, - "_ensureElement": 1, - "self.disable": 1, - "a.DOMParser": 1, - "auto": 3, - "req.res": 8, - "e*.485981": 3, - "Agent": 5, - "g.document.documentElement": 1, - "e.offsetTop": 4, - "p.lastChild": 1, - "ut*.61": 1, - "wt.valueForeColor": 1, - "allowHalfOpen": 1, - "et.translate": 2, - "Otherwise": 2, - "argument": 2, - "ajax": 2, - "isNaN": 6, - "free": 1, - "following": 1, - "x.pop": 4, - "this.setMaxMeasuredValue": 3, - "e*.495327": 4, - "hr": 17, - "rr.drawImage": 1, - "gf": 2, - "a.isImmediatePropagationStopped": 1, - "errorPosition.column": 1, - "returned": 4, - "socket.emit": 1, - "thisCache.data": 3, - "l.match.PSEUDO": 1, - "hidden": 12, - ".0163*t": 7, - "parser.execute": 2, - "this.shouldKeepAlive": 4, - "c.style": 1, - "this.clone": 1, - "a.style.display": 3, - "s.length": 2, - "sam.move": 2, - "Agent.prototype.defaultPort": 1, - "via": 2, - "Agent.prototype.createSocket": 1, - "h*.8": 1, - "lastExpected": 3, - "yi.play": 1, - "e/10": 3, - "": 1, - "start=": 1, - "a.ownerDocument.documentElement": 1, - "nextAll": 1, - "ci/2": 1, - "*ot": 2, - "setHost": 2, - "va.concat.apply": 1, - "firingIndex": 5, - "u.toPrecision": 1, - "d/ot": 1, - "u3000": 1, - "unique": 2, - "vt": 50, - "": 2, - "ru=": 1, - "a.style": 8, - "jQuery.noop": 2, - "st.medium.getHexColor": 2, - ".": 91, - "i.fractionalScaleDecimals": 4, - "boolean": 8, - "document.documentElement": 2, - "a.offsetLeft": 1, - "m.text": 2, - "bs": 2, - "a.parentNode.firstChild": 1, - "h.id": 1, - "": 1, - "jQuery.browser.safari": 1, - "contentEditable": 2, - "insert": 1, - "userAgent": 3, - "multiline": 1, - "a.constructor.prototype": 2, - "": 1, - "w": 110, - "parser.incoming.httpVersionMajor": 1, - "entries": 2, - "n.shadowOffsetY": 4, - "style/": 1, - "g.scrollLeft": 1, - "removeEvent=": 1, - "DOMParser": 1, - "info.versionMajor": 2, - "this.getMinValue": 3, - "jQuery.fn.init.prototype": 2, - "Type": 1, - "self.removeSocket": 2, - "u.frameDesign": 4, - "this.setPointerColor": 4, - "u.pointerTypeLatest": 2, - "Hold": 2, - "b.converters": 1, - "a.removeAttributeNode": 1, - "parserOnHeaders": 2, - "strings": 8, - "a.isResolved": 1, - ".remove": 2, - "kt.clearRect": 1, - "Create": 1, - "f*.471962": 2, - "arc": 2, - "div.firstChild": 3, - "frag.indexOf": 1, - "f.shift": 1, - "object.constructor.prototype": 1, - "self.host": 1, - "i.trendColors": 4, - "pu": 9, - "/loaded": 1, - "oi": 23, - "h*.0375": 1, - "clone": 5, - "h.overrideMimeType": 2, - "parse_singleQuotedCharacter": 3, - "i*.7475": 1, - "ufff0": 1, - "this.getUTCHours": 1, - "them.": 1, - "app": 2, - "r.toFixed": 8, - "225": 1, - "debug": 15, - "socket": 26, - "this._wantsPushState": 3, - "#3333": 1, - "this.socket.writable": 2, - "do": 15, - "u*.73": 3, - "instead": 6, - "cc": 2, - "b.call": 4, - "iframe": 3, - "getRgbaColor": 21, - "collisions": 1, - "bW": 5, - "parser.socket.ondata": 1, - "s.removeListener": 3, - "this.setTimeout": 3, - "firstly": 2, - "/Connection/i": 1, - "firstLine": 2, - "jQuery.readyWait": 6, - "returnValue=": 2, - "get": 24, - "optDisabled": 1, - "a.fn": 2, - "i.knobType": 4, - "sentConnectionHeader": 3, - "[": 1459, - "seq": 1, - "Backbone.Events": 2, - "keyCode": 6, - "rr.length": 1, - "yt.height": 2, - "getImageData": 1, - "isLocal": 1, - "frameBorder": 2, - "self.once": 2, - "cellPadding": 2, - "t.beginPath": 4, - ".listen": 1, - "inverted": 4, - "scrollTo": 1, - "f.buildFragment": 2, - "resolveFunc": 2, - "CLASS": 1, - "ya.call": 1, - "b.type": 4, - "saveClones": 1, - "this.setOdoValue": 1, - "s*.565": 1, - "parser.incoming._emitEnd": 1, - "/100": 2, - "dataAttr": 6, - "prevAll": 2, - "g.promise": 1, - "jQuery.Deferred": 1, - "shiv": 1, - "str1": 6, - "jQuery.prototype": 2, - "c.globalEval": 1, - "executed": 1, - "w*.012135": 2, - "_.any": 1, - "cased": 1, - "expr": 2, - "": 1, - "window.getComputedStyle": 6, - "OutgoingMessage.prototype._writeRaw": 1, - "Math.PI/3": 1, - "parse_hexEscapeSequence": 3, - "method.": 3, - "attached": 1, - "assert": 8, - "Error.prototype": 1, - "d.top": 2, - "open": 2, - "i*.856796": 2, - "toString": 4, - "input.charCodeAt": 18, - "i.digitalFont": 8, - "c*u": 1, - "backslash": 2, - "": 1, - "bg.td": 1, - "c.call": 3, - "f*i*at/": 1, - "gt.getContext": 3, - "a.offsetTop": 2, - "f.offset.doesNotAddBorder": 1, - "b.removeAttribute": 3, - ".fillText": 1, - ".EventEmitter": 1, - "lr": 19, - "Math.PI/180": 5, - "di.width": 1, - "s*.5": 1, - "isHeadResponse": 2, - "this.setSection": 4, - "ut/": 1, - "this._headerNames": 5, - "u221e": 2, - "this.getUTCSeconds": 1, - "bI.exec": 1, - "a.target.disabled": 1, - "a.childNodes.length": 1, - "this.writeHead": 1, - "parser.incoming.method": 1, - "i*": 3, - "n.bezierCurveTo": 42, - "sa": 2, - "Do": 2, - "e.length": 9, - "et.length": 2, - "yt.width": 2, - "bind": 3, - "isExplorer": 1, - "#5145": 1, - "cssProps": 1, - "D.call": 4, - "PDF": 1, - "resp": 3, - "j.shrinkWrapBlocks": 1, - "from": 7, - "ut.type": 6, - "parse_simpleSingleQuotedCharacter": 2, - "is": 67, - "fromElement": 6, - "pos1": 63, - "/msie": 1, - "route.exec": 1, - "c.support.noCloneEvent": 1, - "privateCache": 1, - "uncatchable": 1, - "inner.offsetTop": 4, - "_len": 6, - "*st": 1, - "font": 1, - "char_": 9, - "this._writeRaw": 2, - "p=": 5, - "outer.firstChild": 1, - "document.styleSheets.length": 1, - "cloned": 1, - ".length": 24, - "yt=": 4, - "k*.514018": 2, - "b.apply": 2, - "": 1, - "f.ajaxSetup": 3, - "ClientRequest.prototype.setSocketKeepAlive": 1, - "Only": 5, - "h.clientLeft": 1, - "a.defaultValue": 1, - "a.getElementsByTagName": 9, - ".65*u": 1, - "bubbles": 4, - "options": 56, - ".FreeList": 1, - "RESERVED_WORDS": 2, - ".unload": 1, - "a.detachEvent": 1, - ".686274": 1, - "s.addColorStop": 4, - "req.emit": 8, - "p.translate": 8, - "num": 23, - "i.orientation": 2, - "uFEFF": 1, - "JS_Parse_Error": 2, - "s.attachEvent": 3, - "block": 4, - "orphans": 1, - "c.text": 2, - "b.handle.elem": 2, - "a.removeAttribute": 3, - "rea": 1, - "e.events": 2, - "Function": 3, - "content": 5, - "solid": 2, - "fire": 4, - "fadeOut": 1, - "j.reliableHiddenOffsets": 1, - "f*.19857": 1, - "h/2": 1, - "hi.width": 3, - "ut*.13": 1, - "wu": 9, - "cd.test": 2, - "bg.tfoot": 1, - "f.event.triggered": 3, - "pushStack": 4, - "vi": 16, - "default": 21, - "pageX": 4, - "this._ensureElement": 1, - "jQuery.isNumeric": 1, - "f.event.special": 5, - "f.dequeue": 4, - "/src/i.test": 1, - "#": 13, - "ct": 34, - "S.peek": 1, - "bh": 1, - "ki.play": 1, - "result1": 81, - "support.deleteExpando": 1, - "step": 7, - "injectElementWithStyles": 9, - "this.writeHead.apply": 1, - "iframes": 2, - "bg._default": 2, - "docElement.className": 2, - "e*.856796": 3, - "ServerResponse.prototype.writeHead": 1, - "l": 312, - "encoding": 26, - "ropera.exec": 1, - "": 1, - "fix": 1, - "e*.009": 1, - ".0289*t": 8, - "ck.height": 1, - "/i": 22, - "i.tickLabelOrientation": 4, - "s.textBaseline": 1, - "setPointSymbols=": 1, - "/html/": 1, - "jQuery.support": 1, - "f.removeEvent": 1, - "d.prevObject": 1, - "tom": 4, - "f*.856796": 2, - "situation": 2, - "elem.getAttributeNode": 1, - "rejectWith": 2, - "For": 5, - "Sa": 2, - "attempt": 2, - "href=": 2, - "a.event": 1, - "c.target.ownerDocument": 1, - "d.ownerDocument": 1, - "m.replace": 1, - "parsers.free": 1, - "max": 1, - "action": 3, - ".0467*f": 1, - "n.lineTo": 33, - "rmozilla": 2, - "div.style.marginTop": 1, - "required": 1, - "shived": 5, - "trim": 5, - ".06*f": 2, - "marginTop": 3, - "f.isPlainObject": 1, - "parentNode": 10, - "Modernizr.addTest": 2, - "info.versionMinor": 2, - "Is": 2, - "valueBackColor": 1, - "c.mimeType": 2, - "k.replace": 2, - "rt.height": 1, - "this.setTrend": 2, - "req.onSocket": 1, - "34": 2, - "_pos": 2, - "name.substring": 2, - "failCallbacks": 2, - "p.send": 1, - "TEXT": 1, - "params.type": 1, - "c.fx.speeds": 1, - "b.jsonp": 3, - "domPrefixes": 3, - "<<": 4, - "OutgoingMessage.prototype._send": 1, - "ServerResponse.prototype.statusCode": 1, - "Unterminated": 2, - "b.using.call": 1, - "fadeIn": 1, - "bL": 1, - "f.expr.filters.hidden": 2, - "b.parentNode.selectedIndex": 1, - "cp.concat.apply": 1, - "k.set": 1, - "prev": 2, - "P": 4, - "this.resetMaxMeasuredValue": 4, - "d.slice": 2, - "Browsers": 1, - "index": 5, - "Expecting": 1, - "checkClone": 1, - "speeds": 4, - "separated": 1, - "e.call": 1, - "": 1, - "c.preventDefault": 3, - "sr": 21, - "beforeunload": 1, - "rf": 5, - "#5443": 4, - "Extend": 2, - "parser.incoming.httpVersion": 1, - "checkSet": 1, - "HEAD": 3, - "jQuery.support.optDisabled": 2, - "e*.116822": 3, - "fnFail": 2, - "": 1, - "j.toggleClass": 1, - "now": 5, - "j.test": 3, - "d.userAgent": 1, - "s*.35": 1, - "gradientStopColor": 1, - "za": 3, - "b.ownerDocument": 6, - "htmlSerialize": 3, - "3c4439": 2, - "req.parser": 1, - "halted": 1, - "initialize": 3, - "options=": 1, - "this.maxHeadersCount": 2, - "f.events": 1, - "g.html": 1, - "val": 13, - "Document": 2, - "f*.467289": 6, - "f*.007": 2, - "t.fillStyle": 2, - "overrideMimeType": 1, - "w=": 4, - ".98": 1, - "k*.130841": 1, - "s.textAlign": 1, - "at/yt": 4, - "bring": 2, - "n.removeClass": 1, - ".selected": 1, - "d.style.display": 5, - "a.contains": 2, - "preventDefault": 4, - "parse_upperCaseLetter": 2, - "u/10": 2, - "t.lineTo": 8, - "wrapError": 1, - "a.runtimeStyle": 2, - "ms": 2, - "j.length": 2, - "f.appendChild": 1, - "own": 4, - "bubbling": 1, - ".12*f": 2, - "textColor": 2, - "j.substr": 1, - "m.selector": 1, - "f.css": 24, - "pi.width": 1, - "e.canvas.height": 2, - "mouseout": 12, - "tickCounter*h": 2, - "this.options.root": 6, - "b.selected": 1, - "f*.871012": 2, - "4": 4, - "multiple=": 1, - "this.empty": 3, - "by": 12, - "pop": 1, - "514018": 6, - "h.nodeType": 4, - "h.checked": 2, - "model.previous": 1, - "Unique": 1, - "ownerDocument.documentShived": 2, - "}": 2712, - "ri=": 1, - "Agent.prototype.removeSocket": 1, - "i.getRed": 1, - "computed": 1, - "paddingMarginBorderVisibility": 3, - "Modernizr.testProp": 1, - ".775*t": 3, - "n.createRadialGradient": 4, - "camelCase": 3, - ".6*s": 1, - "element.parent": 1, - "params.data._method": 1, - "f.lastModified": 1, - "concerning": 2, - "RE_HEX_NUMBER": 1, - "this.unbind": 2, - "window.applicationCache": 1, - "": 1, - ".33*f": 2, - "f*.82": 1, - "bold": 1, - "path": 5, - "this.type": 3, - "i.exec": 1, - "firingLength": 4, - "a.split": 4, - "frag": 13, - "defaultView": 2, - "iu.getContext": 1, - "n.restore": 35, - ".86*t": 4, - "OutgoingMessage.prototype._storeHeader": 1, - "": 1, - "": 3, - "this.statusCode": 3, - "Array.prototype.push": 4, - "requestListener": 6, - "o=": 13, - "k.isXML": 4, - "j.fragment": 2, - "cl.write": 1, - "chaining.": 1, - "headers.length": 2, - "valid": 4, - "signal_eof": 4, - "recursively": 1, - "target=": 2, - "m.assignSocket": 1, - "037383": 1, - "handler": 14, - "e.ownerDocument": 1, - "pass": 7, - "jQuery.isReady": 6, - ".8525*t": 2, - "this.options": 6, - ".selector": 1, - "o.lastChild": 1, - "c.get": 1, - "autoplay": 1, - "fakeBody.style.background": 1, - "info.method": 2, - "unitString": 4, - "foregroundVisible": 4, - "s/c": 1, - "h.abort": 1, - "b.specified": 2, - "bF.test": 1, - "ki=": 1, - "exports.OutgoingMessage": 1, - ".047058": 2, - "methodMap": 2, - "I.beforeactivate": 1, - "keys": 11, - "vu": 10, - "l*u": 1, - "don": 5, - "this.setForegroundType": 5, - "Unexpose": 1, - "info.statusCode": 1, - "ui": 31, - "deferred.done.apply": 2, - "lineTo": 22, - "/": 290, - ".get": 3, - "result=": 1, - "scoped": 1, - "bool.m4a": 1, - "08": 1, - "bt": 42, - "h/vt": 1, - "a.compareDocumentPosition": 1, - "substr": 2, - "dest": 12, - "jQuery.attrFix": 2, - "Horse.prototype.move": 2, - "83": 1, - "k*.32": 1, - "x": 33, - "Deferred": 5, - "origContext": 1, - "of.state": 1, - "n.substring": 1, - "yt.stop": 1, - "UNICODE.letter.test": 1, - "names": 2, - "i.pageYOffset": 1, - "it.height": 1, - ".34": 1, - "this.SyntaxError": 2, - "length": 48, - "/close/i": 1, - "f/r": 1, - "support.shrinkWrapBlocks": 1, - ".filter": 2, - "21028": 1, - "/u": 3, - "replaceAll": 1, - "e.error": 2, - "bargraphled": 3, - "automatically": 2, - "S.col": 3, - "cb.test": 1, - "reset": 2, - "startTime=": 1, - "K.call": 2, - "String": 2, - "v.canvas.width": 4, - "f.setAlpha": 8, - ".65*e": 1, - "e3": 5, - "Ra": 2, - "bt.test": 1, - "f.support.htmlSerialize": 1, - "race": 4, - "null": 427, - "__slice": 2, - "h*.44": 3, - "s*.336448": 1, - "g.origType.replace": 1, - "mouseover": 12, - "navigator.userAgent": 3, - "digit": 3, - "a.attachEvent": 6, - "e.fn.extend": 1, - "Check": 10, - "v.createRadialGradient": 2, - "we": 25, - "Verify": 3, - "PI": 54, - "i.alarmSound": 10, - "Buffer.isBuffer": 2, - "click.specialSubmit": 2, - "f.clean": 1, - "testPropsAll": 17, - "baseHasDuplicate": 2, - "jQuery.isWindow": 2, - "se.drawImage": 1, - "ClientRequest.prototype.abort": 1, - "exports.array_to_hash": 1, - "cd": 3, - "e.originalEvent": 1, - "ot.width": 1, - "err": 5, - "WHITE": 1, - "n.rect": 4, - "marked": 1, - "complete": 6, - "bX": 8, - "handleObj": 2, - "multiple": 7, - "this.getValue": 7, - "u*i": 1, - "jQuery.fn.trigger": 2, - "inside": 3, - "p.abort": 1, - "b.getElementsByClassName": 2, - "steelseries.BackgroundColor.BRUSHED_STAINLESS": 2, - "f*.5": 17, - "docMode": 3, - "customEvent": 1, - "b.triggerHandler": 2, - "node.currentStyle": 2, - "t.width*.5": 4, - "dt.getContext": 1, - "yt.getContext": 5, - "jQuery.attrFn": 2, - "loc.pathname": 1, - "h.responseText": 1, - "d.always": 1, - "steelseries.TrendState.UP": 2, - "_removeReference": 1, - "c.isArray": 5, - "k.length": 2, - "e.fn.init": 1, - "callbacks": 10, - "f*.528037": 2, - "elem.getContext": 2, - "resolve": 7, - "rr": 21, - "g/": 1, - "c.value": 1, - "a.parentWindow": 2, - "jQuerySub.fn.init": 2, - "f.etag": 1, - "": 2, - "this.pushStack": 12, - "cp.slice": 1, - "this.events": 1, - "ya": 2, - "/javascript": 1, - "month": 1, - "closest": 3, - "r.live": 1, - "str2": 4, - "u.knobStyle": 4, - "keypress": 4, - "k*.733644": 1, - "net.Server.call": 1, - ".toLowerCase": 7, - "sock": 1, - "Modified": 1, - ".before": 1, - "q.set": 4, - "b.textContent": 2, - "si=": 1, - "c.support.style": 1, - "inspect": 1, - "x.version": 1, - "tr.drawImage": 2, - "boxModel": 1, - "130841": 1, - "last": 6, - "v=": 5, - "tokpos": 1, - "operations": 1, - "dark": 2, - "Reset": 1, - "ClientRequest.prototype._implicitHeader": 1, - "*f": 2, - "<(\\w+)\\s*\\/?>": 4, - "operator": 14, - "this.addListener": 2, - "onMotionFinished=": 2, - "u.fillText": 2, - "list.length": 5, - "yi.pause": 1, - "t*.871012": 1, - ".34*f": 2, - "div.lastChild": 1, - "pt.width": 1, - "socketOnData": 1, - "isResolved": 3, - "c.toFixed": 2, - "@": 1, - "a.fragment.cloneNode": 1, - "ki.setAttribute": 2, - "t.height*.9": 6, - "this._source": 1, - "jQuery.fn.jquery": 1, - "altKey": 4, - "We": 6, - "Sizzle.isXML": 1, - "name.length": 1, - "cancelBubble=": 1, - "f.valHooks.button": 1, - "reportFailures": 64, - "c.queue": 3, - "formatted": 2, - "f.isWindow": 2, - ".1": 18, - "006": 1, - "ClientRequest.prototype.clearTimeout": 1, - "#10080": 1, - "e.fragment": 1, - "it": 112, - "pos2": 22, - "u.pointerType": 2, - "f.param": 2, - "c.readyState": 2, - "BackgroundColor": 1, - "n*6": 2, - "e*.504672": 4, - "offsetSupport.doesNotIncludeMarginInBodyOffset": 1, - "range": 2, - "JS": 7, - "a.medium.getHexColor": 2, - "this.setArea": 1, - "cells": 3, - "a.elem": 2, - "swap": 1, - "children": 3, - ".51*k": 1, - "inline": 3, - "t.stop": 1, - "l.push.apply": 1, - "c.isReady": 4, - "submit=": 1, - "elem=": 4, - "this.socket.resume": 1, - "
": 1, - "sourceIndex": 1, - "eventPhase": 4, - "decodeURIComponent": 2, - "mStyle.cssText": 1, - "no": 19, - "disabled": 11, - "fledged": 1, - "wheelDelta": 3, - "k.getText": 1, - "...": 1, - "options.agent": 3, - "items": 2, - "parse_comment": 3, - "wt.decimals": 1, - "n.charAt": 1, - "Ya": 2, - "clientLeft": 2, - "isImmediatePropagationStopped": 2, - "splice": 5, - "doc": 4, - "ct=": 5, - "parser.maxHeaderPairs": 4, - "init": 7, - "pageY": 4, - "this.document": 1, - "cu": 18, - "S.tokline": 3, - ".close": 1, - "old": 2, - "node.offsetTop": 1, - "result2": 77, - "DOM": 21, - "test/unit/core.js": 2, - "bi": 27, - "clip": 1, - "k*.446666": 2, - "94": 1, - "Object": 4, - "changeData": 3, - "i.unitString": 10, - "f.translate": 10, - "does": 9, - "styleFloat": 1, - "this.offsetParent": 2, - "at.getContext": 1, - "wt.repaint": 1, - "523364": 5, - "m": 76, - "http": 6, - ".0214*t": 13, - "a.parentNode.nodeType": 2, - "width=": 17, - "buildMessage": 2, - "body.offsetTop": 1, - "<0||e==null){e=a.style[b];return>": 1, - "function": 1210, - "hi.pause": 1, - "manipulated": 1, - "socket.writable": 2, - "currentPos": 20, - "j.reliableMarginRight": 1, - ".fireEvent": 3, - "<=1&&a&&f.isFunction(a.promise)?a:f.Deferred();if(d>": 1, - "this.value": 4, - "Handle": 14, - "memory": 8, - "a.options": 2, - "parser.incoming.httpVersionMinor": 1, - "f.toFixed": 1, - "eventName": 21, - "collection.": 1, - "va.slice": 1, - "c.borderTopWidth": 2, - "m.apply": 1, - "trigger": 4, - "steelseries.TickLabelOrientation.TANGENT": 2, - "list": 21, - "yr": 17, - "c.fn.extend": 4, - "e*.055": 2, - ".val": 5, - "h*1.17/2": 1, - "ondrain": 3, - "eq": 2, - "35": 1, - "this.output.push": 2, - "at/yt*h": 1, - "elem.nodeName": 2, - "selector.length": 4, - "wu.repaint": 1, - "exports.is_alphanumeric_char": 1, - "a.runtimeStyle.left": 2, - "de": 1, - "fromElement=": 1, - "continueExpression.test": 1, - "req.end": 1, - "_change_data": 6, - "this.click": 1, - "prototype=": 2, - "./g": 2, - "setPointerColorAverage=": 1, - "this.emit": 5, - "bM": 2, - "form": 12, - "exports.get": 1, - "token.value": 1, - "d.text": 1, - "div.style.display": 2, - "c.html": 3, - "this.domManip": 4, - "163551": 5, - "currently": 4, - "s*": 15, - "rnotwhite": 2, - "escapeHTML": 1, - "hide=": 1, - "No": 1, - "Q": 6, - "e.handleObj.origHandler.apply": 1, - "Tween.elasticEaseOut": 1, - "*10": 2, - "ot.height": 1, - "t*.82": 1, - "GET": 1, - ".events": 1, - "ni.length": 2, - "alert": 11, - "A.addEventListener": 1, - "prevUntil": 2, - "b.events": 4, - "kt.width": 1, - "routes.unshift": 1, - "y.substr": 1, - "c.support": 2, - "rmozilla.exec": 1, - "g.top": 1, - ".115*t": 5, - "f.createElement": 1, - "able": 1, - "socket.addListener": 2, - "copy": 16, - "d.width": 4, - "s*.36": 1, - "strips": 1, - "toUpperCase": 1, - "offsetSupport.fixedPosition": 1, - "sizzle": 1, - "teardown": 6, - "solve": 1, - "u.foregroundVisible": 4, - ".toJSON": 4, - "n.match.ID.test": 2, - "c.fn.attr.call": 1, - "s*.075": 1, - "name": 161, - "loc": 2, - "list.push": 1, - "e.document.body": 1, - "f.cssProps": 2, - "e.handleObj.data": 1, - "kt=": 4, - "t*.571428": 2, - "q.namespace": 1, - "res.writeContinue": 1, - "fi.width": 2, - "parser.socket.parser": 1, - "ui.width": 2, - "stack": 2, - "b.ownerDocument.body": 2, - "e.duration": 3, - "i.join": 2, - "gradientFraction3Color": 1, - "p.drawImage": 1, - "statusCode": 7, - "e*.0375": 1, - "c=": 24, - "res": 14, - "order": 1, - "c.apply": 2, - "b.nodeName.toLowerCase": 1, - "this.createSocket": 2, - "dot": 2, - "handler.callback": 1, - "this.getUTCDate": 1, - "o.insertBefore": 1, - "c.stopPropagation": 1, - "hasData": 2, - "c.loadXML": 1, - "connectionExpression.test": 1, - "Array.isArray": 7, - "self._emitData": 1, - "elements": 9, - "this.iframe.document.open": 1, - "n/g": 1, - ".marginRight": 2, - "thisCache": 15, - "5": 23, - "this.triggerHandler": 6, - "": 1, - "bz": 7, - "b.append": 1, - "target.prototype": 1, - "i*.012135": 1, - "line": 14, - "b.attributes.value": 1, - "undefined": 328, - "/2": 25, - "an": 12, - ".splice": 5, - "s*.831775": 1, - "parser.incoming.readable": 1, - "c.documentElement.contains": 1, - "outgoing": 2, - "y.drawImage": 6, - "kt.drawImage": 1, - "cacheable": 2, - "expected.sort": 1, - "i/255": 1, - "height=": 17, - "ii": 29, - "f.support.hrefNormalized": 1, - "f.fx.speeds": 1, - "window.DocumentTouch": 1, - "//javascript.nwbox.com/IEContentLoaded/": 2, - "et.rotate": 1, - "this.live": 1, - ".specialSubmit": 2, - "i.trendVisible": 4, - "lastEncoding": 2, - "f.call": 1, - "e.handleObj": 1, - "tel": 2, - ".unbind": 4, - "parser._url": 4, - "read_name": 1, - "a.nextSibling": 1, - "h.split": 2, - "shallow": 1, - "input": 25, - "slice": 10, - "input.cloneNode": 1, - "statusCode.toString": 1, - "f.expr.filters.visible": 1, - "parseXML": 1, - "e.map": 1, - "metaKey": 5, - "fcamelCase": 1, - "h.promise": 1, - "cleanData": 1, - "/Until": 1, - "b.outerHTML": 1, - "u206f": 1, - "Chrome": 2, - "STANDARD_GREEN": 1, - "s.readyState": 2, - "c.defaultView": 2, - "f.extend": 23, - "T.find": 1, - "e.clone": 1, - "cj": 4, - "f*.365": 2, - "result.SyntaxError": 1, - "just": 2, - "n.background": 22, - "_.toArray": 1, - "parserOnBody": 2, - "expandos": 2, - "ot/": 1, - "Try": 4, - "playing": 2, - "this._onModelEvent": 1, - "isBool": 4, - "Flash": 1, - "a.lastChild.className": 1, - "document.removeEventListener": 2, - "cleanExpected.push": 1, - "_context": 1, - "historyStarted": 3, - "Stack": 1, - "f.left": 3, - "failDeferred.resolve": 1, - "hooks": 14, - "b": 961, - "delegateEvents": 1, - "c.replace": 4, - "__extends": 6, - "e*kt": 1, - ".8075*t": 4, - "gt.height": 1, - "_.extend": 9, - "escapable": 1, - "change.": 1, - "Callbacks": 1, - "this.disabled": 1, - "namespace_re": 1, - "DOMready/load": 2, - "i.section": 8, - "jQuery.prop": 2, - "read_num": 1, - "e.orig": 1, - "Are": 2, - "u*.856796": 1, - "HOP": 5, - "More": 1, - "t.addColorStop": 6, - "st=": 3, - "S.comments_before": 2, - "beforeSend": 2, - "sessionStorage.setItem": 1, - "ClientRequest.prototype.setTimeout": 1, - "window.jQuery": 7, - "An": 1, - "inner": 2, - "a.style.marginRight": 1, - "100": 4, - "FF4": 1, - ".0189*t": 4, - "utcDate": 2, - "returns": 1, - "c.split": 2, - "c.getResponseHeader": 1, - "46": 1, - "fr": 21, - "tu.drawImage": 1, - "_extractParameters": 1, - "b/2": 2, - "ef": 5, - "queue=": 2, - "toArray": 2, - "f*.012135": 2, - "OutgoingMessage.prototype.addTrailers": 1, - "browserMatch": 3, - "e*.462616": 2, - "s.body": 2, - "h*.006": 1, - "Opera": 2, - "chunkExpression.test": 1, - "f.fx.stop": 1, - "bB": 5, - "nextUntil": 1, - "a.nodeType": 27, - "c.on": 2, - "e*.88": 2, - "parse_bracketDelimitedCharacter": 2, - "first": 10, - "dt.start": 2, - "ti.onMotionChanged": 1, - "click.modal.data": 1, - "pageYOffset": 1, - "c.username": 2, - "prepend": 1, - "": 1, - "html5.shivCSS": 1, - "slice.call": 3, - "METAL": 2, - "lineWidth": 1, - "since": 1, - "c.isEmptyObject": 1, - "rwebkit.exec": 1, - "j=": 14, - "142857": 2, - "this.agent": 2, - "own.": 2, - "e*.546728": 5, - "F": 8, - "blocks": 1, - "f.context": 1, - "a.value": 8, - "prefixed": 7, - ".hasOwnProperty": 2, - "u.translate": 8, - "pt.type": 6, - "tt": 53, - "c.isFunction": 9, - "zoom": 1, - "315": 1, - "self._paused": 1, - "setBackgroundColor=": 1, - "spaces": 3, - "_results": 6, - ".7": 1, - "math": 4, - "f.support.leadingWhitespace": 2, - "e.prototype": 1, - "document.defaultView": 1, - "body.insertBefore": 1, - "62": 1, - "": 1, - "gt.length": 2, - "n.stroke": 31, - "options.socketPath": 1, - "e*u": 1, - "keys.length": 5, - "exports.request": 2, - "closeExpression": 1, - "OPERATORS": 2, - "f.offset.supportsFixedPosition": 2, - "481308": 4, - "ri.getContext": 6, - "tbody": 7, - "hi.getContext": 6, - "atRoot": 3, - "marginLeft": 2, - "letter": 3, - "options.auth": 2, - "createLinearGradient": 6, - "contentLengthExpression": 1, - "205607": 1, - "exports.curry": 1, - "u/22": 2, - "response": 3, - "ti.start": 1, - ".856796": 2, - "rr.restore": 1, - "this.routes": 4, - "c.attrFn": 1, - "inner.style.position": 2, - "nth": 5, - "e.merge": 3, - "exports.Server": 1, - "nu": 11, - "chunk": 14, - "serialized": 3, - "k.labelColor": 1, - "n.rotate": 53, - "socket.onend": 3, - "a.prop": 5, - "nodeType": 1, - "u.foregroundType": 4, - "shadowOffsetX=": 1, - "parse_singleLineComment": 2, - "mozilla": 4, - "f.noop": 4, - "odo": 1, - ".0465*t": 2, - ".7675*t": 2, - "jQuery.removeData": 2, - "u.fillStyle": 2, - "a.prototype": 1, - "*": 70, - "bo": 2, - "Buffer.byteLength": 2, - "steelseries.KnobStyle.SILVER": 4, - "appended": 2, - "03": 1, - "a.elem.style": 3, - "a.splice": 1, - "prop=": 3, - "this.mouseenter": 1, - "timeout": 2, - "": 2, - "e.fillStyle": 1, - "label": 2, - "s": 290, - "_data": 3, - "view": 4, - "c.fn.triggerHandler": 1, - "sizset=": 2, - "This": 3, - "i*.053": 1, - "submit": 14, - "tokcol": 1, - "a.currentStyle": 4, - "engine": 2, - "boolHook": 3, - "Since": 3, - "u*.093457": 10, - ".67*u": 1, - "how": 2, - "after_e": 5, - "J=": 1, - "maxlength": 2, - "ONLY.": 2, - "_jQuery": 4, - "s.getElementById": 1, - "c.event.add": 1, - "args": 31, - "n.strokeStyle": 27, - "little": 4, - "wt.light.getRgbaColor": 2, - "self.requests": 6, - "shown": 2, - "setValueAnimatedLatest=": 1, - "c.support.hrefNormalized": 1, - "c.dequeue": 4, - "b.data": 5, - "special": 3, - "f.unshift": 2, - "upgraded": 1, - "offsetY": 4, - "this.setValueAnimated": 7, - "oe": 2, - "setForegroundType=": 1, - "h.childNodes.length": 1, - "a.currentTarget": 4, - "ucProp": 5, - "FrameDesign": 2, - "ai.getContext": 2, - "parse_eolChar": 6, - "s*.04": 1, - "element.hasClass": 1, - "e.body": 3, - ".cloneNode": 4, - "Client": 6, - "steelseries.GaugeType.TYPE5": 1, - "e.bindReady": 1, - "testnames": 3, - "t.fill": 2, - "false": 142, - "c.fx": 1, - "a.setInterval": 2, - "bS": 1, - ".html": 1, - "several": 1, - "f.push.apply": 1, - "W": 3, - "v.canvas.height": 4, - "parser.incoming._addHeaderLine": 2, - "f.canvas.width*.4865": 2, - "f*.35": 26, - "reject": 4, - "parseInt": 12, - "context.ownerDocument": 2, - "readyWait": 6, - "count": 4, - "yt.getEnd": 2, - "setValueAverage=": 1, - "li=": 1, - "pu.state": 1, - "read_while": 2, - "jQuerySub.fn": 2, - "f.merge": 2, - "f.data": 25, - "h6": 1, - ".7925*t": 3, - "e6e6e6": 1, - "fixed": 1, - "this.insertBefore": 1, - "a.indexOf": 2, - "e.handle": 2, - "this._pendings": 1, - ".08*f": 1, - "i.threshold": 10, - "qa": 1, - "f.cssHooks.marginRight": 1, - "PRECEDENCE": 1, - "this.serializeArray": 1, - "h.get": 1, - "ft.push": 1, - "s.fillStyle": 1, - "this.socket.setTimeout": 1, - "div.attachEvent": 2, - "u.rotate": 4, - "fireWith": 1, - ".toFixed": 3, - "defaultPort": 3, - "57": 1, - "KEYWORDS_ATOM": 2, - "d.replace": 1, - "r.test": 1, - "f.support.deleteExpando": 3, - "n=": 10, - "wt.valueBackColor": 1, - "important": 1, - "quickExpr": 2, - "flag": 1, - "c.data": 12, - "ut.restore": 1, - "p*st": 1, - "P.browser": 2, - "div.style.border": 1, - "e.document.compatMode": 1, - "/xml/": 1, - "a.checked": 4, - "which": 8, - "src": 7, - "marginDiv": 5, - "flags.stopOnFalse": 1, - "unit": 1, - "a.frameElement": 1, - "A.JSON.parse": 2, - "f.isXMLDoc": 4, - "_super": 4, - "winner": 6, - "": 2, - "splatParam": 2, - "base": 2, - ".66*e": 1, - "methods": 8, - "available": 1, - "sort": 4, - "uu": 13, - "s*.1": 1, - "f.canvas.height": 3, - ";": 4052, - "c.boxModel": 1, - "f.easing": 1, - "i.handle": 2, - "link": 2, - "this.getOdoValue": 1, - "ti": 39, - "getUrl": 2, - "c.browser.version": 1, - "u00c0": 2, - "at": 58, - "inlineBlockNeedsLayout": 3, - "i.width": 6, - "is_letter": 3, - "support.noCloneEvent": 1, - "a.webkitRequestAnimationFrame": 1, - "e.firstChild": 1, - "i.get": 1, - "d.selector": 2, - "socket.once": 1, - "12864": 2, - "parse_classCharacterRange": 3, - "prevValue": 3, - "yet": 2, - "insertAfter": 1, - "b.toLowerCase": 3, - "loc.protocol": 2, - "JSON.parse": 1, - "co=": 2, - "frag.createElement": 2, - "scriptEval": 1, - "t*.45": 4, - "u.lcdColor": 2, - "154205": 1, - "container.style.cssText": 1, - "d.timeout": 1, - ".appendTo": 2, - "strong": 1, - "this.complete": 2, - "this.useChunkedEncodingByDefault": 4, - "them": 3, - "is_identifier_start": 2, - "Qa": 1, - "upon.": 1, - "g.scrollTop": 1, - "div.cloneNode": 1, - "h.readyState": 3, - "f.find.matches": 1, - "k.error": 2, - "socket.setTimeout": 1, - "u*.028037": 6, - "n*kt": 1, - "h.medium.getRgbaColor": 6, - "odd": 2, - "f.makeArray": 5, - "ft.length": 2, - "ve": 3, - "ua.indexOf": 1, - "cp": 1, - "useGradient": 2, - "Array.prototype.indexOf": 4, - "ti=": 2, - "": 5, - "tokenizer": 2, - "s.body.removeChild": 1, - "zoom=": 1, - "dataTypes": 4, - "bd": 1, - "Modernizr._version": 1, - "uses": 3, - "postfix": 1, - "child.extend": 1, - "routes": 4, - "e.selector": 1, - ".ownerDocument": 5, - "t.toFixed": 2, - "window.location": 5, - "": 1, - "c.support.scriptEval": 2, - "value.toLowerCase": 2, - "h": 499, - "attrNames": 3, - "g.namespace": 1, - ".815*t": 1, - "what": 2, - "Bug": 1, - "*this.pos": 1, - "options.shivCSS": 1, - "exports.parse": 1, - "d.fireEvent": 1, - "k.appendChild": 1, - "inputElemType": 5, - "f/": 1, - "s.restore": 6, - "u*.055": 2, - "k.restore": 1, - "this._last": 3, - "o/r": 1, - "some": 2, - "<(?!area|br|col|embed|hr|img|input|link|meta|param)(([\\w:]+)[^>": 1, - ".TEST": 2, - "element.removeAttribute": 2, - "pf": 4, - "res.writeHead": 1, - "skip": 5, - "simple": 3, - "value.length": 1, - "Math.PI*.5": 2, - "will": 7, - "xa": 3, - "positionTopLeftWidthHeight": 3, - "fx": 10, - ".03*t": 2, - "ui.getContext": 4, - "719626": 3, - "el": 4, - "handler.route.test": 1, - "Backbone.history": 2, - "self.triggerHandler": 2, - "relatedTarget=": 1, - "IncomingMessage.prototype._addHeaderLine": 1, - "oi*.9": 1, - ".sort": 9, - "rt.width": 1, - "conditional": 1, - "abort": 4, - "0px": 1, - "c.namespace": 2, - "g.resolveWith": 3, - "this._decoder.write": 1, - "clientY": 5, - "b.toFixed": 1, - "Va.test": 1, - "bg.tbody": 1, - "e.buildFragment": 1, - "u=": 12, - "*r": 4, - "httpSocketSetup": 2, - "i.useValueGradient": 4, - "bH": 2, - "f.error": 4, - "l/Math.PI*180": 4, - "steelseries.ColorDef.BLUE": 1, - "exports.STATUS_CODES": 1, - "ut.height": 1, - "child.__super__": 3, - "boundary": 1, - "continue/i": 1, - "s.rotate": 3, - "b.indexOf": 2, - "i.live": 1, - "e.fn.attr.call": 1, - "L": 10, - "rightmostFailuresExpected": 1, - "o*.2": 1, - "noConflict": 4, - "mousedown": 3, - "container.style.zoom": 2, - "this.socket.write": 1, - "yi.height": 1, - "leading/trailing": 2, - "submitBubbles": 3, - ".addClass": 1, - "dt=": 2, - "this.url": 1, - "values": 10, - "properly": 2, - "b.id": 1, - "explanation": 1, - "undocumented": 1, - "this._headers.concat": 1, - "indexOf": 5, - "wi.width": 1, - "char": 2, - "processData": 3, - "ownerDocument.getElementsByTagName": 1, - "nt/2": 2, - "ht": 34, - "bt.getContext": 1, - "dt.width": 1, - "pi.height": 1, - "b/vt": 1, - "ht*yi": 1, - "bg.thead": 1, - "": 1, - "n.foreground": 22, - "faster": 1 - }, - "Logos": { - "retain": 1, - "]": 2, - "c": 1, - "[": 2, - "DEF": 1, - "}": 4, - ";": 8, - "{": 4, - "b": 1, - "B": 1, - "a": 1, - ")": 8, - "(": 8, - "-": 3, - "ABC": 2, - "%": 15, - "ctor": 1, - "release": 1, - "OptionalCondition": 1, - "alloc": 1, - "hook": 2, - "self": 1, - "NSObject": 1, - "void": 1, - "OptionalHooks": 2, - "subclass": 1, - "log": 1, - "init": 3, - "group": 1, - "end": 4, - "nil": 2, - "orig": 2, - "if": 1, - "RuntimeAccessibleClass": 1, - "return": 2, - "id": 2 - }, - "OCaml": { - "Example": 1, - "Eliom_parameter": 1, - "_": 2, - "get_params": 1, - "fold": 2, - "head": 1, - "value": 3, - "map": 3, - "Some": 5, - "None": 5, - "Js.string": 1, - "title": 1, - "h2": 1, - "client": 1, - "lazy_from_val": 1, - "cps": 7, - "Eliom_service.service": 1, - "unit": 5, - "l": 8, - "force": 1, - "Lazy": 1, - "(": 21, - ";": 14, - "a": 4, - "l.waiters": 5, - "fun": 9, - "with": 4, - "|": 15, - "application_name": 1, - "Lwt.return": 1, - "opt": 2, - "Html5.D": 1, - "l.value": 2, - "path": 1, - "List": 1, - "body": 1, - "-": 22, - "@": 6, - "f": 10, - "mutable": 1, - "acc": 5, - "main": 2, - "[": 13, - "end": 5, - "Option": 1, - "h1": 1, - "Dom_html.window##alert": 1, - "type": 2, - "pcdata": 4, - "open": 4, - "k": 21, - "tl": 6, - "<->": 3, - "struct": 5, - "when": 1, - "waiters": 5, - "html": 1, - "{": 11, - "Eliom_content": 1, - "l.push": 1, - "hd": 6, - "]": 13, - "p": 1, - "server": 2, - "get_state": 1, - "a_onclick": 1, - "x": 14, - "Base.List.iter": 1, - "Eliom_registration.App": 1, - "service": 1, - "shared": 1, - "<": 1, - "make": 1, - "match": 4, - "hello_popup": 2, - "Example.register": 1, - "rec": 3, - "let": 13, - ")": 23, - "function": 1, - "push": 4, - "option": 1, - "Ops": 2, - "}": 13, - "module": 5 - }, - "Prolog": { - "s": 1, - "Open": 7, - "NormalClauses": 3, - "h": 10, - "%": 334, - "ancestor": 1, - "A/B/F/D/E/0/H/I/J": 1, - "q0": 1, - "/A/C/D/E/F/H/I/J": 1, - "retracted": 1, - "Soln": 3, - "insert": 6, - "right": 22, - "s_fcn": 2, - "Wff": 3, - "A/B/C/D/0/F/H/I/J": 4, - "conVert": 1, - "]": 109, - "stay": 1, - "female": 2, - "map": 2, - "Bigger": 2, - "R": 32, - "A/C/0/D/E/F/H/I/J": 1, - "plus": 6, - "S1": 2, - "G": 7, - "A/B/C/D/E/F/G/H/I": 3, - "A/B/C/D/E/0/H/I/J": 3, - "and": 3, - "make_clause": 5, - "mem_plus": 2, - "mem_rec": 2, - "should": 1, - "D/B/C/0/E/F/H/I/J": 1, - "Ls1": 4, - "<": 11, - "Put": 1, - "draw": 18, - "Nodes": 1, - "evaluation": 1, - "Move": 3, - "i": 10, - "A/B/C/0/E/F/H/I/J": 3, - "state": 1, - "be": 1, - "The": 1, - "A/0/C/D/B/F/H/I/J": 1, - "action_module": 1, - "Each": 1, - "S": 26, - "A/B/C/D/0/F/H/E/J": 1, - "calculator": 1, - "S2": 2, - "RsRest": 2, - "H": 11, - "working": 1, - "negative": 1, - "drawn": 2, - "initialize": 2, - "graphics": 1, - "Pa": 2, - "A/B/C/D/E/F/I/0/J": 1, - "A/B/C/H/E/F/0/I/J": 1, - "Tape": 2, - "moves": 1, - "value": 1, - "tile": 5, - "not": 1, - "A/B/C/D/E/F/H/I/J": 1, - "A/B/C/D/I/F/H/0/J": 1, - "goal": 2, - "nl": 8, - "_": 21, - "asserted": 1, - "false": 1, - "T": 6, - "V1": 2, - "Object": 1, - "clear": 4, - "cls": 2, - "using": 2, - "S3": 2, - "for": 1, - "conjunction": 1, - "I": 5, - "*D1": 2, - "hide": 10, - "quicksort": 4, - "tautology": 4, - "puzzle": 4, - "v": 3, - "X0": 10, - "spot": 1, - "put": 16, - "Pb": 2, - "A/B/C/0/E/F/D/I/J": 1, - "Xs": 5, - "separate": 7, - "i.e.": 3, - "eval": 7, - "attributes": 1, - "Puzz": 3, - "expand": 2, - "(": 585, - "have": 2, - "flatten_or": 6, - "A/B/C/E/0/F/H/I/J": 1, - "out": 4, - "B1": 2, - "the": 15, - "node": 2, - "...": 3, - "male": 3, - "U": 2, - "State#D#_#S": 1, - "write": 13, - "Y0": 10, - "J": 1, - "S4": 2, - "cnF": 1, - "equal": 2, - "normal": 3, - "hide_row": 4, - "Obj": 26, - "some_occurs": 3, - "X1": 8, - "Pi.": 1, - "Pc": 2, - "Rest": 4, - "Tape0": 2, - "displayed": 17, - "call": 1, - "dynamic": 1, - "make_clauses": 5, - ")": 584, - "All_My_Children": 2, - "Children": 2, - "memory": 5, - "parents": 4, - "H.": 1, - "sequences": 1, - "a": 31, - "A/0/B/D/E/F/H/I/J": 1, - "represents": 1, - "Open1": 2, - "V": 16, - "draw_row": 4, - "at": 1, - "character": 3, - "State": 7, - "Y1": 8, - "S5": 2, - "_#_#F2#_": 1, - "p_fcn": 2, - "configuration": 1, - "form": 2, - "D1": 5, - "message.": 2, - "cycle": 1, - "@": 1, - "left": 26, - "Pd": 2, - "f_function": 3, - "brother": 1, - "_#_#F1#_": 1, - "function": 4, - "m": 16, - "Child#D1#F#": 1, - "Algorithm": 1, - "solve": 2, - "cursor": 7, - "A/0/C/D/E/F/H/I/J": 3, - "Action": 2, - "b": 12, - "Open2": 2, - "plain.": 1, - "A/B/C/D/E/F/0/I/J": 2, - "A/B/C/D/E/J/H/I/0": 1, - "Smaller": 2, - "where": 3, - "S6": 2, - "L": 2, - "Smalls": 3, - "john": 2, - "A/B/C/D/E/F/0/H/J": 1, - "location": 32, - "animation": 1, - "A": 40, - "objects": 1, - "Pe": 2, - "F1": 1, - "move": 7, - "A/B/0/D/E/C/H/I/J": 1, - "arithmetic": 3, - "+": 32, - "Ls": 12, - "make_sequence": 9, - "affirm": 10, - "retract": 8, - "c": 10, - "F2.": 1, - "Open3": 2, - "d1": 1, - "location/3.": 1, - "heuristic": 1, - "describes": 1, - "X": 62, - "character_map": 3, - "way": 1, - "S7": 2, - "M": 14, - "P#_#_#_": 2, - "turing": 1, - "normalize": 2, - "action": 4, - "insert_all": 4, - "B": 30, - "list": 1, - "A*": 1, - "if": 2, - "Pf": 2, - "NewSym": 2, - "Sym": 6, - "*S.": 1, - "op": 28, - "Xnew": 6, - "disjunction": 1, - "Bigs": 3, - "S9.": 1, - "d": 27, - "/B/C/A/E/F/H/I/J": 1, - "use": 3, - "once": 1, - "Y": 34, - "h_function": 2, - "blink": 1, - "draw_all": 1, - "S8": 2, - "empty": 2, - "N": 20, - "solver": 1, - "New": 2, - "ESC": 1, - "A/B/C/D/E/0/H/I/F": 1, - "C": 21, - "perform": 4, - "repeat_node": 2, - "push": 20, - "Pg": 3, - "{": 3, - "State#0#F#": 1, - "-": 276, - "S#D#F#A": 1, - "reverse": 2, - "partition": 5, - "of": 5, - "times": 4, - "Tile": 35, - "message": 1, - "VT100": 1, - "e": 10, - "yfx": 1, - "make": 2, - "accumulator": 10, - "nl.": 1, - "search": 4, - "N1": 2, - "plus_minus": 1, - "O": 14, - "init": 11, - "_X": 2, - "S9": 1, - "write_list": 3, - "State#_#_#Soln": 1, - "A/B/C/D/E/F/H/0/I": 1, - "sequence": 2, - "plain": 1, - "video": 1, - "is": 22, - "D": 37, - "lt": 1, - "draw_all.": 1, - "Ph": 2, - "literals": 1, - "A/B/C/D/0/E/H/I/J": 1, - "append": 2, - "|": 36, - "flatten_and": 5, - "or": 1, - ".": 210, - "Rs0": 6, - "occurs": 4, - "to": 1, - "reverse_video": 2, - "screen": 1, - "f": 10, - "symbol": 3, - "two": 1, - "/B/C/D/E/F/H/I/J": 2, - "christie": 3, - "nop": 6, - "cont": 3, - "play_back": 5, - "sequence_append": 5, - "qf": 1, - "cheaper": 2, - "[": 110, - "Q0": 2, - "A/B/C/D/E/F/H/J/0": 1, - "an": 1, - "s_aux": 14, - "P": 37, - "A/B/C/D/E/F/H/0/J": 3, - "peter": 3, - "A/E/C/D/0/F/H/I/J": 1, - "positive": 1, - "E": 3, - "A/B/0/D/E/F/H/I/J": 2, - "A/B/C/D/E/F/H/I/0": 2, - "P1": 2, - "minus": 5, - "deny": 10, - "retractall": 1, - "Pi": 1, - "vick": 2, - "}": 3, - "bagof": 1, - "B/0/C/D/E/F/H/I/J": 1, - "Ynew": 6, - "by": 1, - "bold": 1, - "Rs1": 2, - "Rs": 16, - "/": 2, - "which": 1, - "quickly": 1, - "g": 10, - "depth": 1, - "Manhattan": 1, - "Q1": 2, - "/2/3/8/0/4/7/6/5": 1, - "down": 15, - "mode": 22, - "assert": 17, - "get0": 2, - "animate": 2, - "F": 31, - "distance": 1, - "Child": 2, - "A/B/C/D/F/0/H/I/J": 1, - "rule": 1, - "Pivot": 4, - "Ls0": 6, - "up": 17, - "A/B/C/0/D/F/H/I/J": 1, - "into": 1, - ";": 9 - }, - "PHP": { - "isVirtualField": 3, - "primaryKey": 38, - "Application": 3, - "ConsoleOutput": 2, - "list": 29, - "array_diff": 3, - "vendor": 2, - "data": 187, - "findAlternatives": 3, - "Acl": 1, - "return2": 6, - "that": 2, - "old_theme_path": 2, - "extends": 3, - "helpers": 1, - ".": 169, - "beforeRender": 1, - "oldLinks": 4, - "addCommands": 1, - "ids": 8, - "checkVirtual": 3, - "results": 22, - "joinModel": 8, - "hasAttribute": 1, - "x": 4, - "getColumnType": 4, - "Cookie": 1, - "CakeRequest": 5, - "object": 14, - "asDom": 2, - "allValues": 1, - "class_exists": 2, - "root": 4, - "array_intersect": 1, - "fieldName": 6, - "callbacks": 4, - "]": 672, - "space.": 1, - "implode": 8, - "_findFirst": 1, - "Output": 5, - "getScript": 2, - "val": 27, - "_generateAssociation": 2, - "array_slice": 1, - "Exception": 1, - "singularize": 4, - "setAutoExit": 1, - "2005": 4, - "while": 6, - "message": 12, - "loadModel": 3, - "parameters": 4, - "strtotime": 1, - "request": 76, - "manipulate": 1, - "association": 47, - "AclComponent": 1, - "saveXml": 1, - "long": 2, - "max": 2, - "_filterResults": 2, - "Input": 6, - "newData": 5, - "str_replace": 3, - "asText": 1, - "trim": 3, - "licenses": 2, - "selects": 1, - "privateAction": 4, - "input": 20, - "is_null": 1, - "autoload": 1, - "events": 1, - "type": 62, - "call_user_func_array": 3, - "info": 5, - "childMethods": 2, - "AuthComponent": 1, - "saved": 18, - "transactionBegun": 4, - "Inc": 4, - "SecurityComponent": 1, - "_mergeUses": 3, - "getResponse": 1, - ";": 1383, - "helperSet": 6, - "event": 35, - "endpoint": 1, - "Cake.Controller": 1, - "getTerminalWidth": 3, - "ArgvInput": 2, - "function_exists": 4, - "view": 5, - "listing": 1, - "tm": 6, - "array_combine": 2, - "doRequestInProcess": 2, - "pipes": 4, - "These": 1, - "alternatives": 10, - "isDisabled": 2, - "records": 6, - "inside": 1, - "scaffold": 2, - "_clearCache": 2, - "fieldList": 1, - "qs": 4, - "ArrayAccess": 1, - "j": 2, - "package": 2, - "getRawUri": 1, - "elseif": 31, - "By": 1, - "getAbsoluteUri": 2, - "is_subclass_of": 3, - "com": 2, - "two": 6, - "getDefaultHelperSet": 2, - "isUnique": 1, - "specific": 1, - "on": 4, - "actsAs": 2, - "links": 4, - "isUUID": 5, - "sortCommands": 4, - "local": 2, - "validateAssociated": 5, - "collectReturn": 1, - "_scaffoldError": 1, - "actions": 2, - "new": 74, - "BehaviorCollection": 2, - "usually": 1, - "ucfirst": 2, - "instanceof": 8, - "STDIN": 3, - "rendering": 1, - "ansicon": 4, - "CakeEvent": 13, - "alias": 87, - "getDefaultInputDefinition": 2, - "__backOriginalAssociation": 1, - "proc_close": 1, - "DOMXPath": 1, - "pluralized": 1, - "params": 34, - "DBO": 2, - "contains": 1, - "generated": 1, - "App": 20, - "getAbbreviationSuggestions": 4, - "array": 296, - "array_map": 2, - "_constructLinkedModel": 2, - "c": 1, - "org": 10, - "option": 5, - "addContent": 1, - "MIT": 4, - "Console": 17, - "and": 5, - "_afterScaffoldSave": 1, - "Component": 24, - "header": 3, - "Inflector": 12, - "__set": 1, - "reset": 6, - "Development": 2, - "Form": 4, - "-": 1271, - "_parseBeforeRedirect": 2, - "exit": 7, - "result": 21, - "theme_info": 3, - "oldJoin": 4, - "timeFields": 2, - "php_help": 1, - "initialize": 2, - "tokenize": 1, - "This": 1, - "VALUE_NONE": 7, - "namespace.substr": 1, - "continue": 7, - "_findNeighbors": 1, - "lst": 4, - "exists": 6, - "implementedEvents": 2, - "assocKey": 13, - "process": 10, - "get_class_vars": 2, - "ReflectionMethod": 2, - "compact": 8, - "http": 14, - "ListCommand": 2, - "php_eval": 1, - "parentMethods": 2, - "getCode": 1, - "func_get_args": 5, - "arrayOp": 2, - "array_unique": 4, - "Helper": 3, - "levenshtein": 2, - "allows": 1, - "getAbbreviations": 4, - "php": 12, - "useTable": 12, - "&": 19, - "merge": 12, - "model": 34, - "Link": 3, - "read": 2, - "dateFields": 5, - "getCommandName": 2, - "attach": 4, - "//book.cakephp.org/2.0/en/controllers.html": 1, - "getServer": 1, - "layouts": 1, - "url": 18, - "HelpCommand": 2, - "yiisoft": 1, - "you": 1, - "is_string": 7, - "Boolean": 4, - "Framework": 2, - "theme_path": 5, - "not": 2, - "REQUIRED": 1, - "updateCounterCache": 6, - "AppModel": 1, - "p": 3, - "number": 1, - "InvalidArgumentException": 9, - "createTextNode": 1, - "str_repeat": 2, - "command": 41, - "path.": 1, - "insulated": 7, - "Licensed": 2, - "another": 1, - "PHP_URL_HOST": 1, - "array_flip": 1, - "shutdownProcess": 1, - "User": 1, - "output": 60, - "based": 2, - "changeHistory": 4, - "all": 11, - "definition": 3, - "InputFormField": 2, - "array_unshift": 2, - "postConditions": 1, - "unserialize": 1, - "_findCount": 1, - "*/": 2, - "namespaceArrayXML": 4, - "findAlternativeNamespace": 2, - "map": 1, - "getHistory": 1, - "BrowserKit": 1, - "recordData": 2, - "array_search": 1, - "create": 13, - "searchName": 13, - "Security": 1, - "You": 2, - "getCrawler": 1, - "newJoins": 7, - "getHelp": 2, - "writeln": 13, - "OutputInterface": 6, - "i": 36, - "above": 2, - "saveAssociated": 5, - "unset": 22, - "Project": 2, - "_associationKeys": 2, - "PHP_URL_PATH": 1, - "abstract": 2, - "array_key_exists": 11, - "ModelBehavior": 1, - "Auth": 1, - "cacheAction": 1, - "getLongVersion": 3, - "deleteAll": 2, - "3": 1, - "register": 1, - "PrivateActionException": 1, - "validateMany": 4, - "intval": 4, - "delete": 9, - "part": 10, - "setSource": 1, - "pluginVars": 3, - "uses": 46, - "options": 85, - "public": 202, - "Behaviors": 6, - "setCatchExceptions": 1, - "getRequest": 1, - "were": 1, - "controller": 3, - "Request": 3, - "click": 1, - "saveField": 1, - "VERBOSITY_QUIET": 1, - "request.": 1, - "_sourceConfigured": 1, - "_setAliasData": 2, - "}": 972, - "setValue": 1, - "_schema": 11, - "Software": 5, - "preg_replace": 4, - "In": 1, - "callback": 5, - "properties": 4, - "appendChild": 10, - "class": 21, - "pos": 3, - "LLC": 1, - "access": 1, - "state": 15, - "primary": 3, - "_isPrivateAction": 2, - "cakefoundation": 4, - "parse_str": 2, - "setApplication": 2, - "title.str_repeat": 1, - "get": 12, - "className": 27, - "join": 22, - "of": 10, - "getParameters": 1, - "getAssociated": 4, - "validate": 9, - "names.": 1, - "by": 2, - "tableize": 2, - "backed": 2, - "flash": 1, - "Process": 1, - "button": 6, - "keepExisting": 3, - "toArray": 1, - "php_filter_info": 1, - "submit": 2, - "TextareaFormField": 1, - "query": 102, - "str_split": 1, - "boolean": 4, - "doRequest": 2, - "v": 17, - "title": 3, - "getHeader": 2, - "getValue": 2, - "www": 4, - "createCrawlerFromContent": 2, - "fkQuoted": 3, - "asort": 1, - "[": 672, - "fcgi": 1, - "followRedirect": 4, - "walk": 3, - "either": 1, - "schema": 11, - "FormatterHelper": 2, - "hasAny": 1, - "aspects": 1, - "filters": 2, - "lev": 6, - "findQueryType": 3, - "offsetGet": 1, - "modParams": 2, - "xml": 5, - "bindModel": 1, - "fopen": 1, - "offsetUnset": 1, - "prefixes": 4, - "urls": 1, - "paginate": 3, - "PHP_EOL": 3, - "form": 7, - "such": 1, - "bool": 5, - "isKeySet": 1, - "tables": 5, - "values": 53, - "automatic": 1, - "getShortcut": 2, - "stdin": 1, - "action.": 1, - "reverse": 1, - "reload": 1, - "redirect": 6, - "ComponentCollection": 2, - "CakePHP": 6, - "responsible": 1, - "keys": 19, - "_collectForeignKeys": 2, - "ConnectionManager": 2, - "9": 1, - "After": 1, - "history": 15, - "getPhpFiles": 2, - "_return": 3, - "location": 1, - "functionality": 1, - "eval": 1, - "cascade": 10, - "afterFilter": 1, - "Xml": 2, - "breakOn": 4, - "extractNamespace": 7, - "Components": 7, - "filterRequest": 2, - "_id": 2, - "getPrevious": 1, - "dynamicWith": 3, - "function": 205, - "lowercase": 1, - "Network": 1, - "Scaffold": 1, - "editing": 1, - "parse_url": 3, - "combine": 1, - "registry": 4, - "line": 10, - "YII_DEBUG": 2, - "validationErrors": 50, - "date": 9, - "hasParameterOption": 7, - "field": 88, - "_mergeControllerVars": 2, - "sources": 3, - "segments": 13, - "newValues": 8, - "assocName": 6, - "getElementsByTagName": 1, - "hasMany": 2, - "database": 2, - "autoLayout": 2, - "resp": 6, - "License": 4, - "base": 8, - "E_USER_WARNING": 1, - "setRequest": 2, - "invalidFields": 2, - "status": 15, - "runningCommand": 5, - "2": 2, - "else": 70, - "body": 1, - "explode": 9, - "dispatchMethod": 1, - "takes": 1, - "_createLinks": 3, - "RequestHandlerComponent": 1, - "sprintf": 27, - "static": 6, - "setHelperSet": 1, - "//TODO": 1, - "substr": 6, - "find": 17, - "encoding": 2, - "renderException": 3, - "associations": 9, - "CakeEventListener": 4, - "with": 5, - "beforeFilter": 1, - "key": 64, - "return": 305, - "getSynopsis": 1, - "nest": 1, - "layout": 5, - "RequestHandler": 1, - "History": 2, - "getAttribute": 10, - "notice": 2, - "implements": 3, - "a": 11, - "getSegments": 4, - "Foundation": 4, - "strtolower": 1, - "getOptions": 1, - "currentModel": 2, - "collection": 3, - "Crawler": 2, - "target": 20, - "_deleteDependent": 3, - "_associations": 5, - "beforeScaffold": 2, - "opensource": 2, - "controllers": 2, - "ConsoleOutputInterface": 2, - "db": 45, - "+": 12, - "since": 2, - "validateErrors": 1, - "ChoiceFormField": 2, - "pluginName": 1, - "Symfony": 24, - "codes": 3, - "switch": 6, - "filter": 1, - "response.": 2, - "associationForeignKey": 5, - "default": 9, - "has": 7, - "referer": 5, - "sql": 1, - "connect": 1, - "MissingActionException": 1, - "deconstruct": 2, - "viewPath": 3, - "autoRender": 6, - "array_keys": 7, - "isEnabled": 1, - "Copyright": 5, - "_mergeParent": 4, - "viewVars": 3, - "commandXML": 3, - "protected": 59, - "in_array": 26, - "ArrayInput": 3, - "cacheQueries": 1, - "InputInterface": 4, - "FILES": 1, - "preg_split": 1, - "isEmpty": 2, - "pluginController": 9, - "_mergeVars": 5, - "filterResponse": 2, - "createElement": 6, - "render": 3, - "_getScaffold": 2, - "config": 3, - "when": 1, - "getFiles": 3, - "EXTR_OVERWRITE": 3, - "license": 6, - "sep": 1, - "_prepareUpdateFields": 2, - "time": 3, - "this": 928, - "method_exists": 5, - "add": 7, - "setVersion": 1, - "link": 10, - "n": 12, - "namespacedCommands": 5, - "getNamespaces": 3, - "insulate": 1, - "getPhpValues": 2, - "relational": 2, - "//book.cakephp.org/2.0/en/models.html": 1, - "order": 4, - "have": 2, - "offsetExists": 1, - "escapeField": 6, - "ob_end_clean": 1, - "DOMDocument": 2, - "PostsController": 1, - "Rapid": 2, - "getCookieJar": 1, - "__backContainableAssociation": 1, - "getenv": 2, - "_insertID": 1, - "PHP_INT_MAX": 1, - "RuntimeException": 2, - "yiiframework": 2, - "get_class": 4, - "getMessage": 1, - "or": 9, - "do": 2, - "isStopped": 4, - "count": 32, - "len": 11, - "components": 1, - "setVerbosity": 2, - "getTrace": 1, - "getColumnTypes": 1, - "stream_get_contents": 1, - "conf": 2, - "EmailComponent": 1, - "Client": 1, - "raw": 2, - "Validation": 1, - "errors": 9, - "getLine": 2, - "views": 1, - "maps": 1, - "one": 19, - "under": 2, - "VERBOSITY_VERBOSE": 2, - "re": 1, - "scope": 2, - "__get": 2, - "file": 3, - "abbrev": 4, - "CookieComponent": 1, - "models": 6, - "adding": 1, - "null": 164, - "DOMNode": 3, - "Each": 1, - "preg_match": 6, - "addObject": 2, - "creating": 1, - "getServerParameter": 1, - "FileFormField": 3, - "setAttribute": 2, - "current": 4, - "mit": 2, - "currentUri": 7, - "trace": 12, - "getInputStream": 1, - "getErrorOutput": 2, - "fclose": 2, - "_eventManager": 12, - "beforeRedirect": 1, - "catch": 3, - "prefixed": 1, - "PaginatorComponent": 1, - "_findThreaded": 1, - "dom": 12, - "POST": 1, - "an": 1, - "__isset": 2, - "{": 974, - "array_filter": 2, - "settings": 2, - "back": 2, - "Command": 6, - "content": 4, - "base_url": 1, - "@property": 8, - "isPublic": 1, - "provide": 1, - "run": 4, - "getVersion": 3, - "record": 10, - "2008": 1, - "performing": 2, - "index": 5, - "messages": 16, - "action": 7, - "arg": 1, - "trigger_error": 1, - "copyright": 5, - "belongsTo": 7, - "*": 25, - "use": 23, - "getTerminalHeight": 1, - "ob_get_contents": 1, - "MissingModelException": 1, - "Session": 1, - "getHelperSet": 3, - "commit": 2, - "fieldSet": 3, - "name": 181, - "keyInfo": 4, - "column": 10, - "key.": 1, - "doRun": 2, - "redirection": 2, - "hasAndBelongsToMany": 24, - "print": 1, - "space": 5, - "t": 26, - "DomCrawler": 5, - "validates": 60, - "session_write_close": 1, - "conventional": 1, - "setAction": 1, - "Cake.Model": 1, - "namespacesXML": 3, - "whitelist": 14, - "document": 6, - "mb_detect_encoding": 1, - "assoc": 75, - "setDecorated": 2, - "row": 17, - "InputOption": 15, - "__d": 1, - "modelClass": 25, - "modelKey": 2, - "10": 1, - "expression": 1, - "savedAssociatons": 3, - "foreignKey": 11, - "is_array": 37, - "dynamic": 2, - "passedArgs": 2, - "clear": 2, - "getObject": 1, - "uri": 23, - "begin": 2, - "success": 10, - "load": 3, - "setName": 1, - "resource": 1, - "sep.": 1, - "disableCache": 2, - "abbrevs": 31, - "ClassRegistry": 9, - "mapper": 2, - "findNamespace": 4, - "commandsXML": 3, - "m": 5, - "extract": 9, - "setServerParameters": 2, - "parent": 14, - "private": 24, - "resources": 1, - "aliases": 8, - "Automatically": 1, - "getOutput": 3, - "__backInnerAssociation": 1, - "_php_filter_tips": 1, - "sort": 1, - "__backAssociation": 22, - "_stop": 1, - "is_numeric": 7, - "sys_get_temp_dir": 2, - "isset": 101, - "tableName": 4, - "SHEBANG#!php": 3, - "listSources": 1, - "camelize": 3, - "tablePrefix": 8, - "substr_count": 1, - "foreignKeys": 3, - "insertMulti": 1, - "&&": 119, - "getValues": 3, - "_saveMulti": 2, - "if": 450, - "descriptorspec": 2, - "logic": 1, - "_responseClass": 1, - "pluginDot": 4, - "getID": 2, - "@link": 2, - "suggestions": 2, - "useDbConfig": 7, - "empty": 96, - "getFile": 2, - "updateFromResponse": 1, - "at": 1, - "findMethods": 3, - "retain": 2, - "getFormNode": 1, - "methods": 5, - "fieldOp": 11, - "the": 11, - "bootstrap": 1, - "endQuote": 4, - "width": 7, - "mapping": 1, - "namespace": 28, - "http_build_query": 3, - "getMethod": 6, - "_whitelist": 4, - "catchExceptions": 4, - "created": 8, - "migrated": 1, - "startQuote": 4, - "break": 19, - "included": 3, - "update": 2, - "invokeAction": 1, - "is_resource": 1, - "names": 3, - "Utility": 6, - "String": 5, - "0": 4, - "drupal_get_path": 1, - "prevVal": 2, - "_beforeScaffold": 1, - "underscore": 3, - "args": 5, - "setServerParameter": 1, - "cacheSources": 7, - "commands": 39, - "least": 1, - "virtualFields": 8, - "wantHelps": 4, - "ext": 1, - "echo": 2, - "__DIR__": 3, - "throw": 19, - "value": 53, - "describe": 1, - "constructClasses": 1, - "defaults": 6, - "useNewDate": 2, - "InputArgument": 3, - "property_exists": 3, - "serves": 1, - "The": 4, - "example": 2, - "mb_strlen": 1, - "true": 133, - "_": 1, - "Object": 4, - "version": 8, - "define": 2, - "line.str_repeat": 1, - "strrpos": 2, - "/posts/index": 1, - "": 3, - "setValues": 2, - "setCommand": 1, - "formatOutput": 1, - ")": 2417, - "layoutPath": 1, - "_afterScaffoldSaveError": 1, - "SessionComponent": 1, - "getName": 14, - "is": 1, - "findAlternativeCommands": 2, - "availability": 1, - "autoExit": 4, - "idField": 3, - "filterKey": 2, - "false": 154, - "yii2": 1, - "array_pop": 1, - "getEventManager": 13, - "node": 42, - "modelName": 3, - "should": 1, - "HelperSet": 3, - "doesn": 1, - "for": 8, - "__construct": 8, - "setDataSource": 2, - "||": 52, - "strpos": 15, - "scaffoldError": 2, - "unbindModel": 1, - "MissingTableException": 1, - "limit": 3, - "foreach": 94, - "console": 3, - "path": 20, - "PHP": 1, - "getVirtualField": 1, - "fieldValue": 7, - "Controller": 4, - "nodeName": 13, - "FALSE": 2, - "application": 2, - "to": 6, - "numeric": 1, - "@package": 2, - "asXml": 2, - "yii": 2, - "Dispatcher": 1, - "followRedirects": 5, - "buildQuery": 2, - "parentClass": 3, - "tableToModel": 4, - "string": 5, - "item": 9, - "appVars": 6, - "prefix": 2, - "invokeArgs": 1, - "try": 3, - "For": 2, - "format": 3, - "namespaces": 4, - "_deleteLinks": 3, - "startupProcess": 1, - "getDefinition": 2, - "fInfo": 4, - "joined": 5, - "array_merge": 32, - "op": 9, - "ReflectionException": 1, - "addChoice": 1, - "objects": 5, - "cond": 5, - "getFirstArgument": 1, - "must": 2, - "PhpProcess": 2, - "is_bool": 1, - "CakeEventManager": 5, - "<=>": 3, - "getDataSource": 15, - "message.": 1, - "Provides": 1, - "table": 21, - "as": 96, - "xpath": 2, - "Yii": 3, - "Paginator": 1, - "e": 18, - "proc_open": 1, - "statusCode": 14, - "fields": 60, - "match": 4, - "hasOne": 2, - "crawler": 7, - "2012": 4, - "setInteractive": 2, - "Field": 9, - "currentObject": 6, - "parts": 4, - "getSttyColumns": 3, - "rollback": 2, - "mergeParent": 2, - "getDescription": 3, - "/": 1, - "Cake": 7, - "__call": 1, - "init": 4, - "can": 2, - "getUri": 8, - "get_parent_class": 1, - "pluginSplit": 12, - "TRUE": 1, - "Remove": 1, - "y": 2, - "colType": 4, - "cols": 7, - "dirname": 1, - "server": 20, - "FormField": 3, - "hasMethod": 2, - "columns": 5, - "ksort": 2, - "found": 4, - "business": 1, - "uuid": 3, - "importNode": 3, - "Redistributions": 2, - "PHP_URL_SCHEME": 1, - "self": 1, - "saveMany": 3, - "is_object": 2, - "inputStream": 2, - "more": 1, - "Router": 5, - "strlen": 14, - "GET": 1, - "cache": 2, - "isSuccessful": 1, - "_findList": 1, - "calculate": 2, - "updateAll": 3, - "possibly": 1, - "SimpleXMLElement": 1, - "posix_isatty": 1, - "are": 5, - "queryString": 2, - "withModel": 4, - "httpCodes": 3, - "View": 9, - "(": 2416, - "global": 2, - "validationDomain": 1, - "files": 7, - "conditions": 41, - "php_permission": 1, - "call_user_func": 2, - "getContent": 2, - "method": 31, - "set": 26, - "send": 1, - "forward": 2, - "primaryAdded": 3, - "dbMulti": 6, - "r": 1, - "setNode": 1, - "updateCol": 6, - "required": 2, - "restart": 1, - "hasValue": 1, - "save": 9, - "CakeResponse": 2, - "recursive": 9, - "helpCommand": 3, - "code": 4, - "require": 3, - "ds": 3, - "<": 11, - "relation": 7, - "allNamespaces": 3, - "getVerbosity": 1, - "fully": 1, - "parentNode": 1, - "array_values": 5, - "Email": 1, - "is_a": 1, - "lines": 3, - "notEmpty": 4, - "routing.": 1, - "displayField": 4, - "saveAll": 1, - "afterScaffoldSaveError": 2, - "basic": 1, - "_normalizeXmlData": 3, - "offsetSet": 1, - "organization": 1, - "Set": 9, - "CookieJar": 2, - "Event": 6, - "k": 7, - "getDefaultCommands": 2, - "DialogHelper": 2, - "case": 31, - "plugin": 31, - "FormFieldRegistry": 2, - "LogicException": 4, - "old": 2, - "keyPresentAndEmpty": 2, - "hasField": 7, - "viewClass": 10, - "cookieJar": 9, - "remove": 4, - "array_shift": 5, - "strtoupper": 3, - "dispatch": 11, - "cakephp": 4, - "5": 1, - "schemaName": 1, - "getAliases": 3, - "pause": 2, - "exclusive": 2, - "Model": 5, - "filename": 1, - "following": 1, - "using": 2, - "defined": 5, - "id": 82, - "ob_start": 1, - "response": 33, - "afterScaffoldSave": 2, - "InputDefinition": 2, - "get_class_methods": 2, - "versions": 1, - "requestFromRequest": 4, - "resetAssociations": 3, - "Controllers": 2 - }, - "MoonScript": { - "item": 3, - "true": 4, - "clause": 4, - "op_final": 3, - "elseif": 1, - "Statement": 2, - "*conds": 1, - "__mode": 1, - "type": 5, - "class": 4, - "stubs": 1, - "insert": 18, - "last_exp_id": 3, - "with": 3, - "]": 79, - "named_assign": 2, - "unpack": 22, - "types": 2, - "after": 1, - "idx": 4, - "transformer": 3, - "index_name": 3, - "import": 5, - "@seen_nodes": 3, - "and": 8, - "is_singular": 2, - "lines": 2, - "t": 10, - "constructor_name": 2, - "node.body": 9, - "can_transform": 1, - "i": 15, - "types.cascading": 1, - "scope_name": 5, - "runs": 1, - "types.is_value": 1, - "state": 2, - "we": 1, - "*item": 1, - "table.remove": 2, - "@put_name": 2, - "self": 2, - "parent_assign": 3, - "nil": 8, - "*stm": 1, - "construct_comprehension": 2, - "do": 2, - "are": 1, - "key": 3, - "assign": 9, - "@send": 1, - "slice_var": 3, - "fail": 5, - "bubble": 1, - "if_stm": 5, - "case": 13, - "fn": 3, - "from": 4, - "bind": 1, - "out_body": 1, - "case_exps": 3, - "apart": 1, - "while": 3, - "value": 7, - "when": 12, - "statment": 1, - "source_name": 3, - "_": 10, - "implicitly_return": 2, - "data": 1, - "not": 2, - "real_name": 6, - "constructor": 7, - "return": 11, - "build": 7, - "false": 2, - "puke": 1, - "cond_exp": 5, - "for": 20, - "cls": 5, - "find_assigns": 2, - "current_stms": 7, - "statements": 4, - "*names": 3, - "conds": 3, - "ifstm": 5, - "proxy": 2, - "base": 8, - "destructure": 1, - "values": 10, - "expand": 1, - "(": 54, - "mutate": 1, - "build.fndef": 3, - "out": 9, - "ntype": 16, - "the": 4, - "node": 68, - "look": 1, - "#real_name": 1, - "list_name": 6, - "...": 10, - "table": 2, - "max_tmp_name": 5, - "body": 26, - "..": 1, - "@transformers": 3, - "names": 16, - "in": 18, - "sindle": 1, - "self_name": 4, - "first": 3, - "block": 2, - "dec": 6, - "#node": 3, - "destructures": 5, - "exp": 17, - "real": 1, - "extract": 1, - ")": 54, - "call": 3, - "constructor.arrow": 1, - "a": 4, - "apply": 1, - "switch": 7, - "setmetatable": 1, - "destructure.has_destructure": 2, - "assign_name": 1, - "Transformer": 2, - "reversed": 2, - "cls_mt": 2, - "stub": 4, - "@fn": 1, - "cond": 11, - "res": 3, - "parent_cls_name": 5, - "parent_val": 1, - "@": 1, - "arrow": 1, - "build.do": 2, - "on": 1, - "iter": 2, - "index": 2, - "apply_to_last": 6, - "ipairs": 3, - "dot": 1, - "hoist_declarations": 1, - "destructure.split_assign": 1, - "@splice": 1, - "else": 22, - "node.names": 3, - "Run": 8, - "node.iter": 1, - "object": 1, - "args": 3, - "bounds": 3, - "transform": 2, - "stm": 16, - "convert": 1, - "@listen": 1, - "ret": 16, - "destructure.build_assign": 2, - "cls_name": 1, - "find": 2, - "build.chain": 7, - "foreach": 1, - "+": 2, - "break": 1, - "require": 5, - "value_is_singular": 3, - "old": 1, - "..t": 1, - "export": 1, - "super": 1, - "action": 4, - "they": 1, - "then": 2, - "next": 1, - "included": 1, - "list": 6, - "decorator": 1, - "tuple": 8, - "if": 43, - "op": 2, - "hoist": 1, - "base_name": 4, - "continue_name": 13, - "@transform.statement": 2, - "group": 1, - "is_slice": 2, - "table.insert": 3, - "inner": 2, - "build.assign": 3, - "all": 1, - "*body": 2, - "util": 2, - "if_cond": 4, - "{": 135, - "LocalName": 2, - "@set": 1, - "name": 31, - "NameProxy": 14, - "assigns": 5, - "-": 51, - "match": 1, - "of": 1, - "expression/statement": 1, - "make": 1, - "properties": 4, - "expand_elseif_assign": 2, - "*find_assigns": 1, - "scope": 4, - "*stubs": 2, - "decorated": 1, - "continue": 1, - "unless": 6, - "body_idx": 3, - "Value": 1, - "build.assign_one": 11, - "cascading": 2, - "arg_list": 1, - "varargs": 2, - "is": 2, - "plain": 1, - "root_stms": 1, - "convert_cond": 2, - "source": 7, - "last": 6, - "#list": 1, - "transformed": 2, - "or": 6, - "colon_stub": 1, - "string": 1, - "self.fn": 1, - "parens": 2, - "..op": 1, - "smart_node": 7, - "[": 79, - "comprehension": 1, - "#values": 1, - "mtype": 3, - "new": 2, - "*properties": 1, - "}": 136, - "#body": 1, - "real_names": 4, - "build.declare": 1, - "will": 1, - "#ifstm": 1, - "__call": 1, - "#stms": 1, - "split": 4, - "don": 1, - "cls.name": 1, - "wrapped": 4, - "@transform": 2, - "slice": 7, - "error": 4, - "with_continue_listener": 4, - "build.table": 2, - "exp_name": 3, - "thing": 4, - "update": 1, - "stms": 4, - "bodies": 1, - "clauses": 4, - "sure": 1, - "build.group": 14, - "class_lookup": 3, - "up": 1, - "into": 1, - "local": 1 - }, - "Verilog": { - "root": 8, - "Inputs": 2, - "horiz_sync": 2, - "csr_stb_i": 2, - "#0.1": 8, - ".R": 6, - "wb_tga_i": 5, - "}": 11, - "bouncy": 1, - "quotient_correct": 1, - "ns_ps2_transceiver": 13, - "Internal": 2, - "value": 6, - "even": 1, - "%": 3, - "wire": 67, - "csrm_dat_i": 2, - "x_dotclockdiv2": 3, - "to": 3, - "COUNT_VALUE": 2, - "////////////////////////////////////////////////////////////////////////////////": 14, - ".graphics_alpha": 2, - "Machine": 1, - "{": 11, - "num": 5, - ".wb_dat_i": 2, - "opB": 3, - "shift_reg1": 3, - ".wbm_dat_o": 1, - ".wb_we_i": 2, - "#": 10, - "wait_for_incoming_data": 3, - ".pal_addr": 2, - ".wbs_sel_i": 1, - "radicand_gen": 10, - "OUTPUT_BITS": 14, - "graphics_alpha": 4, - ".dac_write_data_cycle": 2, - "dividend": 3, - ".wb_sel_i": 2, - ".vga_blue_o": 1, - "y": 21, - "hex_group3": 1, - ".color_compare": 2, - ".ps2_data": 1, - "hcursor": 3, - "else": 22, - "Command": 1, - "ps2_dat": 3, - "debounced": 1, - ".end_ver_retr": 2, - "sum": 5, - "valid": 2, - ".clk": 6, - "hex_group1": 1, - ".command_was_sent": 1, - "PS2_STATE_1_DATA_IN": 3, - "wb_sel_i": 3, - "NUMBER_OF_STAGES": 7, - "vert_sync": 2, - "end_horiz": 3, - "PS2": 2, - "mouse_datain": 1, - "stb": 4, - ".memory_mapping1": 2, - ".wb_clk_i": 2, - "pal_write": 3, - ".wbm_sel_o": 1, - "wbm_sel_o": 3, - ".wbm_dat_i": 1, - "reset_n": 32, - ".ps2_clk": 1, - "CLK_FREQUENCY": 4, - "t_div_pipelined": 1, - "ps2_clk_reg": 4, - "s1": 1, - ".read_map_select": 2, - ".received_data_en": 1, - "endcase": 3, - ".reset_n": 3, - ".debounce": 1, - "e0": 1, - "wb_cyc_i": 2, - ".wb_stb_i": 2, - "wb_adr_i": 3, - "wb_clk_i": 6, - "VDU": 1, - ".end_vert": 2, - "error_communication_timed_out": 3, - "Wires": 1, - ".csr_dat_o": 1, - ".D": 6, - "case": 3, - "o": 6, - ".rst_i": 1, - "#5": 3, - "COUNT": 4, - ".shift_reg1": 2, - "wb_dat_o": 2, - "Mhz": 1, - "finish": 2, - "genvar": 3, - "dac_write_data": 3, - "horiz_total": 3, - "idle_counter": 4, - "start_gen": 7, - ".wait_for_incoming_data": 1, - ".csrm_sel_o": 1, - "st_hor_retr": 3, - ".wbm_stb_o": 1, - "new": 1, - "command": 1, - "@": 16, - "number": 2, - "control": 1, - ".dac_write_data": 2, - "k": 2, - "FIRE": 4, - "#1": 1, - "wbm_ack_i": 3, - "mouse_cmdout": 1, - ".csr_dat_i": 1, - ".csr_adr_o": 1, - "w_vert_sync": 3, - "dac_read_data": 3, - ".clk_i": 1, - "#1000": 1, - "reset": 13, - "Registers": 2, - "wb_dat_i": 3, - ".pal_read": 2, - "i": 62, - "enable_set_reset": 3, - "pipe_gen": 6, - ".horiz_total": 2, - "<": 47, - "g": 2, - "csr_dat_i": 3, - "dsp_sel": 9, - "||": 1, - "generate": 3, - "ch": 1, - ".BITS": 1, - "pipeline": 2, - ".the_command": 1, - "e": 3, - "dac_write_data_cycle": 3, - "DFF10": 1, - "wb_we_i": 3, - ".csr_adr_i": 1, - "set_reset": 3, - "received": 1, - ".wb_adr_i": 2, - "root_gen": 15, - ".st_ver_retr": 2, - ".vert_sync": 1, - "c": 3, - "b0": 27, - ".wbs_stb_i": 1, - "is": 4, - "#10000": 1, - "ns": 8, - "module": 18, - "Synchronous": 12, - "odd": 1, - ".st_hor_retr": 2, - "ps2_mouse_datain": 1, - ".horiz_sync": 1, - "b0000": 1, - "end": 48, - "Clock": 14, - "finished": 1, - "a": 5, - "vga_cpu_mem_iface": 1, - ".csr_stb_o": 1, - "ps2_data_reg": 5, - "OUTPUT_BITS*INPUT_BITS": 9, - "ps2_clk_posedge": 3, - "conf_wb_ack_o": 3, - ".start_addr": 1, - ".wbm_adr_o": 1, - "b01": 1, - "i/2": 2, - "gen_sign_extend": 1, - "start_receiving_data": 3, - "quotient": 2, - "#10": 10, - "memory_mapping1": 3, - "If": 1, - "pipeline_stage": 1, - ".INPUT_BITS": 1, - "BIT_WIDTH*": 5, - "pal_read": 3, - "config_iface": 1, - "vh_retrace": 3, - ".cur_end": 2, - ".color_dont_care": 2, - "begin": 46, - "]": 179, - "conf_wb_dat_o": 3, - "hex2": 2, - "vga_green_o": 2, - "always": 23, - "ps2_clk": 3, - ".map_mask": 2, - "state": 6, - "mux": 1, - "maj": 1, - "[": 179, - "radicand": 12, - "pipe_in": 4, - "hex0": 2, - "pal_addr": 3, - ".csr_stb_i": 1, - "Bidirectionals": 1, - ".vert_total": 2, - "received_data_en": 4, - "h01": 1, - "reg": 26, - "OUTPUT_WIDTH": 4, - "pipeline_registers": 1, - ".raster_op": 2, - "color_dont_care": 3, - ".v_retrace": 2, - "en": 13, - "endmodule": 18, - "or": 14, - "sending": 1, - "parameter": 7, - ".csrm_adr_o": 1, - "h3": 1, - "debounce": 6, - "h1": 1, - "Received": 1, - "*": 4, - "end_vert": 3, - "data": 4, - ".vga_red_o": 1, - "out": 5, - "bitmask": 3, - "cycle": 1, - "mem_arbitrer": 1, - "bx": 4, - "(": 378, - "initial": 3, - "v_retrace": 3, - "send": 2, - "mask_gen": 9, - "div_by_zero": 2, - ".S": 6, - "pal_we": 3, - "last_ps2_clk": 4, - "PS2_STATE_3_END_TRANSFER": 3, - "sign_extended_original": 2, - "start": 12, - "&": 6, - ".end_horiz": 2, - "endgenerate": 3, - "clk": 40, - "//": 117, - ".Q": 6, - ".wb_ack_o": 2, - "end_hor_retr": 3, - "|": 2, - ".vcursor": 2, - "data_valid": 7, - ".error_communication_timed_out": 1, - "hex_display": 1, - "DEBOUNCE_HZ": 4, - "t_sqrt_pipelined": 1, - ".set_reset": 2, - "ps": 8, - "original": 3, - "z": 7, - "ps2_mouse": 1, - "opA": 4, - "any": 1, - "x": 41, - ".wb_rst_i": 2, - "vga_mem_arbitrer": 1, - "hex_group2": 1, - "of": 8, - "enable": 6, - "mem_wb_dat_o": 3, - "wbm_we_o": 3, - "timescale": 10, - "asynchronous": 2, - "csrm_adr_o": 2, - "Defaults": 1, - "BIT_WIDTH*i": 2, - "hex_group0": 1, - "signal": 3, - "DFF8": 1, - ".wbs_we_i": 1, - ".vh_retrace": 2, - "mem_wb_ack_o": 3, - ".wbs_dat_o": 1, - "ps2_clk_negedge": 3, - "mouse": 1, - "inout": 2, - ".root": 1, - ".wbm_we_o": 1, - ".vga_green_o": 1, - "input": 68, - "DFF6": 1, - "t_button_debounce": 1, - "e1": 1, - ".end_hor_retr": 2, - "unsigned": 2, - "s0": 1, - "DFF4": 1, - ".dividend": 1, - "received_data": 2, - "Data": 13, - "DFF2": 1, - ".reset": 2, - ".num": 4, - "bits": 2, - "&&": 3, - ".C": 6, - ".write_mode": 2, - ".wbs_dat_i": 1, - ".en": 4, - "read_map_select": 3, - "lcd": 1, - "wbm_dat_o": 3, - "INPUT_BITS*i": 5, - ".received_data": 1, - "read_mode": 3, - "DFF0": 1, - "dac_write_data_register": 3, - ".wbs_ack_o": 1, - "ns/1ps": 2, - "posedge": 11, - "csrm_we_o": 2, - "st_ver_retr": 3, - "PS2_STATE_2_COMMAND_OUT": 2, - "l": 2, - "negedge": 8, - "wbm_stb_o": 3, - "map_mask": 3, - ".wbm_ack_i": 1, - "button_debounce": 3, - "INPUT_BITS": 28, - "start_addr": 2, - ".ps2_clk_posedge": 2, - "Reset": 1, - "Initial": 6, - "j": 2, - "vcursor": 3, - "wbm_adr_o": 3, - "mask_4": 1, - "sign_extender": 1, - "#100": 1, - "cur_start": 3, - "button": 25, - "div_pipelined": 2, - "values": 3, - "vga": 1, - "wbm_dat_i": 3, - "has": 1, - "dac_read_data_cycle": 3, - "localparam": 4, - "h": 2, - "propagation": 1, - ".csrm_dat_o": 1, - ".dac_read_data_register": 2, - ".data_valid": 2, - ".start_receiving_data": 1, - ";": 287, - ".send_command": 1, - "wb_rst_i": 6, - ".DEBOUNCE_HZ": 1, - ".dac_write_data_register": 2, - "f": 2, - "<=>": 4, - ".button": 1, - "chain_four": 3, - "color_compare": 3, - "set": 6, - "for": 4, - "Outputs": 2, - "register": 6, - "d": 3, - "b1": 19, - ".cur_start": 2, - "next_state": 6, - ".quotient": 1, - "optional": 2, - "s_ps2_transceiver": 8, - ".dac_we": 2, - "assign": 23, - "#50": 2, - "Bidirectional": 2, - "WAIT": 6, - ".hcursor": 2, - "BITS": 2, - "b": 3, - "Input": 2, - "csr_adr_o": 2, - "sign_extend": 3, - "BIT_WIDTH": 5, - ".dac_read_data": 2, - ".csrm_dat_i": 1, - ".CE": 6, - ".start": 2, - "wb_ack_o": 2, - ".bitmask": 2, - "cout": 4, - ".ps2_dat": 1, - "clock": 3, - "output": 42, - "mask": 3, - ".chain_four": 2, - "command_was_sent": 2, - "seg_7": 4, - "hex3": 2, - "cur_end": 3, - "State": 1, - "vert_total": 3, - "1": 7, - "integer": 1, - "sqrt_pipelined": 3, - "csr_adr_i": 3, - ".pal_we": 2, - "PS2_STATE_0_IDLE": 10, - "vga_config_iface": 1, - ".x_dotclockdiv2": 2, - "hex1": 2, - "dac_read_data_register": 3, - "PS2_STATE_4_END_DELAYED": 4, - "/": 11, - ".rst": 1, - ".seg": 4, - "<<": 2, - "INPUT_WIDTH": 5, - ".radicand": 1, - "send_command": 2, - ".pal_write": 2, - ".div_by_zero": 1, - "default": 2, - "vga_blue_o": 2, - "-": 73, - "been": 1, - "csr_stb_o": 3, - "vga_lcd": 1, - "h00": 1, - ".divisor": 1, - ".CLK_FREQUENCY": 1, - "count": 6, - "FDRSE": 6, - "vga_red_o": 2, - ".ps2_clk_negedge": 2, - "this": 2, - "csrm_dat_o": 2, - "end_ver_retr": 3, - "+": 36, - "divisor": 5, - ".INIT": 6, - "raster_op": 3, - "Signal": 2, - "if": 23, - ".enable_set_reset": 2, - "csrm_sel_o": 2, - ".wb_dat_o": 2, - "cpu_mem_iface": 1, - "wb_stb_i": 2, - "b11": 1, - "pipe_out": 5, - ")": 378, - "ps2_mouse_cmdout": 1, - ".dac_read_data_cycle": 2, - ".read_mode": 2, - "write_mode": 3, - "the_command": 2, - "INPUT_BITS*": 27, - "an": 6, - ".wbs_adr_i": 1, - ".csrm_we_o": 1, - "dac_we": 3 - }, - "Diff": { - "+": 3, - "b/lib/linguist.rb": 2, - "-": 5, - "diff": 1, - "index": 1, - "a/lib/linguist.rb": 2, - "git": 1, - "d472341..8ad9ffb": 1 - }, - "Objective-C": { - "_tableFlags.animateSelectionChanges": 3, - "development": 1, - "allowResumeForFileDownloads": 2, - "files": 5, - "selection": 3, - "responseEncoding": 3, - "F": 1, - "JKTokenTypeInvalid": 1, - "*proxyAuthenticationScheme": 2, - "performInvocation": 2, - "indexPathForRowAtPoint": 2, - "creation.": 1, - "ve": 7, - "label.font": 3, - "removeLastObject": 1, - "closed": 1, - "keepAliveHeader": 2, - "selector": 12, - "rectForHeaderOfSection": 4, - "does": 3, - "setCompressedPostBodyFilePath": 1, - "isResponseCompressed": 3, - "beginning": 1, - "*rawResponseData": 1, - "kCFStreamEventHasBytesAvailable": 1, - "perhaps": 1, - "JKObjCImpCache": 2, - "pulled": 1, - "IN": 1, - "Type": 1, - "text.autoresizingMask": 1, - "task": 1, - "want": 5, - "NSMutableData": 5, - "saveCredentialsToKeychain": 3, - "@catch": 1, - "release": 66, - "*progressLock": 1, - "arrayWithObjects": 1, - "NSMutableCopying": 2, - "*responseCookies": 3, - "Domain": 2, - "acceptsFirstResponder": 1, - "remove": 4, - "authenticationScheme": 4, - "specified": 1, - "didFirstLayout": 1, - "instead.": 4, - "UNI_SUR_LOW_START": 1, - "rectForRowAtIndexPath": 7, - "intoString": 3, - "NSRange": 1, - "b": 4, - "jk_parse_is_newline": 1, - "label.frame": 4, - "recordBandwidthUsage": 1, - "request.": 1, - "reorder": 1, - "setAnimateSelectionChanges": 1, - "how": 2, - "_previousDragToReorderInsertionMethod": 1, - "removeObjectForKey": 1, - "decompressed": 3, - "partially": 1, - "JK_CACHE_SLOTS_BITS": 2, - "ARC": 1, - "////////////": 4, - "acceptHeader": 2, - "setCancelledLock": 1, - "_JKDictionaryInstanceSize": 4, - "_JKArrayReplaceObjectAtIndexWithObject": 3, - "NSIntegerMin": 3, - "can": 20, - "DEBUG_HTTP_AUTHENTICATION": 4, - "were": 5, - "forRowAtIndexPath": 2, - "headers.": 1, - "class": 30, - "p": 3, - "": 9, - "NSURL": 21, - "newValue": 2, - "CFHTTPAuthenticationRef": 2, - "forget": 2, - "applyAuthorizationHeader": 2, - "@end": 37, - "*1.5": 1, - "TTStyle*": 7, - "jk_objectStack_release": 1, - "JSONStringStateParsing": 1, - "clear": 3, - "*credentials": 1, - "state": 35, - "rowInfo": 7, - "client": 1, - "downloads": 1, - "OS": 1, - "URL": 48, - "defaultResponseEncoding": 4, - "initWithURL": 4, - "to": 115, - "downloadDestinationPath": 11, - "Delegate": 2, - "strong": 4, - "performRedirect": 1, - "add": 5, - "UIColor": 3, - "": 1, - "self.headerView": 2, - "subclasses": 2, - "Apply": 1, - "progress": 13, - "numberOfTimesToRetryOnTimeout": 2, - "on": 26, - "NSCParameterAssert": 19, - "specify": 2, - "index": 11, - "": 1, - "apache": 1, - "proxies": 3, - "_tableFlags.maintainContentOffsetAfterReload": 2, - "signed": 1, - "old": 5, - "always": 2, - "call": 8, - "PACurl": 1, - "initWithFileAtPath": 1, - "left/right": 2, - "pullDownViewIsVisible": 3, - "completionBlock": 5, - "capacityForCount": 4, - "UNI_SUR_LOW_END": 1, - "allow": 1, - "path": 11, - "CGPoint": 7, - "_setupRowHeights": 2, - "reuse": 3, - "autorelease": 21, - "JKParseAcceptCommaOrEnd": 1, - "TUITableViewStylePlain": 2, - "jk_dictionaryCapacities": 4, - "xE0": 1, - "JKArray": 14, - "argumentNumber": 1, - "JKSerializeOptionEscapeForwardSlashes": 2, - "NSMutableIndexSet": 6, - "TTLOGLEVEL_ERROR": 1, - "visibleRect": 3, - "haveBuiltRequestHeaders": 1, - "could": 1, - "/": 18, - "since": 1, - "setShouldPresentProxyAuthenticationDialog": 1, - "": 1, - "setPostBodyFilePath": 1, - "oldVisibleIndexPaths": 2, - "performBlockOnMainThread": 2, - "performSelector": 7, - "compressDataFromFile": 1, - "@property": 150, - "cellForRowAtIndexPath": 9, - "dealloc": 13, - "cell": 21, - "CFReadStreamCreateForStreamedHTTPRequest": 1, - "#pragma": 44, - "JSONStringStateEscapedUnicode4": 1, - "*a": 2, - "proxyPassword": 3, - "CFRelease": 19, - "JKParseOptionComments": 2, - "UIControlStateHighlighted": 1, - "keyEnumerator": 1, - "*proxyHost": 1, - "subview": 1, - "JSONDecoder": 2, - "isEqual": 4, - "totalBytesSent": 5, - "decompress": 1, - "backgroundTask": 7, - "CFHashCode": 1, - "": 1, - "removeIndex": 1, - "layout": 3, - "greater": 1, - "threadForRequest": 3, - "JK_STATIC_INLINE": 10, - "JK_EXPECT_F": 14, - "setContentSize": 1, - "isFinished": 1, - "*ASIRequestTimedOutError": 1, - "mimeType": 2, - "JK_UNUSED_ARG": 2, - "__has_feature": 3, - "numberOfRows": 13, - "value.": 1, - "setProxyAuthenticationRetryCount": 1, - "*exception": 1, - "return": 165, - "Issue": 2, - "don": 2, - "text.frame": 1, - "authenticate": 1, - "shouldContinueWhenAppEntersBackground": 3, - "HEADER_Z_POSITION": 2, - "didn": 3, - "int": 55, - "__APPLE_CC__": 2, - "bytesReadSoFar": 3, - "Mac": 2, - "itemsPtr": 2, - "*encodeState": 9, - "_preLayoutCells": 2, - "concurrency": 1, - "Will": 7, - "mutableObjectFromJSONStringWithParseOptions": 2, - "retrying": 1, - "JK_EXPECT_T": 22, - "failure": 1, - "didClickRowAtIndexPath": 1, - "weak": 2, - "NSLog": 4, - "buffer.": 2, - "JKManagedBufferOnHeap": 1, - "": 1, - "startedBlock": 5, - "useDataFromCache": 2, - "Record": 1, - "scroll": 3, - "slow.": 1, - "checking": 1, - "dataSourceNumberOfSectionsInTableView": 1, - "_JSONKIT_H_": 3, - "objectAtIndex": 8, - "All": 2, - "JSONNumberStateWholeNumberStart": 1, - "intersecting": 1, - "USE": 1, - "dictionaryWithObjectsAndKeys": 10, - "arg": 11, - "in": 42, - "NSUpArrowFunctionKey": 1, - "asked": 3, - "*defaultUserAgent": 1, - "NSStringFromClass": 18, - "SBJsonStreamParserAccumulator": 2, - "true.": 1, - "selection.": 1, - "setup": 2, - "ASIRequestTimedOutError": 1, - "UNI_MAX_BMP": 1, - "JK_TOKENBUFFER_SIZE": 1, - "NSLocaleIdentifier": 1, - "setDefaultUserAgentString": 1, - "ASIDataDecompressor": 4, - "submitting": 1, - "validatesSecureCertificate": 3, - "UIProgressView": 2, - "updateProgressIndicators": 1, - "Details": 1, - "Though": 1, - "JKTokenTypeArrayBegin": 1, - "JKTokenTypeString": 1, - "JKClassNumber": 1, - "always_inline": 1, - "objc_arc": 1, - "visible.size.width": 3, - "toFile": 1, - "connectionsLock": 3, - "//": 317, - "standard": 1, - "instance": 2, - "JSONNumberStateWholeNumberMinus": 1, - "self.headerView.frame.size.height": 1, - "iPhone": 3, - "visibleCells": 3, - "CFHTTPMessageCreateRequest": 1, - "SBJsonStreamParserComplete": 1, - "ASIBasicBlock": 15, - "configureProxies": 2, - "u": 4, - "scrollToRowAtIndexPath": 3, - "intValue": 4, - "pointer": 2, - "LLONG_MIN": 1, - "AUTH": 6, - "TTViewController": 1, - "isCancelled": 6, - "operation": 2, - "out": 7, - "ASIInternalErrorWhileBuildingRequestType": 3, - "*delegateAuthenticationLock": 1, - "kCFStreamSSLPeerName": 1, - "Force": 2, - "failureBlock": 5, - "mainRequest": 9, - "imageFrame": 2, - "self.view.bounds": 2, - "UIButton": 1, - "kCFStreamPropertyHTTPRequestBytesWrittenCount": 1, - "shouldPresentAuthenticationDialog": 1, - "performSelectorOnMainThread": 2, - "TUITableView": 25, - "callback": 3, - "class_getInstanceSize": 2, - "properties": 1, - "appendData": 2, - "reportFinished": 1, - "startSynchronous.": 1, - "responseString": 3, - "__IPHONE_3_2": 2, - "*connectionsLock": 1, - "still": 2, - "arrayIdx": 5, - "countByEnumeratingWithState": 2, - "": 1, - "indexPathForFirstVisibleRow": 2, - "handlers": 1, - "Serializing": 1, - "any": 3, - "jk_encode_add_atom_to_buffer": 1, - "attr": 3, - "rowLowerBound": 2, - "indexes": 4, - "indexOfSectionWithHeaderAtVerticalOffset": 2, - "finishedDownloadingPACFile": 1, - "askDelegateForProxyCredentials": 1, - "message": 2, - "kElementSpacing": 3, - "one.": 1, - "dequeueReusableCellWithIdentifier": 2, - "requestCookies": 1, - "Deprecated": 4, - "&": 36, - "arrayWithCapacity": 2, - "got": 1, - "been": 1, - "forEvent": 3, - "usingBlock": 6, - "yet": 1, - "maxDepth": 2, - "jsonData": 6, - "proxyAuthenticationScheme": 2, - "ssize_t": 2, - "connectionID": 1, - "allocate": 2, - "alloc_size": 1, - "calloc": 5, - "normal": 1, - "HTTP": 9, - "aStartedBlock": 1, - "NSDefaultRunLoopMode": 2, - "token": 1, - "kCFStreamPropertyHTTPResponseHeader": 1, - "Agent": 1, - "requestStarted": 3, - "some": 1, - "*jk_object_for_token": 1, - "enumerateIndexesUsingBlock": 1, - "totalSize": 2, - "authenticationRetryCount": 2, - "nextRequestID": 1, - "newURL": 16, - "credentials": 35, - "view.style": 2, - "//#include": 1, - "s.height": 3, - "free": 4, - "lastActivityTime": 1, - "proceed.": 1, - "setShowAccurateProgress": 1, - "append": 1, - "TTCurrentLocale": 2, - "label.text": 2, - "": 1, - "r.origin.y": 1, - "readStream": 5, - "happens": 4, - "said": 1, - "their": 3, - "didCreateTemporaryPostDataFile": 1, - "only": 12, - "again": 1, - "assign": 84, - "jk_set_parsed_token": 1, - "secondsToCache": 3, - "affects": 1, - "indexesOfSectionHeadersInRect": 2, - "dataWithBytes": 1, - "JKParseAcceptEnd": 3, - "*oldStream": 1, - "had": 1, - "start": 3, - "begin": 1, - "section.sectionOffset": 1, - "available": 1, - "setConnectionInfo": 2, - "respectively.": 1, - "TTDPRINT": 9, - "expiryDateForRequest": 1, - "aBytesSentBlock": 1, - "willAskDelegateForProxyCredentials": 1, - "*encoding": 1, - ".pinnedToViewport": 2, - "*cancelledLock": 2, - "jk_encode_write": 1, - "pure": 2, - "frame.size.width": 4, - "succeeded": 1, - "secure": 1, - "encoding": 7, - "self.view": 4, - "fileDownloadOutputStream": 1, - "mutableCopyWithZone": 1, - "JKObjectStackFlags": 1, - "KB": 4, - "expiring": 1, - "self.error": 3, - "PUT": 1, - "jk_parse_number": 1, - "mimeTypeForFileAtPath": 1, - "check": 1, - "TTTableTextItem": 48, - "objectFromJSONDataWithParseOptions": 2, - "NSException": 19, - "enable": 1, - "savedCredentialsForProxy": 1, - "queue": 12, - "numberOfRowsInSection": 9, - "didReceiveResponseHeadersSelector": 2, - "JKObjectStackLocationShift": 1, - "FALSE": 2, - "setValidatesSecureCertificate": 1, - "is": 77, - "setDidCreateTemporaryPostDataFile": 1, - "jk_objectStack_resize": 1, - "retryUsingNewConnection": 1, - "conjunction": 1, - "UIControlStateSelected": 1, - "jk_encode_error": 1, - "setDisableActions": 1, - "_tableFlags.didFirstLayout": 1, - "applyCredentials": 1, - "askDelegateForCredentials": 1, - "Use": 6, - "called": 3, - "objectWithUTF8String": 4, - "_makeRowAtIndexPathFirstResponder": 2, - "CGRectZero": 5, - "ASICachePolicy": 4, - "If": 30, - "__BLOCKS__": 1, - "like": 1, - "occurs": 1, - "*cfHashes": 1, - "Content": 1, - "kCFStreamSSLValidatesCertificateChain": 1, - "tableViewDidReloadData": 3, - "shouldStreamPostDataFromDisk": 4, - "runMode": 1, - "*sessionCookies": 1, - "NSUnderlyingErrorKey": 3, - "*256": 1, - "parseUTF8String": 2, - "andKeys": 1, - "animated": 27, - "didStartSelector": 2, - "*proxyCredentials": 2, - "mutations": 20, - "*_JKDictionaryHashTableEntryForKey": 2, - "caller": 1, - "here": 2, - "dispatch_async": 1, - "text.text": 1, - "removeCredentialsForHost": 1, - "It": 2, - "_styleSelected": 6, - "The": 15, - "inflatedFileDownloadOutputStream": 1, - "was": 4, - "CFRetain": 4, - "JSONStringStateEscapedUnicodeSurrogate3": 1, - "flashScrollIndicators": 1, - "indexPath.section": 3, - "CFNetwork": 3, - "userAgentHeader": 2, - "JK_PREFETCH": 2, - "press": 1, - "isNetworkInUse": 1, - "uniquely": 1, - "magic": 1, - "JKParseOptionStrict": 1, - "sslProperties": 2, - "lround": 1, - "PlaygroundViewController": 2, - "objectFromJSONString": 1, - "initWithParseOptions": 1, - "setUseCookiePersistence": 1, - "drag": 1, - "upload/download": 1, - "__MAC_10_5": 2, - "timeout": 6, - "*indexPath": 11, - "NSIndexPath": 5, - "realm": 14, - "compare": 4, - "inputStreamWithData": 2, - "enumerateIndexPathsFromIndexPath": 4, - "styleType": 3, - "JK_CACHE_PROBES": 1, - "fromPath": 1, - "NSLock": 2, - "ASIAuthenticationError": 1, - ".object": 7, - "munge": 2, - "prevent": 2, - "unsafe_unretained": 2, - "TUIScrollViewDelegate": 1, - "NSOrderedDescending": 4, - "*argv": 1, - "size_t": 23, - "TUITableViewScrollPosition": 5, - "atEntry": 45, - "aRedirectBlock": 1, - "time": 9, - "Ok": 1, - "releaseState": 1, - "Custom": 1, - "+": 195, - "atScrollPosition": 3, - "already.": 1, - "JKDictionaryEnumerator": 4, - "Prevents": 1, - "JKParseState": 18, - "view.frame": 2, - "connection": 17, - "Basic": 2, - "types": 2, - "SortCells": 1, - "roundf": 2, - "removeTemporaryDownloadFile": 1, - "anAuthenticationBlock": 1, - "requestHeaders": 6, - "lowercaseString": 1, - "https": 1, - "download.": 1, - "useCookiePersistence": 3, - "toIndexPath": 12, - "unlock": 20, - "error_": 2, - "SBJsonStreamParserAdapter": 2, - "didFailSelector": 2, - "NSMallocException": 2, - "buttonWithType": 1, - "NSDownArrowFunctionKey": 1, - "pinnedHeader.frame": 2, - "userInfo": 15, - "technically": 1, - "headerViewRect": 3, - "cleanup": 1, - "follow": 1, - "will": 57, - "indexOfSectionWithHeaderAtPoint": 2, - "retain": 73, - "andResponseEncoding": 2, - "beginBackgroundTaskWithExpirationHandler": 1, - "view": 11, - "blocks": 16, - "*objectPtr": 2, - "applicationDidFinishLaunching": 1, - "indexPathsToRemove": 2, - "them": 10, - "DEBUG_THROTTLING": 2, - "_jk_NSNumberAllocImp": 2, - "all": 3, - "Connection": 1, - "_enqueueReusableCell": 2, - "ASIWWANBandwidthThrottleAmount": 2, - "needed": 3, - "didReceiveBytes": 2, - "JKParseAcceptValueOrEnd": 1, - "regenerated": 3, - "proxyDomain": 1, - "forKey": 9, - "scanUpToString": 1, - "char": 19, - "*proxyDomain": 2, - "CGRect": 41, - "kCFAllocatorDefault": 3, - "displayNameForKey": 1, - "match": 1, - "__attribute__": 3, - "change": 2, - "setNeedsRedirect": 1, - "defaultTimeOutSeconds": 3, - "authenticationRealm": 4, - "ld": 2, - "JKClassArray": 1, - "*header": 1, - "setTarget": 1, - "_previousDragToReorderIndexPath": 1, - "JKTokenTypeTrue": 1, - "JSONNumberStateFinished": 1, - "SSIZE_MAX": 1, - "": 4, - "__unsafe_unretained": 2, - "inspect": 1, - "auth": 2, - "context": 4, - "cached": 2, - "inSection": 11, - "U": 2, - "mutableCopy": 2, - "wait": 1, - "sizes": 1, - "_visibleSectionHeaders": 6, - "callerToRetain": 7, - "UIFont": 3, - "*objectStack": 3, - "method": 5, - "username": 8, - "track": 1, - "FFFFFFF": 1, - "rand": 1, - "NSMenu": 1, - "JK_AT_STRING_PTR": 1, - "JKObjectStackLocationMask": 1, - "cellRect.origin.y": 1, - "parser": 3, - "_styleDisabled": 6, - "sentinel": 1, - "contents": 1, - "setCompressedPostBody": 1, - "NSOutputStream": 6, - "struct": 20, - "JKSerializeOptionNone": 3, - "proxyAuthenticationRetryCount": 4, - "jk_encode_object_hash": 1, - "c": 7, - "CGSizeZero": 1, - "memmove": 2, - "JK_INIT_CACHE_AGE": 1, - "*newVisibleIndexPaths": 1, - ".offset": 2, - "warning***": 1, - "///////////////////////////////////////////////////////////////////////////////////////////////////": 24, - "TTImageView": 1, - "talking": 1, - "every": 3, - "**": 27, - "sessionCookies": 2, - "url": 24, - "Why": 1, - "_JKDictionaryResizeIfNeccessary": 3, - "*firstResponder": 1, - "overlapped": 1, - "height": 19, - "mutableObjectWithData": 2, - "ASIHTTPRequestRunLoopMode": 2, - "isBandwidthThrottled": 2, - "contentLength": 6, - "NSFastEnumerationState": 2, - "E2080UL": 1, - "JKEncodeOptionAsString": 1, - "limit": 1, - "Username": 2, - "loadView": 4, - "": 2, - "seconds": 2, - "_currentDragToReorderLocation": 1, - "LONG_MIN": 3, - "rawResponseData": 4, - "willRedirect": 1, - "_styleType": 6, - "NS_BLOCKS_AVAILABLE": 8, - "size.width": 1, - "textFrame.size": 1, - "q": 2, - "request": 113, - "JKTokenValue": 2, - "detection": 2, - "CFHTTPMessageRef": 3, - "extern": 6, - "methodSignatureForSelector": 1, - "http": 4, - "jk_error_parse_accept_or3": 1, - "JKClassNull": 1, - "sizeToFit": 1, - "must": 6, - "streamSuccessfullyOpened": 1, - "useSessionPersistence": 6, - "*clientCallBackInfo": 1, - "while": 11, - "addTimer": 1, - "jk_collectionClassLoadTimeInitialization": 2, - "__builtin_expect": 1, - "setShouldUpdateNetworkActivityIndicator": 1, - "successfully.": 1, - "didReceiveResponseHeaders": 2, - "header": 20, - "*authenticationScheme": 1, - "adapter": 1, - "foundValidNextRow": 4, - "Currently": 1, - "use.": 1, - "cancelledLock": 37, - "self": 500, - "": 2, - "ASICompressionError": 1, - "See": 5, - "JKValueTypeNone": 1, - "_layoutSectionHeaders": 2, - "enumerateIndexPathsWithOptions": 2, - "ReadStreamClientCallBack": 1, - "#define": 65, - "be": 49, - "section.headerView.frame": 1, - "irow": 3, - "init": 34, - "SBJsonStreamParser": 2, - "operations": 1, - "indexPathForSelectedRow": 4, - "accept": 2, - "_jk_encode_prettyPrint": 1, - "large": 1, - "useKeychainPersistence": 4, - "because": 1, - "sectionOffset": 8, - "discarded": 1, - "setShouldPresentCredentialsBeforeChallenge": 1, - "mutableObjectWithUTF8String": 2, - "NSScanner": 2, - "textFrame": 3, - "": 1, - "yOffset": 42, - "lastIndexPath": 8, - "Deserializing": 1, - "setRequestCredentials": 1, - "_JKDictionaryCapacity": 3, - "_JKArrayInsertObjectAtIndex": 3, - "take": 1, - "setPostBodyReadStream": 2, - "*_JKDictionaryHashEntry": 2, - "extra": 1, - "defaults": 2, - "Digest": 2, - "forHost": 2, - "kCFHTTPAuthenticationUsername": 2, - "JSONNumberStateError": 1, - "xffffffffU": 1, - "initWithNumberOfRows": 2, - "internally": 3, - "setMaxValue": 2, - "timeOutSeconds": 3, - "*newObjects": 1, - "offsetsFromUTF8": 1, - "0": 2, - "_tableFlags.dataSourceNumberOfSectionsInTableView": 2, - "upload": 4, - "persistence": 2, - "runLoopMode": 2, - "NTLM": 6, - "TTDINFO": 1, - "initWithBytes": 1, - "didFinishSelector": 2, - "destroyReadStream": 3, - "xDC00": 1, - "fromIndexPath.section": 1, - "restart": 1, - "context.font": 1, - "according": 2, - "*b": 2, - "NSString*": 13, - "uploadProgressDelegate": 8, - "JKBuffer": 2, - "*startForNoSelection": 2, - "whose": 2, - "sortedArrayUsingComparator": 1, - "background": 1, - "CFStreamEventType": 2, - "stick": 1, - "systemFontOfSize": 2, - "ConversionResult": 1, - "sortedVisibleCells": 2, - "isMainThread": 2, - "aNotification": 1, - "setCompletionBlock": 1, - "fetchPACFile": 1, - "NSMutableDictionary": 18, - "readonly": 19, - "ASIUnableToCreateRequestError": 3, - "*ASIRequestCancelledError": 1, - "CFReadStreamSetProperty": 1, - "shouldResetDownloadProgress": 3, - "findSessionProxyAuthenticationCredentials": 1, - "||": 42, - "releaseBlocksOnMainThread": 4, - "kTextStyleType": 2, - "requestAuthentication": 7, - "imageFrame.size": 1, - "origin": 1, - "setShouldThrottleBandwidthForWWAN": 1, - "*fileDownloadOutputStream": 2, - "itemWithText": 48, - "x.": 1, - "use": 26, - "NSDate": 9, - "JKValueTypeString": 1, - "iteration...": 1, - "POST": 2, - "stringBuffer.bytes.ptr": 2, - "TTStyleContext*": 1, - "happened": 1, - "JKSerializeOptionPretty": 2, - "bottom": 6, - "ASIAuthenticationDialog": 2, - "stringEncoding": 1, - "asks": 1, - "_style": 8, - "setShouldRedirect": 1, - "*requestID": 3, - "certificates": 2, - "implemented": 7, - "information": 5, - "totalBytesRead": 4, - "_futureMakeFirstResponderToken": 2, - "objectForKey": 29, - "#warning": 1, - "measureBandwidthUsage": 1, - "": 1, - "before": 6, - "": 1, - "webserver": 1, - "keyHashes": 2, - "kCFNull": 1, - "first": 9, - "the": 197, - "": 2, - "primarily": 1, - "clientCallBackInfo": 1, - "identifier": 7, - "downloadCache": 5, - "redirectURL": 1, - "ui": 1, - "_JKArrayInstanceSize": 4, - "into": 1, - "*PACFileReadStream": 2, - "automatically": 2, - "aKey": 13, - "checks": 1, - "startingObjectIndex": 1, - "*dictionary": 13, - "superview": 1, - "h": 3, - "NULL": 152, - "safest": 1, - "NSOperationQueue": 4, - "_jk_NSNumberInitWithUnsignedLongLongImp": 2, - "": 1, - "setSelector": 1, - "lock": 19, - "INT_MAX": 2, - "FFFD": 1, - "action": 1, - "alive": 1, - "__GNUC__": 14, - "For": 2, - "requestID": 2, - "label.frame.size.height": 2, - "similar": 1, - "TTImageView*": 1, - "OK": 1, - "proposedPath": 1, - "StyleViewController": 2, - "representing": 1, - "setReadStream": 2, - "apps": 1, - "CGSizeMake": 3, - "responder": 2, - "v": 4, - "Do": 3, - "of": 34, - "JKRange": 2, - "button": 5, - "pullDownRect": 4, - "*proxyType": 1, - "aDownloadSizeIncrementedBlock": 1, - "TTRectInset": 3, - "StyleView": 2, - "addIndex": 3, - "currentRunLoop": 2, - "incrementUploadSizeBy": 3, - "newCount": 1, - "Garbage": 1, - "TUITableViewSectionHeader": 5, - "setMaxBandwidthPerSecond": 1, - "useful": 1, - "Defaults": 2, - "ASIConnectionFailureErrorType": 2, - "requestFailed": 2, - "_pullDownView": 4, - "TUITableViewScrollPositionTop": 2, - "proxyPort": 2, - "_scrollView": 9, - "numberOfSectionsInTableView": 3, - "params": 1, - "_ASIAuthenticationState": 1, - "xF8": 1, - "Must": 1, - "away.": 1, - "_JKDictionaryRemoveObjectWithEntry": 3, - "defaultUserAgentString": 1, - "mutableObjectFromJSONDataWithParseOptions": 2, - "jk_encode_writePrettyPrintWhiteSpace": 1, - "JKClassDictionary": 1, - "JKParseAcceptComma": 2, - "FooAppDelegate": 2, - "compressedPostBody": 4, - "range": 8, - "invalidate": 2, - "v1.4.": 4, - "objectFromJSONStringWithParseOptions": 2, - "option": 1, - "bandwidthUsageTracker": 1, - "JK_UTF8BUFFER_SIZE": 1, - "indexPath.row": 1, - "setError": 2, - "headerViewForSection": 6, - "bits": 1, - "cell.frame": 1, - "setBytesReceivedBlock": 1, - "addBasicAuthenticationHeaderWithUsername": 2, - "TUIFastIndexPath": 89, - "inform": 1, - "break": 13, - "canUseCachedDataForRequest": 1, - "__IPHONE_OS_VERSION_MAX_ALLOWED": 4, - "*or2String": 1, - "JKHashTableEntry": 21, - "show": 2, - "responses": 5, - "required": 2, - "self.dataSource": 1, - "tell": 2, - "parseStringEncodingFromHeaders": 2, - "CFHTTPMessageApplyCredentialDictionary": 2, - "dictionaryWithCapacity": 2, - "present": 3, - "failAuthentication": 1, - "Otherwise": 2, - "JKTokenTypeSeparator": 1, - "*newCredentials": 1, - "*proxyUsername": 2, - "uint32_t": 1, - "TUITableViewCalculateNextIndexPathBlock": 3, - "setDownloadCache": 3, - "*scanner": 1, - "NSFastEnumeration": 2, - "JSONNumberStateStart": 1, - "redirectToURL": 2, - "indexPathForLastRow": 2, - "NSError": 51, - "*_headerView": 1, - "ensure": 1, - "*responseHeaders": 2, - "long": 71, - "TTMAXLOGLEVEL": 1, - "zero": 1, - "bound": 1, - "setDataSource": 1, - "//self.variableHeightRows": 1, - "jk_managedBuffer_release": 1, - "push": 1, - "setDefaultTimeOutSeconds": 1, - "showProxyAuthenticationDialog": 1, - "GET": 1, - "comes": 3, - "UIBackgroundTaskInvalid": 3, - "there": 1, - "#import": 53, - "*oldEntry": 1, - "jk_managedBuffer_setToStackBuffer": 1, - "C": 6, - "indexPathsToAdd": 2, - "doing": 1, - "etc": 1, - "": 1, - "*responseStatusMessage": 3, - "implement": 1, - "eg": 2, - "CFURLRef": 1, - "moved": 2, - "We": 7, - "didReceiveDataSelector": 2, - "newIndexPath": 6, - "reportFailure": 3, - "password": 11, - "MainMenuViewController": 2, - "*u": 1, - "forMode": 1, - "redirects": 2, - "manually": 1, - "CFStringRef": 1, - "connections": 3, - "using": 8, - "moveRowAtIndexPath": 2, - "means": 1, - "": 1, - "setShouldResetDownloadProgress": 1, - "methodForSelector": 2, - "UNI_MAX_UTF16": 1, - "respondsToSelector": 8, - "save": 3, - "": 1, - "NSTimer": 5, - "addOperation": 1, - "isConcurrent": 1, - "idx": 33, - "nonnull": 6, - "self.nsWindow": 3, - "type.": 3, - "update": 6, - "methods": 2, - "if": 297, - "reflect": 1, - "repr": 5, - "tableRowOffset": 2, - "base64forData": 1, - "users": 1, - "": 1, - "has": 6, - "rather": 4, - "kFramePadding": 7, - "dateFromRFC1123String": 1, - "*adapter": 1, - "distantFuture": 1, - "downloading": 5, - "*decoder": 1, - "JKConstPtrRange": 2, - "ptr": 3, - "ASICacheStoragePolicy": 2, - "#else": 8, - "directly": 1, - "one": 1, - "deprecated": 1, - "errorWithDomain": 6, - "JKObjectStackMustFree": 1, - "*newIndexPath": 1, - "Authentication": 3, - "to.": 2, - "initWithCapacity": 2, - "argc": 1, - "atObject": 12, - "button.frame": 2, - "cellRect": 7, - "JKFlags": 5, - "it": 28, - "sent": 6, - "chance": 2, - "UIViewAutoresizingFlexibleWidth": 4, - "setUploadSizeIncrementedBlock": 1, - "keep": 2, - "see": 1, - "JKManagedBufferOnStack": 1, - "*rowInfo": 1, - "removeProxyAuthenticationCredentialsFromSessionStore": 1, - "__OBJC__": 4, - "process": 1, - "authenticationNeededBlock": 5, - "startAsynchronous": 2, - "CFHash": 1, - "newTimeOutSeconds": 1, - "NSOrderedAscending": 4, - "successfully": 4, - "URLWithString": 1, - "inopportune": 1, - "absoluteURL": 1, - "isa": 2, - "xDBFF": 1, - "INDEX_PATHS_FOR_VISIBLE_ROWS": 4, - "custom": 2, - "m": 1, - "session": 5, - "JSONDataWithOptions": 8, - "firstByteMark": 1, - "Text": 1, - "have": 15, - "JSONData": 3, - "Whether": 1, - "indexPathWithIndexes": 1, - "oldIndexPath": 2, - "open": 2, - "possible": 3, - "updateDownloadProgress": 3, - "up/down": 1, - "length": 32, - "clearDelegatesAndCancel": 2, - "objectToRelease": 1, - "less": 1, - "JK_EXPECTED": 4, - "incrementDownloadSizeBy": 1, - "*userInfo": 2, - "relativeOffset": 5, - "startSynchronous": 2, - "setQueue": 2, - "addRequestHeader": 5, - "NSEnumerator": 2, - "range.location": 2, - "JSONStringStateEscapedUnicodeSurrogate4": 1, - "TARGET_OS_IPHONE": 11, - "{": 541, - "ok": 1, - "JKParseOptionPermitTextAfterValidJSON": 2, - "updateStatus": 2, - "read": 3, - "connectionCanBeReused": 4, - "uint8_t": 1, - "handleStreamComplete": 1, - "callBlock": 1, - "shouldPresentCredentialsBeforeChallenge": 4, - "xDFFF": 1, - "setNeedsDisplay": 2, - "just": 4, - "proxyType": 1, - "extract": 1, - "where": 1, - "*postBodyReadStream": 1, - "__MAC_10_6": 2, - "warn_unused_result": 9, - "*requestMethod": 1, - "thePassword": 1, - "setProxyAuthenticationNeededBlock": 1, - "ASICacheDelegate.h": 2, - "@selector": 28, - "fails.": 1, - "": 1, - "self.delegate": 10, - "Setting": 1, - "UINT_MAX": 3, - "kImageStyleType": 2, - "name": 7, - "nonatomic": 40, - "mutableCollection": 7, - "JK_ALIGNED": 1, - "JK_ENABLE_CF_TRANSFER_OWNERSHIP_CALLBACKS": 2, - "*lastIndexPath": 5, - "prepareForReuse": 1, - "onTarget": 7, - "NSEvent": 3, - "TUITableViewInsertionMethodAtIndex": 1, - "_dragToReorderCell": 5, - "sizeWithFont": 2, - "shouldUpdateNetworkActivityIndicator": 1, - "*certificates": 1, - "might": 4, - "removeCredentialsForProxy": 1, - "willChangeValueForKey": 1, - "your": 2, - "post": 2, - "targetIndexPathForMoveFromRowAtIndexPath": 1, - "would": 2, - "v1.4": 1, - "*clientCertificates": 2, - "addView": 5, - "setInProgress": 3, - "startingAtIndex": 4, - "bytesRead": 5, - "setShouldWaitToInflateCompressedResponses": 1, - "statusTimer": 3, - "tableViewWillReloadData": 3, - "newHeaders": 1, - "synchronously": 1, - "streaming": 1, - "CFDictionaryRef": 1, - "grouped": 1, - "TUITableViewStyleGrouped": 1, - ".key": 11, - "JSONStringStateEscapedUnicode1": 1, - "*requestCredentials": 1, - "NSNumberAllocImp": 2, - "frame.origin.x": 3, - "execute": 4, - "scenes": 1, - "Credentials": 1, - "yourself": 4, - "dataReceivedBlock": 5, - "serializeUnsupportedClassesUsingBlock": 4, - "responseData": 5, - "calculateNextIndexPath": 4, - "cache": 17, - "then": 1, - "from": 18, - "Another": 1, - "TTPathForBundleResource": 1, - "*oldIndexPath": 1, - "headerView": 14, - "false": 3, - "write": 4, - "ASIInputStream": 2, - "bytes": 8, - "layoutSubviewsReentrancyGuard": 1, - "character": 1, - "temporary": 2, - "commit": 1, - "*ctx": 1, - "Stores": 1, - "NetworkRequestErrorDomain": 12, - "displaying": 2, - "Directly": 2, - "//lists.apple.com/archives/Macnetworkprog/2006/Mar/msg00119.html": 1, - "findProxyCredentials": 2, - "NSData": 28, - "Necessary": 1, - "*userAgentHeader": 1, - "*postBodyFilePath": 1, - "_reusableTableCells": 5, - "different": 4, - "scanString": 2, - "uploaded": 2, - "NSProcessInfo": 2, - "asynchronously": 1, - "An": 2, - "secondsSinceLastActivity": 1, - "TUITableViewInsertionMethodBeforeIndex": 1, - "*ASIHTTPRequestRunLoopMode": 1, - "setArgument": 4, - "didReceiveData": 2, - "canMoveRowAtIndexPath": 2, - "*ptr": 2, - "JKClassString": 1, - "self.animateSelectionChanges": 1, - "case": 8, - "setStartedBlock": 1, - "for": 99, - "forState": 4, - "addSubview": 8, - "setHaveBuiltRequestHeaders": 1, - "*or3String": 1, - "local": 1, - "DO": 1, - "sure": 1, - "*ui": 1, - "_keepVisibleIndexPathForReload": 2, - "UTF16": 1, - "CATransaction": 3, - "sectionIndex": 23, - "requestCredentials": 1, - "incase": 1, - ".size.height": 1, - "removeAllIndexes": 2, - "handleBytesAvailable": 1, - "*dataDecompressor": 2, - "buildPostBody": 3, - "calling": 1, - "progressLock": 1, - "parser.delegate": 1, - "never": 1, - "*runLoopMode": 2, - "uploadBufferSize": 6, - "result": 4, - "account": 1, - "storage": 2, - "CGFloat": 44, - "setRequestCookies": 2, - "bandwidthThrottlingLock": 1, - "*compressedPostBody": 1, - "indexPathsForRowsInRect": 3, - "those": 1, - "Obtain": 1, - "attemptToApplyCredentialsAndResume": 1, - "typedef": 47, - "tmp": 3, - "previously": 1, - "d": 11, - "__GNUC_MINOR__": 3, - "*connectionInfo": 2, - "*inflatedFileDownloadOutputStream": 2, - "Expected": 3, - "setNeedsLayout": 3, - "*array": 9, - "associated": 1, - "Range": 1, - "us": 2, - "reachabilityChanged": 1, - "_indexPathShouldBeFirstResponder": 2, - "SBJsonStreamParserError": 1, - "examined": 1, - "targetExhausted": 1, - "JSONNumberStateExponentPlusMinus": 1, - "_updateDerepeaterViews": 2, - "received": 5, - "updatedProgress": 3, - "ASI_DEBUG_LOG": 11, - "ASIFallbackToCacheIfLoadFailsCachePolicy": 2, - "reason": 1, - "decoderWithParseOptions": 1, - "Last": 2, - "Unexpected": 1, - "*atEntry": 3, - "addTarget": 1, - "*topVisibleIndex": 1, - "amount": 12, - "exits": 1, - "array": 84, - "setMaintainContentOffsetAfterReload": 1, - "r": 6, - "sectionHeight": 9, - "stored": 9, - "scrollPosition": 9, - "false.": 1, - "*headerView": 6, - "preset": 2, - "unsigned": 62, - "objectIndex": 48, - "*sessionCookiesLock": 1, - "JSONStringStateEscapedNeedEscapeForSurrogate": 1, - "NSWindow": 2, - "clearSession": 2, - "Number": 1, - "err": 8, - "way": 1, - "runPACScript": 1, - "responses.": 1, - "rangeOfString": 1, - "clearCache": 1, - "NSOperation": 1, - "jk_parse_next_token": 1, - "JKFastClassLookup": 2, - "__inline__": 1, - "_tableView.delegate": 1, - "frame": 38, - "Request": 6, - "complain": 1, - "uint16_t": 1, - "redirections": 1, - "initWithNibName": 3, - "super": 25, - "_contentHeight": 7, - "body": 8, - "Unable": 2, - "allocWithZone": 4, - "especially": 1, - "already": 4, - "NSArray*": 1, - "store": 4, - "#": 2, - "removeFromSuperview": 4, - "forProxy": 2, - "dataDecompressor": 1, - "TTStyleSheet": 4, - "_JSONDecoderCleanup": 1, - "Set": 4, - "table": 7, - "NSUIntegerMax": 7, - "oldEntry": 9, - "removeObjectsInArray": 2, - "JSONKitSerializingBlockAdditions": 2, - "so": 15, - "bandwidthUsedInLastSecond": 1, - "xD800": 1, - "nn": 4, - "_scrollView.autoresizingMask": 1, - "NSThread": 4, - "Generally": 1, - "Tested": 1, - "*lastActivityTime": 2, - "options": 6, - "clientCertificates": 2, - "ULLONG_MAX": 1, - "charactersIgnoringModifiers": 1, - "failedRequest": 4, - "visible": 16, - "ASIUseDefaultCachePolicy": 1, - "futureMakeFirstResponderRequestToken": 1, - "width": 1, - "*_tableView": 1, - "heightForRowAtIndexPath": 2, - "JKManagedBufferFlags": 1, - "indexAtPosition": 2, - "persistent": 5, - "removeAuthenticationCredentialsFromSessionStore": 3, - "static": 102, - "safely": 1, - "UNI_SUR_HIGH_END": 1, - "contentOffset": 2, - "URLs": 2, - "Size": 3, - "ASIAuthenticationState": 5, - "*c": 1, - "requestFinished": 4, - "entryIdx": 4, - "JKObjectStackOnStack": 1, - "efficient": 1, - "avoids": 1, - "probably": 4, - "isNetworkReachableViaWWAN": 1, - "response": 17, - "host": 9, - "objectWithString": 5, - "containing": 1, - "*requestCookies": 2, - "CGRectIntersectsRect": 5, - "No": 1, - "simply": 1, - "NSMutableArray": 31, - "jk_encode_write1": 1, - "TUITableViewRowInfo": 3, - "defaultCache": 3, - "ASIRequestCancelledErrorType": 2, - "website": 1, - "other": 3, - "*_JKArrayCreate": 2, - "sessionProxyCredentialsStore": 1, - "setClientCertificateIdentity": 1, - "timing": 1, - "tableView": 45, - "notified": 2, - "*cbSignature": 1, - "regular": 1, - "requestMethod": 13, - "duration": 1, - "__clang_analyzer__": 3, - "brief": 1, - "requestReceivedResponseHeaders": 1, - "via": 5, - "script": 1, - "persistentConnectionsPool": 3, - "updateUploadProgress": 3, - "constructor": 1, - "tells": 1, - "connectionInfo": 13, - "TUITableViewDataSource": 2, - "As": 1, - "anIdentity": 1, - "Description": 1, - "know": 3, - "*compressedBody": 1, - "isExecuting": 1, - "TUITableViewInsertionMethod": 3, - "context.frame": 1, - "bit": 1, - "_tableFlags.delegateTableViewWillDisplayCellForRowAtIndexPath": 1, - "setURL": 3, - "zone": 8, - "hideNetworkActivityIndicator": 1, - "storeProxyAuthenticationCredentialsInSessionStore": 1, - "string": 9, - "ASIProxyAuthenticationNeeded": 1, - "handle": 4, - "NSRecursiveLock": 13, - "itself": 1, - "hasBytesAvailable": 1, - "deselectRowAtIndexPath": 3, - "ASIRequestTimedOutErrorType": 2, - "[": 1227, - "text": 12, - "#ifndef": 9, - "debugTestAction": 2, - "identifies": 1, - "fires": 1, - "do": 5, - "stringByAppendingPathComponent": 2, - "responseCode": 1, - "handleNetworkEvent": 2, - "raise": 18, - "newDelegate": 6, - "Invalid": 1, - "_jk_NSNumberClass": 2, - "CFReadStreamCopyProperty": 2, - "setter": 2, - "text.backgroundColor": 1, - "mutationsPtr": 2, - "*indexPathsToRemove": 1, - "i": 41, - "persistentConnectionTimeoutSeconds": 4, - "connecting": 2, - "@finally": 1, - "JSONKIT_VERSION_MINOR": 1, - "JKPtrRange": 2, - "webservers": 1, - "NO.": 1, - "UIApplication": 2, - "*networkThread": 1, - "NSInputStream": 7, - "collection": 11, - "range.length": 1, - "*url": 2, - "averageBandwidthUsedPerSecond": 2, - "JK_ATTRIBUTES": 15, - "characterAtIndex": 1, - "connection.": 2, - "redirects.": 1, - "requestWithURL": 7, - "*atCharacterPtr": 1, - "JKTokenType": 2, - "Are": 1, - "supply": 2, - "isEqualToString": 13, - "prevents": 1, - "indexPathForLastVisibleRow": 2, - "pinnedHeaderFrame": 2, - "len": 6, - "jk_max": 3, - "JKTokenTypeObjectBegin": 1, - "JK_WARN_UNUSED_PURE_NONNULL_ARGS": 1, - "self.contentInset.top*2": 1, - "view.image.size": 1, - "include": 1, - "b.frame.origin.y": 2, - "Controls": 1, - "UIBackgroundTaskIdentifier": 1, - "setMaxConcurrentOperationCount": 1, - "retry": 3, - "&&": 123, - "private": 1, - "main": 8, - "*password": 2, - "setDidUseCachedResponse": 1, - "starts": 2, - "*atAddEntry": 1, - "UIScrollView": 1, - "proxyAuthenticationNeededBlock": 5, - "@protocol": 3, - "recording": 1, - "NSStringFromSelector": 16, - "defined": 16, - "*underlyingError": 1, - "addIdx": 5, - "objectsPtr": 3, - "JKValueTypeLongLong": 1, - "expired": 1, - "being": 4, - "jk_error": 1, - "*_JKDictionaryCreate": 2, - "keyHash": 21, - "pinned": 5, - "removeTemporaryCompressedUploadFile": 1, - "*temporaryUncompressedDataDownloadPath": 2, - "remain": 1, - "sessionCredentialsLock": 1, - "md5Hash": 1, - "setDidReceiveResponseHeadersSelector": 1, - "NSString": 127, - "payload": 1, - "(": 2109, - "fail": 1, - "hassle": 1, - "cell.reuseIdentifier": 1, - "ASIHTTPRequests": 1, - "disk": 1, - "resume": 2, - "Default": 10, - "setConnectionCanBeReused": 2, - "stream": 13, - "TUITableViewScrollPositionMiddle": 1, - ".location": 1, - "_ASINetworkErrorType": 1, - "redirect": 4, - "NSISOLatin1StringEncoding": 2, - "by": 12, - "*authenticationRealm": 2, - "UIViewAutoresizingFlexibleHeight": 1, - "recycle": 1, - "*statusTimer": 2, - "gzipped": 7, - "we": 73, - "get": 4, - "NSComparator": 1, - "_tableView.dataSource": 3, - "*pullDownView": 1, - "row": 36, - "mutableObjectFromJSONString": 1, - "compatible": 1, - "*readStream": 1, - "readwrite": 1, - "down": 1, - "atAddEntry": 6, - "addHeader": 5, - "handleStreamError": 1, - "only.": 1, - "view.autoresizingMask": 2, - "top": 8, - "enum": 17, - "*sharedQueue": 1, - "responseStatusCode": 3, - "requires": 4, - "NSFileManager": 1, - "NSMaxRange": 4, - "JSONStringStateEscape": 1, - "##__VA_ARGS__": 7, - "removeObjectAtIndex": 1, - "UIControlEventTouchUpInside": 1, - "setDidFinishSelector": 1, - "saveCredentials": 4, - "ASIFileManagementError": 2, - "internal": 2, - "CGRectGetMaxY": 2, - "close": 5, - "styleWithSelector": 4, - "*ASITooMuchRedirectionError": 1, - "JKEncodeOptionAsData": 1, - "partialDownloadSize": 8, - "": 2, - "insertObject": 1, - "label.numberOfLines": 2, - "_layoutCells": 3, - "returned": 1, - "allows": 1, - "addObject": 16, - "run": 1, - "*cacheSlot": 4, - "JKManagedBufferMustFree": 1, - "*v": 2, - "pullDownView": 1, - "NSHTTPCookie": 1, - "completes": 6, - "bandwidth": 3, - "didDeselectRowAtIndexPath": 3, - "@try": 1, - "When": 15, - "adding": 1, - "same": 6, - "attemptToApplyProxyCredentialsAndResume": 1, - "than": 9, - "NSRunLoop": 2, - "newCredentials": 16, - "updatePartialDownloadSize": 1, - "Realm": 1, - "dispatch_get_main_queue": 1, - "JKManagedBufferLocationShift": 1, - "logic": 1, - "_visibleItems": 14, - "*parser": 1, - "enumerateIndexPathsUsingBlock": 2, - "NSAutoreleasePool": 2, - "dataSourceWithObjects": 1, - "*parseState": 16, - "TUITableView*": 1, - "last": 1, - "readStreamIsScheduled": 1, - "JKValueType": 1, - "label": 6, - "cells": 7, - "a.frame.origin.y": 2, - "_tableView": 3, - "JKSerializeOptionFlags": 16, - "setObject": 9, - "NSEvent*": 1, - "JKConstBuffer": 2, - "JK_HASH_INIT": 1, - "__OBJC_GC__": 1, - "setDownloadSizeIncrementedBlock": 1, - "objectFromJSONData": 1, - "JSONStringStateFinished": 1, - "CGRectContainsPoint": 1, - "ULONG_MAX": 3, - "": 2, - "Handle": 1, - "theError": 6, - "postBodyReadStream": 2, - "reaches": 1, - "JSONKIT_VERSION_MAJOR": 1, - "ASIRequestCancelledError": 2, - "finished": 3, - "JKEncodeOptionAsTypeMask": 1, - "iterations": 1, - "withProgress": 4, - "NSArray": 27, - "addTextView": 5, - "Even": 1, - "kCFHTTPAuthenticationSchemeNTLM": 1, - "n": 7, - "interval": 1, - "*sessionCredentials": 1, - "*PACFileRequest": 2, - "JK_STACK_OBJS": 1, - "found": 4, - "setCachePolicy": 1, - "applyProxyCredentials": 2, - "set": 24, - "*data": 2, - "indexPath": 47, - "serializeOptions": 14, - "and": 44, - "setShouldResetUploadProgress": 1, - "NSInteger": 56, - "jk_cache_age": 1, - "*keys": 2, - "helper": 1, - "JKSerializeOptionValidFlags": 1, - "": 1, - "Example": 1, - "storeAuthenticationCredentialsInSessionStore": 2, - "status": 4, - "*user": 1, - "*failedRequest": 1, - "globalStyleSheet": 4, - "*accumulator": 1, - "count": 99, - "|": 13, - "else": 35, - "compressedPostBodyFilePath": 4, - "*jk_parse_array": 1, - "xF0": 1, - "addText": 5, - "timeOutPACRead": 1, - "line": 2, - "copyWithZone": 1, - "jk_encode_writen": 1, - "beforeDate": 1, - "credentialWithUser": 2, - "proxyAuthentication": 7, - "Likely": 1, - "jk_min": 1, - "": 1, - "INT_MIN": 3, - "CFOptionFlags": 1, - "NS_BUILD_32_LIKE_64": 3, - "authenticating": 2, - "const": 28, - "CFTypeRef": 1, - "dataSource": 2, - "NSDictionary": 37, - "pinnedHeaderFrame.origin.y": 1, - "trip": 1, - "TTTableViewController": 1, - "UNI_MAX_UTF32": 1, - "constrainedToSize": 2, - "*blocks": 1, - "inProgress": 4, - "give": 2, - "NO": 30, - "*bandwidthUsageTracker": 1, - "JK_ALLOC_SIZE_NON_NULL_ARGS_WARN_UNUSED": 2, - "findCredentials": 1, - "CFReadStreamRef": 5, - "copy": 4, - "title": 2, - "environment": 1, - "sourceExhausted": 1, - "viewDidAppear": 2, - "ASIHTTPRequestDelegate": 1, - "size": 12, - "sections": 4, - "UITableViewStyleGrouped": 1, - "initWithDomain": 5, - "self.bounds.size.width": 4, - "running": 4, - "sharedQueue": 4, - "-": 595, - "JKValueTypeDouble": 1, - "addSessionCookie": 1, - "bundle": 3, - "JK_FAST_TRAILING_BYTES": 2, - "sectionLowerBound": 2, - "willAskDelegateToConfirmRedirect": 1, - "rebuild": 2, - "": 1, - "JSONStringStateEscapedUnicode2": 1, - "indexPaths": 2, - "very": 2, - "trailingBytesForUTF8": 1, - "*indexes": 2, - "retryUsingSuppliedCredentials": 1, - "anything": 1, - "frame.origin.y": 16, - "shouldCompressRequestBody": 6, - "an": 20, - "JSONNumberStateFractionalNumber": 1, - "*postBodyWriteStream": 1, - ";": 2003, - "JSONStringStateStart": 1, - "mime": 1, - "slower": 1, - "NSURLCredentialPersistencePermanent": 2, - "kCFStreamSSLAllowsExpiredCertificates": 1, - "location": 3, - "attributesOfItemAtPath": 1, - "capacity": 51, - "toIndexPath.section": 1, - "showNetworkActivityIndicator": 1, - "aProxyAuthenticationBlock": 1, - "starts.": 1, - "sessionCredentials": 6, - "invocationWithMethodSignature": 1, - "*ASIAuthenticationError": 1, - "": 1, - "kCFHTTPAuthenticationPassword": 2, - "hideNetworkActivityIndicatorAfterDelay": 1, - "derepeaterEnabled": 1, - "Blocks": 1, - "ofTotal": 4, - "*m": 1, - "sectionUpperBound": 3, - "*sections": 1, - "Private": 1, - "value": 21, - "occurred": 1, - "setupPostBody": 3, - "removeAllObjects": 1, - "lower": 1, - "newCookie": 1, - "far": 2, - "setDelegate": 4, - "Invokes": 2, - "keychain": 7, - "key": 32, - "blue": 3, - "oldCapacity": 2, - "NSNumberInitWithUnsignedLongLongImp": 2, - "option.": 1, - "theData": 1, - "*redirectURL": 2, - "bytesSentBlock": 5, - "shouldAttemptPersistentConnection": 2, - "generate": 1, - "delegateTableViewWillDisplayCellForRowAtIndexPath": 1, - "temporaryUncompressedDataDownloadPath": 3, - "initWithUnsignedLongLong": 1, - "_JKArrayClass": 5, - "SIZE_MAX": 1, - "hasn": 1, - "newQueue": 3, - "": 2, - "onThread": 2, - "measure": 1, - "selected": 2, - "proxyAuthenticationRealm": 2, - "reused": 2, - "_currentDragToReorderInsertionMethod": 1, - "server": 8, - "stringWithFormat": 6, - "withEvent": 2, - "reloadDataMaintainingVisibleIndexPath": 2, - "writing": 2, - "offscreen": 2, - "pinnedHeader": 1, - "automatic": 1, - "about": 4, - "unsignedLongLongValue": 1, - "sessionCookiesLock": 1, - "are": 15, - "content": 5, - "UITableViewStylePlain": 1, - "xFA082080UL": 1, - "headerHeight": 4, - "JKSerializeOptionEscapeUnicode": 2, - "view.urlPath": 1, - "***Black": 1, - "*error": 3, - "object": 36, - "initDictionary": 4, - "realloc": 1, - "JKClassUnknown": 1, - "layoutSubviews": 5, - "setFailedBlock": 1, - "currently": 4, - "haveBuiltPostBody": 3, - "withObject": 10, - "e": 1, - "domain": 2, - "_tableFlags": 1, - "Location": 1, - "fromContentType": 2, - "appendPostDataFromFile": 3, - "": 1, - "newSize": 1, - "JKEncodeState": 11, - "headers": 11, - "retryCount": 3, - "setLastBytesRead": 1, - "*ASIUnableToCreateRequestError": 1, - "cookies": 5, - "jk_encode_updateCache": 1, - "set.": 1, - "supported": 1, - "responseHeaders": 5, - "Foo": 2, - "JSONKitSerializing": 3, - "kGroupSpacing": 5, - "setHeadersReceivedBlock": 1, - "style": 29, - "CGSize": 5, - "JK_JSONBUFFER_SIZE": 1, - "visibleCellsNeedRelayout": 5, - "s": 35, - "complete": 12, - "challenge": 1, - "cbSignature": 1, - "our": 6, - "authentication": 18, - "*requestHeaders": 1, - "setAuthenticationNeededBlock": 1, - "setBytesSentBlock": 1, - "cancelLoad": 3, - "@implementation": 13, - "downloaded": 6, - "started": 1, - "receives": 3, - "SEL": 19, - "BOOL": 137, - "mark": 42, - "endBackgroundTask": 1, - "But": 1, - "NSURLCredential": 8, - "JKValueTypeUnsignedLongLong": 1, - "aBytesReceivedBlock": 1, - "expire": 2, - "needsRedirect": 3, - ".keyHash": 2, - "anObject": 16, - "JKParseToken": 2, - "stores": 1, - "sharedApplication": 2, - "WORD_BIT": 1, - "@optional": 2, - "shouldResetUploadProgress": 3, - "*downloadDestinationPath": 2, - "after": 5, - "@interface": 23, - "JK_CACHE_SLOTS": 1, - "reading": 1, - "useHTTPVersionOne": 3, - "window": 1, - "JKTokenTypeObjectEnd": 1, - "isARepeat": 1, - "firstResponder": 3, - "UITableView": 1, - "kCFHTTPVersion1_0": 1, - "": 4, - "ASIHeadersBlock": 3, - "load": 1, - "apply": 2, - "*persistentConnectionsPool": 1, - "*pass": 1, - "setAuthenticationNeeded": 2, - "NSMethodSignature": 1, - "xFC": 1, - "UTF32": 11, - "encodeOption": 2, - "NOT": 1, - "initWithFrame": 12, - "removeObject": 2, - "NSObject": 5, - "size.height": 1, - "*entry": 4, - "JSONNumberStateFractionalNumberStart": 1, - "no": 7, - "now.": 1, - "JKTokenTypeNumber": 1, - "setAnimationsEnabled": 1, - "setFrame": 2, - "network": 4, - "readResponseHeaders": 2, - "clickCount": 1, - "work.": 1, - "debugging": 1, - "delegates": 2, - "_selectedIndexPath": 9, - "sizeof": 13, - "initWithObjects": 2, - "#19.": 2, - "Counting": 1, - "Objective": 2, - "charset": 5, - "kNetworkEvents": 1, - "setPostBodyWriteStream": 2, - "indexPathsForVisibleRows": 2, - "NSLocalizedString": 9, - "shouldUpdate": 1, - "UIEdgeInsetsMake": 3, - "cancel": 5, - "NSInvalidArgumentException": 6, - "true": 9, - "memory": 3, - "*jk_parse_dictionary": 1, - "authenticated": 1, - "as": 17, - "fromIndexPath": 6, - "during": 4, - "YES": 62, - "headerFrame": 4, - "removeFileAtPath": 1, - "browsers": 1, - "when": 46, - "NSData*": 1, - "scanInt": 2, - "until": 2, - "@": 258, - "TTLOGLEVEL_WARNING": 1, - "newly": 1, - "maxAge": 2, - "setPostLength": 3, - "willRedirectSelector": 2, - "setPostBody": 1, - "authenticationNeeded": 3, - "setUploadProgressDelegate": 2, - "max": 7, - "format": 18, - "handling": 4, - "*PACFileData": 2, - "populated": 1, - "jk_encode_printf": 1, - "determine": 1, - "released": 2, - "enumeratedCount": 8, - "UIButtonTypeRoundedRect": 1, - "_headerView.frame": 1, - "make": 3, - "resuming": 1, - "releaseBlocks": 3, - "updating": 1, - "threading": 1, - "jsonText": 1, - "systemFontSize": 1, - "number": 2, - "CFReadStreamCreateForHTTPRequest": 1, - "*stop": 7, - "JK_WARN_UNUSED": 1, - "section.headerView": 9, - "applyCookieHeader": 2, - "theRequest": 1, - "rectForSection": 3, - "most": 1, - "mouse": 2, - "this": 50, - "postBodyFilePath": 7, - "MaxValue": 2, - "runningRequestCount": 1, - "JSONNumberStateExponent": 1, - "architectures.": 1, - "TTDCONDITIONLOG": 3, - "TTDERROR": 1, - "either": 1, - "#if": 41, - "oldCount": 2, - "parent": 1, - "auto": 2, - "throttle": 1, - "Used": 13, - "self.maxDepth": 2, - "earth": 1, - "bringSubviewToFront": 1, - "header.frame.size.height": 1, - "//Some": 1, - "proxyUsername": 3, - "parser.maxDepth": 1, - "selectRowAtIndexPath": 3, - "UILabel": 2, - "lastIndexPath.section": 2, - "*cell": 7, - "kCFStreamPropertySSLSettings": 1, - "shouldRedirect": 3, - "underlyingError": 1, - "redirected": 2, - "_delegate": 2, - "setSelected": 2, - "ASIHTTPRequest": 31, - "NSLocalizedFailureReasonErrorKey": 1, - "indicator": 4, - "*jk_managedBuffer_resize": 1, - "*managedBuffer": 3, - "bounds": 2, - "*proxyPassword": 2, - "ASINetworkQueue": 4, - "parseJSONData": 2, - "headersReceivedBlock": 5, - "frame.size.height": 15, - "*pool": 1, - "JK_WARN_UNUSED_CONST_NONNULL_ARGS": 1, - "j": 5, - "throttleBandwidthForWWANUsingLimit": 1, - "User": 1, - "LONG_BIT": 1, - "TUITableViewSection": 16, - "measurement": 1, - "setRequestRedirectedBlock": 1, - "timer": 5, - "cachePolicy": 3, - "resize": 3, - "newObjects": 2, - "_cmd": 16, - "FFFF": 3, - "_headerView.hidden": 4, - "bodies": 1, - "viewFrame": 4, - "v.size.height": 2, - "TUIViewAutoresizingFlexibleWidth": 1, - "sessionCredentialsStore": 1, - "kCFStreamEventEndEncountered": 1, - "relativeToURL": 1, - "cookie": 1, - "scheme": 5, - "JKSERIALIZER_BLOCKS_PROTO": 1, - "": 4, - "file": 14, - "SBJsonStreamParserWaitingForData": 1, - "*ASIHTTPRequestVersion": 2, - "NSInternalInconsistencyException": 4, - "JSONStringStateEscapedUnicodeSurrogate1": 1, - "x": 10, - "block": 18, - "setDidStartSelector": 1, - "JKParseOptionFlags": 12, - "alloc": 47, - "_headerView.autoresizingMask": 1, - "*proxyAuthenticationRealm": 3, - "didUseCachedResponse": 3, - "CFMutableDictionaryRef": 1, - "unused": 3, - "setLastActivityTime": 1, - "JKParseOptionLooseUnicode": 2, - "TTDPRINTMETHODNAME": 1, - "_tableFlags.layoutSubviewsReentrancyGuard": 3, - "reference": 1, - "*bandwidthThrottlingLock": 1, - "throttled": 1, - "*sessionCredentialsStore": 1, - "proxyHost": 2, - "ideal.": 1, - "setContentOffset": 2, - "shouldSelectRowAtIndexPath": 3, - "*authenticationCredentials": 2, - "*err": 3, - "kCFStreamEventErrorOccurred": 1, - "UIViewController": 2, - "findSessionAuthenticationCredentials": 2, - "PAC": 7, - "initialization": 1, - "**keys": 1, - "showAuthenticationDialog": 1, - "anUploadSizeIncrementedBlock": 1, - "_headerView": 8, - "forceSaveScrollPosition": 1, - "setComplete": 3, - "lastIndexPath.row": 2, - "appropriate": 4, - "total": 4, - "context.delegate": 1, - "*request": 1, - "memcpy": 2, - "__builtin_prefetch": 1, - "makeFirstResponderIfNotAlreadyInResponderChain": 1, - "_tableFlags.forceSaveScrollPosition": 1, - "_updateSectionInfo": 2, - "PRODUCTION": 1, - "setHaveBuiltPostBody": 1, - "clientCertificateIdentity": 5, - "pinnedHeader.frame.origin.y": 1, - "isKindOfClass": 2, - "andCachePolicy": 3, - "TUITableViewDelegate": 1, - "numberOfSections": 10, - "JKEncodeOptionType": 2, - "next": 2, - "cell.layer.zPosition": 1, - "rowHeight": 2, - "raw": 3, - "look": 1, - ")": 2106, - "JKObjectStackOnHeap": 1, - "UIScrollView*": 1, - "_headerView.layer.zPosition": 1, - "hideNetworkActivityIndicatorIfNeeeded": 1, - "": 2, - "HEAD": 10, - "serializeUnsupportedClassesUsingDelegate": 4, - "objects": 58, - "theUsername": 1, - "expires": 1, - "global": 1, - "text.style": 1, - "indexPathForFirstRow": 2, - "unscheduleReadStream": 1, - "//#import": 1, - "reusable": 1, - "*sessionCredentialsLock": 1, - "re": 9, - "responseCookies": 1, - "Not": 2, - "what": 3, - "JSONNumberStateWholeNumberZero": 1, - "isMultitaskingSupported": 2, - "globallyUniqueString": 2, - "fails": 2, - "nibNameOrNil": 1, - "wanted": 1, - "ASIProgressBlock": 5, - "incremented": 4, - "didChangeValueForKey": 1, - "try": 3, - "point": 11, - "*bandwidthMeasurementDate": 1, - "policy": 7, - "...then": 1, - "*i": 4, - "setWillRedirectSelector": 1, - "Stupid": 2, - "**objects": 1, - "*identifier": 1, - "double": 3, - "You": 1, - "JKTokenTypeWhiteSpace": 1, - "shouldThrottleBandwidthForWWANOnly": 1, - "performThrottling": 2, - "connect": 1, - "green": 3, - "lastObject": 1, - "necessary": 2, - "needs": 1, - "*sessionProxyCredentialsStore": 1, - "they": 6, - "localeIdentifier": 1, - "agent": 2, - "cancelAuthentication": 1, - "@synthesize": 7, - "UIControlStateDisabled": 1, - "date": 3, - "@private": 2, - "query": 1, - "JKParseOptionUnicodeNewlines": 2, - "jk_calculateHash": 1, - "*PACurl": 2, - "added": 5, - "indexPathForRowAtVerticalOffset": 2, - "ASITooMuchRedirectionError": 1, - "setRequestMethod": 3, - "__LP64__": 4, - "proxy": 11, - "performKeyAction": 2, - "exists": 1, - "UIViewAutoresizingFlexibleBottomMargin": 3, - "initWithJKDictionary": 3, - "viewDidUnload": 2, - "fromIndexPath.row": 1, - "memset": 1, - "*jk_create_dictionary": 1, - "fffffff": 1, - "": 1, - "NSParameterAssert": 15, - "_topVisibleIndexPath": 1, - "parse": 1, - "with": 19, - "TUITableViewScrollPositionNone": 2, - "Collection": 1, - "noCurrentSelection": 2, - "markAsFinished": 4, - "Make": 1, - "exception": 3, - "allObjects": 2, - "forControlEvents": 1, - "scheduleReadStream": 1, - "TUITableViewStyle": 4, - "passed": 2, - "DEBUG": 1, - "storing": 1, - "certificate": 2, - "a": 78, - "#ifdef": 10, - "delegateAuthenticationLock": 1, - "numberWithBool": 3, - "but": 5, - "NSINTEGER_DEFINED": 3, - "tableSize": 2, - "jk_parse_skip_whitespace": 1, - "laid": 1, - "toProposedIndexPath": 1, - "This": 7, - "advanceBy": 1, - "*keyHashes": 2, - "UIButton*": 1, - "colorWithRed": 3, - "*username": 2, - "_sectionInfo": 27, - "up": 4, - "toRemove": 1, - "behaviour": 2, - "Leopard": 1, - "self.tableViewStyle": 1, - "created": 3, - "moment": 1, - "its": 9, - "replaceObjectAtIndex": 1, - "NSComparisonResult": 1, - "middle": 1, - "switch": 3, - "NSTimeInterval": 10, - "actually": 2, - "TRUE": 1, - "populate": 1, - "downloadSizeIncrementedBlock": 5, - "ASIDataCompressor": 2, - "shouldTimeOut": 2, - "calloc.": 2, - "Class": 3, - "depthChange": 2, - "reachability": 1, - "cacheStoragePolicy": 2, - "JSONKitDeserializing": 2, - "NSInvocation": 4, - "negative": 1, - "<=>": 15, - "partial": 2, - "addImageView": 5, - "updates": 2, - "@class": 4, - "userAgentString": 1, - "#include": 18, - "decoder": 1, - "menuForRowAtIndexPath": 1, - "setTotalBytesSent": 1, - "initWithStyleName": 1, - "ntlmComponents": 1, - "*throttleWakeUpTime": 1, - "JK_WARN_UNUSED_SENTINEL": 1, - "made": 1, - "lastBytesSent": 3, - "compressedBody": 1, - "Clear": 3, - "reloadData": 3, - "appendPostData": 3, - "aCompletionBlock": 1, - "current": 2, - "repeats": 1, - "JSONStringWithOptions": 8, - "}": 532, - "initialize": 1, - "CFEqual": 2, - "_pullDownView.frame": 1, - "sectionRowOffset": 2, - "previous": 2, - "let": 8, - "alpha": 3, - "dictionary": 64, - "unsubscribeFromNetworkReachabilityNotifications": 1, - "HEADRequest": 1, - "waitUntilDone": 4, - "Methods": 1, - "addKeyEntry": 2, - "required.": 1, - "NSLocalizedDescriptionKey": 10, - "jk_objectStack_setToStackBuffer": 1, - "optionFlags": 1, - "JSONNumberStateWholeNumber": 1, - "activity": 1, - "buildRequestHeaders": 3, - "releasingObject": 2, - "willRetryRequest": 1, - "once": 3, - "*theRequest": 1, - "ASIDataBlock": 3, - "ASINoAuthenticationNeededYet": 3, - "removeIdx": 3, - "setRedirectURL": 2, - "ASIAuthenticationErrorType": 3, - "JKManagedBufferLocationMask": 1, - "tag": 2, - "oldStream": 4, - "setResponseEncoding": 2, - "downloadComplete": 2, - "JKEncodeCache": 6, - "saveProxyCredentialsToKeychain": 1, - "ASIS3Request": 1, - "ignore": 1, - "nextConnectionNumberToCreate": 1, - "_JKDictionaryHashEntry": 2, - "lastBytesRead": 3, - "inflated": 6, - "nil": 131, - "*compressedPostBodyFilePath": 1, - ".": 2, - "objc_getClass": 2, - "throttling": 1, - "loop": 1, - "JKParseOptionValidFlags": 1, - "willRedirectToURL": 1, - "NSStringEncoding": 6, - "doesn": 1, - "JSONNumberStateExponentStart": 1, - "": 1, - "_tableFlags.derepeaterEnabled": 1, - "*mimeType": 1, - "comments": 1, - "UNI_REPLACEMENT_CHAR": 1, - "valueForKey": 2, - "*error_": 1, - "generated": 3, - "UNI_SUR_HIGH_START": 1, - "JSONStringStateEscapedUnicode3": 1, - "*firstIndexPath": 1, - "_pullDownView.hidden": 4, - "*postBody": 1, - "indexPathForRow": 11, - "kCFHTTPAuthenticationSchemeBasic": 2, - "NSNotification": 2, - "pool": 2, - "TTDWARNING": 1, - "setDataReceivedBlock": 1, - "<": 56, - "usingCache": 5, - "indexesOfSectionsInRect": 2, - "newVisibleIndexPaths": 2, - "aFailedBlock": 1, - "port": 17, - "note": 1, - "kViewStyleType": 2, - "requests": 21, - "conversionOK": 1, - "TTPathForDocumentsResource": 1, - "throw": 1, - "Temporarily": 1, - "andPassword": 2, - "ASIHTTPAuthenticationNeeded": 1, - "*jsonString": 1, - "pass": 5, - "postBodyWriteStream": 7, - "ID": 1, - "default": 8, - "JKManagedBuffer": 5, - "LL": 1, - "fffffffffffffffLL": 1, - "": 1, - "ASIHTTPRequest*": 1, - "SBJsonParser": 2, - "C82080UL": 1, - "removeTemporaryUploadFile": 1, - "used": 16, - "ASINetworkQueue.h": 1, - "various": 1, - "setRequestHeaders": 2, - "JKEncodeOptionStringObj": 1, - "...": 11, - "setSessionCookies": 1, - "TUIView": 17, - "maxBandwidthPerSecond": 2, - "maxLength": 3, - "nibBundleOrNil": 1, - "timerWithTimeInterval": 1, - "gzipped.": 1, - "mid": 5, - "xffffffffffffffffULL": 1, - "TTDASSERT": 2, - "scrollRectToVisible": 2, - "code": 16, - "setTimeOutSeconds": 1, - "analyzer...": 2, - "These": 1, - "JK_DEPRECATED_ATTRIBUTE": 6, - "likely": 1, - "JKObjectStack": 5, - "JKEncodeOptionStringObjTrimQuotes": 1, - "UL": 138, - "#error": 6, - "*indexPathsToAdd": 1, - "incrementBandwidthUsedInLastSecond": 1, - "shouldUseRFC2616RedirectBehaviour": 2, - "X": 1, - "*mainRequest": 2, - "_JKArrayRemoveObjectAtIndex": 3, - "withOptions": 4, - "ASIUnhandledExceptionError": 3, - "maintainContentOffsetAfterReload": 3, - "should": 8, - "built": 2, - "user": 6, - "responseStatusMessage": 1, - "void": 253, - "topVisibleIndex": 2, - "that": 23, - "_NSStringObjectFromJSONString": 1, - "whether": 1, - "JKParseOptionNone": 1, - "indexPathForCell": 2, - "reloadLayout": 2, - "JK_WARN_UNUSED_NONNULL_ARGS": 1, - "ASISizeBlock": 5, - "JKTokenTypeArrayEnd": 1, - "Reference": 1, - "f": 8, - "parseOptionFlags": 11, - "kCFStreamSSLAllowsAnyRoot": 1, - "*indexPaths": 1, - "miscellany": 1, - "stop": 4, - "TUITableViewScrollPositionBottom": 1, - "error": 75, - "which": 1, - "authenticationCredentials": 4, - "*sslProperties": 2, - "attempt": 3, - "longer": 2, - "Create": 1, - "*path": 1, - "setSynchronous": 2, - "stringBuffer.bytes.length": 1, - "aligned": 1, - "param": 1, - "removeUploadProgressSoFar": 1, - "scanner": 5, - "original": 2, - "postBody": 11, - "_dataSource": 6, - "also": 1, - "clang": 3, - "newSessionCookies": 1, - "configure": 2, - "determining": 1, - "t": 15, - "updateProgressIndicator": 4, - "order": 1, - "setStatusTimer": 2, - "jk_encode_write1fast": 2, - "**error": 1, - "TUIFastIndexPath*": 1, - "headerFrame.size.height": 1, - "compressData": 1, - "IBOutlet": 1, - "TTLOGLEVEL_INFO": 1, - "dragged": 1, - "won": 3, - "UNI_MAX_LEGAL_UTF32": 1, - "JSONNumberStatePeriod": 1, - "JK_WARN_UNUSED_CONST": 1, - "upwards.": 1, - "TUITableViewInsertionMethodAfterIndex": 1, - "or": 18, - "NSEnumerationOptions": 4, - "not": 29, - "jk_encode_write1slow": 2, - "JK_NONNULL_ARGS": 1, - "expirePersistentConnections": 1, - "YES.": 1, - "temporaryFileDownloadPath": 2, - "incrementing": 2, - "unless": 2, - "*format": 7, - "setTitle": 1, - "values": 3, - "<<": 16, - "atIndex": 6, - "support": 4, - "nextObject": 6, - "jk_parse_skip_newline": 1, - "startForNoSelection": 1, - "repeative": 1, - "r.size.height": 4, - "Incremented": 1, - "buffer": 7, - "parseMimeType": 2, - "_currentDragToReorderIndexPath": 1, - "failWithError": 11, - "UILabel*": 2, - "synchronous": 1, - "kCFHTTPVersion1_1": 1, - "includeQuotes": 6, - "proxyCredentials": 1, - "%": 30, - "you": 10, - "*objects": 5, - "SecIdentityRef": 3, - "NSMakeCollectable": 3, - "setAuthenticationScheme": 1, - "NSZone": 4, - "newObject": 12, - "CGRectMake": 8, - "yes": 1, - "these": 3, - "initWithObjectsAndKeys": 1, - "create": 1, - "usually": 2, - "something": 1, - "isPACFileRequest": 3, - "*userAgentString": 2, - "#endif": 59, - "startRequest": 3, - "ASINetworkErrorType": 1, - "rowsInSection": 7, - "firstIndexPath": 4, - "remaining": 1, - "mutableObjectFromJSONData": 1, - "rowCount": 3, - "NSIndexSet": 4, - "entry": 41, - "allKeys": 1, - "//If": 2, - "Automatic": 1, - "stuff": 1, - "setUpdatedProgress": 1, - "protocol": 10, - "setDefaultResponseEncoding": 1, - "returns": 4, - "setPersistentConnectionTimeoutSeconds": 2, - "at": 10, - "setDownloadProgressDelegate": 2, - "TTStyleContext": 1, - "checkRequestStatus": 2, - "Once": 2, - "A": 4, - "type": 5, - "may": 8, - "accumulator": 1, - "feature": 1, - "newRequestMethod": 3, - "NS_BLOCK_ASSERTIONS": 1, - "temp_NSNumber": 4, - "sourceIllegal": 1, - "expect": 3, - "toIndexPath.row": 1, - "maxUploadReadLength": 1, - "without": 1, - "": 2, - "reliable": 1, - "own": 3, - "*temporaryFileDownloadPath": 2, - "*acceptHeader": 1, - "NSUTF8StringEncoding": 2, - "data": 27, - "keys": 5, - "JSONStringStateError": 1, - "allValues": 1, - "*s": 3, - "aReceivedBlock": 2, - "behind": 1, - "another": 1, - "offset": 23, - "_lastSize": 1, - "TUITableViewCell": 23, - "compressed": 2, - "": 2, - "sortedArrayUsingSelector": 1, - "uploadSizeIncrementedBlock": 5, - "es": 3, - "JK_WARN_UNUSED_PURE": 1, - "selectValidIndexPath": 3, - "_styleHighlight": 6, - "NSRangeException": 6, - "JKTokenCacheItem": 2, - "JKParseAcceptValue": 2, - "self.contentSize": 3, - "*oldVisibleIndexPaths": 1, - "removeTemporaryUncompressedDownloadFile": 1, - "id": 170, - "send": 2, - "NSNumber": 11, - "setShouldAttemptPersistentConnection": 2, - "registerForNetworkReachabilityNotifications": 1, - "self.title": 2, - "event": 8, - "dc": 3, - "JKHash": 4, - "": 1, - "_headerView.frame.size.height": 2, - "allowCompressedResponse": 3, - "__IPHONE_4_0": 6, - "ll": 6, - "*originalURL": 2, - "*jk_cachedObjects": 1, - "xC0": 1, - "self.contentInset.bottom": 1, - "//block": 12, - "accumulator.value": 1, - "*cbInvocation": 1, - "LONG_MAX": 3, - "_currentDragToReorderMouseOffset": 1, - "getObjects": 2, - "JKTokenTypeNull": 1, - "more": 5, - "downloadProgressDelegate": 10, - "initToFileAtPath": 1, - "": 2, - "didSelectRowAtIndexPath": 3, - "calls": 1, - "NSNotFound": 1, - "JSONStringStateEscapedNeedEscapedUForSurrogate": 1, - "redirecting": 2, - "TUITableViewScrollPositionToVisible": 3, - "hard": 1, - "]": 1227, - "JK_END_STRING_PTR": 1, - "setDefaultCache": 2, - "explicitly": 2, - "": 1, - "Check": 1, - "NSIntegerMax": 4, - "told": 1, - "returnObject": 3, - "sec": 3, - "round": 1, - "existing": 1, - "NSBundle": 1, - "scannerWithString": 1, - "objectWithData": 7, - "cancelOnRequestThread": 2, - "rect": 10, - "dateWithTimeIntervalSinceNow": 1, - "*stream": 1, - ".height": 4, - "animateSelectionChanges": 3, - "making": 1, - "__cplusplus": 2, - "view.backgroundColor": 2, - "record": 1, - "subsequent": 2, - "largely": 1, - "TT_RELEASE_SAFELY": 12, - "fileSize": 1, - "_JKDictionaryAddObject": 4, - "": 1, - "UIControlStateNormal": 1, - "cbInvocation": 5, - "setDidFailSelector": 1, - "*domain": 2, - "ones": 3, - "floor": 1, - "basic": 3, - "parsing": 2, - "willDisplayCell": 2, - "Opaque": 1, - "StyleView*": 2, - "contain": 4, - "cancelled": 5, - "jk_parse_string": 1, - "notify": 3, - "NSTemporaryDirectory": 2, - "ASIUnableToCreateRequestErrorType": 2, - "postLength": 6, - "": 1, - "inflate": 2, - "particular": 2, - "redirectCount": 2, - "TUIScrollView": 1, - "changes": 4, - "NSProgressIndicator": 4, - "entryForKey": 3, - "ASITooMuchRedirectionErrorType": 3, - "shouldWaitToInflateCompressedResponses": 4, - "currentHash": 1, - "JSONStringStateEscapedUnicodeSurrogate2": 1, - "y": 12, - "shouldPresentProxyAuthenticationDialog": 2, - "setUseSessionPersistence": 1, - "_JKDictionaryCapacityForCount": 4, - "ASIInternalErrorWhileApplyingCredentialsType": 1, - "DEBUG_REQUEST_STATUS": 4, - "Internal": 2, - "_JKDictionaryHashTableEntryForKey": 1, - "JKEncodeOptionCollectionObj": 1, - "Tells": 1, - "whatever": 1, - "adapter.delegate": 1, - "JKTokenCache": 2, - "section.headerView.superview": 1, - "addToSize": 1, - "Also": 1, - "_relativeOffsetForReload": 2, - "*section": 8, - "above.": 1, - "JSONKit": 11, - "presented": 2, - "_JKDictionaryClass": 5, - "UTF8": 2, - "JKDictionary": 22, - "section": 60, - "valid": 5, - "DEBUG_PERSISTENT_CONNECTIONS": 3, - "": 1, - "serializeObject": 1, - "NSResponder": 1, - "need": 10, - "contentType": 1, - "dataUsingEncoding": 2, - "Called": 6, - "RedirectionLimit": 1, - "new": 10, - "JK_ENCODE_CACHE_SLOTS": 1, - "savedCredentialsForHost": 1, - "isSynchronous": 2, - "delegate": 29, - "showAccurateProgress": 7, - "*window": 2, - "best": 1, - "TTSectionedDataSource": 1, - "invocation": 4, - "*": 311, - "setAllowCompressedResponse": 1, - "keyEntry": 4, - "_pullDownView.frame.size.height": 2, - "opened": 3, - "originalURL": 1, - "runRequests": 1, - "uncompressData": 1, - "processInfo": 2, - "setRunLoopMode": 2, - "NSOrderedSame": 1, - "JKTokenTypeComma": 1, - "bytesReceivedBlock": 8, - "much": 2, - "setDidReceiveDataSelector": 1, - "parser.error": 1, - "JKTokenTypeFalse": 1, - "componentsSeparatedByString": 1, - "nothing": 2, - "willAskDelegateForCredentials": 1, - "target": 5, - "download": 9, - "malloc": 1, - "rowUpperBound": 3, - "delete": 1, - "requestRedirectedBlock": 5, - "timeIntervalSinceNow": 1, - "JSONString": 3, - "@required": 1, - "cond": 12, - "stackbuf": 8, - "*or1String": 1, - "point.y": 1, - "NSUInteger": 93, - "NSError**": 2, - "data.": 1 - }, - "Gosu": { - "line.HasContent": 1, - "new": 6, - "Hello": 2, - "throw": 1, - "not": 1, - "IllegalArgumentException": 1, - "addAllPeople": 1, - "get": 1, - "PersonCSVTemplate.renderToString": 1, - "]": 4, - "defined": 1, - "and": 1, - "java.io.File": 1, - "Relationship": 3, - "delegate": 1, - "loadPersonFromDB": 1, - "id": 1, - "property": 2, - "@Deprecated": 1, - "construct": 1, - "FRIEND": 1, - "vals": 4, - "saveToFile": 1, - "stmt.setInt": 1, - "function": 11, - "user.LastName": 1, - "RelationshipOfPerson": 1, - "line.toPerson": 1, - ")": 55, - "Person": 7, - "print": 4, - "Integer": 3, - "stmt.executeQuery": 1, - "p": 5, - "represents": 1, - "_relationship": 2, - "Contact": 1, - "file.eachLine": 1, - "Name": 3, - "static": 7, - "typeis": 1, - "contacts": 2, - "<%>": 2, - "ALL_PEOPLE.containsKey": 2, - "age": 4, - "IEmailable": 2, - "File": 2, - "ALL_PEOPLE.Values": 3, - "this": 1, - "<": 1, - "implements": 1, - "in": 3, - "result": 1, - "enhancement": 1, - "conn": 1, - "allPeople": 1, - "Collection": 1, - "[": 4, - "this.split": 1, - "example": 2, - "HashMap": 1, - "class": 1, - "}": 28, - "String": 6, - "user.Department": 1, - "name": 4, - "getAllPeopleOlderThanNOrderedByName": 1, - "package": 2, - "result.getString": 2, - ".orderBy": 1, - "params": 1, - "-": 3, - "file": 3, - "ALL_PEOPLE": 2, - "override": 1, - "return": 4, - "List": 1, - "printPersonInfo": 1, - "stmt": 1, - "conn.prepareStatement": 1, - "as": 3, - "_emailHelper": 2, - "DBConnectionManager.getConnection": 1, - "user": 1, - "": 1, - "_age": 3, - "": 1, - "EmailHelper": 1, - "": 1, - "addPerson": 4, - "result.getInt": 1, - "getEmailName": 1, - "@": 1, - "contact.Name": 1, - "contact": 3, - "writer": 2, - "relationship": 2, - "<%!-->": 1, - "FileWriter": 1, - "line": 1, - "toPerson": 1, - "for": 2, - "if": 4, - "result.next": 1, - "{": 28, - "allPeople.where": 1, - ".Name": 1, - "gst": 1, - "var": 10, - "readonly": 1, - "_name": 4, - "java.util.*": 1, - "enum": 1, - "extends": 1, - "hello": 1, - "FAMILY": 1, - "using": 2, - "user.FirstName": 1, - "p.Age": 1, - "BUSINESS_CONTACT": 1, - "int": 2, - "+": 2, - "Relationship.valueOf": 2, - "(": 54, - "PersonCSVTemplate.render": 1, - "%": 2, - "Age": 1, - "loadFromFile": 1, - "set": 1, - "uses": 2, - "users": 2, - "incrementAge": 1, - "p.Name": 2 - }, - "Nemerle": { - "module": 1, - "}": 2, - ")": 2, - "(": 2, - "{": 2, - ";": 2, - "WriteLine": 1, - "Program": 1, - "void": 1, - "using": 1, - "Main": 1, - "System.Console": 1 - }, - "GLSL": { - "chroma_blue": 2, - "resLeaves.xyz": 2, - "chroma_red": 2, - "p.z": 2, - "step": 2, - "n.x": 1, - "sh": 1, - "gl_FragColor.rgba": 1, - "p.xz": 2, - "norm": 1, - "rayDir*t": 2, - "max_r": 2, - "}": 61, - "x*34.0": 1, - "mod": 2, - "Fade": 1, - "p.x": 2, - "resSand.w": 4, - "uv.x": 11, - "distortion_f": 3, - "to": 1, - "norm.z": 1, - "b0.xzyw": 1, - "length": 7, - "camera": 8, - "adsk_input1_w": 4, - "{": 61, - "snoise": 7, - "pos.yz": 2, - "each": 1, - "varying": 3, - "plants": 6, - "uniform": 7, - "#endif": 14, - "N": 1, - "rd.x": 1, - "norm.x": 1, - "intersectTreasure": 2, - "e8": 1, - ".y": 2, - "y": 2, - "uv": 12, - "rdir*t": 1, - "////": 4, - "rayDir*res2.w": 1, - "else": 1, - "i1": 2, - "a1.xy": 1, - "vgrass": 2, - "C.y": 1, - "Intel": 1, - "lightDir": 3, - "intersectWater": 2, - "skyCol": 4, - "D.y": 1, - "*C.x": 2, - "Intersect": 11, - "alpha": 3, - "Medium": 1, - "rayDir": 43, - "Haarm": 1, - "res2": 2, - "dir": 2, - "iResolution.x/iResolution.y*0.5": 1, - "e.yxy": 1, - "rayDir*res.w": 1, - "iGlobalTime": 7, - "permute": 4, - "main": 3, - "diffuse": 4, - "incr": 2, - "adsk_input1_aspect": 1, - "e20": 3, - "s*s*": 1, - "y.xy": 1, - "*x": 3, - "mix": 2, - "s1": 2, - "Configurations": 1, - "sunDir*0.01": 2, - "s": 23, - "kCube": 2, - "sign": 1, - "ct": 2, - "eps.xyy": 1, - "MEDIUMQUALITY": 2, - "DETAILED_NOISE": 3, - "resWater": 1, - "rad*rad": 2, - "rdir2": 2, - "*0.7": 1, - "x3": 4, - "bool": 1, - "openAmount": 4, - "D": 1, - "col*exposure": 1, - "m*m": 1, - "resSand.xyz": 1, - "quite": 1, - "Should": 1, - "intersectLeaf": 2, - "*0.5": 1, - "x1": 4, - "cameraVector": 2, - "D.yyy": 1, - "a1": 1, - "int": 7, - "specularColor": 2, - "adsk_result_w": 3, - "works": 1, - "m": 8, - "lightLeaves": 3, - "be": 1, - "leaf": 1, - "dist": 7, - "resSand": 2, - "k": 8, - "systems": 1, - "theta": 6, - "sunDir": 5, - "noise": 1, - "max": 9, - "floor": 8, - "far": 1, - "min": 11, - "pos.y": 8, - "from": 2, - "i": 38, - "exp": 2, - "leaves": 7, - "cos": 4, - "<": 23, - ".g": 1, - "g": 2, - "treeCol": 2, - "y_": 2, - "||": 3, - "x0.xyz": 1, - "clamp": 4, - "resTreasure.w": 4, - "plantsShadow": 2, - "p3": 5, - "vec3": 165, - "Left": 1, - "resWater.w": 4, - "curve": 1, - "resTreasure.xyz": 1, - "MAX_DIST_SQUARED": 3, - "e": 4, - "gl_FragColor": 2, - "res": 6, - "C.xxx": 2, - "Other": 1, - "p*0.5": 1, - "and": 2, - "Win7": 1, - "abs": 2, - "D.xzx": 1, - "p1": 5, - "resPlants": 2, - "lessThan": 2, - "the": 1, - "pos.y*0.03": 2, - "sin": 8, - "sample.rgb": 1, - "sampled.r": 1, - "k*res.x/t": 1, - "c": 6, - "rdir": 3, - "d.xzy": 1, - "b0": 3, - "iGlobalTime*0.5": 1, - "SMALL_WAVES": 4, - "ns": 4, - "a1.zw": 1, - "intersectSphere": 2, - "rayPos": 38, - "resPlants.w": 6, - "vShift": 3, - "Avoid": 1, - "pow": 3, - "normal": 7, - "sampled.rgb": 1, - "#else": 5, - "but": 1, - "iq": 2, - "SHADOWS": 5, - "resTreasure": 1, - "b1.xzyw": 1, - "loop": 1, - "AMBIENT": 2, - "NUM_LIGHTS": 4, - "when": 1, - "TONEMAP": 5, - "Shift": 1, - "right": 1, - "sample.a": 1, - "*7": 1, - "y.zw": 1, - "reduce": 1, - "rgb_f.bb": 1, - "]": 29, - "RAGGED_LEAVES": 5, - "pos": 42, - "reflDir": 3, - "REFLECTIONS": 3, - "away": 1, - "taylorInvSqrt": 2, - "angleOffset": 3, - "*ns.x": 2, - "[": 29, - "C.yyy": 2, - "Only": 1, - "traceReflection": 2, - "sampler2D": 1, - "Optimization": 1, - "op.yz": 3, - "fbm": 2, - "i1.z": 1, - "grass": 2, - "cameraDir": 2, - "i2.z": 1, - "Duiker": 1, - "pos.xz": 2, - "PI": 3, - "rd": 1, - "a0.xy": 1, - "h.y": 1, - "initialize": 1, - "px.y": 2, - "lut": 9, - "dir.xy": 1, - "or": 1, - "i1.x": 1, - "i.y": 1, - "shadow": 4, - "offset": 5, - "waves": 3, - "aberrate": 4, - "i2.x": 1, - "slow": 1, - "res.x": 3, - "sand": 2, - "HD2000": 1, - "//if": 1, - "h.w": 1, - "op": 5, - "too": 1, - "*": 115, - "/3": 1, - "chest": 1, - "out": 1, - "ao": 5, - "/3.0": 1, - "on": 3, - "x.xy": 1, - "fresnel": 2, - "(": 386, - "n.y": 3, - "sampled.b": 1, - "browsers": 1, - "#ifdef": 14, - "sampled": 1, - "HIGHQUALITY": 2, - "/6.0": 1, - "Calculate": 1, - "LIGHT_AA": 3, - "p.y": 1, - "uv.y": 7, - "rad": 2, - "/7.0": 1, - "//": 36, - "reflect": 1, - "rpos": 5, - "Up": 1, - "leavesPos.xz": 2, - "k*x": 1, - "fragment": 1, - "rgb_uvs": 12, - "intersectSand": 3, - "sway": 5, - "rd.y": 1, - "norm.y": 1, - "eps.yxy": 1, - ".z": 5, - "n_": 2, - "refl": 3, - "resPlants.xyz": 2, - "uShift": 3, - "i2": 2, - "iResolution.yy": 1, - "#define": 13, - "float": 103, - "norm.w": 1, - "e7": 3, - ".x": 4, - "x": 11, - "upDownSway": 2, - "trans": 2, - "kCoeff": 2, - "v": 8, - "Defaults": 1, - "res.xyz": 1, - "chroma": 2, - "s1.xzyw*sh.zzww": 1, - "t": 44, - "specular": 4, - "lighting": 1, - ".xzy": 2, - "rayPos.y": 1, - "resLeaves": 3, - "fine": 1, - "mat2": 2, - "specularDot": 2, - "between": 1, - "r": 14, - ".r": 3, - "s0": 2, - "distFactor": 3, - "det": 11, - "k*10.0": 1, - "Some": 1, - "through": 1, - "GRASS": 3, - "D.wyz": 1, - "x_": 3, - "//Normalise": 1, - "r*r": 1, - "p": 26, - "eps.yyx": 1, - "grassCol": 2, - "RG": 1, - "x2": 5, - "#version": 1, - "treasure": 1, - "High": 1, - "C": 1, - "a0.zw": 1, - "&&": 10, - "*0.25": 4, - "l.zxy": 2, - "n": 18, - "*s": 4, - "tonemapping": 1, - "x0": 7, - "b*b": 2, - "//vec4": 3, - "a0": 1, - "adsk_input1_h": 3, - "l": 1, - "dir.z": 1, - "e.xyy": 1, - "uvFact": 2, - "ns.yyyy": 2, - "rdir2*t": 2, - "rpos.yz": 2, - "down": 1, - "may": 1, - "x.zw": 1, - "pos.z": 2, - "j": 4, - "lut_r": 5, - "adsk_input1_frameratio": 5, - "input1": 4, - "p.xzy": 1, - "MAX_DIST": 3, - "uv.y*uv.y": 1, - "iChannel0": 3, - "mod289": 4, - "tex": 6, - "dot": 30, - "Soft": 1, - "*2.0": 4, - "pos.x": 1, - "h": 21, - "x*": 2, - "ns.z": 3, - "individual": 1, - "light": 5, - "tree": 2, - "inverse_f": 2, - "apply_disto": 4, - ";": 353, - "gradients": 1, - "vec4": 72, - "lightVector": 4, - "f": 17, - "taken": 1, - "diffuse/specular": 1, - ".rgb": 2, - "p2": 5, - "m*pos.xy": 1, - "vec2": 26, - "intersectCylinder": 1, - "for": 7, - "s0.xzyw*sh.xxyy": 1, - "g.xyz": 2, - "scene": 7, - "d": 10, - "b1": 3, - "chromaticize_and_invert": 2, - "p0": 5, - "rotate": 5, - "waterHeight": 4, - "impulse": 2, - "resWater.t": 1, - ".b": 1, - "b": 5, - "crash": 1, - "fract": 1, - "pos*0.8": 2, - "chroma_green": 2, - "res2.w": 3, - "intersectPlane": 3, - ".5": 1, - "col": 32, - "rayDir.y": 1, - "freeze": 1, - "Peter": 1, - "sqrt": 6, - "distance": 1, - "rgb_f": 5, - "adsk_result_h": 2, - "//#define": 10, - "return": 47, - "rgb_f.gg": 1, - "eps": 5, - "Optimized": 1, - "normalize": 14, - "Island": 1, - "final": 5, - "sample": 2, - "leavesCol": 4, - "fragmentNormal": 2, - "sky": 5, - "/": 24, - "exposure": 1, - "direction": 1, - "rgb_f.rr": 1, - "x0.yzx": 1, - "trace": 2, - "texture2D": 6, - "h.z": 1, - "sandCol": 2, - "resLeaves.w": 10, - "SSAA": 2, - "*2": 2, - "i1.y": 1, - "used": 1, - "-": 108, - "i.z": 1, - "const": 18, - "water": 1, - "sampled.g": 1, - "heightmap": 1, - "i2.y": 1, - "res.y": 2, - "vtree": 4, - "h.x": 1, - "px.x": 2, - "bump": 2, - "+": 108, - "aliasing": 1, - "i.x": 1, - "leavesPos": 4, - "gl_FragCoord.xy": 7, - "sunCol": 5, - "res.w": 6, - "calculate": 1, - "lightColor": 3, - "if": 29, - "rdir.yz": 1, - "width": 2, - "by": 1, - "quality": 2, - ")": 386, - "halfAngle": 2, - "uv.x*uv.x": 1, - "all": 1, - "void": 5, - "px": 4, - "diffuseDot": 2, - "HEAVY_AA": 2 - }, - "ABAP": { - "assigning": 1, - "NOT": 1, - "permission": 1, - "type": 11, - "definition": 1, - "AUTHORS": 1, - "pools": 1, - "cl_object": 1, - "class": 2, - "cr_lf": 1, - "": 3, - "Parse": 1, - "FOR": 2, - "]": 5, - "obtaining": 1, - "documentation": 1, - "conditions": 1, - "": 2, - "charge": 1, - "": 2, - "REF": 1, - "furnished": 1, - "Software": 3, - "subject": 1, - "DAMAGES": 1, - "and": 3, - "including": 1, - "pos": 2, - "csvvalue.": 5, - "CONSTRUCTOR": 1, - "lines": 4, - "limitation": 1, - "endmethod.": 2, - "<": 1, - "endwhile.": 2, - "THE": 6, - "EXPRESS": 1, - "TORT": 1, - "copies": 2, - "OUT": 1, - "files": 4, - "BE": 1, - "msg.": 2, - "LIABILITY": 1, - "be": 1, - "CLAIM": 1, - "The": 2, - "private": 1, - "do": 4, - "e003": 1, - "COPYRIGHT": 1, - "_lines": 1, - "string.": 3, - "License": 1, - "software": 1, - "separator": 1, - "abap_true.": 2, - "associated": 1, - "SHALL": 1, - "from": 1, - "*/": 1, - "sublicense": 1, - "WARRANTY": 1, - "value": 2, - "persons": 1, - "CL_CSV_PARSER": 6, - "whom": 1, - "public": 3, - "copyright": 1, - "data": 3, - "not": 3, - "cl_csv_parser": 2, - "constructor": 2, - "ACTION": 1, - "constants": 1, - "inheriting": 1, - "clear": 1, - "exporting": 1, - "STRINGTAB": 1, - "CONTRACT": 1, - "cl_abap_char_utilities": 1, - "_lines.": 1, - "ref": 1, - "CLASS": 2, - "publish": 1, - "constructor.": 1, - "_parse_line": 2, - "values": 2, - "(": 8, - "Public": 1, - "csvstring": 1, - "OTHERWISE": 1, - "the": 10, - "this": 2, - "restriction": 1, - "table": 3, - "IN": 4, - "without": 2, - "WITHOUT": 1, - "substantial": 1, - "merge": 1, - "in": 3, - "field": 1, - "above": 1, - "Instance": 2, - "RETURNING": 1, - "and/or": 1, - "SEPARATOR": 1, - "KIND": 1, - "methods": 2, - "portions": 1, - "TYPE": 5, - "_textindicator": 1, - ")": 8, - "abap": 1, - "Permission": 1, - "_LINES": 1, - "a": 1, - "WITH": 1, - "at": 2, - "DELEGATE": 1, - "skip_first_line.": 1, - "_csvstring": 2, - "PARTICULAR": 1, - "BUT": 1, - "copy": 2, - "final": 1, - "endclass.": 1, - "formatting": 1, - "deal": 1, - "NO": 1, - "abap_bool": 2, - "CSV": 1, - "Copyright": 1, - "*": 56, - "USE": 1, - "protected": 1, - "IF_CSV_PARSER_DELEGATE": 1, - "create": 1, - "raising": 1, - "HOLDERS": 1, - "Private": 1, - "distribute": 1, - "FROM": 1, - "A": 1, - "WHETHER": 1, - "csvstring.": 1, - "csvvalues.": 2, - "DEFINITION": 2, - "PURPOSE": 1, - "+": 9, - "*/**": 1, - "char": 2, - "FITNESS": 1, - "SOFTWARE": 2, - "granted": 1, - "if_csv_parser_delegate": 1, - "c": 3, - "ARISING": 1, - "_delegate": 1, - "super": 1, - "modify": 1, - "OTHER": 2, - "other": 3, - "included": 1, - "endif.": 6, - "csvvalue": 6, - "symbols": 1, - "Get": 1, - "van": 1, - "importing": 1, - "Software.": 1, - "DEALINGS": 1, - "LIMITED": 1, - "exception": 1, - "section.": 3, - "sell": 1, - "all": 1, - "person": 1, - "csv": 1, - "MIT": 2, - "use": 1, - "CSVSTRING": 1, - "LIABLE": 1, - "notice": 2, - "following": 1, - "OF": 4, - "skip_first_line": 1, - "C": 1, - "PROVIDED": 1, - "EVENT": 1, - "shall": 1, - "-": 978, - "ANY": 2, - "of": 6, - "delegate": 1, - "message": 2, - "indicates": 1, - "returning.": 1, - "SOFTWARE.": 1, - "parse": 2, - "loop": 1, - "cx_csv_parse_error": 2, - "IS": 1, - "Method": 2, - "SKIP_FIRST_LINE": 1, - "_separator": 1, - "is_first_line": 1, - "OR": 7, - "so": 1, - "rights": 1, - "Ren": 1, - "is": 2, - "WARRANTIES": 1, - "append": 2, - "Space": 2, - "NONINFRINGEMENT.": 1, - "source": 3, - "TO": 2, - "|": 7, - "or": 1, - ".": 9, - "MERCHANTABILITY": 1, - "string": 1, - "INCLUDING": 1, - "This": 1, - "ABAP_BOOL": 1, - "AN": 1, - "to": 10, - "raise": 1, - "_skip_first_line": 1, - "free": 1, - "IMPLIED": 1, - "[": 5, - "AND": 1, - "method": 2, - "an": 1, - "standard": 2, - "implementation.": 1, - "include": 3, - "else.": 4, - "concatenate": 4, - "STRING": 1, - "separator.": 1, - "delegate.": 1, - "split": 1, - "IMPLEMENTATION": 2, - "text_ended": 1, - "error": 1, - "here": 3, - "any": 1, - "CONNECTION": 1, - "line": 1, - "permit": 1, - "hereby": 1, - "into": 6, - "Mil": 1 - }, - "Shell": { - "combined": 1, - "/.ivy2": 1, - "xmms": 2, - "understand": 1, - "D*": 1, - "": 3, - "test": 1, - "opera": 2, - "init.stud": 1, - "PUSHURL": 1, - "eg": 1, - "above": 1, - "value": 1, - "}": 61, - "job": 3, - "stud": 4, - "killed": 2, - "groupid": 1, - "%": 5, - "dvips": 2, - "duplicates": 2, - "even": 3, - "lines": 2, - "setting": 2, - "perl": 3, - "P": 4, - "to": 33, - "##############################################################################": 16, - "accomplish": 1, - "{": 63, - "rvim": 2, - "ee": 2, - "preserved": 1, - "which": 10, - "#": 53, - "acroread": 2, - "HOME/.zsh/func": 2, - "dirpersiststore": 2, - "pattern": 1, - "#Append": 2, - "agnostic": 2, - "y": 5, - "uncompress": 2, - "JVM": 1, - "java_home": 1, - "esac": 7, - "then": 41, - "args": 2, - "boot": 3, - "L": 1, - "while": 3, - "else": 10, - "xpdf": 2, - "HISTFILE": 2, - "Debug": 1, - "dirname": 1, - "vlog": 1, - "pull": 3, - "aviplay": 2, - "playmidi": 2, - "HISTIGNORE": 2, - "cd..": 2, - "/usr/local/sbin": 6, - "#residual_args": 1, - "residual_args": 4, - "completes": 10, - "unalias": 4, - "execRunner": 2, - "ls": 6, - "helptopic": 2, - "rgvim": 2, - "continue": 1, - "property": 1, - "chattier": 1, - "usage": 2, - "u": 2, - "S*": 1, - "dir": 3, - "level": 2, - "sbt_explicit_version": 7, - "SHEBANG#!bash": 8, - "appendhistory": 2, - "terminals": 2, - "/usr": 1, - "shorter": 2, - "git": 16, - "up": 1, - "project/build.properties": 9, - "rgview": 2, - "env": 4, - "rvm_rvmrc_files": 3, - "s": 14, - "script": 1, - "doesn": 1, - "opts": 1, - "#Number": 2, - "gives": 1, - "F": 1, - "SNAPSHOT": 3, - "go": 2, - "find": 2, - "foodforthought.jpg": 1, - "argumentCount": 1, - "Ivy": 1, - "download_url": 2, - "arg": 3, - "script_dir": 1, - "q": 8, - "echo": 71, - "awk": 2, - "ogg123": 2, - "order": 1, - "global": 1, - "script_path": 1, - "case": 9, - "c699": 1, - "/usr/local/man": 2, - "D": 2, - "bzfgrep": 2, - "curl": 8, - "mv": 1, - "o": 3, - "scalacOptions": 3, - "colors": 2, - "scalac_args": 4, - "readlink": 1, - "jadetex": 2, - "Update": 1, - "offline": 3, - "shared": 1, - "checkout": 3, - "directory": 5, - "Zsh": 2, - "bg": 4, - "#Where": 2, - "create": 2, - "jvm_opts_file": 1, - "local": 22, - "add": 1, - "qiv": 2, - "emacs": 2, - "list": 3, - "/.zsh_history": 2, - "optionally": 1, - "iflast": 1, - "addDebugger": 2, - "cat": 3, - "/usr/sbin": 6, - "groups": 2, - "memory": 3, - "command": 5, - "be": 3, - "@": 3, - "JAVA_OPTS": 1, - "old": 4, - "update_build_props_sbt": 2, - "REV": 6, - "whoami": 2, - "complete": 82, - "zegrep": 2, - "helptopics": 2, - "only": 6, - "k": 1, - "zipinfo": 2, - "edit": 2, - "ubuntu": 1, - "/usr/xpg4/bin": 4, - "interactive": 1, - "versionLine##sbt.version": 1, - "sbt_dir": 2, - "/usr/local": 1, - "source": 7, - "append": 2, - "does": 1, - "pushd": 2, - "rvm_ignore_rvmrc": 1, - "disown": 2, - "mpg123": 2, - "URL": 1, - "reset": 1, - "i": 2, - "readline": 2, - "from": 1, - "residuals": 1, - "sbt_release_version": 2, - "zcat": 2, - "extglob": 2, - "tools.sbt": 3, - "default_sbt_mem": 2, - "<": 2, - "umask": 2, - "path": 13, - "system": 1, - "arch": 1, - "dillo": 2, - "matching": 1, - "||": 12, - "aliases": 2, - "can": 3, - "IFS": 1, - "contains": 2, - "runner": 1, - "function": 6, - "csh": 2, - "build": 2, - "zsh/z.sh": 2, - "print_help": 2, - "cron": 1, - "In": 1, - "That": 1, - "jar": 3, - "mpg321": 2, - "/.bashrc": 3, - ".jobs.cron": 1, - "stripped": 1, - "series": 1, - "wget": 2, - "debug": 11, - "#Share": 2, - "e": 4, - "#function": 2, - "mkdir": 2, - "Bash": 3, - "and": 5, - "dotfiles": 1, - "the": 17, - "pdftex": 2, - "_gitname": 1, - "rvm_is_not_a_shell_function": 2, - "mem": 4, - "actually": 2, - "c": 2, - "pdfjadetex": 2, - "do": 8, - "pre": 1, - "printf": 4, - "is": 11, - "vi": 2, - "version": 12, - "alert": 1, - "GOPATH": 1, - "same": 2, - "cd": 11, - "/dev/null": 6, - "remote.origin.url": 1, - "normal": 1, - "make_release_url": 2, - "apt": 6, - "a": 12, - "batch": 2, - "project": 1, - "quiet": 6, - "mozilla": 2, - "/opt/mysql/current/bin": 4, - "progcomp": 2, - "conflicts": 1, - "process": 1, - "latest_28": 1, - "Updated": 1, - "long": 2, - "help": 5, - "setopt": 8, - "su": 2, - "highest.": 1, - "current": 1, - "man": 6, - "openssl": 1, - "istrip": 2, - "gview": 2, - "/usr/sfw/bin": 4, - "no": 16, - "/bin": 4, - "when": 2, - "explicit": 1, - "sbt_version": 8, - "CGO_ENABLED": 1, - "rvm_path": 4, - "commands": 8, - "znew": 2, - "stopped": 4, - "codecache": 1, - "d61e5": 1, - "##": 28, - "anything": 2, - "x86_64": 1, - "bzdiff": 2, - "after": 2, - "tar": 1, - "]": 85, - "build.scala.versions": 1, - "SHEBANG#!zsh": 2, - "away": 1, - "0": 1, - "org.scala": 4, - "get_script_path": 2, - "PATH": 14, - "gunzip": 2, - "/go": 1, - "[": 85, - "package": 1, - "precmd": 2, - "/.sbt/boot": 1, - "history": 18, - "exit": 10, - "rf": 1, - "dvitype": 2, - "file": 9, - "amd64.tar.gz": 1, - "so": 1, - "jar_file": 1, - ".": 5, - "incappendhistory": 2, - "config": 4, - "bzcat": 2, - "..": 2, - "install": 8, - "b36453141c": 1, - "pkgver": 1, - "SCREENDIR": 2, - "/.dotfiles/z": 4, - "dotfile": 1, - "sbt_artifactory_list": 2, - "MANPATH": 2, - "diff": 2, - "GREP_OPTIONS": 1, - "as": 2, - "they": 1, - "port.": 1, - "/go/src/github.com/dotcloud/docker/docker": 1, - "environment": 2, - "or": 3, - "fun": 2, - "": 1, - "repository": 3, - "dlog": 8, - "netscape": 2, - "HISTCONTROL": 2, - "Hykes": 1, - "W": 2, - "name##*fo": 1, - "some": 1, - "automate": 1, - "process_args": 2, - "tools": 1, - "elif": 4, - "i686": 1, - "more": 3, - "pkgrel": 1, - "/usr/local/go/bin": 2, - "ivy": 2, - "*": 11, - ".*": 2, - "scala_version": 3, - "maintainer": 1, - "Solomon": 1, - "see": 4, - "opt": 3, - "build_props_scala": 1, - "/tmp": 1, - "zdiff": 2, - "U": 2, - "put": 1, - "log": 2, - "choice": 1, - "settings/plugins": 1, - "format...": 2, - "endif": 2, - "on": 4, - "(": 107, - "zmore": 2, - ".bashrc": 1, - "properties": 1, - "S": 2, - "color": 1, - "aufs": 1, - "/usr/ccs/bin": 4, - "CLICOLOR": 2, - "other": 2, - "nocasematch": 1, - "start": 1, - "latest_210": 1, - "sbt.version": 3, - "DESTDIR": 1, - "&": 5, - "moving": 1, - "perm": 6, - "//": 3, - "Fh": 2, - "directories": 2, - "/go/src/github.com/dotcloud/docker": 1, - "github.com/gorilla/context/": 1, - "|": 17, - "xdvi": 2, - "unzip": 2, - "ef": 1, - "#Erase": 2, - "false": 2, - "addJava": 9, - "disable": 1, - "versionLine##build.scala.versions": 1, - "PKG": 12, - "HISTSIZE": 2, - "rmdir": 2, - "port": 1, - "precedence": 1, - "O": 1, - "ps": 2, - "pdflatex": 2, - "just": 2, - "bare": 1, - "alias": 42, - "z": 12, - "type": 5, - "Detected": 1, - "any": 1, - "stty": 2, - "_gitroot": 1, - "Dm755": 1, - "latex": 2, - "display": 2, - "/sbin": 2, - "echoerr": 3, - "gv": 2, - "SHEBANG#!sh": 2, - "run": 13, - "sbt_url": 1, - "dviselect": 2, - "x": 1, - "makeinfo": 2, - "stuff": 3, - "them": 1, - "scala": 3, - "make_snapshot_url": 2, - "of": 6, - "wine": 2, - "bind": 4, - "snapshot": 1, - "gt": 1, - "open": 1, - "us": 1, - "read": 1, - "addResidual": 2, - "github.com/kr/pty": 1, - "v": 11, - "readonly": 4, - "rview": 2, - "addResolver": 1, - "/.sbt/": 1, - "sbt_snapshot": 1, - "//github.com/bumptech/stud.git": 1, - "fi": 34, - "shell": 4, - "galeon": 2, - "maybe": 1, - "that": 1, - "jvm": 2, - "": 1, - "xanim": 2, - "I": 2, - "intelligent": 2, - "PS1": 2, - "grep": 8, - "filenames": 2, - "Make": 2, - "t": 3, - "This": 1, - "script_name": 2, - "/go/bin": 1, - "bzme": 2, - "TERM": 4, - "xfig": 2, - "fg": 2, - "pkgname": 1, - "java_cmd": 2, - "noshare_opts": 1, - "#CDPATH": 2, - "gvim": 2, - "makes": 1, - "here": 1, - "true": 2, - "bindings": 2, - "r": 17, - "clone": 5, - "entries": 2, - "zgrep": 2, - "erase": 2, - "compress": 2, - "insensitive": 1, - "./build.sbt": 1, - "gqmpeg": 2, - "declare": 22, - "/usr/bin/clear": 2, - "ln": 1, - "snapshots": 1, - "pi": 1, - "variables": 2, - "many": 2, - "launch": 1, - "jobs": 4, - "p": 2, - "less": 2, - "versions": 1, - "exec": 3, - "PROMPT_COMMAND": 2, - "J*": 1, - "get_jvm_opts": 2, - "addSbt": 12, - "binding": 2, - "origin": 1, - "aforementioned": 1, - "pg": 2, - "get": 6, - "C": 1, - "overwriting": 2, - "&&": 65, - "ll": 2, - "files": 1, - "home": 2, - "Previous": 1, - "bottles": 6, - "/etc/apt/sources.list": 1, - "fpath": 6, - "rvm": 1, - "n": 22, - "links": 2, - "zless": 2, - "#Immediately": 2, - "slitex": 2, - "duplicated": 1, - "Usage": 1, - "/usr/share/man": 2, - "given": 2, - "pe": 1, - "sbt_opts_file": 1, - "t.go": 1, - "A": 10, - "provides": 1, - "remote.origin.pushurl": 1, - "caches": 1, - "cmd": 1, - "HISTDUP": 2, - "l": 8, - "with": 12, - "crontab": 1, - "update": 2, - "SAVEHIST": 2, - "": 1, - "/opt/local/sbin": 2, - "w3m": 2, - "./project": 1, - "lowest": 1, - "ANSI": 1, - "xine": 2, - "zcmp": 2, - "pkgdesc": 1, - "j": 2, - "#Import": 2, - "rupa/z.sh": 2, - "default_jvm_opts": 1, - "target": 1, - "ping": 2, - "#sudo": 2, - "https": 2, - "share": 2, - "h": 3, - "#.": 2, - "realplay": 2, - "tex": 2, - "#How": 2, - "/usr/openwin/bin": 4, - "lynx": 2, - "die": 2, - "sharehistory": 2, - "prefix": 1, - "view": 2, - "default_sbt_opts": 1, - ";": 138, - "prompt": 2, - "user": 2, - "shows": 1, - "rvm_path/scripts": 1, - "f": 68, - "typeset": 5, - "rbenv": 2, - "options": 8, - "acquire_sbt_jar": 1, - "license": 1, - "url": 4, - "POSTFIX": 1, - "bzcmp": 2, - "set": 21, - "for": 7, - "symlinks": 1, - "Turn": 1, - "mode": 2, - "codes": 1, - "Error": 1, - "EOM": 3, - "d": 9, - "line": 1, - "print": 1, - "it": 2, - "quit": 2, - "users": 2, - "Disable": 1, - "versionLine": 2, - "disk": 5, - "addScalac": 2, - "head": 1, - "sbt_commands": 2, - "/usr/bin": 8, - "lot": 1, - "way": 1, - "get_mem_opts": 3, - "build_props_sbt": 3, - "sbt_snapshot_version": 2, - "texi2dvi": 2, - "rm": 2, - "debugging": 1, - "sbt_groupid": 3, - "latest_29": 1, - "ver": 5, - "sbt_launch_dir": 3, - "Random": 2, - "vim": 2, - "turning": 1, - "make_url": 3, - "timidity": 2, - "elinks": 2, - "across": 2, - "XF": 2, - "not": 2, - "xz": 1, - "makedepends": 1, - "patch": 2, - "overwrite": 3, - "build.properties": 1, - "output": 1, - "libev": 1, - "like": 1, - "return": 3, - "github.com/gorilla/mux/": 1, - "docker": 1, - "ignoreboth": 2, - "silent": 1, - "in": 25, - "ggv": 2, - "msg": 4, - "pwd": 1, - "inc": 1, - "shift": 28, - "bzgrep": 2, - "Overriding": 1, - "ThisBuild": 1, - "integer": 1, - "message": 1, - "jar_url": 1, - "http": 3, - "done": 8, - "ENV...": 2, - "xv": 2, - "keep": 3, - "/usr/local/bin": 6, - "UID": 1, - "eq": 1, - "sbtargs": 3, - "java": 2, - "was": 1, - "versionString": 3, - "verbose": 6, - "PREFIX": 1, - "/": 2, - "sbt_jar": 3, - "COLORTERM": 2, - "rvmrc": 3, - "histappend": 2, - "name": 1, - "<<": 2, - "bunzip2": 2, - "zfgrep": 2, - "at": 1, - "default": 4, - "fail": 1, - "rehash": 2, - "version0": 2, - "passwd": 2, - "-": 391, - "save": 4, - "/opt/local/bin": 2, - "<\"$sbt_opts_file\">": 1, - "sbt_mem": 5, - "X": 54, - "pipe": 2, - "depends": 1, - "conflicting": 1, - "/go/src/": 6, - "make": 6, - "require_arg": 12, - "disk.": 1, - "java_args": 3, - "cdspell": 2, - "+": 1, - "this": 6, - "sbt": 18, - "/.profile": 2, - "there": 2, - "": 1, - "lxc": 1, - "iptables": 1, - "texi2html": 2, - "if": 39, - "bash...": 2, - "we": 1, - "sharing": 1, - "use": 1, - "sbt_create": 2, - "unset": 10, - "term": 2, - "//go.googlecode.com/files/go1.1.1.linux": 1, - ")": 154, - "freeamp": 2, - "sed": 2, - "were": 1, - "argumentCount=": 1, - "all": 1, - "category": 1, - "export": 25, - "an": 1, - "The": 1, - "releases": 1, - "ldflags": 1, - "into": 3, - "DISPLAY": 2, - "bzegrep": 2, - "shopt": 13 - }, - "PowerShell": { - "}": 1, - "{": 1, - ")": 1, - "(": 1, - "-": 2, - "Host": 2, - "function": 1, - "hello": 1, - "Write": 2 - }, - "AutoHotkey": { - "MsgBox": 1, - "World": 1, - "Hello": 1 - }, - "Max": { - "window": 2, - "t": 2, - "%": 1, - "s": 1, - "r": 1, - ";": 39, - "]": 163, - "[": 163, - "}": 126, - "{": 126, - "World": 2, - "setfont": 1, - "Hello": 1, - "metro": 1, - "flags": 1, - "color": 2, - "newobj": 1, - "newex": 8, - "v2": 1, - "message": 2, - "counter": 2, - "vpatcher": 1, - "fasten": 1, - "Goodbye": 1, - "toggle": 1, - "connect": 13, - "append": 1, - "jojo": 2, - "pop": 1, - "#X": 1, - "toto": 1, - "#B": 2, - "button": 4, - "#P": 33, - "#N": 2, - "max": 1, - "route": 1, - "Verdana": 1, - "linecount": 1 - }, - "Protocol Buffer": { - "AddressBook": 1, - "phone": 1, - "package": 1, - "person": 1, - "]": 1, - "[": 1, - "PhoneNumber": 2, - "}": 4, - "email": 1, - "string": 3, - "{": 4, - ";": 13, - "Person": 2, - "option": 2, - "number": 1, - "repeated": 2, - "default": 1, - "PhoneType": 2, - "message": 3, - "java_outer_classname": 1, - "WORK": 1, - "MOBILE": 1, - "enum": 1, - "java_package": 1, - "HOME": 2, - "optional": 2, - "required": 3, - "type": 1, - "int32": 1, - "name": 1, - "tutorial": 1, - "id": 1 - }, - "Erlang": { - "record_helper": 1, - "permitted": 1, - "to_setter_getter_function": 5, - "make_dir": 1, - "}": 109, - "ANY": 4, - "above": 2, - "without": 2, - "ok": 34, - "%": 134, - "to": 2, - "lookup": 1, - "length": 6, - "attribute": 1, - "{": 109, - "code": 2, - "undefined.": 1, - "from_list": 1, - "each": 1, - "form": 1, - "fields_atom": 4, - "EVEN": 1, - "timestamp": 5, - "N": 6, - "BootRelVsn": 2, - "atom": 9, - "Src": 10, - "<->": 5, - "system_info": 1, - "retain": 1, - "end.": 3, - "proplists": 1, - "utf": 1, - "Command": 3, - "net_adm": 1, - "rights": 1, - "THIS": 2, - "WHETHER": 1, - "correlationId": 5, - "IS": 1, - "parse": 2, - "KeyStr": 6, - "hostname": 1, - "usage": 3, - "binary": 2, - "dir": 1, - "parse_field_atom": 4, - "parse_file": 1, - "Obj#abstract_message.destination": 1, - "localhost": 1, - "main": 4, - "Field": 2, - "try": 2, - "boot_rel_vsn": 2, - "parse_record": 3, - "headers": 5, - "parse_field": 6, - "reverse": 4, - "following": 4, - "NO": 1, - "OTHERWISE": 1, - "F": 16, - "find": 1, - "TORT": 1, - "field_atom": 1, - "OutDir": 4, - "record_field": 9, - "generate_setter_getter_function": 5, - "tabs": 1, - "target_dir": 2, - "INTERRUPTION": 1, - "mustache_key": 4, - "Out": 4, - "CONTRACT": 1, - "case": 3, - "conditions": 3, - "PROVIDED": 1, - "lists": 11, - "SPECIAL": 1, - "are": 3, - "Obj#async_message.correlationId": 1, - "ModuleDeclaration": 2, - "derived": 1, - "Ver.": 1, - "list": 2, - "B": 4, - "create": 1, - "Michael": 2, - "auto": 1, - "Redistributions": 2, - "includes": 1, - "reproduce": 1, - "Arguments": 3, - "be": 1, - "AccFields": 6, - "OR": 8, - "_TargetDir": 1, - "Type": 3, - "edit": 1, - "GOODS": 1, - "source": 2, - "generated": 1, - "is_file": 1, - "Obj#async_message.parent": 3, - "THEORY": 1, - "parse_field_name": 5, - "FieldName": 26, - "_RelToolConfig": 1, - "endorse": 1, - "HeaderFile": 4, - "helper": 1, - "copy": 1, - "from": 1, - "minimal": 2, - "generate_type_function": 3, - "FOR": 2, - "Obj#async_message.correlationIdBytes": 1, - "Obj#abstract_message.messageId": 1, - "written": 1, - "ON": 1, - "<": 1, - "is_record": 25, - "_Type": 1, - "||": 6, - "flatten": 6, - "halt": 2, - "HOWEVER": 1, - "CONTRIBUTORS": 2, - "In": 2, - "Type1": 2, - "debug": 1, - "software": 3, - "record": 4, - "mkdir": 1, - "OWNER": 1, - "setters": 1, - "WAY": 1, - "_BaseDir": 1, - "and": 8, - "ParentProperty": 6, - "": 1, - "forms": 1, - "the": 9, - "generate_type_default_function": 2, - "NOT": 2, - "factorial": 1, - "c": 2, - "PROFITS": 1, - "rel_vsn": 1, - "is": 1, - "module": 2, - "version": 1, - "com": 1, - "OverlayConfig": 4, - "end": 3, - "dict": 2, - "exit_code": 3, - "features": 1, - "overlays": 1, - "OF": 8, - "promote": 1, - "current": 1, - "_": 52, - "COPYRIGHT": 2, - "LIMITED": 2, - "io": 5, - "CAUSED": 1, - "when": 29, - "gmail": 1, - "provided": 2, - "main/1": 1, - "reserved.": 1, - "reltool": 2, - "PURPOSE": 1, - "_Vars": 1, - "Config": 2, - "]": 61, - "RecordInfo": 2, - "SHEBANG#!escript": 3, - "LIABILITY": 2, - "HeaderFiles": 5, - "include": 1, - "erlang": 5, - "list_to_existing_atom": 1, - "[": 66, - "INDIRECT": 1, - "LOSS": 1, - "Redistribution": 1, - "Please": 1, - "file": 6, - "and/or": 1, - ".": 37, - "INCLUDING": 3, - "mnesia": 1, - "epp": 1, - "OverlayVars": 2, - "thru": 1, - "advertising": 1, - "make/2": 1, - "USE": 2, - "clientId": 5, - "or": 3, - "join": 3, - "prior": 1, - "offset": 1, - "LICENSE": 1, - "permission": 1, - "sname": 1, - "record_utils": 1, - "INCIDENTAL": 1, - "must": 3, - "materials": 2, - "Body": 2, - "DAMAGE.": 1, - "CONSEQUENTIAL": 1, - "*": 9, - "getter": 2, - "records": 1, - "sys": 2, - "_FieldName": 2, - "eval_target_spec": 1, - "Mode": 1, - "For": 1, - "timeToLive": 5, - "on": 1, - "(": 236, - "other": 1, - "Tree": 4, - "S": 6, - "IMPLIED": 2, - "MERCHANTABILITY": 1, - "Context": 11, - "format_src": 8, - "overlay": 2, - "ExitCode": 2, - "support": 1, - "abstract_message": 21, - "|": 25, - "_Name": 1, - "list_to_integer": 1, - "SERVICES": 1, - "Ver": 1, - "_Context": 1, - "NSrc": 4, - "BaseDir": 7, - "distribution.": 1, - "Rest": 10, - "LIABLE": 1, - "DAMAGES": 1, - "destination": 5, - "modification": 1, - "list_to_binary": 1, - "ParentRecordName": 8, - "type": 6, - "zzz": 1, - "display": 1, - "Obj#abstract_message": 7, - "tab": 1, - "field": 4, - "mustache": 11, - "io_lib": 2, - "is_atom": 2, - "of": 9, - "enable": 1, - "_S": 3, - "mentioning": 1, - "NewParentObject": 2, - "SUCH": 1, - "EVENT": 1, - "read": 2, - "scans": 1, - "write_file": 1, - "String": 2, - "shell": 3, - "based": 1, - "products": 1, - "DATA": 1, - "that": 1, - "Obj#abstract_message.timeToLive": 1, - "t": 1, - "This": 2, - "WARRANTIES": 2, - "messageId": 5, - "async_message": 12, - "ARE": 1, - "functions": 2, - "erl": 1, - "ModuleName": 3, - "RelToolConfig": 5, - "true": 3, - "IN": 3, - "rebar": 1, - "basic": 1, - "catch": 2, - "hrl": 1, - "SUBSTITUTE": 1, - "developed": 1, - "FITNESS": 1, - "root_dir": 1, - "All": 2, - "relative": 1, - "get": 12, - "C": 4, - "Helper": 1, - "Obj#async_message": 3, - "Obj#abstract_message.headers": 1, - "AccParentFields": 6, - "Obj#abstract_message.clientId": 1, - "eexist": 1, - "setter": 2, - "A": 5, - "fields": 4, - "cmd": 1, - "error": 4, - "header": 1, - "parent_field": 2, - "with": 2, - "generate_fields_atom_function": 2, - "ARISING": 1, - "HOLDERS": 1, - "Obj": 49, - "smp": 1, - "atom_to_list": 18, - "InFile": 3, - "may": 1, - "met": 1, - "filename": 3, - "IF": 1, - "get_cwd": 1, - "product": 1, - "SHALL": 1, - "BY": 1, - "compile": 2, - "concat_ext": 4, - "NewObj": 20, - "AND": 4, - "dot": 1, - "author": 2, - "Fields": 4, - "BSD": 1, - "handling": 1, - "THE": 5, - ";": 56, - "EXPRESS": 1, - "format": 7, - "indent": 1, - "parse_field_name_atom": 5, - "CommandSuffix": 2, - "STRICT": 1, - "RecordFields": 10, - "set": 13, - "for": 1, - "body": 5, - "mode": 2, - "TO": 2, - "BUT": 2, - "Error": 4, - "specific": 1, - "correlationIdBytes": 5, - "it": 2, - "Value": 35, - "RecordName": 41, - "export_all": 1, - "PROCUREMENT": 1, - "don": 1, - "Copyright": 1, - "filelib": 1, - "NEGLIGENCE": 1, - "process_overlay": 2, - "coding": 1, - "parsing": 1, - "sort": 1, - "Key": 2, - "Spec": 2, - "not": 1, - "Result": 10, - "SOFTWARE": 2, - "concat": 5, - "disclaimer.": 1, - "flush": 1, - "notice": 2, - "POSSIBILITY": 1, - "consult": 1, - "Vars": 7, - "rel": 2, - "in": 3, - "get_target_spec": 1, - "documentation": 1, - "OutFile": 2, - "TargetDir": 14, - "verbose": 1, - "catched_error": 1, - "Obj#abstract_message.body": 1, - "name": 1, - "DISCLAIMED.": 1, - "fac": 4, - "generate_fields_function": 2, - "at": 1, - "PARTICULAR": 1, - "copyright": 2, - "os": 1, - "used": 1, - "-": 262, - "OUT": 1, - "Truog": 2, - "DIRECT": 1, - "X": 12, - "getters": 1, - "make": 3, - "make/1": 1, - "BUSINESS": 1, - "+": 214, - "this": 4, - "parent": 5, - "erts_vsn": 1, - "execute_overlay": 6, - "if": 1, - "PField": 2, - "width": 1, - "by": 1, - "file.": 1, - "use": 2, - ")": 230, - "acknowledgment": 1, - "BE": 1, - "Obj#abstract_message.timestamp": 1, - "disclaimer": 1, - "ADVISED": 1, - "all": 1, - "export": 2, - "syntax": 1, - "T": 24, - "HeaderComment": 2, - "The": 1, - "EXEMPLARY": 1 - }, - "Literate CoffeeScript": { - ".push": 1, - "not": 1, - "new": 2, - "parent": 2, - "node": 1, - "given": 1, - "or": 1, - "]": 4, - "and": 5, - "which": 3, - "level": 1, - "nested": 1, - "has": 1, - "add": 1, - "Import": 1, - "list": 1, - "The": 2, - "plan": 1, - "v.type.assigned": 1, - "tempVars": 1, - "enclosing": 1, - "of": 4, - "extend": 1, - "v": 1, - "called": 1, - "function": 2, - "are": 3, - "reference": 3, - "top": 2, - "where": 1, - "with": 3, - "up": 1, - ")": 6, - "within": 2, - "we": 4, - "generate": 1, - "tempVars.sort": 1, - "method": 1, - "need": 2, - "scoping": 1, - "when": 1, - "assignedVariables": 1, - "supposed": 1, - "assignments": 1, - "scope.": 2, - "know": 1, - "overrides": 1, - "it": 4, - "@root": 1, - "super": 1, - "this": 3, - "variable": 1, - "Initialize": 1, - "tree": 1, - "@variables.push": 1, - ".type": 1, - "a": 8, - "knows": 1, - "in": 2, - "be": 2, - "constructor": 1, - "@expressions": 1, - "[": 4, - "Adds": 1, - "existing": 1, - "class": 2, - "current": 1, - "@parent.add": 1, - "}": 4, - "In": 1, - "unless": 1, - "root": 1, - "name": 8, - "@variables": 3, - "exports.Scope": 1, - "last": 1, - "chain": 1, - "-": 5, - "made": 1, - "then": 1, - "declare": 1, - "the": 12, - "immediate": 3, - "return": 1, - "use.": 1, - "to": 8, - "object": 1, - "one.": 1, - "realVars.sort": 1, - "lexical": 1, - "Object": 1, - "as": 3, - "bodies.": 1, - "@shared": 1, - "@positions": 4, - "shared": 1, - "type": 5, - "declared": 2, - "**Scope**": 2, - "belongs": 2, - "you": 2, - "way": 1, - "scopes": 1, - "that": 2, - "As": 1, - "regulates": 1, - "_": 3, - "code": 1, - "When": 1, - "shape": 1, - "external": 1, - "v.name": 1, - "if": 2, - "@method": 1, - "to.": 1, - "file.": 1, - "variables": 3, - "Scope.root": 1, - "for": 3, - "Each": 1, - "find": 1, - "same": 1, - "create": 1, - "{": 4, - "scope": 2, - "well": 1, - "should": 1, - "var": 4, - "hasOwnProperty.call": 1, - "Scope": 1, - "about": 1, - "lookups": 1, - "else": 2, - "(": 5, - "Return": 1, - "realVars": 1, - "**Block**": 1, - "require": 1, - "its": 3, - "helpers": 1, - "at": 1, - "param": 1, - "null": 1, - "scopes.": 1, - ".concat": 1, - "an": 1, - "@parent": 2, - "CoffeeScript.": 1, - "is": 3 - }, - "Common Lisp": { - "when": 1, - "package": 1, - "b": 1, - "Multi": 1, - "|": 2, - "#": 2, - "+": 2, - "z": 2, - "y": 2, - "&": 3, - "x": 5, - "compile": 1, - ")": 14, - "(": 14, - "*": 2, - "-": 10, - ";": 10, - "defmacro": 1, - "line": 2, - "eval": 1, - "body": 1, - "key": 1, - "defun": 1, - "Header": 1, - "After": 1, - "declare": 1, - "add": 1, - "load": 1, - "execute": 1, - "lisp": 1, - "foo": 2, - "Inline": 1, - "optional": 1, - "defvar": 1, - "toplevel": 2, - "*foo*": 1, - "if": 1, - "or": 1, - "ignore": 1, - "comment.": 4, - "in": 1 - }, - "fish": { - "res": 2, - "work": 1, - "EDITOR": 1, - "c": 1, - "not": 8, - "/tmp": 1, - "status": 7, - "/.config": 1, - ";": 7, - "or": 3, - "used": 1, - "like": 2, - "]": 13, - "editor": 7, - "description": 2, - "/usr/xpg4/bin": 3, - "functions": 5, - "XDG_CONFIG_HOME": 2, - "|": 3, - "self": 2, - "signal": 1, - "begin": 2, - "__fish_datadir/completions": 3, - "/usr/sbin": 1, - "red": 2, - "contains": 4, - "are": 1, - "function": 6, - "/bin": 1, - "configdir/fish/completions": 1, - "fish": 3, - "do": 1, - "we": 2, - ")": 7, - "fish_prompt": 1, - "s": 1, - "&": 1, - "since": 1, - "/sbin": 1, - "shadowing": 1, - "p": 1, - "test": 7, - "printf": 3, - "TRAP": 1, - "#": 18, - "behave": 1, - "it": 1, - "rm": 1, - "g": 1, - "this": 1, - "don": 1, - "/usr/bin": 1, - "d": 3, - "<": 1, - "be": 1, - "end": 33, - "in": 2, - "real": 1, - "__fish_bin_dir": 1, - "__fish_sysconfdir/completions": 1, - "init": 5, - "tmpname": 8, - "stat": 2, - "[": 13, - "eval.": 1, - "IFS": 4, - "indent": 1, - "root": 1, - "z": 1, - "fish_indent": 2, - "less": 1, - "__fish_print_help": 1, - "-": 102, - "the": 1, - "enable": 1, - "shell": 1, - "PATH": 6, - "argv": 9, - "t": 2, - "TMPDIR": 2, - "return": 6, - "mode": 5, - "to": 1, - "commands": 1, - "q": 9, - "expect": 1, - "n": 5, - "/usr/local/sbin": 1, - "breakpoint": 1, - "h": 1, - "/dev/null": 2, - "type": 1, - "random": 2, - "/usr/X11R6/bin": 1, - "event": 1, - "__fish_sysconfdir/functions": 1, - "e": 6, - "that": 1, - "control": 5, - "full": 4, - "help": 1, - "echo": 3, - "was": 1, - "code": 1, - "normal": 2, - "USER": 1, - "funcname": 14, - "fish_function_path": 4, - "_": 3, - "wont": 1, - "executed.": 1, - "fish_complete_path": 4, - "interactive": 8, - "on": 2, - "eval": 5, - "nend": 2, - "__fish_on_interactive": 2, - "for": 1, - "no": 2, - "while": 2, - "if": 21, - "fish_sigtrap_handler": 1, - "none": 1, - "should": 2, - "scope": 1, - "read": 1, - "editor_cmd": 2, - "prompt": 2, - "configdir": 2, - "S": 1, - ".": 2, - "using": 1, - "interactively": 1, - "If": 2, - "__fish_datadir/functions": 3, - "job": 5, - "set_color": 4, - "(": 7, - "else": 3, - "%": 2, - "__fish_config_interactive": 1, - "/usr/local/bin": 1, - "case": 9, - "switch": 3, - "set": 49, - "cmd": 2, - "funced": 3, - "configdir/fish/functions": 1, - "l": 15, - "path_list": 4, - "i": 5, - "is": 3, - "an": 1, - "f": 3 - }, - "Awk": { - "END": 1, - "Skip": 1, - "context": 1, - "last6": 3, - "/all/": 1, - "sockets.": 1, - "kernel": 3, - "kilobytes.": 7, - "if": 14, - "/eth0/": 1, - "BEGIN": 1, - "printf": 1, - "packets": 4, - "else": 4, - "kernels.": 1, - "in": 11, - "transfers": 1, - "#": 48, - "last3": 3, - "cswch": 1, - "This": 8, - "memory.": 1, - "free": 2, - "transmitted": 4, - "number": 9, - "read": 1, - "is": 7, - "Average": 1, - "the": 12, - "block": 2, - "SHEBANG#!awk": 1, - ";": 55, - "(": 14, - "network_max_bandwidth_in_byte": 3, - "space": 2, - "with": 1, - "into": 1, - "not": 1, - "write": 1, - "|": 4, - "requests": 2, - "second": 6, - "last5": 3, - "bytes": 4, - "UDP": 1, - "TCP": 1, - "mem": 1, - "writes": 1, - "info": 7, - "disk": 1, - "Total": 9, - "-": 2, - "swap": 3, - "data": 1, - "to": 1, - "per": 14, - "n": 13, - "cpu": 1, - "[": 1, - "zero": 1, - "does": 1, - "of": 22, - "kbmemfree": 1, - "total": 1, - "tps": 1, - "network": 1, - "fragments": 1, - "X": 1, - "values": 1, - "switches": 1, - "FILENAME": 35, - "/Average/": 1, - "proc/s": 1, - "IP": 1, - "use.": 4, - "space.": 1, - "available": 1, - "memory": 6, - "print": 35, - "network_max_packet_per_second": 3, - "system": 1, - "by": 4, - "account": 1, - "next": 1, - "received": 4, - "eth0": 1, - "{": 17, - "/": 2, - "socket": 1, - "itself.": 1, - "used": 8, - "]": 1, - "last4": 3, - "RAW": 1, - "sockets": 3, - "totsck/": 1, - "currently": 4, - "Number": 4, - "cache": 1, - "buffers": 1, - "as": 1, - "shared": 1, - "reads": 1, - "Percentage": 2, - "take": 1, - "Amount": 7, - "/proc": 1, - "second.": 8, - ")": 14, - "Always": 1, - "}": 17 - }, - "Nimrod": { - "echo": 1 - }, - "Apex": { - "testmethod": 1, - "//Swedish": 1, - "//Indonesian": 1, - "acct.billingcity": 1, - "langCodes.add": 1, - "}": 219, - "//Korean": 1, - "value": 10, - "Map": 33, - "createCapability": 1, - "": 3, - "//Italian": 1, - "accountAddressString": 2, - "translatedLanguageNames.get": 2, - "to": 4, - "adr": 9, - "fileAttachment": 2, - "merged": 6, - "{": 219, - "split.size": 2, - "obj": 3, - "mail.setPlainTextBody": 1, - "//check": 2, - "form": 1, - "StringUtils.split": 1, - "pr": 1, - "StringUtils.isNotBlank": 1, - "param": 2, - "throw": 6, - "LANGUAGE_CODE_SET": 1, - "then": 1, - "//Portuguese": 1, - "trueValue": 2, - "translatedLanguageNames": 1, - "getAllLanguages": 3, - "else": 25, - "MissingTwilioConfigCustomSettingsException": 2, - "toBooleanDefaultIfNull": 1, - "trueString": 2, - "while": 8, - "langCodes": 2, - "comparator.compare": 12, - ".AuthToken__c": 1, - "Attachment": 2, - "": 19, - "LanguageUtils": 1, - "negate": 1, - "trim": 1, - "fieldName.trim": 2, - "strToBoolean": 1, - "Account": 2, - "SORTING": 1, - "strings": 3, - "StringUtils.equalsIgnoreCase": 1, - "Messaging.sendEmail": 1, - "try": 1, - "boolean": 1, - "reverse": 2, - "client": 2, - ".get": 4, - "lo": 42, - "mail": 2, - "array2.size": 2, - "boolArray.size": 1, - "sendEmail": 4, - "KML": 1, - "list1.get": 2, - "getLangCodeByBrowser": 4, - "//FOR": 2, - "prs": 8, - "bool": 32, - "OBJECTS": 1, - "global": 70, - "//dash": 1, - "system.assertEquals": 1, - "fileAttachments.size": 1, - "pageRef": 3, - "@isTest": 1, - "displayLanguageCode": 13, - "Test.setCurrentPage": 1, - "ObjectComparator": 3, - "strings.add": 1, - "isNotEmpty": 4, - "twilioCfg.AccountSid__c": 3, - "": 2, - "anArray": 14, - "recipients": 11, - "TwilioAPI.getDefaultAccount": 1, - "actual": 16, - "array2": 9, - "int": 1, - "values.": 1, - "subset": 6, - "new": 60, - ".getSid": 2, - "saved": 1, - "filterLanguageCode": 4, - "getContent": 1, - "getDefaultClient": 2, - "ApexPages.currentPage": 4, - "boolArray": 4, - "quote": 1, - "str.split": 1, - "billingstreet": 1, - "i": 55, - "tokens": 3, - "expected.size": 4, - "useHTML": 6, - "aList": 4, - "escape": 1, - "<": 32, - "||": 12, - "Page.kmlPreviewTemplate": 1, - "generate": 1, - "sortAsc": 24, - "billingcountry": 1, - "e": 2, - "recipients.size": 1, - "str.toLowerCase": 1, - "getTwilioConfig": 3, - "the": 4, - "adr.replaceAll": 4, - "System.assert": 6, - "call": 1, - "stdAttachments": 4, - ".toString": 1, - "is": 5, - "textBody": 2, - "ArrayUtils": 1, - "getLangCodeByBrowserOrIfNullThenHttpParam": 1, - "anArray.size": 2, - "test_TwilioAPI": 1, - "Object": 23, - "//Turkish": 1, - "chars": 1, - "a": 6, - "//Danish": 1, - "fileAttachments.add": 1, - "merg": 2, - "but": 2, - "produces": 1, - "getSuppLangCodeSet": 2, - ".getAccountSid": 1, - "twilioCfg.AuthToken__c": 3, - "attachment.Name": 1, - "List": 71, - "": 2, - "//English": 1, - "pr.getContent": 1, - "LANGUAGE_HTTP_PARAMETER": 7, - "//Japanese": 1, - "list1.size": 6, - "FROM": 1, - "]": 102, - "//Returns": 1, - "Id": 1, - "billingstate": 1, - "etc.": 1, - "[": 102, - "objects.size": 1, - "//Converts": 1, - "strs": 9, - "objectToString": 1, - "insert": 1, - "LANGUAGES_FROM_BROWSER_AS_STRING": 2, - ".getAccount": 2, - "getLangCodeByBrowserOrIfNullThenUser": 1, - "pivot": 14, - ".length": 2, - "list2": 9, - "strs.size": 3, - "SUPPORTED_LANGUAGE_CODES": 2, - "since": 1, - "sid": 1, - "languageCode": 2, - "isEmpty": 7, - "Brazilian": 1, - "StringUtils.defaultString": 4, - "email": 1, - "as": 1, - "isTrue": 1, - "ALL": 1, - "node": 1, - "cleanup": 1, - "Traditional": 1, - "string": 7, - "TwilioCapability": 2, - "returnList.add": 8, - "StringUtils.replaceChars": 2, - "size": 2, - "mail.setSubject": 1, - "toStringYN": 1, - "must": 1, - "GeoUtils": 1, - "//underscore": 1, - "langCode": 3, - "token.substring": 1, - "//Throws": 1, - "lowerCase": 1, - "system.debug": 2, - "see": 2, - "acct": 1, - "sendHTMLEmail": 1, - "exception": 1, - "need": 1, - "LANGUAGES_FROM_BROWSER_AS_LIST.size": 1, - "Set": 6, - "(": 481, - "": 29, - "translatedLanguageNames.containsKey": 1, - "//Spanish": 1, - "other": 2, - "SELECT": 1, - "pluck": 1, - "also": 1, - "acct.billingcountry": 2, - "class": 7, - "TwilioAPI": 2, - "//": 11, - "createClient": 1, - "//Chinese": 2, - "Integer": 34, - "generateFromContent": 1, - "TwilioConfig__c.getOrgDefaults": 1, - "false": 13, - "theList": 72, - "list2.size": 2, - "ret.replaceAll": 4, - "private": 10, - "system.assert": 1, - ".split": 1, - ".AccountSid__c": 1, - "": 30, - "dummy": 2, - "//Polish": 1, - "StringUtils.lowerCase": 3, - "output.": 1, - "//Dutch": 1, - "Messaging.EmailFileAttachment": 2, - "defaultVal": 2, - "these": 2, - "FORCE.COM": 1, - "mail.setBccSender": 1, - "HTTP_LANGUAGE_CODE_PARAMETER_KEY": 2, - "fileAttachments": 5, - "getLangCodeByHttpParamOrIfNullThenUser": 1, - "String": 60, - ".getParameters": 2, - "reference": 1, - "str.toUpperCase": 1, - "account": 2, - "returnValue": 22, - "DEFAULT_LANGUAGE_CODE": 3, - "toInteger": 1, - "languageFromBrowser": 6, - "lo0": 6, - "PageReference": 2, - "TwilioAPI.client": 2, - "mail.setHtmlBody": 1, - "sendTextEmail": 1, - "mail.setSaveAsActivity": 1, - "ISObjectComparator": 3, - "StringUtils.length": 1, - "emailSubject": 10, - "MAX_NUMBER_OF_ELEMENTS_IN_LIST": 5, - "geo_response": 1, - "true": 12, - "toString": 3, - "IN": 1, - "acct.billingstreet": 1, - "many": 1, - "catch": 1, - ".getHeaders": 1, - "Messaging.SingleEmailMessage": 3, - "str.trim": 3, - "GeoUtils.generateFromContent": 1, - "splitAndFilterAcceptLanguageHeader": 2, - "twilioCfg": 7, - "getLanguageName": 1, - "get": 4, - "&&": 46, - "//Finnish": 1, - "//LIST/ARRAY": 1, - "qsort": 18, - "": 1, - "theList.size": 2, - "given": 2, - "array1": 8, - "SUPPORTED_LANGUAGE_CODES.contains": 2, - "token": 7, - "header": 2, - "comparator": 14, - "acct.billingpostalcode": 2, - "getLangCodeByHttpParam": 4, - "DEFAULTS.get": 3, - "token.contains": 1, - "split": 5, - "static": 83, - "startIndex": 9, - "WHERE": 1, - "//the": 2, - "expected": 16, - "sendEmailWithStandardAttachments": 3, - "htmlBody": 2, - "Test.isRunningTest": 1, - "may": 1, - "//Hungarian": 1, - "fileAttachment.setBody": 1, - "tmp": 6, - "accountSid": 2, - "objectArray": 17, - "j": 10, - "TwilioRestClient": 5, - "elmt": 8, - "t1": 1, - "//Czech": 1, - "toBoolean": 2, - "attachmentIDs": 2, - "ArrayUtils.toString": 12, - "isValidEmailAddress": 2, - "PrimitiveComparator": 2, - "EMPTY_STRING_ARRAY": 1, - "ID": 1, - "mail.setToAddresses": 1, - ";": 308, - "TwilioAPI.getDefaultClient": 2, - "ret": 7, - "UserInfo.getLanguage": 1, - "<=>": 2, - "Boolean": 38, - "isFalse": 1, - "object": 1, - "for": 24, - "//Thai": 1, - "mergex": 2, - "merged.add": 2, - "body": 8, - "line": 1, - "authToken": 2, - "IllegalArgumentException": 5, - "returnList": 11, - "EmailUtils": 1, - "Exception": 1, - "hi": 50, - "TwilioAPI.getTwilioConfig": 2, - "BooleanUtils": 1, - "array1.size": 4, - "TwilioConfig__c": 5, - "address": 1, - "toStringYesNo": 1, - "instanceof": 1, - "specifying": 1, - "PRIMITIVES": 1, - "public": 10, - "Double": 1, - "billingcity": 1, - "firstItem": 2, - "objects": 3, - "not": 3, - "mail.setFileAttachments": 1, - "System.assertEquals": 5, - "activity.": 1, - "Simplified": 1, - "getLangCodeByHttpParamOrIfNullThenBrowser": 1, - "acct.billingstate": 1, - "//French": 1, - "getLangCodeByUser": 3, - "falseString": 2, - "return": 106, - "attachment": 1, - "mail.setUseSignature": 1, - "isNotValidEmailAddress": 1, - "in": 1, - "StringUtils.substring": 1, - "actual.size": 2, - "TwilioAccount": 1, - "content": 1, - "1": 2, - "final": 6, - "getDefaultAccount": 1, - "hi0": 8, - "/": 4, - "page": 1, - "conversion": 1, - "isNotFalse": 1, - "//Russian": 1, - "null": 92, - "name": 2, - "attachment.Body": 1, - "plucked": 3, - "isNotTrue": 1, - "str": 10, - "one": 2, - "upperCase": 1, - "-": 18, - "list1": 15, - "DEFAULTS": 1, - "SALESFORCE": 1, - "falseValue": 2, - "sObj": 4, - "objectArray.size": 6, - "count": 10, - "fieldName": 3, - "returnValue.add": 3, - "extends": 1, - "billingpostalcode": 1, - "+": 75, - "assertArraysAreEqual": 2, - "sObjects": 1, - "token.indexOf": 1, - "xor": 1, - "if": 91, - "use": 1, - ")": 481, - "we": 1, - "": 22, - "fileAttachment.setFileName": 1, - "SObject": 19, - "LANGUAGES_FROM_BROWSER_AS_LIST": 3, - "DEFAULTS.containsKey": 3, - "void": 9, - "an": 4, - "id": 1, - "//German": 1 - }, - "Python": { - "self._meta.fields": 5, - ".verbose_name": 3, - "also": 1, - "cookies": 1, - "d": 5, - "key.upper": 1, - "OneToOneField": 3, - "data.find": 1, - "list": 1, - "iostream.SSLIOStream": 1, - "pl.clf": 5, - "logging.warning": 1, - "data": 22, - "model_module": 1, - "U2": 2, - "bases": 6, - "django.core.exceptions": 1, - "########": 2, - "isinstance": 11, - "field_name": 8, - "request.method.lower": 1, - "is_related_object": 3, - ".": 1, - "opts.order_with_respect_to": 2, - "f3**2": 1, - "self._meta.pk.name": 1, - "matt_table.add_row": 1, - "TCPServer.__init__": 1, - "_reflection": 1, - "MultipleObjectsReturned": 2, - ".__new__": 1, - "self.protocol": 7, - "self._meta.local_fields": 1, - "rv": 2, - "._update": 1, - "Cookie": 1, - "x": 22, - "opts.app_label": 1, - "sys.modules": 1, - "object": 6, - "self.uri": 2, - "enum_type": 1, - "router": 1, - "check": 4, - "smart_str": 3, - "printDelimiter": 4, - "django.db.models.query_utils": 2, - "]": 152, - "dy": 4, - "matt_phi.size": 1, - "cls.methods": 1, - "val": 14, - "start_line": 1, - "Exception": 2, - "pk_set": 5, - "field.get_default": 3, - "message": 1, - "self._cookies.load": 1, - "tornado": 3, - "base._meta.virtual_fields": 1, - "model_class_pk": 3, - "ssl.SSLError": 1, - "delimiter": 8, - "request": 1, - "max": 11, - "force_insert": 7, - "self._request.files": 1, - "parent._meta.abstract": 1, - "address": 4, - "original_base": 1, - "self._state.db": 2, - "iter": 1, - "django.db.models": 1, - "q": 4, - "np.mean": 1, - "other._get_pk_val": 1, - "unique_checks": 6, - "self._default_manager.values": 1, - "field.name": 14, - "self.stream.read_until": 2, - "V": 12, - "self.headers": 4, - "self.connection.finish": 1, - "type": 6, - ".filter": 7, - "schwarz_pconv.diagonal": 2, - "self._request.supports_http_1_1": 1, - "f.blank": 1, - "opts": 5, - "os.path.isdir": 1, - "ModelState": 2, - "__repr__": 2, - "date.day": 1, - "self.stream": 1, - "view": 2, - "field.error_messages": 1, - ".__init__": 1, - "sender": 5, - "new_class": 9, - "AutoField": 2, - "model_name": 3, - "rows": 3, - "_get_next_or_previous_by_FIELD": 1, - "serialized_start": 1, - "glanz_phi": 4, - "seed_cache": 2, - "order_field.attname": 1, - "##############################################": 2, - "django.db.models.query": 1, - "self._meta.get_field_by_name": 1, - "HTTPRequest": 2, - "o2o_map": 3, - "j": 2, - "package": 1, - "module": 6, - "qs": 6, - "matt_table": 2, - "str": 2, - "hasattr": 11, - "help": 2, - "field.flatchoices": 1, - ".order_by": 2, - "self.connection": 1, - "new_class._meta.get_latest_by": 1, - "enumerate": 1, - "cachename": 4, - "return_id": 1, - "e.args": 1, - "self._request.body": 2, - "glanz_pconv.diagonal": 2, - "ValidationError": 8, - ".values": 1, - "table.add_row": 1, - ".encode": 1, - "reflection": 1, - "cls": 32, - "T_err": 7, - "non_model_fields": 2, - "descriptor": 1, - "new_class._meta.proxy": 1, - "self.date_error_message": 1, - "os.getcwd": 1, - "base_managers.sort": 1, - "Empty": 1, - "pconv": 2, - "socket.AF_UNSPEC": 1, - "default_value": 1, - "native_str": 4, - "new_class._meta.ordering": 1, - "c": 3, - "attr_name": 3, - "org": 3, - "date_errors": 1, - "and": 35, - "U1": 3, - "header": 5, - "new_class.__module__": 1, - "signals.post_init.send": 1, - "id_list": 2, - "socket.AI_NUMERICHOST": 1, - "f3": 1, - "matt_pconv.diagonal": 2, - "matplotlib.pyplot": 1, - "_descriptor.FileDescriptor": 1, - "-": 30, - "method_set_order": 2, - "parent._meta.fields": 1, - "_PERSON": 3, - "result": 2, - ".exists": 1, - "field.null": 1, - "self._request_finished": 4, - "self._state.adding": 4, - "router.db_for_write": 2, - "self._default_manager.filter": 1, - "self.no_keep_alive": 4, - "continue": 10, - "__docformat__": 1, - "prettytable": 1, - "meta.pk.attname": 2, - "_finish_request": 1, - "/I1": 1, - "boltzmann": 12, - "cls.__module__": 1, - "register_models": 2, - "is_proxy": 5, - "pk_val": 4, - "full_clean": 1, - "np.genfromtxt": 8, - "func": 2, - "supports_http_1_1": 1, - "self._cookies": 3, - "finish": 2, - "pl.grid": 5, - "prepare_database_save": 1, - "__new__": 2, - "new_class._meta.parents": 1, - "django.db.models.fields": 1, - "dx": 6, - "parent_fields": 3, - "A": 1, - "meta.order_with_respect_to": 2, - "connection.xheaders": 1, - "extension_scope": 1, - "google.protobuf": 4, - "eol": 3, - "cls.get_previous_in_order": 1, - "connection_header.lower": 1, - "arguments.iteritems": 2, - "ip": 2, - "model": 8, - "__reduce__": 1, - "self._meta.proxy_for_model": 1, - "signals.pre_save.send": 1, - "field.rel": 2, - "time.time": 3, - "Python": 1, - "self._request.arguments": 1, - "model_module.__name__.split": 1, - "R0": 6, - "view.view_class": 1, - "transaction": 1, - "Imported": 1, - "self.stream.closed": 1, - "glanz_popt": 3, - "pl.xlabel": 5, - "not": 64, - "p": 1, - "number": 1, - "pl.errorbar": 8, - "obj_name": 2, - "save_base": 1, - "make_foreign_order_accessors": 2, - "command": 4, - "U": 10, - "is_extension": 1, - "self._request": 7, - "f.unique_for_year": 3, - "self.clean": 1, - "__ne__": 1, - "type.__new__": 1, - "self.clean_fields": 1, - "*beta*T0": 1, - "weiss_table.add_row": 1, - "self._write_callback": 5, - "origin": 7, - "based": 1, - "self._meta.parents.keys": 2, - "zip": 8, - "I_err": 2, - "popt": 5, - "phi": 5, - "self.connection.stream.socket.getpeercert": 1, - "add_to_class": 1, - "sys.exit": 1, - "httputil": 1, - "Cookie.SimpleCookie": 1, - "force_unicode": 3, - "self.DoesNotExist": 1, - "order_field": 1, - "self._on_request_body": 1, - "tornado.escape": 1, - "clean": 1, - "beta": 1, - "matt_y": 2, - "HTTPServer": 1, - "instantiating": 1, - "manager": 3, - "map": 1, - "metavar": 1, - "self._order": 1, - "defers": 2, - "ManyToOneRel": 3, - "new_fields": 2, - "self._header_callback": 3, - "nested_types": 1, - "lookup_kwargs": 8, - "unique_togethers.append": 1, - "django.utils.encoding": 1, - "i": 7, - "**6": 6, - "cls._get_next_or_previous_in_order": 2, - "model_class": 11, - "self._perform_date_checks": 1, - "parent_link": 1, - "R_err": 2, - "kwargs.pop": 6, - "base._meta.local_many_to_many": 1, - "django.conf": 1, - "_get_pk_val": 2, - "abstract": 3, - "self._on_write_complete": 1, - "register": 1, - "django.db.models.deletion": 1, - "delete": 1, - "self._request.headers.get": 2, - "bytes_type": 2, - "defers.append": 1, - "strings_only": 1, - "options": 3, - "__init__": 5, - "base._meta.abstract_managers": 1, - "connection.stream": 1, - "__hash__": 1, - "self.db": 1, - "_BadRequestException": 5, - "raw_value": 3, - "collector.delete": 1, - "update_wrapper": 2, - "self.validate_unique": 1, - "cls.__name__.lower": 2, - "unique_checks.append": 2, - "True": 20, - "}": 25, - "opts.module_name": 1, - "callback": 7, - "d**": 2, - "linestyle": 8, - "b": 11, - "manager._insert": 1, - "unicode_literals": 1, - "place": 1, - "kwargs.keys": 2, - "class": 14, - "request_callback": 4, - "f.attname": 5, - "np.ones": 11, - "import": 47, - "new_class._meta.parents.update": 1, - "get": 1, - "f2": 1, - "lookup_type": 7, - "self.request_callback": 5, - "of": 3, - "date_errors.items": 1, - "http_method_funcs": 2, - "MethodViewType": 2, - "save.alters_data": 1, - "a*x": 1, - "weiss_pconv.diagonal": 2, - "exclude": 23, - "stream": 4, - "opts.fields": 1, - "socket.gaierror": 1, - "field_labels": 4, - "_deferred": 1, - "IndexError": 2, - "django.db.models.manager": 1, - "connection": 5, - "v": 11, - "which": 1, - "None": 86, - "super_new": 3, - ".partition": 1, - "meta.local_fields": 2, - "clean_fields": 1, - "except": 17, - "[": 152, - "gitDirectories": 2, - "alpha**2": 1, - "glanz_y": 2, - "self._get_unique_checks": 1, - "django.utils.functional": 1, - "request_time": 1, - "self._meta.pk.attname": 2, - "meta.has_auto_field": 1, - "I1": 3, - "unique_together": 2, - "meta.proxy": 5, - "date.month": 1, - "self._request.method": 2, - "T**4": 1, - "e.update_error_dict": 3, - "protocol": 4, - "sys.argv": 2, - "base._meta.local_fields": 1, - "%": 32, - "socket.getaddrinfo": 1, - "frozenset": 2, - "bool": 2, - "self.stream.max_buffer_size": 1, - "values": 13, - "lookup_kwargs.keys": 1, - "FieldDoesNotExist": 2, - "parents": 8, - "base._meta.module_name": 1, - "ordered_obj._meta.pk.name": 1, - "socket.SOCK_STREAM": 1, - "add_lazy_relation": 2, - "dx_err": 3, - "data.decode": 1, - "qs.exists": 2, - "model_class._default_manager.filter": 2, - "T": 6, - "socket": 1, - "new_class._meta.concrete_model": 2, - "dy.size": 1, - "os": 1, - "content_type": 1, - ".next": 1, - "socket.AF_INET": 2, - "start_line.split": 1, - "socket.EAI_NONAME": 1, - "kwargs": 9, - "R0_err": 2, - "matt_x": 3, - "lambda": 1, - "field_label": 2, - "curry": 6, - "self.files": 1, - "request.method": 2, - "param": 3, - "django.db.models.loading": 1, - "pl.legend": 5, - "DeferredAttribute": 3, - "_on_headers": 1, - "_valid_ip": 1, - "field": 32, - "date": 3, - "############################################": 2, - "weiss_table": 2, - "glanz_pconv": 1, - "PrettyTable": 6, - "descriptor_pb2": 1, - "f.clean": 1, - "parse_qs_bytes": 3, - "content_length": 6, - "base": 13, - "else": 30, - "body": 2, - "prop": 5, - "getSubdirectories": 2, - "attrs.items": 1, - "self.pk": 6, - "signals": 1, - "*np.sqrt": 6, - "schwarz": 13, - "headers.get": 2, - "KeyError": 3, - "key": 5, - "self.__class__.__dict__.get": 2, - "weiss_phi.size": 1, - "pl.plot": 9, - "return": 57, - "new_class._base_manager._copy_to_model": 1, - "|": 1, - "method_get_order": 2, - "obj": 4, - "self._meta.order_with_respect_to": 1, - "ordered_obj.objects.filter": 2, - "self._meta": 2, - "T0_err": 2, - "value.contribute_to_class": 1, - "a": 2, - "epsilon_err": 2, - "pl.title": 5, - "base_meta.ordering": 1, - "f.unique": 1, - "new_class.Meta": 1, - "copy": 1, - "self.__class__": 10, - "self._meta.unique_together": 1, - "_descriptor.Descriptor": 1, - "min": 10, - "_prepare": 1, - "f1": 1, - "*popt": 2, - "io_loop": 3, - "db": 2, - "+": 37, - "since": 1, - ".get": 2, - "opts._prepare": 1, - "np": 1, - "stack_context.wrap": 2, - "TypeError": 4, - "filter": 3, - "NON_FIELD_ERRORS": 3, - "default": 1, - "_parse_args": 2, - "copy_managers": 1, - "matt_popt": 3, - "signals.class_prepared.send": 1, - "serializable_value": 1, - "weiss_phi": 4, - "instance": 5, - "cls.add_to_class": 1, - "u": 9, - "parser.parse_args": 1, - "pl.savefig": 5, - "get_absolute_url": 2, - "cls.__new__": 1, - "glanz_x": 3, - "meta.parents.items": 1, - "collector.collect": 1, - "logging.info": 1, - "ordered_obj._meta.order_with_respect_to.rel.field_name": 2, - "Collector": 2, - ".count": 1, - "django.utils.translation": 1, - "simple_class_factory": 2, - "in": 79, - "__future__": 2, - "get_text_list": 2, - "_descriptor.FieldDescriptor": 1, - "used": 1, - "is_extendable": 1, - "*beta*R0": 7, - "os.system": 1, - "meth": 5, - "pluggable": 1, - "this": 2, - "unique_togethers": 2, - "sep": 2, - "time": 1, - ".extend": 2, - "field.verbose_name": 1, - "pk_name": 3, - "self._deferred": 1, - "n": 3, - "view.__module__": 1, - "f.rel.to": 1, - "rel_val": 4, - "int": 1, - "epsilon": 7, - "self.stream.read_bytes": 1, - "order": 5, - "*beta": 1, - "dy_err": 2, - "S": 4, - "*matt_popt": 1, - "update_pk": 3, - "AttributeError": 1, - "UnicodeDecodeError": 1, - "or": 27, - "serialized_pb": 1, - "len": 9, - "capfirst": 6, - "False": 28, - "opts.get_field": 4, - "as_view": 1, - "uri.partition": 1, - "ValueError": 5, - "django.db": 1, - "raw": 9, - "errors": 20, - "meta": 12, - "ssl_options": 3, - "views": 1, - "new_class._prepare": 1, - "parent._meta.pk.attname": 2, - "glanz_table": 2, - "file": 1, - "__metaclass__": 3, - "qs.exclude": 2, - "dispatch_request": 1, - "matt_pconv": 1, - "schwarz_phi": 4, - "other": 4, - "declaration": 1, - "weiss_y": 2, - "self._request.arguments.setdefault": 1, - "write": 2, - "date_checks.append": 3, - "Person": 1, - "order_field.name": 1, - "MethodView": 1, - "super": 2, - "argparse": 1, - "auto_created": 1, - "specified": 1, - "enum_types": 1, - "__name__": 2, - "copy.deepcopy": 2, - "moves": 1, - "cls.get_next_in_order": 1, - "content_type.startswith": 2, - "signal": 1, - "model_unpickle.__safe_for_unpickle__": 1, - "xerr": 6, - "field.strip": 1, - "delete.alters_data": 1, - "way": 1, - "new_class._meta.local_fields": 3, - "_get_FIELD_display": 1, - "{": 25, - "settings": 1, - "np.abs": 1, - "schwarz_pconv": 1, - ".format": 11, - "_descriptor": 1, - "@property": 1, - "res": 2, - "xheaders": 4, - "*beta*R": 5, - "f.unique_for_date": 3, - "schwarz_table.add_row": 1, - "django.utils.text": 1, - "self.save_base": 2, - "*kwargs": 1, - "action": 1, - "tornado.netutil": 1, - "index": 1, - "it": 1, - "base._meta.abstract": 2, - "full_name": 2, - "*": 33, - "__str__": 1, - "table.align": 1, - "validators": 1, - "self.address": 3, - "name": 39, - "view.methods": 1, - "dict": 3, - "attr_meta": 5, - "containing_type": 2, - "print": 39, - "collector": 1, - "t": 8, - ".update": 1, - "base_meta.get_latest_by": 1, - "main": 4, - "alpha": 2, - "self.path": 1, - "only_installed": 2, - "attrs.pop": 2, - "parent._meta": 1, - "schwarz_popt": 3, - "subclass_exception": 3, - "is_next": 9, - "assert": 7, - "elif": 4, - "self.version": 2, - "*glanz_popt": 1, - "exclude.append": 1, - "*beta*R0**2": 1, - "row": 10, - "**kwargs": 9, - "ssl": 2, - "ordered_obj": 2, - "ImportError": 1, - "argparse.ArgumentParser": 1, - "opts.order_with_respect_to.rel.to": 1, - "#": 13, - "Options": 2, - "description": 1, - "uri": 5, - "base._meta.concrete_model": 2, - "httputil.parse_multipart_form_data": 1, - "where": 1, - "cls.get_absolute_url": 3, - "self._meta.object_name": 1, - "weiss": 13, - "from": 34, - "m": 3, - "yerr": 8, - "parent": 5, - "*args": 4, - "tornado.util": 1, - "x.MultipleObjectsReturned": 1, - "self.__dict__": 1, - "R": 1, - ".size": 4, - "self.__eq__": 1, - "parent_class": 4, - "new_class._meta.local_many_to_many": 2, - "T0**4": 1, - "record_exists": 5, - "self._finish_request": 2, - "new_class._meta.virtual_fields": 1, - "x.DoesNotExist": 1, - "force_update": 10, - "if": 145, - "self.query": 2, - "logic": 1, - "dest": 1, - ".append": 2, - "glanz_table.add_row": 1, - "self.body": 1, - "self.unique_error_message": 1, - "subdirectories": 3, - "self._get_pk_val": 6, - "directory": 9, - "glanz_phi.size": 1, - "methods": 5, - "get_ssl_certificate": 1, - "the": 5, - "weiss_popt": 3, - "manager.using": 3, - "f": 19, - "unicode": 8, - "has_default_value": 1, - "f1**2": 1, - "self.host": 2, - "created": 1, - "logging": 1, - "_on_request_body": 1, - "However": 1, - "weiss_x": 3, - "cls._base_manager": 1, - "break": 2, - "ur": 11, - "self.__class__._meta.object_name": 1, - "self._start_time": 3, - "weiss_pconv": 1, - "base_managers": 2, - "self._state": 1, - "validate_unique": 1, - "update_fields.difference": 1, - "deferred_class_factory": 2, - "DESCRIPTOR.message_types_by_name": 1, - "args": 8, - "U1/I1**2": 1, - "view.__doc__": 1, - "usage": 3, - "schwarz_table": 2, - "pl.ylabel": 5, - "self.headers.get": 5, - "_get_next_or_previous_in_order": 1, - "errors.setdefault": 3, - "DESCRIPTOR": 3, - "field_names": 5, - "value": 9, - "FieldError": 4, - "alpha**2*R0": 5, - "ordered_obj._meta.order_with_respect_to.name": 2, - "view.__name__": 1, - "The": 1, - "new_class._default_manager._copy_to_model": 1, - "_": 5, - "version": 6, - "cls._meta": 3, - "self._meta.get_field": 1, - "ugettext_lazy": 1, - "host": 2, - "self.remote_ip": 4, - "self._valid_ip": 1, - "schwarz_y": 2, - "alpha*R0": 2, - "pconv.diagonal": 3, - "np.linspace": 9, - ")": 730, - "rv.methods": 2, - "date_checks": 6, - "is": 29, - "*U_err/S": 4, - "matt_phi": 4, - "git": 1, - "*schwarz_popt": 1, - "lookup_value": 3, - "_on_write_complete": 1, - "message_type": 1, - "parent_class._meta.unique_together": 2, - "for": 59, - "gitDirectory": 2, - "s": 1, - "scipy.optimize": 1, - "nargs": 1, - "*beta*R0*T0": 2, - "isGitDirectory": 2, - "_set_pk_val": 2, - "U_err/S": 4, - "pl": 1, - "sys": 2, - "base_meta.abstract": 1, - "f2**2": 1, - "np.sqrt": 17, - "handle.": 1, - "settings.ABSOLUTE_URL_OVERRIDES.get": 1, - "e.messages": 1, - "field.rel.to": 2, - "pass": 4, - "parser": 1, - "_reflection.GeneratedProtocolMessageType": 1, - "content_type.split": 1, - "disconnect": 5, - "label": 18, - "to": 4, - "new_class._default_manager": 2, - "base.__name__": 2, - "httputil.HTTPHeaders.parse": 1, - "socket.AF_INET6": 1, - "os.path.abspath": 1, - "new_class._meta.setup_proxy": 1, - "loc": 5, - "self.connection.write": 1, - "new_class._meta.app_label": 3, - "*dy_err": 1, - "signals.pre_init.send": 1, - "self.__class__.__name__": 3, - "string": 1, - "try": 17, - "phi_err": 3, - "self.stream.write": 2, - "Q": 3, - "self._on_headers": 1, - "date.year": 1, - "property": 2, - "*T_err": 4, - "base._meta.parents": 1, - "_message.Message": 1, - "version.startswith": 1, - "op": 6, - "opts.verbose_name": 1, - "tuple": 3, - "with_statement": 1, - "self.__class__._default_manager.using": 1, - "table": 2, - "UnicodeEncodeError": 1, - "order_name": 4, - "as": 11, - "self.xheaders": 3, - "DatabaseError": 3, - "op.curve_fit": 6, - "U_err": 7, - "_order": 1, - "e": 13, - "**2": 2, - "matt": 13, - "fields": 12, - "SHEBANG#!python": 4, - "DEFAULT_DB_ALIAS": 2, - "__eq__": 1, - "validators.EMPTY_VALUES": 1, - "sigma": 4, - "field.attname": 17, - "unique_error_message": 1, - "division": 1, - "parts": 1, - "utf8": 2, - "/": 23, - "raise": 22, - "self._perform_unique_checks": 1, - "unique_for": 9, - "fields_with_class": 2, - "django.core": 1, - "can": 1, - "x.size": 2, - "decorate": 2, - "unique_check": 10, - "sorted": 1, - "self.arguments": 2, - "original_base._meta.concrete_managers": 1, - "django.db.models.options": 1, - "fields_iter": 4, - "headers": 5, - "y": 10, - "django.db.models.fields.related": 1, - "handler.": 1, - "new_class.copy_managers": 2, - "update_fields": 23, - "mgr_name": 3, - "#parser.add_argument": 3, - "self.method": 1, - "methods.add": 1, - "transaction.commit_unless_managed": 2, - "setattr": 14, - "future_builtins": 1, - "canonical": 1, - "remote_ip": 8, - "save_base.alters_data": 1, - "_perform_unique_checks": 1, - "self": 100, - "schwarz_x": 3, - "handle_stream": 1, - "serialized_end": 1, - "factory": 5, - "new_class._base_manager": 2, - "x._meta.abstract": 2, - "parent_class._meta.local_fields": 1, - "f.primary_key": 2, - "attrs": 7, - "numpy": 1, - "View": 2, - "(": 719, - "extensions": 1, - "glanz": 13, - "phif": 7, - "rel_obj": 3, - "files": 2, - "ObjectDoesNotExist": 2, - "no_keep_alive": 4, - "new_manager": 2, - "method": 5, - "set": 3, - "self.adding": 1, - "base_meta": 2, - "model_unpickle": 2, - "ModelBase": 4, - "_perform_date_checks": 1, - "r": 3, - "schwarz_phi.size": 1, - "functools": 1, - "save": 1, - "fields_with_class.append": 1, - "unused": 1, - "pk": 5, - "<": 1, - "T0": 1, - "meta.auto_created": 2, - "_message": 1, - "non_pks": 5, - "_get_unique_checks": 1, - "self.stream.close": 2, - "field.primary_key": 1, - "f.pre_save": 1, - "marker": 4, - "f.unique_for_month": 3, - "TCPServer": 2, - "os.chdir": 1, - "cpp_type": 1, - "f.name": 5, - "httputil.HTTPHeaders": 1, - "chunk": 5, - "date_error_message": 1, - "self.stream.writing": 2, - "attr_meta.abstract": 1, - "k": 4, - "get_model": 3, - "args_len": 2, - "signals.post_save.send": 1, - "full_url": 1, - "connection_header": 5, - "self._finish_time": 4, - "manager._copy_to_model": 1, - "*lookup_kwargs": 2, - "cls.__doc__": 3, - "Model": 2, - "filename": 1, - "HTTPConnection": 2, - "using": 30, - "*weiss_popt": 1, - "def": 68, - "hash": 1, - "extension_ranges": 1, - "stack_context": 1, - "getattr": 30, - "offset": 13, - "new_class.add_to_class": 7, - "absolute_import": 1, - ".globals": 1, - "self._request.headers": 1, - "color": 8, - "order_value": 2, - "cls.__name__": 1, - "arguments": 2, - "iostream": 1, - "self.stream.socket": 1, - "model_class._meta": 2, - "os.walk": 1, - "directories": 1, - "errors.keys": 1, - ".join": 3 - }, - "XQuery": { - "return": 2, - "sort": 1, - "library": 1, - "version": 1, - "run#6": 1, - "const": 1, - "output": 1, - "I": 1, - "viewport": 1, - "dflag": 1, - "namespaces": 5, - "serialized_result": 2, - "II": 1, - "ast": 1, - "": 1, - "validate": 1, - "point": 1, - "xproc": 17, - "name=": 1, - "contains": 1, - "namespace": 8, - "(": 38, - ";": 25, - "core": 1, - "encoding": 1, - "choose": 1, - "control": 1, - "enum": 3, - "space": 1, - "for": 1, - "options": 2, - "entry": 2, - "-": 486, - "eval_result": 1, - "each": 1, - "at": 4, - "eval": 3, - "declared": 1, - "element": 1, - "preprocess": 1, - "c": 1, - "parse/@*": 1, - "type": 1, - "try": 1, - "pipeline": 8, - "primary": 1, - "explicit": 3, - "points": 1, - "xquery": 1, - "functions.": 1, - "group": 1, - "xproc.xqm": 1, - "all": 1, - "step": 5, - "declare": 24, - "xqm": 1, - "AST": 2, - "and": 3, - "list": 1, - "ns": 1, - "saxon": 1, - "{": 5, - "III": 1, - "err": 1, - "p": 2, - "variable": 13, - "name": 1, - "STEP": 3, - "tflag": 1, - "parse": 8, - "parse/*": 1, - "bindings": 2, - "stdin": 1, - "": 1, - "boundary": 1, - "run": 2, - "": 1, - "catch": 1, - "results": 1, - "let": 6, - "functions": 1, - "preserve": 1, - "imports": 1, - "": 1, - ")": 38, - "u": 2, - "serialize": 1, - "import": 4, - "function": 3, - "util": 1, - "option": 1, - "}": 5, - "module": 6 - }, - "DM": { - "&": 1, - "return": 3, - "else": 2, - "if": 2, - "bitflag": 4, - "var/bitflag": 2, - "output": 2, - "..": 1, - "var/i": 1, - "world.log": 5, - "/datum/entity/unit/myFunction": 1, - "var/name": 1, - "/proc/ReverseList": 1, - "var/pi": 1, - "input": 1, - "in": 1, - "input.len": 1, - "var/const/CONST_VARIABLE": 1, - "I": 1, - "+": 3, - "/proc/DoNothing": 1, - "rand": 1, - "number": 2, - "Undefine": 1, - "#undef": 1, - "is": 2, - "parent": 1, - "the": 2, - "(": 17, - "a": 1, - ";": 3, - "bits": 1, - "|": 1, - "<<": 5, - "i": 3, - "amount": 1, - "#define": 4, - "null": 2, - "for": 1, - "#else": 1, - "K": 1, - "List": 1, - "other": 1, - "-": 2, - "pi": 2, - "#elif": 1, - "var/list/input": 1, - "[": 2, - "to": 1, - "count": 1, - "of": 1, - "var/GlobalCounter": 1, - "proc": 1, - "calls": 1, - "#endif": 1, - "/proc/DoStuff": 1, - "var/list/NullList": 1, - "languages": 1, - "var/list/output": 1, - "/datum/entity/proc/myFunction": 1, - "creates": 1, - "s": 1, - "/proc/DoOtherStuff": 1, - "entries": 1, - "and": 1, - "IMPORTANT": 1, - "super": 1, - "list": 3, - "new": 1, - "CONST_VARIABLE": 1, - "var/list/MyList": 1, - "//": 6, - "PI": 6, - "#if": 1, - "]": 2, - "base": 1, - "from": 1, - "name": 1, - "var/list/EmptyList": 1, - "equal": 1, - "G": 1, - "maximum": 1, - "Arrays": 1, - "/datum/entity/unit/New": 1, - "/datum/entity/unit": 1, - "GlobalCounter": 1, - ")": 17, - "var/number": 1, - "/datum/entity/New": 1, - "/datum/entity": 2 - }, - "Frege": { - "fr": 3, - "examples.CommandLineClock": 1, - "next": 1, - "r2": 3, - "typ": 5, - "Thread.sleep": 4, - "There": 1, - "i.e.": 1, - "label": 2, - "defined": 1, - "without": 1, - "openReader": 1, - "board": 41, - "SINGLEs": 1, - "cells": 1, - "allboxs": 5, - "poll": 1, - "lines": 2, - "mod": 3, - "comparing": 2, - "top95": 1, - "allow": 1, - "locked": 1, - "lookup": 2, - "to": 13, - "length": 20, - "charset": 2, - "code": 1, - "pcomment": 2, - "changes": 1, - "{": 1, - "container": 9, - "frame.setDefaultCloseOperation": 3, - "toh": 2, - "which": 2, - "each": 2, - "form": 1, - "bs": 7, - "have": 1, - "ALTERATION": 1, - "SomeException": 2, - "Wittgenstein": 1, - "consequences": 6, - "Jellyfish": 1, - "N": 5, - "using": 2, - "union": 10, - "InputStream": 1, - "throw": 1, - "comment": 16, - "anymore": 1, - "pattern": 1, - "joined": 4, - "immediate": 1, - "y": 15, - "<->": 35, - "fl": 4, - "your": 1, - "impl": 2, - "then": 1, - "div": 3, - "fromMaybe": 1, - "table.wait": 1, - "L": 6, - "args": 2, - "Sudoku": 2, - "unpacked": 2, - "else": 1, - "mkPaths": 3, - "upper": 2, - "intersectionlist": 2, - "sum": 2, - "nothing": 2, - "finds": 1, - "IS": 16, - "cannot": 1, - "example1": 1, - "action3": 2, - "celsiusConverterGUI": 2, - "WINGS": 1, - "fish": 7, - "continue": 1, - "usage": 1, - "acstree": 3, - "left": 4, - "u": 6, - "Enable": 1, - "frame.setTitle": 1, - "celsiusLabel": 1, - "hard": 1, - "brief": 1, - "UnsupportedEncodingException": 1, - "action1": 2, - "buttonDemoGUI": 2, - "main": 11, - "numbers": 1, - "hiddenPair": 4, - "assumptions": 10, - "Nothing": 2, - "puzzle": 1, - "turn": 1, - "aPos": 5, - "XY": 2, - "turnoffh": 1, - "hit": 7, - "s": 21, - "catchAll": 3, - "rFork": 2, - "frame.pack": 3, - "bestimmtes": 1, - "reverse": 4, - "tuples": 2, - "where": 39, - "IO": 13, - "starting": 3, - "b1.addActionListener": 1, - "convertButton.addActionListener": 1, - "find": 20, - "go": 1, - "initial/final": 1, - "b2.setHorizontalTextPosition": 1, - "convertButtonActionPerformed": 2, - "candidates": 18, - "conslusion": 1, - "single": 9, - "solution": 6, - "BufferedReader": 1, - "celsius": 3, - "strategy": 2, - "resons": 1, - "hiddenSingle": 2, - "fst": 9, - "QUADRUPELS": 6, - "a3": 1, - "ein": 1, - "case": 6, - "already": 1, - "o": 1, - "are": 6, - "uniqBy": 2, - "Java.Awt": 1, - "appear": 1, - "LET": 1, - "concatMap": 1, - "m.group": 1, - "action": 2, - "list": 7, - "p1line": 2, - "B": 5, - "cname": 4, - "a1": 3, - "cp": 3, - "m": 2, - "Annahmen": 1, - "HIDDEN": 6, - "subset": 3, - "TODO": 1, - "BufferedReader.getLines": 1, - "new": 9, - "pro": 7, - "mapM_": 5, - "be": 9, - "OR": 7, - "only": 1, - "takes": 1, - "number": 4, - "filter": 26, - "Data.List": 1, - "m1.take": 1, - "neun": 2, - "www": 1, - "does": 2, - "contra": 4, - "getc": 12, - "contradicts": 7, - "results": 1, - "chainContra": 2, - "cstart": 2, - "doubt": 1, - "URL": 2, - "BOARD": 1, - "from": 7, - "i": 16, - "fahrenheitLabel.setText": 3, - "native": 4, - "ordered": 1, - "FOR": 11, - "digits": 2, - "turnoff1": 3, - "otherwise": 8, - "<": 84, - "Random.randomR": 2, - "g": 4, - "setReminder": 3, - "member": 1, - "||": 2, - "can": 9, - "examples.Concurrent": 1, - "frame.setContentPane": 1, - "newContentPane.setOpaque": 1, - "contains": 1, - "NAKED": 5, - "println": 25, - "x.catched": 1, - "Mises": 1, - "philosopher": 7, - "Left": 5, - "paths": 12, - "setto": 3, - "xyWing": 2, - "yields": 1, - "res": 16, - "e": 15, - "b2": 10, - "FISH": 3, - "p1": 1, - "two": 1, - "appears": 1, - "SINGLE": 1, - "and": 14, - "m2.put": 1, - "the": 20, - "Eq": 1, - "charset=": 1, - "url.openConnection": 1, - "setHorizontalTextPosition": 1, - "solve": 19, - "c": 33, - "do": 38, - "module": 2, - "ns": 2, - "is": 24, - "outof": 6, - "undefined": 1, - "JFrame.dispose_on_close": 3, - "JTextField.new": 1, - "pages": 1, - "com": 5, - "chains": 4, - "same": 8, - "ctyp": 2, - "sudokus": 1, - "bypass": 1, - "e.show": 2, - "contradictory": 1, - "a": 99, - "map": 49, - "left.take": 1, - "g2": 3, - "L*n": 1, - "b1.setHorizontalTextPosition": 1, - "argument": 1, - "examples": 1, - "but": 2, - "zip": 7, - "GroupLayout.new": 1, - "long": 4, - "stderr.println": 3, - "process": 5, - "txt": 1, - "help": 1, - "4": 3, - "acst": 3, - "row": 20, - "cell": 24, - "whose": 1, - "implications": 5, - "fork4": 3, - "main2": 1, - "current": 4, - "SUDOKU": 1, - "expandchain": 3, - "indeed": 1, - "_": 60, - "check": 2, - "URL.new": 1, - "occurs": 5, - "reson": 1, - "printb": 4, - "no": 4, - "when": 2, - "List": 1, - "right": 4, - "x.getClass.getName": 1, - "InputStreamReader.new": 2, - "//docs.oracle.com/javase/tutorial/uiswing/examples/learn/CelsiusConverterProject/src/learn/CelsiusConverterGUI.java": 1, - "ss": 8, - "both": 1, - "2": 3, - "ourselves": 1, - "reduce": 3, - "Locke": 1, - "fork2": 3, - "mapM": 3, - "SINGLES": 1, - "anything": 1, - "allcols": 5, - "place": 1, - "result": 11, - "pos": 5, - "]": 116, - "belong": 3, - "thus": 1, - "solved": 1, - "conclusion": 4, - "nm": 6, - "fishname": 5, - "center": 1, - "Thread": 2, - "0": 2, - "rows": 4, - "middle": 2, - "particular": 1, - "allrows": 8, - "tried.": 1, - "minus": 2, - "[": 120, - "package": 2, - "sortBy": 2, - "QUADS": 2, - "getLine": 2, - "file": 4, - "construct": 2, - "show": 24, - "c1": 4, - "JPanel.new": 1, - "returns": 2, - "quot": 1, - ".": 41, - "so": 1, - "since": 1, - "Element": 6, - "..": 1, - "packed": 1, - "cp.add": 1, - "Java.Swing": 1, - "Copy": 1, - "xs": 4, - "turnoff": 11, - "Y": 4, - "colss": 3, - "Control.Concurrent": 1, - "elem": 16, - "as": 33, - "m3": 2, - "contentPane.setLayout": 1, - "or": 15, - "ALL": 2, - "intersection": 1, - "decode": 4, - "W": 1, - "string": 3, - "chain": 2, - "depending": 1, - "Frege": 1, - "coordinate": 1, - "some": 2, - "must": 4, - "colstarts": 3, - "examples.Sudoku": 1, - "more": 2, - "nakedPair": 4, - "m1": 1, - "mainPhil": 2, - "forever": 1, - "PAIRS": 8, - "PRINTING": 1, - "unsolved": 10, - "assumption": 8, - "*": 5, - "data": 3, - "see": 1, - "invokeLater": 1, - "give": 2, - "rowset": 1, - "snd": 20, - "STRATEGIES": 1, - "log": 1, - "takeUntil": 1, - "eliminate": 1, - "sets": 2, - "tuple": 2, - "FIRST": 1, - "For": 2, - "Kant": 1, - "char": 1, - "fs": 22, - "on": 4, - "(": 339, - "r3": 3, - "con.getContentType": 1, - "frame.setVisible": 3, - "millis": 1, - "chr": 2, - "other": 2, - "Tree": 4, - "SELECT": 3, - "also": 1, - "nc": 7, - "real": 1, - "m2.take": 1, - "convertButton.setText": 1, - "Mutable": 1, - "shares": 2, - "Ord": 1, - "r1": 2, - "putChar": 2, - "Encoded": 1, - "until": 1, - "available": 1, - "pfld": 4, - "//": 8, - "acht": 4, - "|": 62, - "common": 4, - "off": 11, - "positions": 16, - "SwingConstants": 2, - "convertButton": 1, - "mkrow": 2, - "aller": 1, - "ACTIONS": 1, - "false": 13, - "b1.setVerticalTextPosition": 1, - "ps": 8, - "conlusions": 1, - "c*1.8": 1, - "JFrame.new": 3, - "When": 2, - "z": 12, - "ai": 2, - "toClear": 7, - "type": 8, - "JLabel.new": 3, - "br": 4, - "any": 3, - "certain": 1, - "time": 1, - "java.util.Date": 1, - "tab": 1, - "confine": 1, - "instance": 1, - "field": 9, - "showcs": 5, - "Feld": 3, - "m1.put": 1, - "table": 1, - "System.Random": 1, - "helloWorldGUI": 2, - "sure": 1, - "x": 45, - "Assumption": 21, - "Strategy": 1, - "of": 32, - "Nozick": 1, - "example2": 2, - "open": 1, - "turned": 1, - "rowstarts": 4, - "conclusions": 2, - "MVar.newEmpty": 3, - "examples.SwingExamples": 1, - "us": 1, - "newb": 7, - "empty": 4, - "Show": 1, - "newContentPane.add": 3, - "frame": 3, - "forcing": 1, - "String": 9, - "possible": 2, - "thinkTime": 3, - "Date": 5, - "One": 1, - "alter": 1, - "maybe": 1, - "that": 18, - "phil": 4, - "DL": 1, - "Zelle": 8, - "t": 14, - "board.": 1, - "ass": 2, - "This": 2, - "Random.newStdGen": 1, - "ST": 1, - "functions": 2, - "column": 2, - "containers": 6, - "getLines": 1, - "php": 1, - "stderr": 3, - "r": 7, - "reason": 8, - "true": 16, - "d.toString": 1, - "toString": 2, - "smallest": 1, - "zs": 1, - "css": 7, - "IN": 9, - "m.take": 1, - "cs": 27, - "pi": 2, - "catch": 2, - "SwingConstants.center": 2, - "apply": 17, - "containername": 1, - "p": 72, - "extract": 2, - "those": 2, - "uniq": 4, - "Position": 22, - "derive": 2, - "Throwable": 1, - "ActionListener.new": 2, - "strategies": 1, - "impls": 2, - "boxes": 1, - "get": 3, - "C": 6, - "than": 2, - "keys": 2, - "a2": 2, - "&&": 9, - "Data.TreeMap": 1, - "putStrLn": 2, - "right.put": 1, - "b3.addActionListener": 1, - "sleep": 4, - "files": 2, - "box": 15, - "n": 38, - "reasoning": 1, - "//docs.oracle.com/javase/tutorial/displayCode.html": 1, - "brd": 2, - "compute": 5, - "JButton.new": 3, - "lang": 2, - "iss": 3, - "lower": 1, - "getf": 16, - "given": 3, - "A": 7, - "fields": 6, - "a0": 1, - "Assumption.show": 1, - "candi": 2, - "changed": 1, - "error": 1, - "Tree.fromList": 1, - "regionas": 2, - "cpos": 7, - "themself": 1, - "with": 15, - "stdout.flush": 1, - "static": 1, - "sudoku": 2, - "pname": 10, - "rcba": 4, - "occurences": 1, - "rflds": 2, - "true/false": 1, - "SwingConstants.leading": 2, - "Just": 2, - "elements": 12, - "WHERE": 2, - "let": 8, - "...": 2, - "eT": 2, - "may": 1, - "boxmuster": 3, - "about": 1, - "foldM": 2, - "exactly": 2, - "region": 2, - "index": 3, - "ISNOT": 14, - "button": 1, - "Wing": 2, - "h": 1, - "Apply": 1, - "cellRegionChain": 2, - "position": 9, - "has": 2, - "take": 13, - "share": 1, - "repeat": 3, - "MVar": 3, - "rs": 2, - "tree": 1, - "oss": 2, - "cellas": 2, - "rcb": 16, - "THE": 1, - "tempTextField": 2, - "ci": 3, - "contradict": 2, - "left.put": 2, - "replicateM_": 3, - "b3": 7, - "frame.getContentPane": 2, - "getText": 1, - "Lang": 1, - "<=>": 1, - "will": 4, - "f": 19, - "url": 1, - "per": 1, - "9": 5, - "set": 4, - "for": 25, - "InterruptedException": 4, - "click": 1, - "d": 3, - "sss": 3, - "b1": 11, - "browser": 1, - "it": 2, - "p0": 1, - "line": 2, - "print": 25, - "allrcb": 5, - "Liste": 1, - "con": 3, - "b*10": 1, - "digit": 1, - "fahrenheitLabel": 1, - "throws": 4, - "going": 1, - "infer": 1, - "ord": 6, - "b": 113, - "Swordfish": 1, - "boxstarts": 3, - "head": 19, - "ir": 2, - "double": 1, - "MutableIO": 1, - "address": 1, - "loops": 1, - "Fish": 1, - "Bool": 2, - "IMPLIES": 1, - "logs": 1, - "tT": 2, - "5": 1, - "public": 1, - "20": 1, - "col": 17, - "sort": 4, - "happen": 1, - "select": 1, - "fork5": 3, - "Right": 6, - "remove": 3, - "not": 5, - "g1": 2, - "JButton": 4, - "SOLVE": 1, - "concat": 1, - "performance": 1, - "what": 1, - "felder": 2, - "3": 3, - "unsupportedEncoding": 3, - "xx": 2, - "me": 13, - "fork3": 3, - "cols": 6, - "notElem": 7, - "return": 17, - "Java.Net": 1, - "candidates@": 1, - "columns": 2, - "in": 22, - "ri": 2, - "Int": 6, - "msg": 6, - "import": 7, - "applied": 1, - "first": 2, - "printable": 1, - "1": 2, - "getURL": 4, - "fork1": 3, - "consider": 3, - "sudokuoftheday": 1, - "http": 3, - "mkrow1": 2, - "candidate": 10, - "done": 1, - "message": 1, - "final": 2, - "java": 5, - "c2": 3, - "intersections": 2, - "table.notifyAll": 2, - "celsiusLabel.setText": 1, - "ActionListener": 2, - "InputStreamReader": 1, - "contentPane": 2, - "ignored": 1, - "<<": 4, - "null": 1, - "Z": 6, - "name": 2, - "non": 2, - "look": 10, - "a*100": 1, - "con.connect": 1, - "forkIO": 11, - "Long": 3, - "supposed": 1, - "c0": 1, - "one": 2, - "at": 3, - "m3.put": 1, - "newEmptyMVar": 1, - "layout": 2, - "such": 1, - "uni": 3, - "avoid": 1, - "os": 3, - "because": 1, - "-": 730, - "been": 1, - "forM_": 1, - "consisting": 1, - "iterate": 1, - "X": 5, - "res012": 2, - "eatTime": 3, - "m.put": 3, - "Runnable.new": 1, - "make": 1, - "res@": 16, - "exists": 6, - "TRIPLES": 8, - "m2": 1, - "tail": 2, - "+": 200, - "this": 2, - "con.getInputStream": 1, - "setVerticalTextPosition": 1, - "adding": 1, - "z..": 1, - "inter": 3, - "nf": 2, - "implication": 2, - "if": 5, - "least": 3, - "SOLVING": 1, - "there": 6, - "setEnabled": 7, - "leading": 1, - "b2.setVerticalTextPosition": 1, - ".long": 1, - "frege": 1, - "by": 3, - "collect": 1, - "Brett": 13, - ")": 345, - "we": 5, - "BE": 1, - "newContentPane": 2, - "void": 2, - "rset": 4, - "either": 1, - "hiding": 1, - "all": 22, - "i9": 1, - "fold": 7, - "located": 2, - "81": 3, - "into": 1, - "conseq": 3, - "an": 6, - "passing.": 1 - }, - "Jade": { - "World": 1, - "Hello": 1, - "p.": 1 - }, - "Elm": { - "concept.": 1, - "concat": 1, - "exampleSets": 2, - "intercalate": 2, - ";": 1, - "xs": 9, - "or": 1, - "]": 31, - "all": 1, - "Elm.": 1, - "Window.width": 1, - "subsection": 2, - "add": 2, - "|": 3, - "spacer": 2, - "of": 7, - "left": 7, - "down": 3, - "y": 7, - "display": 4, - "functional": 2, - "function": 1, - "qsort": 4, - "v": 8, - ")": 116, - "Basic": 1, - "focuses": 1, - "links": 2, - "show": 2, - "intersperse": 3, - "Website.ColorScheme": 1, - "below": 1, - "width": 3, - "info": 2, - "empty": 2, - "tree": 7, - "<": 1, - "loc": 2, - "words": 2, - "a": 5, - "in": 2, - "Text.link": 1, - "asText": 1, - "import": 3, - "reactive": 2, - "demonstrate": 1, - "data": 1, - "[": 31, - "example": 3, - "}": 1, - "t1": 2, - "lift": 1, - "blocks": 1, - "name": 6, - "listed": 1, - "Node": 8, - "building": 1, - "toLinks": 2, - "italic": 1, - "-": 11, - "w": 7, - "basic": 1, - "text": 4, - "Examples": 1, - "then": 2, - "the": 1, - "Tree": 3, - "List": 1, - "n": 2, - "max": 1, - "###": 1, - "foldl": 1, - "singleton": 2, - "monospace": 1, - "lst": 6, - "elements": 2, - "fromList": 3, - "plainText": 1, - "markdown": 1, - "on": 1, - "t2": 3, - "right": 8, - "Each": 1, - "if": 2, - "{": 1, - "examples": 1, - "Empty": 8, - "These": 1, - "x": 13, - "insert": 4, - "depth": 5, - ".": 9, - "single": 1, - "content": 2, - "+": 14, - "toText": 6, - "Text.color": 1, - "(": 119, - "else": 2, - "let": 2, - "Website.Skeleton": 1, - "title": 2, - "case": 5, - "main": 3, - "accent4": 1, - "skeleton": 1, - "folder": 2, - "bold": 2, - "addFolder": 4, - "insertSpace": 2, - "f": 8, - "flow": 4, - "filter": 2, - "<)x)>": 1, - "map": 11 - }, - "Perl": { - "Minor": 1, - "files": 41, - "relative": 1, - "FILEs": 1, - "F": 24, - "specified.": 4, - "<-w>": 2, - "ve": 2, - "Some": 1, - "": 3, - "REMOTE_USER": 1, - "Emacs": 1, - "lc": 5, - "does": 10, - "parameters.": 3, - "regex/": 9, - "Method": 1, - "perhaps": 1, - "<--line=4-7>": 1, - "specifications.": 1, - "Type": 2, - "want": 5, - "too.": 1, - "Only": 7, - "needs_line_scan": 14, - "Sort": 2, - "T": 2, - "Usage": 4, - "parm": 1, - "clone": 1, - "Signes": 1, - "printing": 2, - "remove": 2, - "dh": 4, - "xargs": 2, - "": 4, - "get_total_count": 4, - "specified": 3, - "itself.": 2, - "Dec": 1, - "min": 3, - "instead.": 1, - "G.": 2, - "PATTERN.": 1, - "behavior": 3, - "<-R>": 1, - "join": 5, - "b": 6, - "request.": 1, - "output": 36, - "how": 1, - "#use": 1, - "": 1, - "REQUEST_METHOD": 1, - "/path/to/access.log": 1, - "Tue": 1, - "can": 26, - "tree": 2, - "epoch": 1, - "were": 1, - "headers.": 1, - "on_color": 1, - "class": 8, - "suppress": 3, - "Basename": 2, - "responsible": 1, - "p": 9, - "vhdl": 4, - "clear": 2, - "good": 2, - "": 1, - "_bake_cookie": 2, - "away": 1, - "directory": 8, - "Krawczyk.": 1, - "Print/search": 2, - "matter": 1, - "low": 1, - "to": 86, - "add": 8, - "ct": 3, - "Return": 2, - "compiled": 1, - "LWS": 1, - "on": 24, - "<-h>": 1, - "specify": 1, - "Apache": 2, - "always": 5, - "@ARGV": 12, - "call": 1, - "XS": 2, - "Getopt": 6, - "Ignores": 2, - "path": 28, - "xslt": 2, - "allow": 1, - "ReziE": 1, - "artist_name": 2, - "show_help": 3, - "lines": 19, - "<--with-filename>": 1, - "intended": 1, - "container": 1, - "": 1, - "/": 69, - "since": 1, - "Wed": 1, - "could": 2, - "ent": 2, - "middleware": 1, - "first.": 1, - "cut": 27, - "bat": 2, - "utf": 2, - "no//": 2, - "sequences.": 1, - "handled": 2, - "REMOTE_ADDR": 1, - "get_all": 2, - "raw_body": 1, - "greater": 1, - "Perl": 6, - "noheading": 2, - "<-L>": 1, - "corresponding": 1, - "def_types_from_ARGV": 5, - "": 2, - "K/": 2, - "return": 157, - "AUTHOR": 1, - "debug": 1, - "don": 2, - "didn": 2, - "header_field_names": 1, - "highlight": 1, - "separated": 2, - "int": 2, - "ACK_COLOR_MATCH": 5, - "Tar": 4, - "SERVER_PORT": 2, - "scope": 4, - "goes": 2, - "listings": 1, - "checking": 2, - "ideal": 1, - "vim": 4, - "show_column": 4, - "All": 4, - "does.": 2, - "Specifies": 4, - "DISPATCHING": 1, - "spelling": 1, - "qw": 35, - "in": 29, - "CGI": 5, - "uses": 2, - "expanded": 3, - "PSGI.": 1, - "convenient": 1, - "g": 7, - "spin": 2, - "//": 9, - "standard": 1, - "": 2, - "Bin": 3, - "<--ignore-dir=data>": 1, - "variable": 1, - "Outputs": 1, - "Ext_Request": 1, - "this.": 1, - "<-p>": 1, - "u": 10, - "otherwise": 2, - "strings": 1, - "_000": 1, - "least": 1, - "remove_dir_sep": 7, - "<--help>": 1, - "": 1, - "out": 2, - "program/package": 1, - "Parameters": 1, - "removes": 1, - "qr/": 13, - "yaml": 4, - "nargs": 2, - "tt": 4, - "Carp": 11, - "query_parameters": 3, - "": 1, - "argument": 1, - "route": 1, - "print_blank_line": 2, - "SCRIPT_NAME": 2, - "spots": 1, - "@cookie": 7, - "build_regex": 3, - "is_interesting": 4, - "still": 4, - "exist": 4, - "select": 1, - "perllib": 1, - "": 1, - "any": 3, - "attr": 6, - "app_or_middleware": 1, - "Fibonacci": 2, - "tools": 1, - "message": 1, - "starting_point": 10, - "TOOLS": 1, - "": 1, - "exitval": 2, - "&": 22, - "took": 1, - "reference.": 1, - "confess": 2, - "got": 2, - "reslash": 4, - "such": 5, - "Artistic": 2, - "bak": 1, - "yet": 1, - "blink": 1, - "/chr": 1, - "fh": 28, - "symlinks": 1, - "normal": 1, - "expand_filenames": 7, - "HTTP": 16, - "search.": 1, - "skipped": 2, - "properly": 1, - "Unbuffer": 1, - "res": 59, - "FUNCTIONS": 1, - "undef": 17, - "cmp": 2, - "searched.": 1, - "Take": 1, - "off": 4, - "etc.": 1, - "": 2, - "str": 12, - "free": 3, - "designed": 1, - "append": 2, - "troublesome.gif": 1, - "their": 1, - "only": 11, - "Optimized": 1, - "sort": 8, - "B": 75, - "readline": 1, - "<-a>": 1, - "": 1, - "had": 1, - "start": 6, - "psgi_handler": 1, - "on_green": 1, - "closedir": 1, - "matching": 15, - "_get_thpppt": 3, - "": 1, - "Using": 3, - "encoding": 2, - "metadata": 1, - "secure": 2, - "MON": 1, - "address": 2, - "<.xyz>": 1, - "uri_for": 2, - "twice.": 1, - "print_files": 4, - "Simple": 1, - "show_types": 4, - "Users": 1, - "benefits": 1, - "is": 62, - "passthru": 9, - "colour": 2, - "query_form": 2, - "arguments": 2, - "treated": 1, - "display_line_no": 4, - "conjunction": 1, - "expression": 9, - "file.": 2, - "Use": 6, - "called": 3, - "": 1, - "If": 14, - "content_length": 4, - ".*//": 1, - "Tatsuhiko": 2, - "like": 12, - "occurs": 2, - "new_response": 4, - "l": 17, - "looks": 1, - "overriding": 1, - "Content": 2, - "": 1, - "batch": 2, - "": 1, - "based": 1, - "external": 2, - "App": 131, - "empty.": 1, - "regex": 28, - "here": 2, - "SEE": 3, - "caller": 2, - "ACK_/": 1, - "was": 2, - "The": 20, - "erl": 2, - "It": 2, - "subclassing": 1, - "hour": 2, - "z": 2, - "isn": 1, - "mode.": 1, - "working": 1, - "hosted": 1, - "print0": 7, - "TEXT": 16, - "lib": 2, - "magenta": 1, - "FCGI": 1, - "is_match": 7, - "strict": 16, - "": 1, - "second": 1, - "go": 1, - "matches": 7, - "supported.": 1, - "well": 2, - "Cat": 1, - "foreground": 1, - "time": 3, - "_date": 2, - "+": 120, - "black": 3, - "grep": 17, - "simple": 2, - "CVS": 5, - "Basic": 10, - "seeing": 1, - "piping": 3, - "twice": 1, - "types": 26, - "has_lines": 4, - "help": 2, - "immediately": 2, - "lexically.": 3, - "path_info": 4, - "provide": 1, - "Unix": 1, - "Nov": 1, - "print_count": 4, - "will": 7, - "_bar": 3, - "cleanup": 1, - "follow": 7, - "_parse_request_body": 4, - "them": 5, - "<--color-lineno>": 1, - "Show": 2, - "exit_from_ack": 5, - "all": 22, - "research": 1, - "mday": 2, - "char": 1, - "who": 1, - "passing": 1, - "is_searchable": 8, - "software": 3, - "match": 21, - "before_starts_at_line": 10, - "G": 11, - "change": 1, - "ython": 2, - "<-r>": 1, - "print_version_statement": 2, - "things": 1, - "head1": 31, - "ors": 11, - "line.": 4, - "IO": 1, - "Copyright": 2, - "certainly": 2, - "context": 1, - "cls": 2, - "filetypes": 8, - "logger": 1, - "coloring": 3, - "output_to_pipe": 12, - "<--thpppppt>": 1, - "__PACKAGE__": 1, - "U": 2, - "method": 7, - "FAQ": 1, - "Error": 2, - "uploads.": 2, - "Hash": 11, - "parser": 12, - "<$regex>": 1, - "Mon": 1, - "hostname": 1, - "print_count0": 2, - "parameters": 8, - "going": 1, - "on_cyan": 1, - "contents": 2, - "_match": 8, - "later": 2, - "middlewares.": 1, - "Put": 1, - "OTHER": 1, - "": 1, - "c": 5, - "ext": 14, - "code.": 2, - "trailing": 1, - "": 1, - "be.": 1, - "url": 2, - "results.": 2, - "print_matches": 4, - "specifies": 1, - "Why": 2, - "regex/Term": 2, - "": 1, - "suggest": 1, - "wish": 1, - "carp": 2, - "program": 6, - "PROBLEMS": 1, - "recognized": 1, - "smart_case": 3, - "q": 5, - "request": 11, - "@files": 12, - "wantarray": 3, - "Remove": 1, - "must": 5, - "aa.bb.cc.dd": 1, - "while": 31, - "dispatch": 1, - "header": 17, - "sub": 225, - "concealed": 1, - "Sat": 1, - "self": 141, - "See": 1, - "": 1, - "be": 30, - "referer.": 1, - "lua": 2, - "s*#/": 2, - "wants": 1, - "strings.": 1, - "finder": 1, - "because": 3, - "<--noenv>": 1, - "ads": 2, - "require": 12, - "HTTP_HOST": 1, - "get_command_line_options": 4, - "creating": 2, - "against": 1, - "DESCRIPTION": 4, - "convert": 1, - "take": 5, - "<-l>": 2, - "shows": 1, - "symlink": 1, - "defaults": 16, - "_sgbak": 2, - "upload": 13, - "string.": 1, - "body_params": 1, - "body_str": 1, - "group": 2, - "Pedro": 1, - "sort_sub": 4, - "Scalar": 2, - "<--no-recurse>": 1, - "alias.": 2, - "SYNOPSIS": 5, - "content_length.": 1, - "": 1, - "given": 10, - "background": 1, - "STDIN": 2, - "found.": 4, - "mk": 2, - "So": 1, - "ANSIColor": 8, - "starting": 2, - "avoid": 1, - "wastes": 1, - "<-G>": 3, - "ENV": 40, - "third_party": 1, - "NAME": 5, - "||": 49, - "before_context": 18, - "Pete": 1, - "_stop": 4, - "opendir": 1, - "warnings": 16, - "True/False": 1, - "on_red": 1, - "CAVEAT": 1, - "my": 401, - "even": 4, - "use": 76, - "L": 18, - "Removes": 1, - "POST": 1, - "trouble": 1, - "_make_upload": 2, - "totally": 1, - "information": 1, - "Mar": 1, - "before": 1, - "<--color>": 1, - "<--no-filename>": 1, - "first": 1, - "the": 131, - "url_scheme": 1, - "io": 1, - "fcgi": 2, - "Parser": 4, - "Case": 1, - "into": 6, - "croak": 3, - "Feb": 1, - "explicit": 1, - "and/or": 3, - "h": 6, - "finalize": 5, - "<--files-with-matches>": 1, - "<$ors>": 1, - "@params": 1, - "For": 5, - "pattern": 10, - "exit": 16, - "similar": 1, - "step": 1, - "": 1, - "CORE": 3, - "instead": 4, - "numbers.": 2, - "Highlight": 2, - "search": 11, - "cl": 10, - "dtd": 2, - "specifying": 1, - "v": 19, - "of": 55, - "_001": 1, - "next_text": 8, - "@parts": 3, - "Works": 1, - "regex_is_lc": 2, - ".svn": 3, - "EXPAND_FILENAMES_SCOPE": 4, - "equivalent": 2, - "ignore_dirs": 12, - "..": 7, - "Pisoni": 1, - "_setup": 2, - "*STDERR": 1, - "resx": 2, - "sprintf": 1, - "params": 1, - "argument.": 1, - "through": 6, - "easy": 1, - "ignored": 6, - "/./": 2, - "option": 7, - "redirected.": 1, - "break": 14, - "ref": 33, - "newline.": 1, - "required": 2, - "show": 3, - "text/html": 1, - "print_files_with_matches": 4, - "i.e.": 2, - "versions": 1, - "regexes": 3, - "foreach": 4, - "ARGV": 2, - "foo=": 1, - "housekeeping": 1, - "Unless": 1, - "rc": 11, - "Builtin": 4, - "is_cygwin": 6, - "<--literal>": 1, - "too": 1, - "Alan": 1, - "Repository": 11, - "API.": 1, - "<--nogroup>": 2, - "after_context": 16, - "back": 3, - "referer": 3, - "Oct": 1, - "gives": 2, - "push": 30, - "GET": 1, - "system": 1, - "there": 6, - "@queue": 8, - "C": 48, - "etc": 2, - "remote_host": 2, - "mon": 2, - "unshift": 4, - "vb": 4, - "By": 2, - "objects.": 1, - "put": 1, - "": 1, - "hash": 11, - "Osawa": 1, - "print_column_no": 2, - "reset": 5, - "using": 2, - "means": 2, - "parts": 1, - "Q": 7, - "except": 1, - "COPYRIGHT": 6, - "update": 1, - "methods": 3, - "if": 272, - "assume": 1, - "<.vimrc>": 1, - "users": 4, - "has": 2, - "filenames": 7, - "Gets": 3, - "rather": 2, - "options.": 4, - "everything": 1, - "Sets": 2, - "recognize": 1, - "<--print0>": 1, - "directly": 1, - "inside.": 1, - "one": 9, - "deprecated": 1, - "": 2, - "_": 101, - "mode": 1, - "swp": 1, - "it": 25, - "": 1, - "Highlighting": 1, - ".ackrc": 1, - "nexted": 3, - "<-n>": 1, - "see": 4, - "m/": 4, - "nick": 1, - "alone": 1, - "get_starting_points": 4, - "module": 2, - "<--sort-files>": 1, - "<.svn/props>": 1, - "m": 17, - "session": 1, - "tmpl": 5, - "DEBUGGING": 1, - "James": 1, - "<--line=3,5,7>": 1, - "have": 2, - "open": 7, - "possible": 1, - "": 1, - "readdir": 1, - "length": 1, - "last_output_line": 6, - "searching.": 2, - "flags.": 1, - "filetype.": 1, - "URI": 11, - "ada": 4, - "ignoredir_filter": 5, - "lot": 1, - "package": 14, - "byte": 1, - "TextMate": 2, - "{": 1121, - "#I": 6, - "": 11, - "pager": 19, - "ba": 2, - "END_OF_HELP": 2, - "read": 6, - "Exit": 1, - "applies": 3, - "VMS": 2, - "overload": 1, - "recurse": 2, - "just": 2, - "where": 3, - "command": 13, - "regex/go": 2, - "replace": 3, - "Unknown": 2, - "handed": 1, - "XML": 2, - "name": 44, - "<--files-without-matches>": 1, - "editor.": 1, - "important.": 1, - "blessed": 1, - "": 1, - "virtual": 1, - "your": 13, - "per": 1, - "Flush": 2, - "REMOTE_HOST": 1, - "bold": 5, - "would": 3, - "version": 2, - "iterator": 3, - "Maybe": 2, - "underline": 1, - "crucial": 1, - "val": 26, - "Now": 1, - "<--type-add>": 1, - "GLOB_TILDE": 2, - "MultiValue": 9, - "Jun": 1, - "MAIN": 1, - "mappings": 29, - "then": 3, - "from": 19, - "false": 1, - "write": 1, - "loading": 1, - "binary": 3, - "opts": 2, - "define": 1, - "@values": 1, - "display_filename": 8, - "underscore": 2, - "use_attr": 1, - "null": 1, - "mailing": 1, - "H": 6, - "g/": 2, - "provides": 1, - "seek": 4, - "different": 2, - "dir_sep_chars": 10, - "default.": 2, - "FAIL": 12, - "scalars": 1, - "head2": 32, - "text/plain": 1, - "gmtime": 1, - "core": 1, - "case": 3, - "item": 42, - "": 1, - "nginx": 2, - "for": 78, - "_finalize_cookies": 2, - "forgotten": 1, - "": 1, - "noted": 1, - "frameworks": 2, - "sure": 1, - "interactively": 6, - "inclusion/exclusion": 2, - "convenience": 1, - "local": 5, - "/ge": 1, - "<--show-types>": 1, - "integration": 3, - "<-v>": 3, - "": 4, - "split": 13, - "here.": 1, - "result": 1, - "account": 1, - "never": 1, - "PHP": 1, - "those": 2, - "accessor": 1, - "": 1, - "Same": 8, - "passed_parms": 6, - "d": 9, - "color": 38, - "say": 1, - "list.": 1, - "user_agent": 3, - "remember.": 1, - "gzip": 1, - "Escape": 6, - "having": 1, - "array": 7, - "r": 14, - "<$filename>": 1, - "argv": 12, - "<-Q>": 4, - "pair": 4, - "ACKRC": 2, - ".*": 2, - "elsif": 10, - "Number": 1, - "Stosberg": 1, - "way": 2, - "hash2xml": 1, - "op": 2, - "script_name": 1, - "parms": 15, - "": 2, - "Request": 11, - "_candidate_files": 2, - "getopt_specs": 6, - "body": 30, - "uppercase": 1, - "usual": 1, - "_thpppt": 3, - "already": 2, - "Unable": 2, - "store": 1, - "uri_unescape": 1, - "#": 99, - "Set": 3, - "Sorts": 1, - "delete_type": 5, - "searched": 5, - "": 1, - "so": 3, - "<-g>": 5, - "Print": 6, - "options": 7, - "<--noignore-dir>": 1, - "": 1, - "": 2, - "1": 1, - "zA": 1, - "shell": 4, - "env": 76, - "html": 1, - "ttml": 2, - "output_func": 8, - "rm": 1, - "compatibility": 2, - "End": 3, - "response": 5, - "TempBuffer": 2, - "containing": 5, - "simply": 1, - "No": 4, - "both": 1, - "website": 1, - "plain": 2, - "other": 5, - "unspecified": 1, - "gets": 2, - "sets": 4, - "catdir": 3, - "errors": 1, - "named": 3, - "Andy": 2, - "regular": 3, - "<$one>": 1, - "Bar": 1, - "@newfiles": 5, - "subdirectories": 2, - "Creates": 2, - "eq": 31, - "via": 1, - "M": 1, - "library": 1, - "response.": 1, - "know": 4, - "iter": 23, - "session_options": 1, - "string": 5, - "handle": 2, - "[": 159, - "visitor.": 1, - "<$fh>": 4, - "text": 6, - "do": 11, - "request_uri": 1, - "source": 2, - "content_type": 5, - "modify": 3, - "Resource": 5, - "CONTENT_TYPE": 2, - "Melo": 1, - "i": 26, - "#7": 4, - "knowledge": 1, - "works.": 1, - "descend_filter": 11, - "USERPROFILE": 2, - "ruby": 3, - "CR": 1, - "nOo_/": 2, - "functions": 2, - "runs": 1, - "Leland": 1, - "python": 1, - "th": 1, - "logo.": 1, - "works": 1, - "method.": 1, - "w": 4, - "filename.": 1, - "include": 1, - "Kazuhiro": 1, - "METHODS": 2, - "&&": 83, - "setting": 1, - "main": 3, - "invalid": 1, - "level.": 1, - "numerical": 2, - "defined": 54, - "across": 1, - "now": 1, - "Quote": 1, - "uri_escape": 3, - "dependency": 1, - "d.": 2, - "match.": 3, - "ACK_COLOR_LINENO": 4, - "blib": 2, - "ne": 9, - "Adriano": 1, - "(": 919, - "@fields": 1, - "variables.": 1, - "body.": 1, - "to_screen": 10, - "Body": 2, - "Specify": 1, - "cmd": 2, - "Johnson": 1, - "Windows": 4, - "redirect": 1, - "by": 11, - "bsd_glob": 4, - "xsl": 2, - "flush": 8, - "ignores": 1, - "simplified": 1, - "we": 7, - "": 1, - "verbose": 2, - "compatible": 1, - "<--type-set>": 1, - "only.": 1, - "top": 1, - "application/xml": 1, - "content_type.": 1, - "_darcs": 2, - "<--smart-case>": 1, - "TOTAL_COUNT_SCOPE": 2, - "/i": 2, - "SERVER_PROTOCOL": 1, - "reset.": 1, - "@obj": 3, - "together": 1, - "exact": 1, - "cannot": 4, - "internal": 1, - "close": 19, - "LF": 1, - "GIF": 1, - "prefixing": 1, - "specific": 1, - "<--no-smart-case>": 1, - "returned": 2, - "allows": 2, - "alternative": 1, - "Ferreira": 1, - "control": 1, - "@uploads": 3, - "paths": 3, - "R": 2, - "same": 1, - "": 1, - "check_regex": 2, - "ARRAY": 1, - "did": 1, - "e.g.": 1, - "Recurse": 3, - "than": 5, - "any_output": 10, - "prints": 2, - "PATTERN": 8, - "terms": 3, - "API": 2, - "nmatches": 61, - "Regan": 1, - "backticks.": 1, - "last": 17, - "smart": 1, - "QUERY_STRING": 3, - "globs": 1, - "#.": 6, - "ACK_PAGER": 5, - "dir": 27, - "multiplexed": 1, - "updated": 1, - "vhd": 2, - "Handle": 1, - "uri": 11, - "dummy": 2, - "higher": 1, - "<-i>": 5, - "structures": 1, - "": 1, - "column": 4, - "log": 3, - "is_binary": 4, - "framework": 2, - "n": 19, - "kind": 1, - "HOME": 4, - "found": 9, - "Apr": 1, - "SHEBANG#!#!": 2, - "dealing": 1, - "set": 11, - "fullpath": 12, - "normally": 1, - "Slaven": 1, - "and": 76, - "filetype": 1, - "xml": 6, - "framework.": 1, - "adb": 2, - "status": 17, - "count": 23, - "|": 28, - "else": 53, - "entire": 2, - "non": 2, - "": 1, - "groups": 1, - "has_stat": 3, - "keep_context": 8, - "bless": 7, - "uniq": 4, - "line": 20, - "<--line>": 1, - "actions": 1, - "push_header": 1, - "AUTHORS": 1, - "Upload": 2, - "SP": 1, - "Thu": 1, - "ack.": 2, - "Tokuhiro": 2, - "included": 1, - "Sep": 1, - "z/": 2, - "end": 9, - "copy": 4, - "Keenan": 1, - "list": 10, - "environment": 2, - "size": 5, - "Ricardo": 1, - "starting_line_no": 1, - "-": 860, - "invert_flag": 4, - "print": 35, - "SERVER_NAME": 1, - "bar": 3, - "signoff": 1, - "tt2": 2, - "around": 5, - "Aug": 1, - "an": 11, - "REGEX.": 2, - "Z0": 1, - "search_and_list": 8, - "pipe.": 1, - ".//": 2, - "VERSION": 15, - ";": 1185, - "venue": 2, - "": 1, - "location": 4, - "perfectly": 1, - "value": 12, - "day": 1, - "ACK_SWITCHES": 1, - "path_query": 1, - "vh": 2, - "find": 1, - "<--thpppt>": 1, - "frm": 2, - "I": 67, - "encouraged": 1, - "key": 20, - "b/": 4, - "blue": 1, - "input_from_pipe": 8, - "off.": 1, - "": 1, - "Prints": 4, - "option.": 1, - "separator": 4, - "": 1, - "g_regex/": 6, - "PSGI": 6, - "php": 2, - "server": 1, - "@_": 41, - "integrates": 1, - "about": 3, - "": 1, - "developers": 3, - "are": 24, - "content": 8, - "Shortcut": 6, - "tail": 1, - "fib": 4, - "Long": 6, - "though": 1, - "driven": 1, - "Fri": 1, - "Portable": 2, - "object": 6, - "domain": 3, - "e": 20, - "file_matching": 2, - "GetAttributes": 2, - "headers": 56, - "problem": 1, - "": 1, - "cookies": 9, - "supported": 1, - "printed": 1, - "literal.": 1, - "Foo": 11, - "set.": 1, - "location.": 1, - "td": 6, - "Multiple": 1, - "s": 34, - "on_white.": 1, - "our": 34, - "Jan": 1, - "": 1, - "associates": 1, - "COLOR": 6, - "_my_program": 3, - "Add/Remove": 2, - "understands": 1, - "": 2, - "Headers": 8, - "get_iterator": 4, - "turning": 1, - "httponly": 1, - "after": 18, - "print_separator": 2, - "msg": 4, - "Bill": 1, - "integer": 1, - "apply": 2, - "load": 2, - "Assume": 2, - "NOT": 1, - "Lester.": 2, - "<--color-filename>": 1, - "no": 21, - "short": 1, - "indent": 1, - "from_mixed": 2, - "files_defaults": 3, - "xml=": 1, - "<\"\\n\">": 1, - "<+3M>": 1, - "curdir": 1, - "charset": 2, - "req": 28, - "duck": 1, - "modifying": 1, - "yellow": 3, - "invert_file_match": 8, - "type_wanted": 20, - "searches": 1, - ".gz": 2, - "Binary": 2, - "Suppress": 1, - "true": 3, - "__END__": 2, - "show_total": 6, - "Sun": 1, - "@array": 1, - "as": 33, - "Share": 1, - "Glob": 4, - "single": 1, - "when": 17, - "@": 38, - "opt": 291, - "colored": 6, - "z//": 2, - "under": 4, - "Setter": 2, - "access": 2, - "max": 12, - "FILE...": 1, - "CONTENT": 1, - "handling": 1, - "reset_total_count": 4, - "WDAY": 1, - "basename": 9, - "dirs": 2, - "make": 3, - "XXX": 4, - "big": 1, - "js": 1, - "on_blue": 1, - "search_resource": 7, - "rewind": 1, - "content_encoding.": 1, - "N": 2, - "Version": 1, - "number": 3, - "s/": 22, - "Note": 4, - "repo": 18, - "show_help_types": 2, - "ignore.": 1, - "this": 18, - "follow_symlinks": 6, - "filter": 12, - "either": 2, - "<--ignore-dir=foo>": 1, - "names": 1, - "parent": 5, - "quotemeta": 5, - "examples": 1, - "tweaking.": 1, - "scripts": 1, - "descend_filter.": 1, - "prefer": 1, - "troublesome": 1, - "Code": 1, - "redirected": 2, - "SHEBANG#!#! perl": 4, - "easily": 2, - "actionscript": 2, - "splice": 2, - "B5": 1, - "Plugin": 2, - "expression.": 1, - "serviceable": 1, - "base": 10, - "doubt": 1, - "sep": 8, - "cookie": 6, - "scheme": 3, - "is_windows": 12, - "recommended": 1, - "unrestricted": 2, - "file": 40, - "input": 9, - "wacky": 1, - "web": 5, - "x": 7, - "*STDOUT": 6, - "env_is_usable": 3, - "@WDAY": 1, - "@dirs": 4, - "filetype_setup": 4, - "License": 2, - "output.": 1, - "reference": 8, - "": 1, - "glob.": 1, - "environments.": 1, - "/eg": 2, - "@ret": 10, - "Spec": 13, - "@uniq": 2, - "catfile": 4, - "Mark": 1, - "grep.": 2, - "results": 8, - "multiple": 5, - "significant.": 1, - "I#": 2, - "content_encoding": 5, - "Term": 6, - "look": 2, - "set_up_pager": 3, - ")": 917, - "next": 9, - "defines": 1, - "returning": 1, - "definitions": 1, - "lines.": 3, - "objects": 2, - "expires": 7, - "ALSO": 3, - "over": 1, - "verilog": 2, - "re": 3, - "what": 14, - "whitespace": 1, - "on_black": 1, - "filetypes_supported_set": 9, - "Standard": 1, - "sort_reverse": 1, - "wanted": 4, - "@MON": 1, - "ACK": 2, - "efficiency.": 1, - "ctl": 2, - "skip_dirs": 3, - "You": 3, - "match_start": 5, - "typing": 1, - "normalize": 1, - "vd": 2, - "green": 3, - "with.": 1, - "invert": 2, - "Yes": 1, - "HTTP_COOKIE": 3, - "they": 1, - "date": 2, - "query": 4, - "error_handler": 5, - "you.": 1, - "": 5, - "foo": 6, - "S": 1, - "nError": 1, - "exists": 19, - "tmpl_path": 2, - "idea": 1, - "die": 38, - "qq": 18, - "print_match_or_context": 13, - "parse": 1, - "with": 26, - "flatten": 3, - "v2.0.": 2, - "sending": 1, - "SCCS": 2, - "taken": 1, - "May": 2, - "a": 81, - "but": 4, - "there.": 1, - "tarballs_work": 4, - "Send": 1, - "front": 1, - "This": 24, - "Handy": 1, - "@what": 14, - "": 1, - "Reads": 1, - "up": 1, - "perl": 8, - "its": 2, - "/MSWin32/": 2, - "Calculates": 1, - "on_magenta": 1, - "switch": 1, - "subclass": 1, - "changed.": 4, - "args": 3, - "IP.": 1, - "o": 17, - "actually": 1, - "@typedef": 8, - "RCS": 2, - "SHEBANG#!perl": 5, - "replacement": 1, - "<=>": 2, - "Phil": 1, - "print_filename": 2, - "between": 3, - "Cookie": 2, - "@before": 16, - "sort_standard": 2, - "sort_files": 11, - "load_colors": 1, - "current": 5, - "}": 1134, - "previous": 1, - "let": 1, - "grepprg": 1, - "grouping": 3, - "updir": 1, - "canonical": 2, - "SIG": 3, - "once": 4, - "File": 54, - "exts": 6, - "statement.": 1, - "wday": 2, - "badkey": 1, - "placed": 1, - "header.": 2, - "ACK_OPTIONS": 5, - "ignore": 7, - "<-H>": 1, - "constant": 2, - ".": 121, - "doesn": 8, - "Pod": 4, - "": 13, - "match_end": 3, - "bas": 2, - "characters.": 1, - "@lines": 21, - "codesets": 1, - "Next": 27, - "great": 1, - "<": 15, - "port": 1, - "throw": 1, - "read_ackrc": 4, - "filetypes_supported": 5, - "work": 1, - "pass": 1, - "<.ackrc>": 1, - "yml": 2, - "default": 16, - "eval": 8, - "directories": 9, - "Plack": 25, - "finding": 2, - "substr": 2, - "David": 1, - "Ack": 136, - "_//": 1, - "CONTENT_LENGTH": 3, - "Cannot": 4, - "used": 11, - "file_filter": 12, - "conv": 2, - "<$?=256>": 1, - "older": 1, - "...": 2, - "user_agent.": 1, - "code": 7, - "ACK_PAGER_COLOR": 7, - "Nested": 1, - "files.": 6, - "print_line_no": 2, - "tried": 2, - "start_point": 4, - "X": 2, - "Underline": 1, - "mounted.": 1, - "tr/": 2, - "should": 6, - "uploads": 5, - "user": 4, - "show_filename": 35, - "Benchmark": 1, - "tips": 1, - "explicitly.": 1, - "color.": 2, - "that": 27, - "arguments.": 1, - "<--ignore-case>": 1, - "_body": 2, - "whether": 1, - "a.": 1, - "heading": 18, - "deterministic": 1, - "scanned": 1, - "Display": 1, - "f": 25, - "query_params": 1, - "next_resource": 6, - "BEGIN": 7, - "stop": 1, - "error": 4, - "Jackson": 1, - "shift": 165, - "context_overall_output_count": 6, - "which": 6, - "CGI.pm": 2, - "longer": 1, - "pt": 1, - "redistribute": 3, - "DIRECTORY...": 1, - "param": 8, - "also": 7, - "t": 18, - "order": 2, - "configure": 4, - "Shell": 2, - "Join": 1, - "field": 2, - "path_escape_class": 2, - "Matsuno": 2, - "has.": 2, - "name.": 1, - "<--passthru>": 1, - "_build": 2, - "decoding": 1, - "www": 2, - "won": 1, - "Unlike": 1, - "reverse": 1, - "or": 47, - "@results": 14, - "not": 53, - "": 2, - "Can": 1, - "generation": 1, - "_MTN": 2, - "unless": 39, - "<<": 6, - "helpful": 2, - "link": 1, - "Ignore": 3, - "*I": 2, - "values": 5, - "support": 2, - "beforehand": 2, - "correct": 1, - "": 1, - "buffer": 9, - "<--recurse>": 1, - "%": 78, - "you": 33, - ".wango": 1, - "red": 1, - "these": 1, - "": 1, - "create": 2, - "formats": 1, - "REGEX": 2, - "something": 2, - "xml_decl": 1, - "@ENV": 1, - "important": 1, - "nogroup": 2, - "print_first_filename": 2, - "mak": 2, - "/access.log": 1, - "Win32": 9, - "line_no": 12, - "protocol": 1, - "<--group>": 2, - "": 1, - "@pairs": 2, - "Fast": 3, - "advantage": 1, - "returns": 4, - "modules": 1, - "Miyagawa": 2, - "points": 1, - "at": 3, - "five": 1, - "type_wanted.": 1, - "<-f>": 6, - "A": 2, - "type": 69, - "may": 3, - "body_parameters": 3, - "//g": 1, - "on_yellow": 3, - "without": 3, - "g_regex": 4, - "alt": 1, - "Util": 3, - "data": 3, - "mason": 1, - "expecting": 1, - "keys": 15, - "LICENSE": 3, - "level": 1, - "raw_uri": 1, - "returned.": 1, - "asm": 4, - "REQUEST_URI": 2, - "O": 4, - "id": 6, - "send": 1, - "HTTPS": 1, - "comma": 1, - "switches.": 1, - "event": 2, - "object.": 4, - "earlier": 1, - "ascending": 1, - "more": 2, - "application": 10, - "interactively.": 1, - "Returns": 10, - "attributes": 4, - "Dumper": 1, - "warn": 22, - "]": 155, - "explicitly": 1, - "finds": 2, - "FindBin": 1, - "text.": 1, - "sec": 2, - "w/": 3, - "mxml": 2, - "chomp": 3, - "could_be_binary": 4, - "record": 3, - "k": 6, - "chunk": 4, - "references": 1, - "ones": 1, - "ACK_COLOR_FILENAME": 5, - "": 1, - "overrides": 2, - "That": 3, - "lc_basename": 8, - "times": 2, - "contain": 2, - "total_count": 10, - "consistent": 1, - "example": 5, - "_uri_base": 3, - "writes": 1, - "Vim": 3, - "hp": 2, - "Writing": 1, - ".#": 4, - "lineno": 2, - "Console": 2, - "year": 3, - "accessing": 1, - "y": 8, - "know.": 1, - "sysread": 1, - "mod_perl": 1, - "matched": 1, - "vim.": 1, - "dark": 1, - "@keys": 2, - "shortcut": 2, - "": 1, - "used.": 1, - "whatever": 1, - "directories.": 2, - "Internal": 2, - "searching": 6, - "Also": 1, - ".tar": 2, - "COOKIE": 1, - "Response": 16, - "<0x107>": 1, - "@ISA": 2, - "need": 3, - "sh": 2, - "it.": 1, - "": 1, - "contains": 1, - "new": 55, - "filename": 68, - "@exts": 8, - "nobreak": 2, - "*": 8, - "getoptions": 4, - "extension": 1, - "opened": 1, - "Accessor": 1, - "update.": 1, - "sv": 2, - "ack": 38, - "*STDIN": 2, - "scalar": 2, - "ANSI": 3, - "nothing": 1, - "builtin": 2, - "target": 6, - "Go": 1, - "_deprecated": 8, - "me": 1, - "pod2usage": 2, - "delete": 10, - "Jul": 1, - "regardless": 1, - "pipe": 4, - "examples/benchmarks/fib.pl": 1, - "PATH_INFO": 3, - "case.": 1, - "map": 10, - "each": 14, - "metacharacters": 2, - "regex/m": 1 - }, - "Logtalk": { - "memory": 1, - "when": 1, - "automatically": 1, - "executed": 1, - "%": 2, - ".": 2, - ")": 4, - "hello_world": 1, - "(": 4, - "-": 3, - "initialization": 1, - "initialization/1": 1, - "nl": 2, - "the": 2, - "end_object.": 1, - "argument": 1, - "loaded": 1, - "into": 1, - "object": 2, - "write": 1, - "is": 2, - "directive": 1 - }, - "Agda": { - "same": 5, - "Data.Nat": 1, - "module": 3, - "m": 6, - ".": 5, - "n": 14, - "t": 6, - "w": 4, - "s": 29, - "r": 26, - "}": 10, - "z": 18, - "y": 28, - "x": 34, - "{": 10, - "_": 6, - ")": 36, - "(": 36, - "inhabitant": 5, - "one": 1, - "a": 1, - "-": 21, - "get": 1, - "refl": 6, - "open": 2, - "NatCat": 1, - "the": 1, - "ever": 1, - "zero": 1, - "cong": 1, - "obj": 4, - "EasyCategory": 3, - "free": 1, - "for": 1, - "show": 1, - "category": 1, - "can": 1, - "Relation.Binary.PropositionalEquality": 1, - "import": 2, - "Set": 2, - "laws": 1, - "has": 1, - "only": 1, - "relation": 1, - "that": 1, - "assoc": 2, - "single": 4, - "If": 1, - "where": 2, - "trans": 5, - "suc": 6, - "Nat": 1, - ".n": 1, - ".0": 2, - "id": 9, - "you": 2 - }, - "ApacheConf": { - "combined": 4, - "#Scriptsock": 2, - "connect": 2, - "mpm_netware_module": 2, - "}": 16, - "libexec/apache2/mod_actions.so": 1, - "INCLUDES": 2, - "proxy_balancer_module": 2, - "%": 48, - "allow": 10, - "perl": 1, - "/usr/lib/apache2/modules/mod_dir.so": 1, - "{": 16, - "/usr/lib/apache2/modules/mod_proxy_balancer.so": 1, - "miner": 1, - "AllowOverride": 6, - "cgi_module": 2, - "libexec/apache2/mod_authn_file.so": 1, - "#": 182, - "harvest": 1, - "default.conf": 2, - "authnz_ldap_module": 1, - "/usr/lib/apache2/modules/mod_dav_lock.so": 1, - "union": 1, - "/usr/lib/apache2/modules/mod_charset_lite.so": 1, - ".cgi": 2, - "/var/log/apache2/error_log": 1, - "status_module": 2, - "suexec_module": 1, - "libexec/apache2/mod_mime_magic.so": 1, - "SSLRandomSeed": 4, - "/usr/lib/apache2/modules/mod_expires.so": 1, - "deflate_module": 2, - "#CustomLog": 2, - "": 17, - "/usr/lib/apache2/modules/mod_userdir.so": 1, - "setenvif_module": 2, - "libexec/apache2/mod_proxy.so": 1, - "Allow": 4, - "ScriptAlias": 1, - "localhost": 1, - "www.example.com": 2, - "/usr/lib/apache2/modules/mod_proxy.so": 1, - "libexec/apache2/mod_mime.so": 1, - "ServerRoot": 2, - "/usr/lib/apache2/modules/mod_authz_groupfile.so": 1, - "bin": 1, - "script": 2, - "gzip": 6, - "/usr/lib/apache2/modules/mod_authz_host.so": 1, - "F": 1, - ".shtml": 4, - "autoindex.conf": 2, - "/usr/lib/apache2/modules/mod_authnz_ldap.so": 1, - "_www": 2, - "env_module": 2, - "libexec/apache2/mod_usertrack.so": 1, - "libexec/apache2/mod_proxy_scgi.so": 1, - "winhttp": 1, - "/usr/lib/apache2/modules/mod_cache.so": 1, - "/usr/lib/apache2/modules/mod_status.so": 1, - "D": 6, - "libexec/apache2/mod_authz_dbm.so": 1, - "curl": 2, - "you@example.com": 2, - "libexec/apache2/mod_rewrite.so": 1, - "/usr/lib/apache2/modules/mod_ext_filter.so": 1, - "dav_module": 2, - "#Block": 1, - "/usr/lib/apache2/modules/mod_ldap.so": 1, - "manual.conf": 2, - "builtin": 4, - "actions_module": 2, - "libexec/apache2/mod_ssl.so": 1, - "#MaxRanges": 1, - "ht": 1, - "userdir_module": 2, - "RewriteRule": 1, - "dumpio_module": 2, - "libexec/apache2/mod_userdir.so": 1, - "DefaultType": 2, - "php5_module": 1, - "Satisfy": 4, - "OR": 14, - "mime_module": 4, - "proxy_ftp_module": 2, - "Off": 1, - "/usr/lib/apache2/modules/mod_log_forensic.so": 1, - "/usr/lib/apache2/modules/mod_authn_dbm.so": 1, - "libexec/apache2/mod_auth_basic.so": 1, - "": 2, - "libexec/apache2/mod_dumpio.so": 1, - "WebServer": 2, - "/usr/lib/apache2/modules/mod_cgi.so": 1, - "libexec/apache2/mod_authn_dbm.so": 1, - "combinedio": 2, - "#AddEncoding": 4, - "libexec/apache2/mod_cern_meta.so": 1, - "from": 10, - "i": 1, - "imagemap_module": 2, - "authn_default_module": 2, - "<": 1, - "QUERY_STRING": 5, - "libexec/apache2/mod_perl.so": 1, - "THE_REQUEST": 1, - "archiver": 1, - "unlimited": 1, - "/private/etc/apache2/magic": 1, - "substitute_module": 1, - "NC": 13, - "log_forensic_module": 2, - "apache2": 1, - "": 17, - "mem_cache_module": 2, - "/usr/lib/apache2/modules/mod_dumpio.so": 1, - "wget": 2, - "TypesConfig": 2, - "file_cache_module": 1, - "/usr/lib/apache2/modules/mod_authn_anon.so": 1, - "/usr/lib/apache2/modules/mod_cgid.so": 1, - "AddType": 4, - "FollowSymLinks": 4, - "//www.example.com/subscription_info.html": 2, - "authn_alias_module": 1, - "/etc/apache2/mime.types": 1, - "usr": 2, - "dbd_module": 2, - "/usr/lib/apache2/modules/mod_authz_dbm.so": 1, - "LoadModule": 126, - "mpm_winnt_module": 1, - "a": 1, - "grab": 1, - "rewrite_module": 2, - "map": 2, - "Dd": 1, - "md5": 1, - "/missing.html": 2, - "warn": 2, - "/private/var/run/cgisock": 1, - "libexec/apache2/mod_setenvif.so": 1, - "mpm.conf": 2, - "/usr/lib/apache2/modules/mod_autoindex.so": 1, - "loopback": 1, - "authz_groupfile_module": 2, - "libexec/apache2/libphp5.so": 1, - "/usr/lib/apache2/modules/mod_usertrack.so": 1, - "python": 1, - "authz_user_module": 2, - "libexec/apache2/mod_authz_default.so": 1, - "index.php": 1, - "<|>": 6, - "_": 1, - "/usr/lib/apache2/modules/mod_version.so": 1, - "/usr/lib/apache2/modules/mod_unique_id.so": 1, - "/usr/lib/apache2/modules/mod_dbd.so": 1, - "lib": 1, - "/usr/lib/apache2/modules/mod_authn_file.so": 1, - "libexec/apache2/mod_log_forensic.so": 1, - "/etc/apache2/magic": 1, - "dav_lock_module": 1, - "libexec/apache2/mod_env.so": 1, - "libexec/apache2/mod_negotiation.so": 1, - "]": 17, - "var": 2, - "DELETE": 1, - "ErrorLog": 2, - ".0": 2, - "proxy_ajp_module": 2, - "info_module": 2, - "[": 17, - "#ErrorDocument": 8, - "startup": 2, - "insert": 1, - "auth_digest_module": 2, - "#Include": 17, - ".": 7, - "libexec/apache2/mod_imagemap.so": 1, - "libexec/apache2/mod_logio.so": 1, - "/usr/lib/apache2/modules/mod_dav.so": 1, - "clshttp": 1, - "/usr/lib/apache2/modules/mod_vhost_alias.so": 1, - "asis_module": 2, - "cern_meta_module": 2, - "libexec/apache2/mod_authz_groupfile.so": 1, - "negotiation_module": 2, - "email": 1, - "libexec/apache2/mod_asis.so": 1, - "charset_lite_module": 1, - "libexec/apache2/mod_authn_default.so": 1, - "daemon": 2, - "injects": 1, - "ServerAdmin": 2, - "/usr/lib/apache2/modules/mod_authz_owner.so": 1, - "Include": 6, - "/usr/lib/apache2/modules/mod_ssl.so": 1, - "/usr/lib/apache2/modules/mod_cern_meta.so": 1, - "HTTP_USER_AGENT": 5, - "/usr/lib/apache2/modules/mod_actions.so": 1, - ".*": 3, - "*": 1, - "/usr/lib/apache2/modules/mod_suexec.so": 1, - "text/html": 2, - "scan": 1, - "libexec/apache2/mod_proxy_balancer.so": 1, - "#MIMEMagicFile": 2, - "proxy_http_module": 2, - "webobjects": 1, - "authn_dbd_module": 2, - "(": 16, - "ssl_module": 4, - "libexec/apache2/mod_dav_fs.so": 1, - "authz_host_module": 2, - "proxy_scgi_module": 1, - "cgi": 3, - "cast": 1, - "libexec/apache2/mod_ext_filter.so": 1, - "/usr/lib/apache2/modules/mod_authz_default.so": 1, - "#LoadModule": 4, - "libexec/apache2/mod_auth_digest.so": 1, - "dir_module": 4, - "DirectoryIndex": 2, - "version_module": 2, - "mime_magic_module": 2, - "libexec/apache2/mod_info.so": 1, - "/usr/lib/apache2/modules/mod_alias.so": 1, - "|": 80, - "common": 4, - "filter_module": 2, - "off": 5, - ".tgz": 6, - "libexec/apache2/mod_proxy_http.so": 1, - "/usr/lib/apache2/modules/mod_authn_default.so": 1, - "loader": 1, - "proxy_module": 2, - "CustomLog": 2, - "expires_module": 2, - "#Listen": 2, - "cache_module": 2, - "libexec/apache2/mod_authz_owner.so": 1, - "libexec/apache2/mod_ident.so": 1, - "nikto": 1, - "TraceEnable": 1, - "/usr/lib/apache2/modules/mod_include.so": 1, - "application/x": 6, - "type": 2, - "TRACK": 1, - "rsrc": 1, - "deny": 10, - "dav_fs_module": 2, - "x": 4, - "text/plain": 2, - "/usr/lib/apache2/modules/mod_auth_digest.so": 1, - "authn_file_module": 2, - "libexec/apache2/mod_proxy_ftp.so": 1, - "perl_module": 1, - "languages.conf": 2, - "DocumentRoot": 2, - "": 6, - "libexec/apache2/mod_proxy_connect.so": 1, - "logio_module": 3, - "log_config_module": 3, - "libexec/apache2/mod_cache.so": 1, - "reqtimeout_module": 1, - "authz_dbm_module": 2, - "REQUEST_METHOD": 1, - "#EnableSendfile": 2, - "Library": 2, - "libexec/apache2/mod_dir.so": 1, - "benchmark": 1, - "namedfork": 1, - "/usr/lib/apache2/modules/mod_proxy_http.so": 1, - "Listen": 2, - "libexec/apache2/mod_version.so": 1, - "ldap_module": 1, - "TRACE": 1, - "libexec/apache2/mod_dbd.so": 1, - "HTTP_REFERER": 1, - "#AddType": 4, - "libexec/apache2/mod_authn_anon.so": 1, - "r": 1, - "": 6, - "compress": 4, - "#AddHandler": 4, - "libexec/apache2/mod_filter.so": 1, - "declare": 1, - "errordoc.conf": 2, - "/etc/apache2/extra/httpd": 11, - "E": 5, - "/usr/lib/apache2/modules/mod_authn_alias.so": 1, - "auth_basic_module": 2, - "libwww": 1, - "Options": 6, - "authn_dbm_module": 2, - "/var/log/apache2/access_log": 2, - "multilang": 2, - "autoindex_module": 2, - "libexec/apache2/mod_reqtimeout.so": 1, - "extract": 1, - "ext_filter_module": 2, - "All": 4, - "proxy_connect_module": 2, - "site": 1, - "C": 5, - "speling_module": 2, - "n": 1, - "bin/": 2, - "#EnableMMAP": 2, - "RewriteCond": 15, - "": 1, - "Executables": 1, - "A": 6, - "": 1, - "libexec/apache2/mod_authz_host.so": 1, - "/cgi": 2, - "LogFormat": 6, - "update": 1, - "vhosts.conf": 2, - "/usr/lib/apache2/modules/mod_disk_cache.so": 1, - "cgid_module": 3, - "/usr/lib/apache2/modules/mod_mem_cache.so": 1, - "/usr/lib/apache2/modules/mod_imagemap.so": 1, - "ssl.conf": 2, - "HTTrack": 1, - "/usr/lib/apache2/modules/mod_authn_dbd.so": 1, - "unique_id_module": 2, - "MultiViews": 1, - "libexec/apache2/mod_expires.so": 1, - "dav.conf": 2, - "/usr/lib/apache2/modules/mod_env.so": 1, - "libexec/apache2/mod_cgi.so": 1, - "Hh": 1, - "Documents": 1, - "/usr/lib/apache2/modules/mod_negotiation.so": 1, - "#AddOutputFilter": 2, - "HTTP_COOKIE": 1, - "libexec/apache2/mod_autoindex.so": 1, - "share": 1, - "/usr/lib/apache2/modules/mod_headers.so": 1, - "/usr/lib/apache2/modules/mod_file_cache.so": 1, - "Deny": 6, - "": 1, - "authn_anon_module": 2, - "/usr/lib/apache2/modules/mod_rewrite.so": 1, - "/usr/lib/apache2/modules/mod_deflate.so": 1, - "libexec/apache2/mod_log_config.so": 1, - "hfs_apple_module": 1, - ";": 2, - "/usr/lib/apache2/modules/mod_setenvif.so": 1, - "index.html": 2, - "ident_module": 2, - ".gz": 4, - "Ss": 2, - "/usr/lib/apache2/modules/mod_ident.so": 1, - "/usr/lib/apache2/modules/mod_info.so": 1, - "Group": 2, - "disk_cache_module": 2, - "userdir.conf": 2, - "ScriptAliasMatch": 1, - "set": 1, - "authz_owner_module": 2, - "info.conf": 2, - "#ServerName": 2, - "include_module": 2, - "libexec/apache2/mod_vhost_alias.so": 1, - "/private/etc/apache2/extra/httpd": 11, - "vhost_alias_module": 2, - "libexec/apache2/mod_authn_dbd.so": 1, - "/usr/lib/apache2/modules/mod_mime_magic.so": 1, - "/usr/lib/apache2/modules/mod_asis.so": 1, - "LogLevel": 2, - "libexec/apache2/mod_speling.so": 1, - "libexec/apache2/mod_substitute.so": 1, - "/usr/lib/apache2/modules/mod_auth_basic.so": 1, - "select": 1, - "None": 8, - "/usr/lib/apache2/modules/mod_proxy_ajp.so": 1, - "libexec/apache2/mod_authz_user.so": 1, - "": 2, - "libexec/apache2/mod_mem_cache.so": 1, - "Tt": 1, - "mySQL": 1, - "/var/run/apache2/cgisock": 1, - ".1": 1, - "libexec/apache2/mod_status.so": 1, - "/private/etc/apache2/other/*.conf": 1, - "/usr/lib/apache2/modules/mod_proxy_ftp.so": 1, - "http": 2, - "libexec/apache2/mod_unique_id.so": 1, - "drop": 1, - "headers_module": 2, - "java": 1, - "authz_default_module": 2, - "/usr/lib/apache2/modules/mod_proxy_connect.so": 1, - "/": 3, - "./": 1, - "libexec/apache2/mod_include.so": 1, - "z0": 1, - "/usr/lib/apache2/modules/mod_mime.so": 1, - ".Z": 4, - "Indexes": 2, - "default": 1, - "libexec/apache2/mod_hfs_apple.so": 1, - "-": 43, - "REQUEST_URI": 1, - "/usr/lib/apache2/modules/mod_dav_fs.so": 1, - "libexec/apache2/mod_proxy_ajp.so": 1, - "": 1, - "/usr/lib/apache2/modules/mod_authz_user.so": 1, - "usertrack_module": 2, - "CGI": 1, - "libexec/apache2/mod_headers.so": 1, - "alias_module": 4, - "/usr/lib/apache2/modules/mod_speling.so": 1, - "/usr/lib/apache2/modules/mod_filter.so": 1, - "User": 2, - "Order": 10, - "/private/etc/apache2/mime.types": 1, - "HEAD": 1, - "ServerSignature": 1, - "libexec/apache2/mod_deflate.so": 1, - ")": 17, - "all": 10, - "htdocs": 1, - "libexec/apache2/mod_alias.so": 1, - "libexec/apache2/mod_disk_cache.so": 1, - "libexec/apache2/mod_dav.so": 1 - }, - "Opa": { - "server": 1, - "-": 1, - "}": 2, - ")": 4, - "{": 2, - "(": 4, - "Server.one_page_server": 1, - "": 2, - "title": 1, - "Hello": 2, - "world": 2, - "page": 1, - "function": 1, - "

": 2, - "Server.start": 1, - "Server.http": 1 - }, - "Cuda": { - "return": 1, - "threadsPerBlock": 4, - "d_A": 2, - "if": 3, - "const": 2, - "*d_C": 1, - "A": 1, - "cudaDeviceReset": 1, - "elementN": 3, - "numElements": 4, - "iAccum": 10, - "*C": 1, - "__syncthreads": 1, - "+": 12, - "fprintf": 1, - "vectorN": 2, - "sum": 3, - "d_C": 2, - "void": 3, - "(": 20, - ";": 30, - "<<": 1, - "__shared__": 1, - "float": 8, - "i": 5, - "C": 1, - "for": 5, - "accumResult": 5, - "*d_B": 1, - "-": 1, - "int": 14, - "IMUL": 1, - "*B": 1, - "main": 1, - "[": 11, - "exit": 1, - "": 1, - "vectorAdd": 2, - "vectorBase": 3, - "cudaError_t": 1, - "blockIdx.x": 2, - "////////////////////////////////////////////////////////////////////////": 4, - "//Accumulators": 1, - "*": 2, - "ACCUM_N": 4, - "cudaSuccess": 2, - "vectorEnd": 2, - "blockDim.x": 3, - "pos": 5, - "d_B": 2, - "scalarProdGPU": 1, - "": 1, - "": 1, - "cudaGetErrorString": 1, - "////////////////////////////////////////////////////////////////////////////": 2, - "stride": 5, - "{": 8, - "/": 2, - "B": 1, - "err": 5, - "vec": 5, - "]": 11, - "*d_A": 1, - "EXIT_FAILURE": 1, - "__global__": 2, - "threadIdx.x": 4, - "gridDim.x": 1, - "#include": 2, - "*A": 1, - "cache": 1, - "stderr": 1, - ")": 20, - "<": 5, - "cudaGetLastError": 1, - "blocksPerGrid": 1, - "}": 8 - }, - "Coq": { - "i.": 2, - "Hneq": 7, - "t1": 48, - "inversion": 104, - "STLC.": 1, - "Context.": 1, - "eq_rect_eq_nat.": 1, - "incbin": 2, - "APlus": 14, - "eq_rect_eq_nat": 2, - "d": 6, - "HE.": 1, - "Imp.": 1, - "list": 78, - "Tree_Leaf.": 1, - "b1": 35, - "Forall2_app": 1, - "PermutSetoid": 1, - "tm_app": 7, - "in_map_iff.": 2, - "Forall2": 2, - "Sorted.": 1, - "preservation": 1, - "Hle.": 1, - "if_eqA": 1, - "H12": 2, - "fold_map.": 1, - "rev_snoc": 1, - "Lt.lt_irrefl": 2, - "list_to_heap": 2, - "PN.": 2, - "ST_Funny": 1, - "HE": 1, - "card_inj": 1, - ".": 433, - "plus_comm": 3, - "Tactic": 9, - "meq.": 2, - "Hfinj.": 3, - "end": 16, - "inj_restrict": 1, - "tm_abs": 9, - "silly5": 1, - "ftrue": 1, - "right": 2, - "is_heap_rect": 1, - "Tree": 24, - "i1.": 3, - "flat_exist": 3, - "Hlep.": 3, - "permut_add_cons_inside.": 1, - "results": 1, - "contra.": 19, - "x": 266, - "le.": 4, - "lt_O_neq": 2, - "ex_falso_quodlibet.": 1, - "permut_refl": 1, - "neq_dep_intro": 2, - "change": 1, - "x1.": 3, - "h2": 1, - "constructor.": 16, - "Ht": 1, - "]": 173, - "test_andb32": 1, - "THEN": 3, - "ST_IfFalse": 1, - "False.": 1, - "Permutation_app_comm": 3, - "H12.": 1, - "eqA.": 1, - "B": 6, - "beval": 16, - "Permutation_in.": 2, - "order.": 1, - "Theorem": 115, - "nth_error_app1": 1, - "N.": 1, - "perm_nil": 1, - "le_ind": 1, - "HeqS": 3, - "Y.": 1, - "E_BAnd": 1, - "NoDup_cardinal_incl": 1, - "exfalso.": 1, - "meq_congr": 1, - "permut_middle": 1, - "mult_1_distr.": 1, - "H5.": 1, - "Permut_permut.": 1, - "IHn": 12, - "T11.": 4, - "HSnx": 1, - "end.": 52, - "proj1_sig": 1, - "IHHy1": 2, - "Forall2.": 1, - "End": 15, - "contra1.": 1, - "optimize_and": 5, - "E_Plus": 2, - "IHhas_type1.": 1, - "plus_rearrange": 1, - "empty_state": 2, - "@In": 1, - "PG": 2, - "next_nat": 1, - "q": 15, - "override.": 2, - "IHHce2.": 1, - "DO": 4, - "lt_n_Sn.": 1, - "s.": 4, - "WHILE": 5, - "adapt.": 2, - "adapt": 4, - "multiplicity_InA_S": 1, - "partial_map": 4, - "Hm": 1, - "bexp.": 1, - "l1": 89, - ";": 375, - "a.": 6, - "v_const.": 1, - "Heqg": 1, - "sinstr.": 1, - "loop": 2, - "exact": 4, - "treesort_twist1": 1, - "exist": 7, - "IHc1": 2, - "plus_distr.": 1, - "Prop": 17, - "app_nil_end": 1, - "tm": 43, - "e1": 58, - "IHclos_refl_trans1.": 2, - "v_funny.": 1, - "app": 5, - "Implicit": 15, - "Permutation_cons_append.": 3, - "intros.": 27, - "Ht.": 3, - "j": 6, - "adapt_ok": 2, - "eq_refl": 2, - "leA_refl.": 1, - "natoption": 5, - "Permutation_NoDup": 1, - "mult_0_1": 1, - "override_example1": 1, - "com": 5, - "Hf": 15, - "O": 98, - "r2": 2, - "nat": 108, - "E_BNot": 1, - "Hf1": 1, - "setoid_rewrite": 2, - "interval_dec": 1, - "plus_0_r.": 1, - "le_reflexive.": 1, - "sillyex1": 1, - "eq.": 11, - "list123": 1, - "ny": 2, - "perm_trans": 1, - "munion_ass": 1, - "InA": 8, - "simpl": 116, - "k2": 4, - "noWhilesAss": 1, - "T_Abs.": 1, - "Hnm": 3, - "arith.": 8, - "H0": 16, - "auto.": 47, - "noWhilesSeq.": 1, - "ListNotations.": 1, - "Htrans.": 1, - "Hfinj": 1, - "next_nat_closure_is_le": 1, - "prod_curry": 3, - "s_execute2": 1, - "v_abs.": 2, - "EQ": 8, - "lt": 3, - "permut_app_inv1": 1, - "rewrite": 241, - "Hlefy": 1, - "ST_PlusConstConst.": 3, - "plus_reg_l.": 1, - "Q.": 2, - "reflexive.": 1, - "forallb": 4, - "SPush": 8, - "E_WhileLoop": 2, - "rev": 7, - "c": 70, - "option": 6, - "H8.": 1, - "optimize_and_sound": 1, - "SSCase": 3, - "and": 1, - "nil.": 2, - "split.": 17, - "Heqr.": 1, - "plus_n_Sm.": 1, - "H": 76, - "l3.": 1, - "e1.": 1, - "false.": 12, - "le_Sn_le": 2, - "H11": 2, - "assumption": 10, - "Hl2": 1, - "grumble": 3, - "s_execute": 21, - "-": 508, - "tm_plus": 30, - "reflexivity.": 199, - "beval_short_circuit": 5, - "Lt.lt_not_le": 2, - "Require": 17, - "wednesday": 3, - "saturday": 3, - "IHt.": 1, - "empty_relation.": 1, - "v_abs": 1, - "bool_step_prop4_holds": 1, - "remove_one": 3, - "v.": 1, - "AId": 4, - "Lt.le_or_lt": 1, - "leA_Tree_Leaf": 5, - "beq_id": 14, - "test_nandb4": 1, - "silly4": 1, - "rt_refl.": 2, - "eval_cases": 1, - "ST_App1.": 2, - "ident": 9, - "other.": 4, - "test_aeval1": 1, - "SimpleArith0.": 2, - "total_relation1.": 2, - "test_orb4": 1, - "Lt.S_pred": 3, - "meq_right": 2, - "exists": 60, - "mult_distr": 1, - "SLoad": 6, - "optimize_0plus_sound": 4, - "transitivity": 4, - "test_andb31": 1, - "ST_If": 1, - "strong_progress": 2, - "is_heap": 18, - "ST_App2": 1, - "Hmn.": 1, - "K_dec_set": 1, - "HSnx.": 1, - "HT1.": 1, - "Permutation_alt": 1, - "Hnil": 1, - "Permutation_middle": 2, - "A": 113, - "AExp.": 2, - "Resolve": 5, - "HeqCoiso2.": 1, - "E_AMinus": 2, - "merge": 5, - "permut_length": 1, - "&": 21, - "ST_AppAbs.": 3, - "st.": 7, - "leA_antisym": 1, - "interval_discr": 1, - "prod": 3, - "heap_to_list": 2, - "reflexive": 5, - "ST_If.": 2, - "IHm": 2, - "Htrans": 1, - "leA": 25, - "Hgefy": 1, - "Hlep": 4, - "trivial": 15, - "Temp2.": 1, - "list_contents_app": 5, - "IHa2": 1, - "not": 1, - "power": 2, - "rt_step": 1, - "c2": 9, - "E_Anum": 1, - "nil": 46, - "p": 81, - "injective": 6, - "loopdef.": 1, - "command": 2, - "aeval_iff_aevalR": 9, - "ty_Bool": 10, - "Hginj": 1, - "Hl": 1, - "Permutation_ind_bis": 2, - "specialize": 6, - "rt_step.": 2, - "card_interval": 1, - "context": 1, - "Heqf": 1, - "l0": 7, - "permut_add_inside": 1, - "rename": 2, - "T.": 9, - "permut_right": 1, - "rsc_R": 2, - "tl": 8, - "eqA_dec.": 2, - "H0.": 24, - "nn.": 1, - "execute_theorem": 1, - "aevalR_first_try.": 2, - "Permutation_app": 3, - "permut_cons_eq": 3, - "reflexivity": 16, - "tm_false.": 3, - "Hgsurj.": 1, - "Reserved": 4, - "bl": 3, - "aexp": 30, - "map": 4, - "discriminate": 3, - "XtimesYinZ": 1, - "BEq": 9, - "NoDup_Permutation_bis": 2, - "Permutation_trans": 4, - "Constructors": 3, - "Multiset": 2, - "extend.": 2, - "app_ass": 1, - "beval_iff_bevalR": 1, - "IHl.": 7, - "LeA": 1, - "nth": 2, - "n.": 44, - "normal_form.": 2, - "i": 11, - "IHHce.": 2, - "aeval": 46, - "in_map_iff": 1, - "m2.": 1, - "Heq": 8, - "unfold": 58, - "IHhas_type.": 1, - "y.": 15, - "transitive": 8, - "id.": 1, - "E_ANum": 1, - "N": 1, - "lt_irrefl": 2, - "r1": 2, - "natprod.": 1, - "existsb2.": 1, - "AMult": 9, - "subst": 7, - "permut_InA_InA": 3, - "meq_left": 1, - "rev_involutive.": 1, - "curry_uncurry": 1, - "3": 2, - "merge0.": 2, - "Coiso2.": 3, - "nx": 3, - "IHi1": 3, - "Permutation_map": 1, - "permutation_Permutation": 1, - "tactic": 9, - "substitution_preserves_typing": 1, - "double": 2, - "k1": 5, - "andb": 8, - "revert": 5, - "meq_singleton": 1, - "left": 6, - "andb_true_intro.": 2, - "eqA_equiv": 1, - "A2": 4, - "permut_length_1.": 2, - "s_execute1": 1, - "True": 1, - "Tree_Node": 11, - "Notation": 39, - "Hlefx": 1, - "refl_step_closure": 11, - "mult": 3, - "}": 35, - "In": 6, - "Hnm.": 3, - "multiplicity_NoDupA": 1, - "test_step_2": 1, - "Eqdep_dec.": 1, - "aexp.": 1, - "map_length": 1, - "b": 89, - "plus_O_n.": 1, - "idB": 2, - "Hfbound.": 2, - "Hy": 14, - "Permutation_add_inside": 1, - "low_trans": 3, - "leA_Tree_Node": 1, - "Sorting.": 1, - "bool_step_prop4": 1, - "x2": 3, - "state": 6, - "G": 6, - "Temp5.": 1, - "H10": 1, - "noWhilesSeq": 1, - "Hl1": 1, - "plus_comm.": 3, - "S_nbeq_0": 1, - "lt_le_trans": 1, - "Heqe.": 3, - "eqA": 29, - "of": 4, - "permutation.": 1, - "red.": 1, - "ty": 7, - "permut_tran": 1, - "le_n_O_eq.": 2, - "Hneqy.": 2, - "silly_ex": 1, - "beq_id_false_not_eq": 1, - "congruence.": 1, - "le_neq_lt": 2, - "card_inj_aux": 1, - "HeqS.": 2, - "ST_IfTrue.": 1, - "partial_function.": 5, - "bin": 9, - "mult_assoc": 1, - "by": 7, - "test_nandb3": 1, - "Module": 11, - "Global": 5, - "silly3": 1, - "E_AMult": 2, - "cons_leA": 2, - "node_is_heap": 7, - "Prop.": 1, - "exp": 2, - "IHHT1.": 1, - "test_orb3": 1, - "nat.": 4, - "rt_trans": 3, - "plus3": 2, - "v": 28, - "bevalR": 11, - "andb_false_r": 1, - "ST_Plus1.": 2, - "next_nat.": 1, - "SPlus": 10, - "None": 9, - "H3.": 5, - "Hy2": 3, - "E.": 2, - "injection": 4, - "[": 170, - "SetoidList.": 1, - "existsb": 3, - "insert_spec": 3, - "merge_exist": 5, - "multiplicity_InA.": 1, - "v_const": 4, - "le_n_S": 1, - "rsc_trans": 4, - "BAnd": 10, - "nandb": 5, - "BO": 4, - "pattern": 2, - "%": 3, - "le_antisymmetric.": 1, - "q.": 2, - "eauto.": 7, - "leA_dec": 4, - "permut_rev": 1, - "plus_n_Sm": 1, - "length": 21, - "rt_refl": 1, - "break_list": 5, - "Permutation_length.": 1, - "IHl": 8, - "bool": 38, - "mult_plus_1.": 1, - "j.": 1, - "no_whiles_eqv": 1, - "seq": 2, - "perm_swap": 1, - "le_n.": 6, - "Hgefx": 1, - "IHa1": 1, - "Permutation_app_head": 2, - "HF.": 3, - "Permutation_nil": 2, - "Hlt": 3, - "TODO": 1, - "eq_S.": 1, - "E_IfTrue": 2, - "c1": 14, - "Permutation_alt.": 1, - "Lt.le_lt_or_eq": 3, - "le": 1, - "o": 25, - "Permut.": 1, - "fmostlytrue": 5, - "fst": 3, - "SKIP": 5, - "T": 49, - "H22": 2, - "factorial": 2, - "plus_1_1": 1, - "invert_heap": 3, - "permut_remove_hd": 1, - "le_trans.": 1, - "plus_swap": 2, - "permut_conv_inv": 1, - "repeat": 11, - "bin.": 1, - "step_cases": 4, - "HdRel": 4, - "idB.": 1, - "eval": 8, - "plus_id_exercise": 1, - "i2.": 8, - "build_heap": 3, - "*.": 110, - "omega.": 7, - "context_invariance...": 2, - "IHe": 2, - "@HdRel_inv": 2, - "X0": 2, - "rsc_refl": 1, - "Qed": 23, - "Inductive": 41, - "destruct": 94, - "ly": 4, - "combine": 3, - "app_ass.": 6, - "x2.": 2, - "i2": 10, - "Hdec": 3, - "BNot": 9, - "EQ.": 2, - "h": 14, - "minus": 3, - "nth_error_None": 4, - "merge_lem": 3, - "is_heap_rec": 1, - "compatible": 1, - "partial_function": 6, - "Heqy": 1, - "M": 4, - "plus3.": 1, - "O.": 5, - "all3_spec": 1, - "SMult": 11, - "2": 1, - "Permutation_refl": 1, - "tm_const": 45, - "EmptyBag": 2, - "permut_app": 1, - "idBB": 2, - "bool_step_prop4.": 2, - "base": 3, - "else": 9, - "ct": 2, - "IHt3": 1, - "permut_nil": 3, - "assertion": 3, - "Heqst1": 1, - "tm_true": 8, - "t_true": 1, - "H.": 100, - "incl": 3, - "IHhas_type2.": 1, - "list_contents_app.": 1, - "l1.": 5, - "step_deterministic": 1, - "with": 223, - "A1": 2, - "plus_1_1.": 1, - "Playground1.": 5, - "option_elim_hd": 1, - "total": 2, - "snoc_with_append": 1, - "E_Ass": 1, - "Permutation_app_swap": 1, - "Sn_le_Sm__n_le_m.": 1, - "|": 457, - "bag": 3, - "Permutation_rev": 3, - "leA_Tree": 16, - "test_step_1": 1, - "Scheme": 1, - "t.": 4, - "IHe1.": 11, - "perm_swap.": 2, - "@app": 1, - "Hx": 20, - "a": 207, - "test": 4, - "beq_id_refl": 1, - "m1": 1, - "equivalence": 1, - "b.": 14, - "head": 1, - "Heqr": 3, - "x1": 11, - "LeA.": 1, - "Section": 4, - "SMinus": 11, - "ceval_step_more": 7, - "refl_equal": 4, - "IHt1.": 1, - "rsc_step.": 2, - "tx": 2, - "E_BEq": 1, - "IHclos_refl_trans2.": 2, - "+": 227, - "stepmany_congr2": 1, - "SingletonBag": 2, - "filter": 3, - "prod_uncurry": 3, - "Omega": 1, - "bounded": 1, - "Relations": 2, - "test_nandb2": 1, - "natoption.": 1, - "NatList.": 2, - "leA_antisym.": 1, - "Hmo": 1, - "xSn": 21, - "test_orb2": 1, - "plus2": 1, - "bexp": 22, - "nil_is_heap.": 1, - "plus_swap.": 2, - "Hypothesis": 7, - "Hy1": 2, - "Lemma": 51, - "symmetry": 4, - "Hy1.": 5, - "eqA_dec": 26, - "<=m}>": 1, - "Z": 11, - "s2": 2, - "Hq": 3, - "idBBBB": 2, - "ST_IfTrue": 1, - "Permutation_impl_permutation": 1, - "plus_assoc": 1, - "ty.": 2, - "a2": 62, - "plus_O_n": 1, - "arith": 4, - "Permutation_app_inv": 1, - "@rev": 1, - "T3": 2, - "munion_comm": 1, - "meq_congr.": 1, - "le_order": 1, - "eauto": 10, - "in": 221, - "permut_cons": 5, - "cf": 2, - "meq_trans.": 1, - "plus_reg_l": 1, - "fold": 1, - "permutation": 43, - "nth_error": 7, - "Permutation_cons_append": 1, - "mult_1_plus": 1, - "IHc1.": 2, - "H22.": 1, - "IHP": 2, - "Lt.lt_le_trans": 2, - "PD": 2, - "dependent": 6, - "n": 369, - "override_eq": 1, - "beq_nat": 24, - "subst.": 43, - "order": 2, - "Export": 10, - "S": 186, - "H21": 3, - "rev_exercise": 1, - "permut_refl.": 5, - "total_relation": 1, - "fold_map_correct": 1, - "bval": 2, - "@length": 1, - "l.": 26, - "Hfbound": 1, - "do": 4, - "rsc_step": 4, - "eq2": 1, - "count": 7, - "E_Skip": 1, - "idtac": 1, - "Sorted_inv": 2, - "Defined.": 1, - "dep_pair_intro": 2, - "Mergesort.": 1, - "t2.": 4, - "munion_comm.": 2, - "H4": 7, - "ST_App2.": 1, - "permut_add_inside_eq": 1, - "s_compile": 36, - "rsc_refl.": 4, - "test_oddb2": 1, - "surjective": 1, - "SimpleArith1.": 2, - "e.": 15, - "nil_app": 1, - "no_whiles_terminate": 1, - "insert": 2, - "Heq.": 6, - "test_remove_one1": 1, - "lx": 4, - "ceval_step": 3, - "Hal": 1, - "beq_nat_refl": 3, - "E_Const": 2, - "induction": 81, - "map_length.": 1, - "i1": 15, - "permut_sym": 4, - "other": 20, - "pose": 2, - "le_antisymmetric": 1, - "Arith.": 2, - "g": 6, - "meq": 15, - "Hmo.": 4, - "app_length.": 2, - "singletonBag": 10, - "beq_natlist": 5, - "execute_theorem.": 1, - "Hx.": 5, - "le_S_n": 2, - "Heqx": 4, - "snd": 3, - "@nil": 1, - "mult_plus_distr_r.": 1, - "step_example3": 1, - "multiset": 2, - "auto": 73, - "Hf.": 1, - "1": 1, - "pred": 3, - "AMinus": 9, - "app_nil_r": 1, - "Permutation.": 2, - "Hneqy": 1, - "IHt2": 3, - "mult_0_plus": 1, - "v2": 2, - "countoddmembers": 1, - "IHa1.": 1, - "bexp_cases": 4, - "T2.": 1, - "stepmany": 4, - "permut_length_2": 1, - "le_not_a_partial_function": 1, - "Temp3.": 1, - "<->": 31, - "BLe": 9, - "Hxx": 1, - "NoDupA": 3, - "dep_pair_intro.": 3, - "test_factorial1": 1, - "mult_1_1": 1, - "assignment": 1, - "beq_nat_refl.": 1, - "SCase.": 3, - "sym_not_eq.": 2, - "card_interval.": 2, - "Import": 11, - "eq2.": 9, - "insert_exist": 4, - "cons_leA.": 2, - "Sorted": 5, - "Hfx": 2, - "{": 39, - "via": 1, - "Hle": 1, - "silly2a": 1, - "beq_nat_O_l": 1, - "elim": 21, - "Variable": 7, - "friday": 3, - "extend_neq": 1, - "Sn_le_Sm__n_le_m": 2, - "intro": 27, - "eq": 4, - "equiv_Tree": 1, - "m0": 1, - "unfold_example_bad": 1, - "E": 7, - "Abs": 2, - "permut_cons_InA": 3, - "x0": 14, - "value.": 1, - "index": 3, - "rtc_rsc_coincide": 1, - "le_reflexive": 1, - "H1.": 31, - "END": 4, - "C.": 3, - "merge0": 1, - "NEQ": 1, - "*": 59, - "le_lt_trans": 2, - "cons": 26, - "E_Seq": 1, - "cl": 1, - "heap_exist": 3, - "into": 2, - "test_nandb1": 1, - "silly1": 1, - "HeapT3": 1, - "cons_sort": 2, - "T12": 2, - "Hmn": 1, - "Fixpoint": 36, - "t_false": 1, - "IHm.": 1, - "tm_var": 6, - "uncurry_uncurry": 1, - "no_whiles": 15, - "@munion": 1, - "test_orb1": 1, - "o.": 4, - "Definition": 46, - "leA_refl": 1, - "z.": 6, - "le_n": 4, - "t": 93, - "ST_ShortCut.": 1, - "Relations.": 1, - "negb": 10, - "mult_plus_distr_r": 1, - "Hy0": 1, - "permut_eqA": 1, - "Y": 38, - "com_cases": 1, - "In_split": 1, - "s1": 20, - "flat_spec": 3, - "meq_sym": 2, - "thursday": 3, - "le_S": 6, - "Hp": 5, - "assert": 68, - "f_equal": 1, - "h.": 1, - "snoc": 9, - "preorder": 1, - "bool.": 1, - "lt_trans": 4, - "ble_n_Sn.": 1, - "seq_NoDup": 1, - "trivial.": 14, - "InA_split": 1, - "l4": 3, - "a1": 56, - "SCase": 24, - "None.": 2, - "override_neq": 1, - "T2": 20, - "let": 3, - "tp": 2, - "antisymmetric": 3, - "Proof": 12, - "clear": 7, - "ceval_cases": 1, - "tm_if": 10, - "xs": 7, - "if_eqA_then": 1, - "where": 6, - "test_beq_natlist2": 1, - "aexp_cases": 3, - "ANum": 18, - "perm_skip": 1, - "leA_trans": 2, - "Hgsurj": 3, - "n2": 41, - "m": 201, - "level": 11, - "fold_map": 2, - "Hswap": 2, - "y2": 5, - "tuesday.": 1, - "override_example4": 1, - "ELSE": 3, - "id2": 2, - "IHe2": 6, - "multiplicity_InA_O": 2, - "x=": 1, - "R": 54, - "existsb2": 2, - "defs.": 2, - "constfun": 1, - "tm_cases": 1, - "assumption.": 61, - "Permutation_cons_app": 3, - "monday": 5, - "eq1": 6, - "s_compile_correct": 1, - "optimize_0plus_all": 2, - "iff": 1, - "tm.": 3, - "permut_trans": 5, - "Hafi.": 2, - "H11.": 1, - "ny.": 1, - "E_WhileEnd": 2, - "LT": 14, - "if": 10, - "H3": 4, - "Hpq.": 1, - "Let": 8, - "beq_id_false_not_eq.": 1, - "permut_sym_app": 1, - "st": 113, - "IHHmo.": 1, - "IHHT2.": 1, - "test_oddb1": 1, - "FI": 3, - "IHbevalR2": 1, - "E_APlus": 2, - "ST_Plus2.": 2, - "empty": 3, - "X.": 4, - "index_okx": 1, - "at": 17, - "H4.": 2, - "silly_presburger_formula": 1, - "BFalse": 11, - "fix": 2, - "if_eqA_refl": 3, - "t3": 6, - "beq_nat_O_r": 1, - "Permutation_nil_cons": 1, - "Type.": 3, - "f": 108, - "Hneq.": 2, - "Minus.minus_Sn_m": 1, - "b3": 2, - "day": 9, - "normal_form": 3, - "symmetry.": 2, - "IHHce1.": 1, - "Permutation_app_tail": 2, - "IHp.": 2, - "update": 2, - "ty_Bool.": 1, - "r.": 3, - "IHl1.": 1, - "contents": 12, - "0": 5, - "Hneqx": 1, - "IHt1": 2, - "mumble.": 1, - "Hceval.": 4, - "Compare_dec": 1, - "v1": 7, - "sunday": 2, - "permut_length_1": 1, - "silly7": 1, - "Setoid": 1, - "munion_ass.": 2, - "plus_1_neq_0": 1, - "clos_refl_trans": 8, - "eval__value": 1, - "value": 25, - "oddb": 5, - "sinstr": 8, - "andb_true_elim2": 4, - "z": 14, - "noWhilesSKIP.": 1, - "IHA": 2, - "Type": 86, - "true": 68, - "_": 67, - "test_andb34": 1, - "IHbevalR": 1, - "right.": 9, - "app_comm_cons": 5, - "bin2un": 3, - "D": 9, - "card": 2, - "Hl.": 1, - "IHcontra2.": 1, - ")": 1249, - "le_uniqueness_proof": 1, - "evenb": 5, - "is": 4, - "ty_arrow": 7, - "surjective_pairing": 1, - "st1": 2, - "Case_aux": 38, - "IHle.": 1, - "mult_1.": 1, - "false": 48, - "plus_id_example": 1, - "mumble": 5, - "prog": 2, - "@Permutation": 5, - "IHp": 2, - "option_elim": 2, - "override_example": 1, - "treesort": 1, - "Tree_Leaf": 9, - "T11": 2, - "next_nat_partial_function": 1, - "natlist": 7, - "LT.": 5, - "now": 24, - "characterization": 1, - "first": 18, - "minustwo": 1, - "proj2_sig": 1, - "s": 13, - "||": 1, - "gtA": 1, - "replace": 4, - "Id": 7, - "Case": 51, - "eq1.": 5, - "Permutation_app.": 1, - "X": 191, - "P.": 5, - "Heqx.": 2, - "stack": 7, - "adapt_injective": 1, - "Hperm": 7, - "Tree.": 1, - "E_BLe": 1, - "HT": 1, - "ST_IfFalse.": 1, - "l3": 12, - "a0": 15, - "Heqf.": 2, - "Equivalence_Reflexive": 1, - "<=n),>": 1, - "Arguments.": 2, - "T1": 25, - "datatypes.": 47, - "Hceval": 2, - "le_not_lt": 1, - "l2.": 8, - "eapply": 8, - "then": 9, - "e3": 1, - "T_Var.": 1, - "IHs.": 2, - "Heqloopdef.": 8, - "Injection": 1, - "Ltac": 1, - "plus": 10, - "decide": 1, - "List": 2, - "empty_relation_not_partial_funcion": 1, - "Gamma": 10, - "test_beq_natlist1": 1, - "IHa.": 1, - "IHe2.": 10, - "IHl1": 1, - "try": 17, - "c.": 5, - "l": 379, - "n1": 45, - "noWhilesSKIP": 1, - "y1": 6, - "mult_comm": 2, - "left.": 3, - "Permutation": 38, - "override_example3": 1, - "id1": 2, - "IHe1": 6, - "Hpermmm": 1, - "red": 6, - "Q": 3, - "test_hd_opt2": 2, - "Permutation_nil_app_cons": 1, - "Hskip": 3, - "IHrefl_step_closure.": 1, - "extend": 1, - "Hf3": 2, - "simple": 7, - "f_equal.": 1, - "bin_comm": 1, - "andb3": 5, - "BD.": 1, - "eq_rect": 3, - "app_nil_end.": 1, - "Example": 37, - "contradict": 3, - "test_next_weekday": 1, - "day.": 1, - "stepmany_congr_1": 1, - "H2": 12, - "HeqCoiso1.": 1, - "le_O_n.": 2, - "multiplicity": 6, - "split": 14, - "plus_ble_compat_1": 1, - "IHbevalR1": 1, - "Logic.eq": 2, - "ConT3": 1, - "IHb": 1, - "<=>": 12, - "nat_scope.": 3, - "permut_add_cons_inside": 3, - "associativity": 7, - "override": 5, - "E_IfFalse": 1, - "Hy2.": 2, - "NoDupA_equivlistA_permut": 1, - "as": 77, - "forall": 248, - "not_eq_beq_false.": 1, - "mult_mult.": 3, - "Temp1.": 1, - "pred_inj.": 1, - "..": 4, - "t2": 51, - "beq_nat_sym": 2, - "app_assoc": 2, - "eq_nat_dec.": 1, - "Proof.": 208, - "e": 53, - "beq_id_eq": 4, - "pair": 7, - "discriminate.": 2, - "b2": 23, - "mult_0_r.": 4, - "match": 70, - "type_scope.": 1, - "intuition.": 2, - "Fact": 3, - "zero_nbeq_S": 1, - "Ha": 6, - "remove_all": 2, - "IFB": 4, - "Morphisms.": 2, - "decide_left": 1, - "HF": 2, - "Proper": 5, - "/": 41, - "not.": 3, - "remove_decreases_count": 1, - "LE.": 3, - "if_eqA_rewrite_l": 1, - "proof": 1, - "mult_mult": 1, - "y2.": 3, - "Lists.": 1, - "Immediate": 1, - "tuesday": 3, - "S.": 1, - "step": 9, - "silly6": 1, - "IHc2.": 2, - "not_eq_beq_id_false": 1, - "BTrue": 10, - "L12": 2, - "T_App": 2, - "A.": 6, - "step.": 3, - "hd_opt": 8, - "al": 3, - "andb_true_elim1": 4, - "v_false": 1, - "y": 116, - "beq_natlist_refl": 1, - "test_optimize_0plus": 1, - "mult_plus_1": 1, - "bad": 1, - "Qed.": 194, - "aevalR": 18, - "orb": 8, - "test_andb33": 1, - "parsing": 3, - "Some": 21, - "existsb_correct": 1, - "NoDup": 4, - "Permutation_middle.": 3, - "m.": 21, - "x.": 3, - "t3.": 2, - "@meq": 4, - "nf_same_as_value": 3, - "Equivalence_Reflexive.": 1, - "HT.": 1, - "apply": 340, - "ble_nat": 6, - "Local": 7, - "Equivalence": 2, - "only": 3, - "f.": 1, - "test_repeat1": 1, - "beval_short_circuit_eqv": 1, - "noWhilesAss.": 1, - "nth_error_app2": 1, - "SimpleArith2.": 1, - "(": 1248, - "intros": 258, - "interval_dec.": 1, - "symmetric": 2, - "contradiction": 8, - "Coiso1.": 2, - "Hlt.": 1, - "IHrefl_step_closure": 1, - "no_Whiles": 10, - "IHP2": 1, - "LE": 11, - "seq_NoDup.": 1, - "Nonsense.": 4, - "ST_Plus1": 2, - "multiplicity_InA": 4, - "Forall2_cons": 1, - "set": 1, - "v_true": 1, - "@if_eqA_rewrite_l": 2, - "ST_PlusConstConst": 3, - "inversion_clear": 6, - "meq_trans": 10, - "noWhilesIf": 1, - "beq_false_not_eq": 1, - "eq_add_S": 2, - "transitive.": 1, - "Instance": 7, - "SfLib.": 2, - "swap_pair": 1, - "r": 11, - "le_lt_dec": 9, - "munion": 18, - "double_injective": 1, - "a0.": 1, - "Hy.": 3, - "E_BTrue": 1, - "Hn": 1, - "optimize_0plus": 15, - "injective_map_NoDup": 2, - "IH": 3, - "Hint": 9, - "list_contents": 30, - "lt.": 2, - "app_length": 1, - "Alternative": 1, - "Permutation_length": 2, - "value_not_same_as_normal_form": 2, - "l2": 73, - "<": 76, - "Forall2_app_inv_r": 1, - "Basics.": 2, - "noWhilesIf.": 1, - "IHa2.": 1, - "optimize_0plus_all_sound": 1, - "treesort_twist2": 1, - "nil_is_heap": 5, - "relation": 19, - "T0": 2, - "plus_assoc.": 4, - "Temp4.": 2, - "IHc2": 2, - "Logic.": 1, - "e2": 54, - "nat_bijection_Permutation": 1, - "normalizing": 1, - "Hneqx.": 2, - "<=n}>": 1, - "s_compile1": 1, - "next_weekday": 3, - "omega": 7, - "generalize": 13, - "Hfsurj": 2, - "appears_free_in": 1, - "Permutation_nth_error": 2, - "Set": 4, - "le_trans": 4, - "injective_bounded_surjective": 1, - "true.": 16, - "remember": 12, - "n0": 5, - "mult_1": 1, - "k": 7, - "E_BFalse": 1, - "case": 2, - "tm_false": 5, - "override_example2": 1, - "Hg": 2, - "Permutation_sym": 1, - "H2.": 20, - "P": 32, - "test_hd_opt1": 2, - "Arguments": 11, - "Hf2": 1, - "has_type": 4, - "total_relation_not_partial_function": 1, - "le_Sn_n": 5, - "le_S.": 4, - "natprod": 5, - "sillyex2": 1, - "beq_nat_eq": 2, - "if_eqA_rewrite_r": 1, - "using": 18, - "constructor": 6, - "id": 7, - "IHn.": 3, - "H1": 18, - "in_seq": 4, - "p.": 9, - "adapt_injective.": 1, - "munion_rotate.": 1, - "simpl.": 70, - "fun": 17, - "types_unique": 1, - "emptyBag": 4 - }, - "RobotFramework": { - "work": 1, - "without": 1, - "new": 1, - "Given": 1, - "people": 2, - "or": 1, - "User": 2, - "cleared": 2, - "especially": 1, - "into": 1, - "and": 2, - "level": 1, - "syntax.": 1, - "Settings": 3, - "]": 4, - "purpose": 1, - "Push": 16, - "An": 1, - "fails": 1, - "Simple": 1, - "better.": 1, - "constructed": 1, - "similar": 1, - "BuiltIn": 1, - "keyword_.": 1, - "has": 5, - "|": 1, - "their": 1, - "cases": 2, - "look": 1, - "The": 2, - "This": 3, - "custom": 1, - "times.": 1, - "/": 5, - "CalculatorLibrary": 5, - "of": 3, - "difference": 1, - "are": 1, - "Failing": 1, - "Subtraction": 1, - "Calculation": 3, - "Example": 3, - "from": 1, - "also": 2, - "Template": 2, - "buttons": 4, - "understand": 1, - "popular": 1, - "test": 6, - "Clear": 1, - "understood": 1, - "need": 3, - "multiple": 2, - "works": 3, - "Multiplication": 1, - "error": 4, - "#": 2, - "show": 1, - "when": 2, - "syntax": 1, - "higher": 1, - "fail": 2, - "variable": 1, - "editing": 1, - "been": 3, - "this": 1, - "calculation": 2, - "easy": 1, - "business": 2, - "http": 1, - "a": 4, - "zero.": 1, - "in": 5, - "be": 9, - "even": 1, - "result": 2, - "easily": 1, - "It": 1, - "Calculate": 3, - "Should": 2, - "data": 2, - "keyword": 5, - "existing": 1, - "_gherkin_": 2, - "gherkin": 1, - "[": 4, - "pushes": 2, - "names.": 1, - "}": 15, - "one": 1, - "arguments": 1, - "expected": 4, - "style": 3, - "workflow": 3, - "last": 1, - "Cases": 3, - "-": 16, - "Creating": 1, - "contain": 1, - "made": 1, - "abstraction": 1, - "file": 1, - "*": 4, - "driven": 4, - "the": 9, - "built": 1, - "automation.": 1, - "Cucumber": 1, - "embedded": 1, - "keywords": 3, - "to": 5, - "how": 1, - "people.": 1, - "user": 2, - "as": 1, - "tests": 5, - "Result": 8, - "exception": 1, - "equal": 1, - "Keywords": 2, - "C": 4, - "All": 1, - "Expected": 1, - "you": 1, - "_template": 1, - "types": 2, - "calculator": 1, - "that": 5, - "like.": 1, - "Addition": 2, - "Longer": 1, - "normal": 1, - "programming": 1, - "Then": 1, - "equals": 2, - "Test": 4, - "Division": 2, - "When": 1, - "approach.": 2, - "expression.": 1, - "examples.": 1, - "on": 1, - "Arguments": 2, - "...": 28, - "for": 2, - "Notice": 1, - "expression": 5, - "button": 13, - "examples": 1, - "same": 1, - "{": 15, - "well": 3, - "should": 9, - "Invalid": 2, - "testing": 2, - ".": 4, - "If": 1, - "Calculator": 1, - "using": 4, - "by": 3, - "turn": 1, - "+": 6, - "//cukes.info": 1, - "these": 1, - "cause": 1, - "Using": 1, - "may": 1, - "repeat": 1, - "failures": 1, - "Expression": 1, - "EMPTY": 3, - "case": 1, - "uses": 1, - "kekkonen": 1, - "skills.": 1, - "kind": 2, - "use": 2, - "***": 16, - "Library": 3, - "created": 1, - "act": 1, - "Tests": 1, - "Documentation": 3, - "is": 6 - }, - "CoffeeScript": { - "._nodeModulePaths": 1, - "stack": 4, - "byte": 2, - "next": 3, - "winner": 2, - "@domain": 3, - "root": 1, - "@for": 2, - "constructor": 6, - "@pool.quit": 1, - "tag": 33, - "exports.compile": 1, - "script.length": 1, - "}": 34, - "IPAddressSubdomain.pattern.test": 1, - "@handleRequest": 1, - "value": 25, - "@tokens.pop": 1, - "math": 1, - "_module.paths": 1, - "WHITESPACE": 1, - "access": 1, - "%": 1, - "remainder": 1, - "octalEsc": 1, - "createSOA": 2, - "@name": 2, - "vm.runInContext": 1, - "NOT_SPACED_REGEX": 2, - "length": 4, - "Server": 2, - "input.length": 1, - "HEREGEX_OMIT": 3, - "res.header.rcode": 1, - "{": 31, - "num": 2, - "code": 20, - "name.capitalize": 1, - "loadEnvironment": 1, - "#": 35, - "makeString": 1, - "contents.indexOf": 1, - "form": 1, - "JS_FORBIDDEN": 1, - "o.bare": 1, - "HEREDOC_ILLEGAL": 1, - "Rewriter": 2, - "binaryLiteral": 2, - "@chunk.charAt": 3, - "callback": 35, - "@logger.debug": 2, - "coffees": 2, - "lexer": 1, - "exports.VERSION": 1, - "HEREGEX": 1, - "disallow": 1, - "throw": 3, - "comment": 2, - "tokenize": 1, - "@jsToken": 1, - ".join": 2, - "meters": 2, - "NOT_REGEX.concat": 1, - "REGEX.exec": 1, - "quitCallback": 2, - "sourceScriptEnv": 3, - "then": 24, - "statCallback": 2, - "isARequest": 2, - "break": 1, - "else": 53, - "extractSubdomain": 1, - "while": 4, - "dnsserver.Server": 1, - "Animal": 3, - "path.dirname": 2, - "w": 2, - "s*#": 1, - "regex": 5, - "runners": 1, - "question": 5, - "@commentToken": 1, - "levels.": 1, - "__slice": 1, - "OUTDENT": 1, - "@pool.proxy": 1, - "code.": 1, - "fs.realpathSync": 2, - "options.filename": 5, - "n/": 1, - "flags": 2, - "@labels.slice": 1, - "JSTOKEN": 1, - "str.charAt": 1, - "continue": 3, - "last": 3, - "tokens.": 1, - "fs.readFileSync": 1, - "soak": 1, - "SHIFT": 3, - "terminate": 1, - "pause": 2, - "name.toLowerCase": 1, - "mname": 2, - "err.message": 2, - "script.innerHTML": 1, - "sandbox.module": 2, - "options.sandbox": 4, - "idle": 1, - "heredoc": 4, - "xhr.open": 1, - "s": 10, - "up": 1, - "SERVER_PORT": 1, - "stats.mtime.getTime": 1, - "match": 23, - "env": 18, - "try": 3, - "identifierToken": 1, - "COFFEE_ALIAS_MAP": 1, - "starting": 1, - "script": 7, - "opts": 1, - "COFFEE_ALIASES": 1, - "CoffeeScript": 1, - "str.length": 1, - "BOX": 1, - "async": 1, - "rvmrcExists": 2, - "__extends": 1, - "MATH": 3, - "STRING": 2, - ".POW_TIMEOUT": 1, - "require.main": 1, - "SIMPLESTR.exec": 1, - "stringToken": 1, - "global": 3, - "arguments": 1, - "case": 1, - "value...": 1, - "prev.spaced": 3, - "powrc": 3, - "exports.run": 1, - "HEREDOC_INDENT": 1, - "CODE": 1, - "enum": 1, - "indent.length": 1, - "@address": 2, - "o": 4, - "Snake": 2, - "script.src": 2, - "window.ActiveXObject": 1, - "parser.parse": 3, - "CALLABLE.concat": 1, - "//g": 1, - "heregex": 1, - "..1": 1, - "jsToken": 1, - "@numberToken": 1, - "list": 2, - ".rewrite": 1, - "@indebt": 1, - "runners...": 1, - "Horse": 2, - "xhr.send": 1, - "upcomingInput": 1, - "vm.runInThisContext": 1, - "@heredocToken": 1, - "@outdentToken": 1, - "INDEXABLE": 2, - "opts.line": 1, - "new": 12, - "writeRvmBoilerplate": 1, - "Script.createContext": 2, - "OPERATOR": 1, - "closeIndentation": 1, - "stack.pop": 2, - "question.class": 2, - "ensure": 1, - "k": 4, - "exports.eval": 1, - "reserved": 1, - "Array": 1, - "starts": 1, - "@error": 10, - "number": 13, - "fs.readFile": 1, - "continueCount": 3, - "attempt": 2, - ".spaced": 1, - "source": 5, - "@logger.error": 3, - "refresh": 2, - "/.exec": 2, - "CoffeeScript.eval": 1, - "every": 1, - "re.match": 1, - "quote": 5, - "stats": 1, - "/E/.test": 1, - "@tokens.push": 1, - "@configuration.timeout": 1, - "rname": 2, - "i": 8, - "native": 1, - "@statCallbacks.length": 1, - "tokens": 5, - "EncodedSubdomain": 2, - "xhr.status": 1, - "path": 3, - "sanitizeHeredoc": 1, - "question.type": 2, - "opts.rewrite": 1, - "<": 6, - "||": 3, - "race": 1, - "@tag": 3, - "x/.test": 1, - "@yylineno": 1, - "Module": 2, - "vm": 1, - "character": 1, - "function": 2, - "@restart": 1, - "square": 4, - "THROW": 1, - "ip.join": 1, - ".type": 1, - "Module._resolveFilename": 1, - "COMMENT": 2, - "WHITESPACE.test": 1, - "res": 3, - "exports.Lexer": 1, - "BOOL": 1, - "@pattern": 2, - "require": 21, - "@code": 1, - "loadScriptEnvironment": 1, - "and": 20, - "mainModule.filename": 4, - "lexer.tokenize": 3, - "n/g": 1, - "doc.replace": 2, - "NS_RCODE_NXDOMAIN": 2, - "the": 4, - "zero": 1, - "do": 2, - "line.": 1, - "NS_T_NS": 2, - "isNSRequest": 2, - "req": 4, - ".toString": 3, - "module": 1, - "undefined": 1, - "is": 36, - "PATTERN.test": 1, - "exports.encode": 1, - "@yytext": 1, - "sandbox.require": 2, - "HEREDOC_INDENT.exec": 1, - "commentToken": 1, - "alert": 4, - "LINE_CONTINUER": 1, - "end": 2, - "COMPOUND_ASSIGN": 2, - "value.replace": 2, - "body.replace": 1, - "a": 2, - "process.cwd": 1, - "mainModule.moduleCache": 1, - "process.argv": 1, - "equals": 1, - "code.replace": 1, - "r/g": 1, - "nack.createPool": 1, - "_module.filename": 1, - "forcedIdentifier": 4, - "@logger.info": 1, - "process": 2, - "switch": 7, - "document.getElementsByTagName": 1, - "exports.helpers": 2, - "loop": 1, - "heredoc.charAt": 1, - "yes": 5, - "current": 5, - "right": 1, - "LOGIC": 3, - "TRAILING_SPACES": 2, - "no": 3, - "when": 16, - "addEventListener": 1, - "coffees.length": 1, - "libexecPath": 1, - "require.registerExtension": 2, - "anything": 1, - "##": 1, - "req.question": 1, - "rvmExists": 2, - "id.toUpperCase": 1, - "opposite": 2, - "xFF": 1, - "]": 134, - "@extract": 1, - "window": 1, - "@statCallbacks.push": 1, - "@statCallbacks": 3, - "var": 1, - "balancedString": 1, - "getAddress": 3, - "@loadScriptEnvironment": 1, - "pairing": 1, - "module.exports": 1, - "package": 1, - "doc.indexOf": 1, - "HEREDOC_ILLEGAL.test": 1, - "@heregexToken": 1, - "consumes": 1, - "[": 134, - "@setPoolRunOnceFlag": 1, - "elvis": 1, - "@configuration.getLogger": 1, - "_require.resolve": 1, - "@identifierToken": 1, - "RELATION": 3, - "Math.sqrt": 1, - "///g": 1, - "domain": 6, - ".": 13, - "@restartIfNecessary": 1, - "@pool.on": 2, - "isEmpty": 1, - "whitespace": 1, - "body.indexOf": 1, - "super": 4, - "req.proxyMetaVariables": 1, - "or": 22, - "join": 8, - "IDENTIFIER.exec": 1, - "offset": 4, - "initialize": 1, - "xhr.responseText": 1, - "doc": 11, - "string": 9, - "size": 1, - "decode": 2, - "@indents": 1, - "Function": 1, - "path.extname": 1, - "mainModule.paths": 1, - ".*": 1, - "*/": 2, - "herecomment": 4, - "math.cube": 1, - "@indent": 3, - "*": 21, - "domain.length": 1, - "@configuration": 1, - "bufferLines": 3, - "@quitCallbacks.push": 1, - "MULTI_DENT": 1, - "serial": 2, - "@lineToken": 1, - "tom": 1, - "setInput": 1, - "on": 3, - "merge": 1, - "fs": 2, - "(": 193, - "res.addRR": 2, - "exports.createServer": 1, - "ip.split": 1, - "other": 1, - "S": 10, - "eval": 2, - "Hello": 1, - "parseInt": 5, - ".replace": 3, - "@queryRestartFile": 2, - "@constructor.rvmBoilerplate": 1, - "protected": 1, - "tok": 5, - "value.length": 2, - ".getTime": 1, - "&": 4, - "class": 11, - "options.bare": 2, - "parser.yy": 1, - "Module._nodeModulePaths": 1, - "//": 1, - "until": 1, - "letter": 1, - "JSTOKEN.exec": 1, - "@value": 1, - "Object.getOwnPropertyNames": 1, - "###": 3, - "range": 1, - "fs.writeFile": 1, - "|": 21, - "off": 1, - "handleRequest": 1, - "false": 4, - "cubes": 1, - "thing": 1, - "@ends.push": 1, - "level.": 3, - "Lexer": 3, - "colon": 3, - "private": 1, - "regexToken": 1, - "@chunk": 9, - "contents": 2, - "Stream": 1, - "exports.Subdomain": 1, - "RackApplication": 1, - ".split": 1, - "indexOf": 1, - "@terminate": 2, - "@loadRvmEnvironment": 1, - "res.send": 1, - "dnsserver.createSOA": 1, - "err": 20, - "resolve": 2, - "x": 6, - "attempt.length": 1, - "retry": 2, - "of": 7, - "@pos": 2, - "@configuration.workers": 1, - "sandbox.root": 1, - "v": 4, - "sandbox": 8, - "debugger": 1, - "word": 1, - "over": 1, - "@rootAddress": 2, - "Script": 2, - "d*": 1, - "String": 1, - "expire": 2, - "@seenFor": 4, - "name.slice": 2, - "implements": 1, - "COMPARE": 3, - "@pool": 2, - "Date": 1, - "__bind": 1, - "@subdomain": 1, - "exports.nodes": 1, - "CALLABLE": 2, - "heredocToken": 1, - "question.name": 3, - "input": 1, - "REGEX": 1, - "spaced": 1, - "NS_T_SOA": 2, - "nack": 1, - "@root": 8, - "r": 4, - "options.header": 1, - "here": 3, - "true": 8, - "exports.tokens": 1, - "readyCallback": 2, - "before": 2, - "setPoolRunOnceFlag": 1, - "HEREDOC.exec": 1, - "scriptExists": 2, - "@whitespaceToken": 1, - "subdomain": 10, - "parser.lexer": 1, - "module._compile": 1, - "compound": 1, - "match.length": 1, - "comments": 1, - "code.trim": 1, - "#.*": 1, - "logic": 1, - "catch": 2, - "IPAddressSubdomain": 2, - "EncodedSubdomain.pattern.test": 1, - "prev": 17, - "sam.move": 1, - "mainModule": 1, - "alwaysRestart": 2, - "loadRvmEnvironment": 1, - "XMLHttpRequest": 1, - "lex": 1, - "sandbox.GLOBAL": 1, - "parser": 1, - "&&": 1, - "/.test": 4, - "restartIfNecessary": 1, - "request": 2, - "n": 16, - "async.reduce": 1, - "rvm": 1, - "xhr": 2, - "Matches": 1, - "@ends.pop": 1, - "NS_T_CNAME": 1, - "@readyCallbacks.push": 1, - "token": 1, - "tom.move": 1, - "execute": 3, - "_require.paths": 1, - "Module._load": 1, - "options.modulename": 1, - "header": 1, - "s*": 1, - "__indexOf": 1, - "with": 1, - "COFFEE_KEYWORDS": 1, - "@configuration.env": 1, - "@stringToken": 1, - "static": 1, - "@chunk.match": 1, - "exports.Server": 1, - "@regexToken": 1, - "CoffeeScript.compile": 2, - "splat": 1, - "let": 2, - "@escapeLines": 1, - "MULTILINER": 2, - "INVERSES": 2, - "attachEvent": 1, - "doubles": 1, - "delete": 1, - "UNARY": 4, - "octalLiteral": 2, - "vm.Script": 1, - "@pair": 1, - "JS_KEYWORDS": 1, - "filename": 6, - "index": 4, - "window.addEventListener": 1, - "compile": 5, - "string.length": 1, - ".POW_WORKERS": 1, - "restart": 1, - "runScripts": 3, - "_module": 3, - "own": 2, - "compare": 1, - "heregex.length": 1, - "@quitCallbacks": 3, - "resume": 2, - "domain.toLowerCase": 1, - "typeof": 2, - "options": 16, - "indent": 7, - "<=>": 1, - "url": 2, - "@tokens": 7, - "RESERVED": 3, - "@labels": 2, - "for": 14, - "@token": 12, - "Error": 1, - "xhr.overrideMimeType": 1, - "body": 2, - "comment.length": 1, - "@closeIndentation": 1, - "finally": 2, - "i..": 1, - "handle": 1, - "d": 2, - "@readyCallbacks": 3, - "name.length": 1, - "scripts": 2, - "CoffeeScript.run": 3, - "assign": 1, - "tagParameters": 1, - "line": 6, - "quit": 1, - "boilerplate": 2, - "print": 1, - "xhr.readyState": 1, - "xhr.onreadystatechange": 1, - "stack.length": 1, - "isnt": 7, - "@configuration.rvmPath": 1, - "@balancedString": 1, - "lexedLength": 2, - "__hasProp": 1, - "@soa": 2, - "@logger": 1, - "b": 1, - "ip.push": 1, - "@pool.stdout": 1, - "fill": 1, - "instanceof": 2, - "///": 12, - "address": 4, - "NS_C_IN": 5, - "id.length": 1, - "exports.RESERVED": 1, - "escaped": 1, - "public": 1, - "NOT_REGEX": 2, - "@rvmBoilerplate": 1, - "parsed": 1, - "@labels.length": 1, - "@sanitizeHeredoc": 2, - "heregexToken": 1, - "outdentation": 1, - "not": 4, - "s.type": 1, - "sandbox.__dirname": 1, - "signs": 1, - "under": 1, - ".trim": 1, - "@outdebt": 1, - "LINE_BREAK": 2, - "ip": 2, - "@ready": 3, - "@literalToken": 1, - "exports.decode": 1, - "NUMBER.exec": 1, - "PATTERN": 1, - "@firstHost": 1, - "return": 29, - "cube": 1, - "mtimeChanged": 2, - "import": 1, - "/g": 3, - "in": 32, - "content": 4, - "shift": 2, - "@state": 11, - "@ends": 1, - "minimum": 2, - "console.log": 1, - "move": 3, - "tokens.push": 1, - "interpolateString": 1, - "@initialize": 2, - "CoffeeScript.require": 1, - "mainModule._compile": 2, - "missing": 1, - "/": 44, - "string.indexOf": 1, - "ready": 1, - "EXTENDS": 1, - "stack.push": 1, - "@pool.stderr": 1, - "Subdomain.extract": 1, - "<<": 1, - "null": 15, - "name": 5, - "@pool.runOnce": 1, - "z0": 2, - "@loadEnvironment": 1, - "@mtime": 5, - "subdomain.getAddress": 1, - "default": 1, - "str": 1, - "re": 1, - "HEREGEX.exec": 1, - "queryRestartFile": 1, - "@quit": 3, - "at": 2, - "sam": 1, - "js": 5, - "const": 1, - "@logger.warning": 1, - "-": 107, - "number.length": 1, - "@extractSubdomain": 1, - "_require": 2, - "sandbox.__filename": 3, - ".compile": 1, - "yield": 1, - "tokens.length": 1, - "numberToken": 1, - "SIMPLESTR": 1, - "exists": 5, - "count": 5, - "indentation": 3, - "extends": 6, - "sandbox.global": 1, - ".constructor": 1, - "this": 6, - "id.reserved": 1, - "+": 31, - ".isEmpty": 1, - "@on": 1, - "Subdomain": 4, - "@line": 4, - "lastMtime": 2, - "CoffeeScript.load": 2, - "unless": 19, - "if": 102, - "dnsserver": 1, - "require.extensions": 3, - "imgy": 2, - "leading": 1, - "by": 1, - "NS_T_A": 3, - ")": 196, - "basename": 2, - "export": 1, - "void": 1, - "encode": 1, - "@length": 3, - "all": 1, - "@interpolateString": 2, - "interface": 1, - "fs.stat": 1, - "compact": 1, - "@configuration.dstPort.toString": 1, - "id": 16, - "The": 7 - }, - "Slash": { - "if": 1, - "node": 2, - ".": 1, - "ARGV.first": 1, - "value": 1, - "in": 2, - "input": 1, - "Next": 1, - "Env": 1, - "while": 1, - "char": 5, - "current_value": 5, - "+": 1, - ".parse": 1, - "ast": 1, - "<%>": 1, - "Sequence.new": 1, - "class": 11, - ";": 6, - "(": 6, - "length": 1, - "str": 2, - "0": 3, - "Parser.new": 1, - "split": 1, - "for": 2, - "def": 18, - "SyntaxError": 1, - "ptr": 9, - "-": 1, - "nodes": 6, - "Prev": 1, - "Sequence": 2, - "eval": 10, - "[": 1, - "@stack.pop": 1, - "current_value=": 1, - "of": 1, - "end": 1, - "Loop": 1, - "unexpected": 2, - "stack": 3, - "_parse_char": 2, - "throw": 1, - "Output": 1, - "File.read": 1, - "print": 1, - "memory": 3, - "chars": 2, - "Input": 1, - "Dec": 1, - "new": 2, - "AST": 4, - "src": 2, - "seq": 4, - "]": 1, - "Parser": 1, - "Loop.new": 1, - "parse": 1, - "ptr=": 1, - "ast.eval": 1, - "switch": 1, - "env": 16, - "init": 4, - "_add": 1, - "<": 1, - ")": 7, - "Env.new": 1, - "Inc": 1, - "1": 1, - "last": 1, - "}": 3 - }, - "Omgrofl": { - "stfu": 1, - "loool": 6, - "w00t": 1, - "World": 1, - "Hello": 1, - "wtf": 1, - "lmao": 1, - "rofl": 13, - "brb": 1, - "lol": 14, - "liek": 1, - "lool": 5, - "iz": 11 - }, - "SCSS": { - "border": 2, - "/": 2, - "}": 2, - ")": 1, - "%": 1, - "(": 1, - "{": 2, - "-": 3, - ";": 7, - "padding": 1, - ".border": 1, - "color": 3, - "navigation": 1, - "margin": 4, - ".content": 1, - "px": 1, - "blue": 4, - "darken": 1, - "#3bbfce": 1 - }, - "Groovy": { - "it.toString": 1, - "plugin": 1, - "via": 1, - "-": 1, - "to": 1, - "}": 3, - "a": 1, - "//ant.apache.org/manual/Types/fileset.html": 1, - "{": 3, - ")": 7, - "(": 7, - "task": 1, - "with": 1, - "project": 1, - "Gradle": 1, - "println": 2, - "project.name": 1, - "echoDirListViaAntBuilder": 1, - "list": 1, - "the": 3, - "screen": 1, - "message": 1, - "ant.echo": 3, - "//Docs": 1, - "projectDir": 1, - "subdirectory": 1, - "//Echo": 1, - "description": 1, - "removed.": 1, - "file": 1, - ".each": 1, - "dir": 1, - "files": 1, - "http": 1, - "SHEBANG#!groovy": 1, - "CWD": 1, - "ant": 1, - "name": 1, - "fileset": 1, - "path": 2, - "echo": 1, - "each": 1, - "//Print": 1, - "ant.fileScanner": 1, - "in": 1, - "of": 1, - "//Gather": 1 - }, - "COBOL": { - "procedure": 1, - "COBOL": 7, - ".": 3, - "display": 1, - ")": 5, - "(": 5, - "-": 19, - "STOP": 2, - "PROCEDURE": 2, - "IDENTIFICATION": 2, - "RUN.": 2, - "S9": 4, - "COMP": 5, - "DIVISION.": 4, - "DISPLAY": 2, - "RECORD.": 1, - "ID.": 2, - "PROGRAM": 2, - "id.": 1, - "program": 1, - "USAGES.": 1, - "TEST": 2, - "stop": 1, - "hello.": 3, - "COMP2": 2, - "COMP.": 3, - "run.": 1, - "division.": 1, - "PIC": 5 - }, - "Oxygene": { - "": 1, - "new": 7, - "c": 2, - "interface": 1, - "SettingsSingleFileGenerator": 1, - "": 2, - ";": 64, - "Console.ReadLine": 1, - "": 1, - "": 1, - "]": 1, - "defined": 1, - "which": 1, - "index": 1, - "will": 1, - "Countries.Count": 3, - "broken": 1, - "ResXFileCodeGenerator": 1, - "property": 2, - "num": 2, - "begin": 8, - "System.Xml.dll": 1, - "": 1, - "": 1, - "DEBUG": 1, - "Condition=": 3, - "": 1, - "automatically": 1, - "construct": 1, - "of": 6, - "CEE": 1, - "": 1, - "fillData": 2, - "count": 1, - "ConsoleApp.loopsTesting": 1, - "with": 2, - "number": 1, - ")": 45, - "from": 2, - "do": 6, - "Integer": 1, - "": 2, - "Country": 11, - "break": 1, - "sequence": 3, - "": 1, - "exe": 1, - "method": 6, - "Name": 2, - "ProgramFiles": 1, - "": 5, - "each": 2, - "Capital": 2, - "th": 1, - "": 1, - "CAF": 1, - "high": 1, - "endlessly": 1, - "": 1, - "variable": 1, - "xmlns=": 1, - "": 2, - "System.Data.dll": 1, - "": 1, - "<": 1, - "end": 10, - "myConsoleApp": 1, - "in": 2, - "System.dll": 1, - "": 1, - "bin": 2, - "": 2, - "": 3, - "result": 1, - "mscorlib.dll": 1, - "": 1, - "Properties": 1, - "constructor": 2, - "Countries": 4, - "[": 1, - "class": 4, - "value": 1, - "Include=": 12, - "}": 8, - "String": 6, - "downto": 1, - "every": 1, - "": 1, - "Reference": 1, - ".Capital": 2, - "taking": 1, - "through": 1, - "": 1, - "ConsoleApp": 2, - "loops": 1, - "": 1, - "-": 4, - "BD89C": 1, - "inferred": 1, - "until": 2, - "c.Name": 2, - "System.Core.dll": 1, - "": 1, - "": 1, - "": 1, - "loopsTesting": 1, - "then": 1, - "the": 2, - "": 2, - "": 1, - "setCapital": 3, - "to": 2, - "simple": 1, - "B610": 1, - "False": 4, - "going": 1, - "implementation": 1, - "setName": 3, - "": 1, - "": 5, - "": 5, - "Int32": 2, - "type": 3, - "Console.Write": 4, - "looped": 1, - "elements": 1, - "Convert.ToString": 1, - "ind": 12, - "ConsoleApp.Main": 1, - "": 1, - "": 1, - "v3.5": 1, - "": 1, - "that": 1, - "System.Linq": 1, - "": 3, - "public": 3, - "": 2, - "Main": 1, - "": 1, - "Assemblies": 1, - "Debug": 1, - "ConsoleApp.fillData": 1, - "end.": 1, - "loop": 6, - "": 1, - "myConsoleApp.loopsTesting": 1, - "for": 4, - "while": 1, - "if": 1, - "TRACE": 1, - "Release": 2, - "item": 1, - "{": 8, - ".Name": 1, - "var": 2, - "": 1, - ".": 2, - "": 1, - "": 1, - "": 1, - "Framework": 5, - "Project=": 1, - "C515D88E2C94": 1, - "App.ico": 1, - "DefaultTargets=": 1, - "low": 1, - "+": 5, - "": 1, - "": 1, - "": 5, - "": 1, - "(": 45, - "True": 3, - "repeat": 1, - "step": 1, - "": 1, - "": 1, - "Inc": 3, - "Loops": 3, - "uses": 1, - "": 4, - "": 1, - "Console.WriteLine": 19, - "Countries.ElementAt": 3, - "i": 4, - "namespace": 1, - "Microsoft": 1, - "out": 1, - "c.Capital": 1, - "is": 1 - }, - "XProc": { - "port=": 2, - "": 1, - "": 1, - "c=": 1, - "": 1, - "": 1, - "xmlns": 2, - "Hello": 1, - "world": 1, - "": 1, - "": 1, - "encoding=": 1, - "": 1, - "p=": 1, - "": 1, - "version=": 2, - "": 1, - "": 1, - "": 1 - }, - "Markdown": { - "Tender": 1 - }, - "Handlebars": { - "
": 5, - "}": 16, - "{": 16, - "class=": 5, - "

": 3, - "

": 1, - "By": 2, - "body": 3, - "title": 1, - "Comments": 1, - "author": 2, - "#each": 1, - "fullName": 2, - "

": 3, - "

": 1, - "": 5, - "/each": 1, - "comments": 1 - }, - "Arduino": { - "}": 2, - ";": 2, - "{": 2, - ")": 4, - "(": 4, - "setup": 1, - "void": 2, - "Serial.begin": 1, - "Serial.print": 1, - "loop": 1 - }, - "Emacs Lisp": { - "space": 1, - "only": 1, - "customize": 5, - "General": 3, - "inside": 1, - "style": 2, - "s": 5, - "fboundp": 1, - "%": 1, - "you": 1, - "julia.el": 2, - "calculate": 1, - "regexp": 6, - "insert": 1, - "Created": 1, - "with": 4, - "FOR": 1, - "transpose": 1, - "]": 3, - "hook": 4, - "R": 2, - "redistribute": 1, - "topics": 1, - "Software": 2, - "and": 3, - "send": 3, - "<": 1, - "should": 2, - "customise": 1, - "along": 1, - "autoload": 1, - "replace": 1, - "lock": 6, - "t": 6, - "files": 1, - "screws": 1, - "workaround": 1, - "Maintainer": 1, - "&": 3, - "interactive": 2, - "subset": 2, - "fill": 1, - "be": 2, - "S": 2, - "MA": 1, - "nil": 12, - "can": 1, - "ESS": 5, - "useful": 1, - "let*": 2, - "available.": 1, - "project": 1, - "see": 2, - "Floor": 1, - "width": 1, - "case": 1, - "Julia": 1, - "License": 3, - "software": 1, - "ignore": 2, - "that": 2, - "USA.": 1, - "face": 4, - "from": 3, - "nth": 1, - "*in": 1, - "while": 1, - "when": 2, - "WARRANTY": 1, - "egrep": 1, - "current": 2, - "###autoload": 2, - "forloop": 1, - "_": 1, - "details.": 1, - "paragraph": 3, - "even": 1, - "not": 1, - "length": 1, - "jl": 2, - "GNU": 4, - "for": 8, - "sexp": 1, - "Spinu.": 1, - "visibly": 1, - "received": 1, - "propertize": 1, - "STERM": 1, - "version.": 1, - "arguments": 2, - "separate": 1, - "dialect": 1, - "editor": 2, - "(": 156, - "have": 1, - "COPYING.": 1, - "Public": 3, - "completion": 4, - "based": 1, - "the": 10, - "more": 1, - "this": 1, - "...": 1, - "arg": 1, - "table": 9, - "as": 1, - "version": 2, - "write": 2, - "without": 1, - "..": 3, - "made": 1, - "WITHOUT": 1, - "start": 13, - "classes": 1, - "min": 1, - "load": 1, - "entry": 4, - "lang": 1, - "part": 2, - "in": 3, - "ess": 48, - "syntax": 7, - "concat": 7, - "goto": 2, - "first": 1, - "funargs": 1, - "PURPOSE.": 1, - "and/or": 1, - "auto": 1, - "proc": 3, - "point": 6, - "command": 5, - "print": 1, - ")": 144, - "starting": 1, - "a": 4, - "hooks": 1, - "code": 1, - "at": 5, - "character": 1, - "PARTICULAR": 1, - "debugging": 1, - "comments": 1, - "copy": 2, - "final": 1, - "versions": 1, - "temp": 2, - "multi": 1, - "x": 2, - "your": 1, - "on": 2, - "function": 7, - "Copyright": 1, - "If": 1, - "*": 1, - "column": 1, - "add": 4, - "W": 1, - "car": 1, - "set": 3, - "unquote": 1, - "temporary": 1, - "file": 10, - "mode.el": 1, - "object": 2, - "args": 10, - "interaction": 1, - "A": 1, - "identity": 1, - "dump": 2, - "minibuffer": 1, - "inject": 1, - "delimiter": 2, - "busy": 1, - "just": 1, - "+": 5, - "n": 1, - "defvar": 5, - "Fifth": 1, - "funname": 5, - "require": 2, - "FITNESS": 1, - "help": 3, - "http": 1, - "program": 6, - "hope": 1, - "char": 6, - "setq": 2, - "Emacs.": 1, - "//docs.julialang.org/en/latest/search/": 1, - "funname.start": 1, - "page": 2, - "M": 2, - "modify": 5, - "pager": 2, - "regex": 5, - "list": 3, - "Filename": 1, - "window": 2, - "eldoc": 1, - "if": 4, - "but": 2, - "buffer": 3, - "group": 1, - "Street": 1, - "read": 1, - "Keywords": 1, - "quote": 2, - "process": 5, - "keep": 2, - "use": 1, - "tb": 1, - "run": 2, - "let": 3, - "skip": 1, - "vector": 1, - "Franklin": 1, - "logo": 1, - "notably": 1, - "Spinu": 2, - "prefix": 2, - "alist": 9, - "C": 2, - "optional": 3, - "Syntax": 3, - "comment": 6, - "dribble": 1, - "name": 8, - "match": 1, - "warranty": 1, - "ignored": 1, - "-": 294, - "ANY": 1, - "of": 8, - "show": 1, - "complete": 1, - "make": 4, - "indent": 8, - "parse": 1, - "max": 1, - "search": 1, - "null": 1, - "cons": 1, - "sequence": 1, - "emacs": 1, - "used": 1, - "variable": 3, - "is": 5, - "distributed": 1, - "defun": 5, - "Free": 2, - "terms": 1, - "font": 6, - "*NOT*": 1, - "or": 3, - "get": 3, - "re": 2, - ".": 40, - "q": 1, - "MERCHANTABILITY": 1, - "string": 8, - "symbol": 2, - "implied": 1, - "format": 3, - "to": 4, - "inferior": 13, - "defconst": 5, - "This": 4, - "w*": 1, - "free": 1, - "[": 3, - "You": 1, - "forward": 1, - "include": 1, - "julia": 39, - "aggressive": 1, - "functions": 2, - "language": 1, - "Commentary": 1, - "com": 1, - "later": 1, - "it": 3, - "default": 1, - "either": 1, - "directory": 2, - "String": 1, - "by": 1, - "Vitalie": 3, - "keyword": 2, - "words": 1, - "will": 1, - "Foundation": 2, - "Boston": 1, - "Author": 1, - "release": 1, - "newline": 1, - "under": 1, - "post": 1, - "any": 1, - "error": 6, - "Inc.": 1, - "doc": 1, - "end": 1, - "mode": 12, - "basic": 1, - "constant": 1, - "etc": 1, - "julia.": 2, - "line": 5, - "See": 1, - ".*": 2, - "settings": 1, - "defaults": 2, - "local": 6, - "published": 1, - ";": 333 - }, - "Dart": { - "q": 1, - "p": 1, - "}": 3, - "+": 1, - "*": 2, - "y": 2, - "-": 2, - "x": 2, - ";": 8, - ")": 7, - "(": 7, - "{": 3, - "Point": 7, - "print": 1, - "new": 2, - "other": 1, - "main": 1, - "Math.sqrt": 1, - "distanceTo": 1, - "this.y": 1, - "this.x": 1, - "other.y": 1, - "dy": 3, - "other.x": 1, - "dx": 3, - "return": 1, - "var": 3, - "class": 1 - }, - "TXL": { - "resolveDivision": 2, - "resolveAddition": 2, - "N": 2, - "*": 2, - "N2": 8, - "+": 2, - "N1": 8, - "E": 3, - "/": 3, - "-": 3, - ")": 2, - "(": 2, - "addop": 2, - "|": 3, - "]": 38, - "[": 38, - "number": 10, - "mulop": 2, - "main": 1, - "by": 6, - "replace": 6, - "rule": 12, - "primary": 4, - "NewE": 3, - "construct": 1, - "term": 6, - "program": 1, - "not": 1, - "resolveParentheses": 2, - "resolveMultiplication": 2, - "where": 1, - "resolveSubtraction": 2, - "end": 12, - "define": 12, - "expression": 9 - }, - "Squirrel": { - "DoDomething": 1, - "z": 2, - "y": 2, - "x": 2, - "entityname": 4, - "/////////////////////////////////////////////": 1, - ")": 10, - "i": 1, - "(": 10, - ";": 15, - "b": 1, - "+": 2, - "}": 10, - "]": 3, - "[": 3, - "a": 2, - "{": 10, - "-": 1, - "newz": 2, - "newy": 2, - "newx": 2, - "print": 2, - "lang.org/#documentation": 1, - "newplayer.MoveTo": 1, - "typeof": 1, - "extends": 1, - "function": 2, - "etype": 2, - "MoveTo": 1, - "null": 2, - "Entity": 3, - "subtable": 1, - "newplayer": 1, - "local": 3, - "//www.squirrel": 1, - "http": 1, - "Player": 2, - "type": 2, - "name": 2, - "constructor": 2, - "//example": 1, - "foreach": 1, - "array": 3, - "from": 1, - "base.constructor": 1, - "class": 2, - "in": 1, - "val": 2, - "table": 1 - }, - "Org": { - "new": 2, - "c": 1, - "already": 1, - "not": 1, - "TeX": 1, - "orgfile": 1, - "conversion": 1, - "Helpful": 1, - "status": 2, - "tags": 2, - "orgmode.rb": 1, - "input": 3, - "all": 1, - "History": 1, - "cannot": 1, - "Currently": 1, - "into": 1, - "Check": 1, - "support": 1, - "will": 1, - "ruby": 6, - "TODO": 1, - "Parser.new": 1, - "list": 1, - "HTML": 2, - "The": 3, - "This": 2, - "num": 1, - "|": 4, - "files": 1, - "parsing": 1, - "parser": 1, - "of": 2, - "content.": 2, - "rubygems": 2, - "supplied": 1, - "Parser": 1, - "INPROGRESS": 1, - "en": 1, - "oddeven": 1, - "Worg": 1, - "s": 1, - "wouldn": 1, - "from": 1, - "routines": 1, - "HTML.": 1, - "w@": 1, - ")": 11, - "Webby": 3, - "do": 2, - "indented": 1, - "WAITING": 1, - "handle": 1, - "textile.": 1, - "need": 1, - "sudo": 1, - "H": 1, - "#": 13, - "significant": 1, - "files.": 1, - "You": 1, - "Dewey": 1, - ".to_html": 1, - "Back": 1, - "Write": 1, - "TITLE": 1, - "register": 1, - "it": 1, - "bullet.": 1, - "CATEGORY": 1, - "B": 1, - "thing": 2, - "Description": 1, - "Under": 1, - "this": 2, - "d": 2, - "items.": 1, - "Proper": 1, - "**": 1, - "For": 1, - "end": 1, - "a": 4, - "in": 2, - "easy.": 1, - "Make": 1, - "makes": 1, - "lognotestate": 1, - "class": 1, - "example": 1, - "translate": 1, - "BEGIN_EXAMPLE": 2, - "library": 1, - "In": 1, - "hidestars": 1, - "site.": 1, - "site": 1, - "LaTeX": 1, - "STARTUP": 1, - "Brian": 1, - "last": 1, - "erb": 1, - "-": 30, - "w": 1, - "paragraph": 2, - "Status": 1, - "file": 1, - "nodlcheck": 1, - "*": 3, - "t": 10, - "the": 6, - "Update": 1, - "SEQ_TODO": 1, - "Fix": 1, - "gets": 1, - "output": 2, - "optimized": 1, - "Ruby": 1, - "created_at": 1, - "mode": 2, - "to": 8, - "bdewey@gmail.com": 1, - "there": 1, - "customize": 1, - "HIDE": 1, - "n": 1, - "LANGUAGE": 1, - "as": 1, - "END_EXAMPLE": 1, - "align": 1, - "PRIORITIES": 1, - "textile": 1, - "nil": 4, - "C": 1, - "See": 1, - "convert": 1, - "c@": 1, - "you": 2, - "@": 1, - "fold": 1, - "much": 1, - "most": 1, - "that": 1, - "part": 1, - "today": 1, - "code": 1, - "worg": 1, - "OPTIONS": 1, - "Filters.register": 1, - "AUTHOR": 1, - "DONE": 1, - "bugs": 1, - "for": 3, - "Orgmode": 2, - "gem": 1, - "sure": 1, - "create": 1, - "{": 1, - "have": 1, - "your": 2, - "Fixed": 1, - "multi": 1, - "does": 1, - "creates": 1, - "TAGS": 1, - ".": 1, - "Version": 1, - "opposed": 1, - "extracting": 1, - "u": 1, - "+": 13, - "first": 1, - "<%=>": 2, - "development": 1, - "lib/": 1, - "org": 10, - "(": 11, - "title": 2, - "installed": 1, - "require": 1, - "ve": 1, - "skip": 1, - "orgmode": 3, - "CANCELED": 1, - "install": 1, - "Create": 1, - "use": 1, - "folder": 1, - "toc": 2, - "i": 1, - "created": 1, - "now": 1, - "conversion.": 1, - "is": 5, - "page": 2, - "f": 2, - "filter": 3, - "EMAIL": 1, - "A": 1 - }, - "Scaml": { - "p": 1, - "%": 1, - "World": 1, - "Hello": 1 - }, - "Bluespec": { - "lampGreenNS": 2, - "pedAmberDelay": 1, - "<=>": 3, - "interface": 2, - "AmberNS": 5, - "l.show_offs": 1, - "dut.lampGreenW": 1, - "low_priority_rule": 2, - ";": 156, - "typedef": 3, - "Lamp": 3, - "preempts": 1, - "]": 17, - "secs": 7, - "state": 21, - "ns": 4, - "allRedDelay": 2, - "lampAmberW": 2, - "car_present_N": 3, - "lampAmberPed": 2, - "go": 1, - "carW": 2, - "AllRed": 4, - "lampRedE": 2, - "5": 1, - "next_green": 8, - "amber_state": 2, - "2": 1, - "car_present": 4, - "display": 2, - "ctr": 8, - "module": 3, - "car_present_E": 4, - "clocks_per_sec": 2, - "||": 7, - "carN": 4, - "function": 10, - "GreenPed": 4, - "mkReg": 15, - "ng": 2, - "dut.lampGreenE": 1, - "dut.lampRedNS": 1, - "Integer": 3, - ")": 163, - "cycle_ctr": 6, - "car_is_present": 2, - "pedGreenDelay": 1, - "Bool": 32, - "deriving": 1, - "Eq": 1, - "endcase": 2, - "AmberPed": 3, - "lampAmberE": 2, - "show": 1, - "any_changes": 2, - "carE": 2, - "mkLamp#": 1, - "reset": 2, - "from_green": 1, - "lampGreenW": 2, - "dec_cycle_ctr": 1, - "method": 42, - "TL": 6, - "make_from_amber_rule": 5, - "sysTL": 3, - "&&": 3, - "12_000": 1, - "dut.lampAmberW": 1, - "write": 2, - "endinterface": 2, - "finish": 1, - "start": 1, - "prev": 5, - "Bits": 1, - "lampGreenPed": 2, - "dut.lampRedPed": 1, - "dut.lampAmberNS": 1, - "high_priority_rules": 4, - "<": 44, - "action": 3, - "do_offs": 2, - "Bit#": 1, - "import": 1, - "TbTL": 1, - "GreenW": 8, - "TLstates": 11, - "do_it": 4, - "lamp": 5, - "changed": 2, - "endmethod": 8, - "[": 17, - "set_car_state_S": 2, - "lampGreenE": 2, - "6": 1, - "Time32": 9, - "l.reset": 1, - "dut.set_car_state_S": 1, - "String": 1, - "}": 1, - "AmberW": 5, - "ewGreenDelay": 3, - "hprs": 10, - "3": 1, - "dut.lampAmberE": 1, - "name": 3, - "0": 2, - "package": 2, - "noAction": 1, - "-": 29, - "*": 1, - "return": 9, - "time": 1, - "dut.lampGreenPed": 1, - "GreenE": 8, - "endpackage": 2, - "rule": 10, - "rules": 4, - "delay": 2, - "CtrSize": 3, - "endmodule": 3, - "Rules": 5, - "AmberE": 5, - "False": 9, - "detect_cars": 1, - "lampRedNS": 2, - "dut": 2, - "addRules": 1, - "rJoin": 1, - "endfunction": 7, - "ped_button_pushed": 4, - "lampRedPed": 2, - ".changed": 1, - "do_reset": 2, - "b": 12, - "nsGreenDelay": 2, - "car_present_S": 3, - "green_seq": 7, - "set_car_state_W": 2, - "do_ons": 2, - "dut.set_car_state_W": 1, - "7": 1, - "dut.lampRedW": 1, - "for": 3, - "if": 9, - "4": 1, - "Action": 17, - "dumpvars": 1, - "carS": 2, - "show_ons": 2, - "1": 1, - "{": 1, - "amberDelay": 2, - "set_car_state_N": 2, - "dut.set_car_state_N": 1, - "mkTest": 1, - "x": 8, - "car_present_NS": 3, - "enum": 1, - "l.show_ons": 1, - "mkLamp": 12, - "lamps": 15, - "show_offs": 2, - "endrules": 4, - "+": 7, - "stop": 1, - "else": 4, - "set_car_state_E": 2, - "(": 158, - "dut.set_car_state_E": 1, - "dut.lampAmberPed": 1, - "let": 1, - "ped_button_push": 4, - "True": 6, - "GreenNS": 9, - "endrule": 10, - "l": 3, - "dut.lampRedE": 1, - "lampRedW": 2, - "inc_sec": 1, - "case": 2, - "green_state": 2, - "dut.lampGreenNS": 1, - "i": 15, - "lampAmberNS": 2, - "endaction": 3, - "make_from_green_rule": 5, - "Reg#": 15, - "f": 2, - "fromAllRed": 2, - "car_present_W": 4, - "UInt#": 2, - "next_state": 8, - "from_amber": 1 - }, - "Visual Basic": { - "machine": 1, - "c": 1, - "lpString": 2, - "MTSTransactionMode": 1, - "tray": 1, - "Sub": 7, - "myAST.destroy": 1, - "epm.addSubmenuItem": 2, - "rights": 1, - "address": 1, - "myMMFileTransports_disconnecting": 1, - "ByVal": 6, - "id": 1, - "VLMAddress": 1, - "list": 1, - "apiSetForegroundWindow": 1, - "/": 1, - "us": 1, - "myAST_RButtonUp": 1, - "Declare": 3, - "myMouseEventsForm.hwnd": 3, - "Manager": 1, - "cTP_EasyPopupMenu": 1, - ")": 14, - "from": 1, - "CLASS": 1, - "&": 7, - "Unload": 1, - "transport.send": 1, - "Option": 1, - "Const": 9, - "shutdown": 1, - "VLMessaging.VLMMMFileTransports": 1, - "Applications": 1, - "moment": 1, - "apiGlobalAddAtom": 3, - "Nothing": 2, - "myListener.VB_VarHelpID": 1, - "oReceived": 2, - "Initialize": 1, - "REGISTER_SERVICE": 1, - "myAST": 3, - "a": 1, - "David": 1, - "in": 1, - "address.RouterID": 1, - "VLMessaging.VLMMMFileListener": 1, - "easily": 1, - "Single": 1, - "myClassName": 2, - "messageToBytes": 1, - "hwnd": 2, - "MF_SEPARATOR": 1, - "found": 1, - "serviceType": 2, - "String": 13, - "hide": 1, - "epm.addMenuItem": 3, - "route": 2, - "REGISTER_SERVICE_REPLY": 1, - "GET_SERVICES_REPLY": 1, - "UNREGISTER_SERVICE_REPLY": 1, - "Function": 5, - "Task": 1, - "Private": 25, - "myRouterIDsByMMTransportID": 1, - "-": 6, - "MF_CHECKED": 1, - "UNREGISTER_SERVICE": 1, - "BEGIN": 1, - "MMFileTransports": 1, - "Set": 5, - "myListener": 1, - "the": 3, - "Long": 10, - "myWindowName": 2, - "directoryEntryIDString": 2, - "MF_STRING": 3, - "fMouseEventsForm": 2, - "to": 1, - "myAST.create": 1, - "DataBindingBehavior": 1, - "New": 6, - "make": 1, - "myDirectoryEntriesByIDString": 1, - "apiSetProp": 4, - "False": 1, - "transport": 1, - "GET_ROUTER_ID": 1, - "Boolean": 1, - "message": 1, - "All": 1, - "Dictionary": 3, - "hData": 1, - "myMMTransportIDsByRouterID.Exists": 1, - "Else": 1, - "NotPersistable": 1, - "myMachineID": 1, - "myMouseEventsForm.icon": 1, - "Windows": 1, - "As": 34, - "Then": 1, - "myself": 1, - "*************************************************************************************************************************************************************************************************************************************************": 2, - "reserved": 1, - "menuItemSelected": 1, - "Attribute": 3, - "Briant": 1, - "MultiUse": 1, - "between": 1, - "for": 1, - "myRouterSeed": 1, - "Alias": 3, - "cTP_AdvSysTray": 2, - "create": 1, - "Release": 1, - "Dim": 1, - "If": 3, - "Lib": 3, - "VERSION": 1, - "vbNone": 1, - "epm": 1, - "(": 14, - "Copyright": 1, - "myMMFileTransports.VB_VarHelpID": 1, - "True": 1, - "address.MachineID": 1, - "message.toAddress.RouterID": 2, - "just": 1, - "WithEvents": 3, - "Explicit": 1, - "remote": 1, - "icon": 1, - "TEN_MILLION": 1, - "myMMFileTransports": 2, - "GET_ROUTER_ID_REPLY": 1, - "myMouseEventsForm": 5, - "myMMTransportIDsByRouterID": 2, - "address.AgentID": 1, - "End": 7, - "App.TaskVisible": 1, - "myAST.VB_VarHelpID": 1, - "GET_SERVICES": 1 - }, - "wisp": { - "Now": 1, - "wisp": 6, - "understand": 1, - "ways": 1, - "}": 4, - "JSONs": 1, - "defined": 1, - "program": 1, - "above": 1, - "without": 2, - "immediately.": 1, - "value": 2, - "access": 1, - "Macros": 2, - "naming": 1, - "to": 21, - "Unfortunately": 1, - "compiles": 1, - "{": 4, - "similar": 2, - "code": 3, - "which": 3, - "#": 2, - "vector": 1, - "form": 10, - "have": 2, - "fn": 15, - "Strings": 2, - ".log": 1, - "results.": 1, - "today": 1, - "y": 6, - "compbine": 1, - "then": 1, - "tagret": 1, - "args": 1, - "listToVector": 1, - "vectors": 1, - "cons": 2, - "JS.": 2, - "sum": 3, - "Keywords": 3, - "usually": 3, - "language": 1, - "enter": 1, - "easier": 1, - "baz": 2, - "isPredicate": 1, - "numbers": 2, - "many.": 1, - "strings": 3, - "handler": 1, - "operations": 3, - "up": 1, - "try": 1, - "few": 1, - "s": 7, - "doesn": 1, - "You": 1, - "More": 1, - "metadata.": 1, - "following": 2, - "transparent": 1, - "purpose": 2, - "single": 1, - "needs": 1, - "handy": 1, - "key": 3, - "text": 1, - "limited.": 1, - "arguments": 7, - "case": 1, - "lists": 1, - "Overloads": 1, - "are": 14, - "Also": 1, - "more.reduce": 1, - "readable": 1, - "list": 2, - "added": 1, - "arrays.": 1, - "Wisp": 13, - "simbol": 1, - "new": 2, - "strings.": 1, - "bar": 4, - "be": 15, - "arguments.": 2, - "achieve": 1, - "number": 3, - "expression": 6, - "filter": 2, - "dsl": 1, - "requires": 1, - "does": 1, - "lisp": 1, - "array.": 1, - "Any": 1, - "differenc": 1, - "from": 2, - "themselves.": 1, - "metadata": 1, - "invoked": 2, - "how": 1, - "evaluates": 2, - "effects": 1, - "define": 4, - "<": 1, - "can": 13, - "multiple": 1, - "dash": 1, - "function": 7, - "character": 1, - "variadic": 1, - "build": 1, - "nil": 4, - "names": 1, - "In": 5, - "conventions": 3, - "Other": 1, - "separating": 1, - "equivalent": 2, - "and": 9, - "templating": 1, - "forms": 1, - "defn": 2, - "the": 9, - "fulfill": 1, - "c": 1, - "solve": 1, - "do": 4, - "everything": 1, - "is": 20, - "undefined": 1, - "version": 1, - "second": 1, - "foo": 6, - "pairs.": 1, - "expressed": 3, - "dashDelimited": 1, - "puts": 1, - "a": 24, - "unlike": 1, - "map": 3, - "capturing": 1, - "argument": 1, - "but": 7, - "rest": 7, - "effect": 1, - "problem": 1, - "monday": 1, - "no": 1, - "macros.": 1, - "Special": 1, - "when": 1, - "representing": 1, - "reduce": 3, - "If": 2, - "simbols": 1, - "We": 1, - "##": 2, - "result": 2, - "sometimes": 1, - "]": 22, - "though": 1, - "respective": 1, - "plain": 2, - "prevent": 1, - "overloaded": 1, - "[": 22, - "booleans": 2, - "constats": 1, - "Let": 1, - "containing": 1, - "choose": 1, - ".": 6, - "since": 1, - "API": 1, - "Making": 1, - "diff": 1, - "as": 4, - "shortcut": 1, - "or": 2, - "they": 3, - "overload": 1, - "you": 1, - "string": 1, - "depending": 1, - "calls": 3, - "ease": 1, - "some": 2, - "more": 3, - "rest.reduce": 1, - "arbitary": 1, - "data": 1, - "party": 1, - "need": 1, - "Docstring": 1, - "lexical": 1, - "resulting": 1, - "console": 1, - "log": 1, - "For": 2, - "structures": 1, - "Conventions": 1, - "char": 1, - "on": 1, - "(": 77, - "macros": 2, - "macro": 7, - "__privates__": 1, - "pioneered": 1, - "also": 2, - "nil.": 1, - "Note": 3, - "&": 6, - "conditional": 1, - "space": 1, - "third": 2, - "available": 1, - "common": 1, - "clojurescript.": 1, - "false": 2, - "Not": 1, - "just": 3, - "increment": 1, - "syntax.": 1, - "type": 2, - "different": 1, - "keyword": 1, - "isEnterKey": 1, - "follows": 1, - "instance": 1, - "time": 1, - "keywords": 1, - "x": 22, - "of": 16, - "instead.": 1, - "homoiconic": 1, - "them": 1, - "output.": 1, - "open": 2, - "Although": 1, - "jQuery": 1, - "form.": 1, - "identifiers": 2, - "Instantiation": 1, - "expressions": 6, - "evaluating": 1, - "that": 7, - "evaluated.": 1, - "presented": 1, - "Maps": 2, - "javascript": 1, - "t": 1, - "input": 1, - "class.": 1, - "tradeoffs.": 1, - "functions": 8, - "bindings": 1, - "come": 1, - "evaluation": 1, - "makes": 1, - "true": 6, - "exception.": 1, - "before": 1, - "Lists": 1, - "comments": 1, - "Via": 1, - "less": 1, - "suffixed": 1, - "although": 1, - "hand": 1, - "made": 2, - "Booleans": 1, - "associated": 2, - "get": 2, - "keys": 1, - "than": 1, - "hash": 1, - "chaining.": 1, - "evaluate": 2, - "example": 1, - "desugars": 1, - "JS": 17, - "compatible": 1, - "compiled": 2, - "functional": 1, - "execute": 1, - "with": 6, - "effort": 1, - "human": 1, - "Characters": 2, - "let": 2, - "implemented.": 1, - "may": 1, - "popular": 1, - "translating": 1, - "very": 2, - "compile": 3, - "window.addEventListener": 1, - "target": 1, - "Vectors": 1, - "multiline": 1, - "has": 2, - "take": 2, - "Else": 1, - "bound": 1, - "implemting": 1, - ";": 199, - "capture": 1, - "operation": 3, - "will": 6, - "Instead": 1, - "options": 2, - "bop": 1, - "Forms": 1, - "object": 1, - "introspection": 1, - "for": 5, - "anyway": 1, - "body": 4, - "dialect": 1, - "predicate": 1, - "it": 10, - "quoted": 1, - "optional": 2, - "def": 1, - "encouraning": 1, - "print": 1, - "consice": 1, - "their": 2, - "Functions": 1, - "expanded": 2, - "b": 5, - "Type.": 1, - "throws": 1, - "want": 2, - "future": 2, - "lot": 2, - "Commas": 2, - "load": 1, - "As": 1, - "special": 4, - "yet": 1, - "not": 4, - "Compbining": 1, - "incerement": 1, - "types.": 1, - "chaining": 1, - "methods": 1, - "like": 2, - "expressions.": 1, - "return": 1, - "in": 16, - "desired": 1, - "might": 1, - "first": 4, - "symbolic": 2, - "documentation": 1, - "Bindings": 1, - "message": 2, - "keypress": 2, - "exectued": 1, - "clojure": 2, - "console.log": 2, - "Since": 1, - "expression.": 1, - "verbose": 1, - "called.": 1, - "/": 1, - "missing": 1, - "beep": 1, - "getInputText": 1, - "condition": 4, - "sugar": 1, - "defmacro": 3, - "white": 1, - "Method": 1, - "name": 2, - "render": 2, - "contain": 1, - "@body": 1, - "one": 3, - "objects.": 1, - "function.": 1, - "at": 1, - "such": 1, - "js": 1, - "method": 2, - "used": 1, - "because": 1, - "-": 33, - "chanining": 1, - "maps": 1, - "making": 1, - "Numbers": 1, - "delimited": 1, - "instantiation": 1, - "+": 9, - "this": 2, - "named": 1, - "assemble": 1, - "side": 2, - "item": 2, - "unless": 5, - "if": 7, - "there": 1, - "via": 2, - "by": 2, - "use": 2, - ")": 75, - "we": 2, - "differences": 1, - "all": 4, - "being": 1, - "void": 2, - "syntax": 2, - "into": 2, - "an": 1, - "Class": 1, - "items": 2, - "context": 1, - "The": 1, - "passed": 1 - }, - "RDoc": { - "including": 1, - "without": 2, - "c": 2, - "ri": 1, - "https": 3, - "src=": 1, - "particular": 1, - "or": 1, - "Hodel.": 1, - "tools": 1, - "under": 1, - "see": 1, - "like": 1, - "anything": 1, - "option": 1, - "]": 3, - "and": 9, - "all": 1, - "index": 1, - "LICENSE.rdoc.": 1, - "line.": 1, - "will": 1, - "displaying": 1, - "The": 1, - "HTML": 1, - "primary": 1, - "slightly": 1, - "This": 2, - "terms": 1, - "of": 2, - "quality": 1, - "options": 1, - "files": 2, - "up": 1, - "home": 1, - "Portions": 2, - "figure": 1, - ")": 3, - "from": 1, - "s": 1, - "generate": 1, - "we": 1, - "//github.com/rdoc/rdoc": 1, - "Programmers.": 1, - "starting": 1, - "#": 1, - "report": 1, - "bug": 1, - "summary": 1, - "You": 2, - "includes": 1, - "below": 1, - "alt=": 1, - "merchantability": 1, - "Description": 1, - "this": 1, - "our": 1, - "tree": 1, - "For": 1, - "http": 1, - "a": 5, - "in": 4, - "be": 3, - "bug.": 1, - "could": 1, - "[": 3, - "": 1, - "purpose.": 1, - "limitation": 1, - "provided": 1, - "probably": 1, - "}": 1, - "generating": 1, - "In": 1, - "current": 1, - "OK": 1, - "//docs.seattlerb.org/rdoc": 1, - "itself": 1, - "documentation": 8, - "RDoc": 7, - "Once": 1, - "package": 1, - "Eric": 1, - "useful": 1, - "generates": 1, - "-": 9, - "Pragmatic": 1, - "t": 1, - "file": 1, - "might": 1, - "contain": 1, - "more": 1, - "the": 12, - "details.": 1, - "output": 1, - "produce": 1, - "how": 1, - "Ruby": 4, - "having": 1, - "to": 4, - "command": 4, - "copyright": 1, - "make": 2, - "as": 1, - "can": 2, - "redistributed": 1, - "free": 1, - "type": 2, - "C": 1, - "Warranty": 1, - "projects.": 1, - "rdoc": 7, - "you": 3, - "that": 1, - "stored": 1, - "help": 1, - "such": 1, - "date": 1, - "express": 1, - "code": 1, - "names...": 1, - "rdoc/rdoc": 1, - "directory.": 1, - "fitness": 1, - "specified": 1, - "others": 1, - "Dave": 1, - "line": 1, - "file.": 1, - "Generating": 1, - "bugs": 1, - "//github.com/rdoc/rdoc/issues": 1, - "for": 9, - "source": 2, - "doc": 1, - "warranties": 2, - "LEGAL.rdoc": 1, - "create": 1, - "{": 1, - "your": 1, - "These": 1, - "implied": 2, - "Thomas": 1, - ".": 2, - "individual": 1, - "using": 1, - "by": 1, - "+": 8, - "any": 1, - "software": 2, - "Copyright": 1, - "License": 1, - "produces": 1, - "(": 3, - "may": 1, - "installed": 1, - "System": 1, - "subdirectory": 1, - "case": 1, - "readers": 1, - "use": 1, - "typical": 1, - "//codeclimate.com/github/rdoc/rdoc": 1, - "is": 4, - "out": 1, - "an": 1, - "page": 1, - "Documentation": 2, - "A": 1 - }, - "CSS": { - ".popover.bottom": 3, - "step": 4, - "group.warning": 32, - ".page": 2, - ".radio.inline": 6, - "input.span12": 4, - "stacked": 24, - "tag": 2, - "pills": 28, - "#51a351": 20, - "#fbb450": 16, - "/0": 2, - "a.muted": 4, - "td.span4": 2, - "inherit": 8, - ".btn.btn": 6, - "label": 20, - "}": 1705, - "#fcf8e3": 6, - "ol.inline": 4, - "textarea.span11": 2, - "#e5e5e5": 28, - "ok": 6, - "font": 142, - "#005580": 8, - "input.span10": 4, - "%": 366, - "#dd514c": 1, - "#1b1b1b": 2, - "#ededed": 2, - ".tab": 8, - "toolbar": 8, - "camera": 2, - ".btn.disabled": 4, - "enabled": 18, - "to": 75, - "td.span2": 2, - "xxlarge": 2, - "#62c462": 16, - "#002a80": 2, - "{": 1661, - "code": 6, - "audio": 4, - "success.dropdown": 2, - "plane": 2, - "form": 38, - ".span12": 4, - "#d9edf7": 6, - "comment": 2, - "marker": 2, - "startColorstr": 30, - "inverse": 110, - "y": 2, - "underline": 6, - "centered": 2, - ".radio": 26, - ".span10": 4, - "#333": 6, - "active": 46, - "animation": 5, - ".pagination": 78, - "li.dropdown.open.active": 14, - "fire": 2, - "info.disabled": 2, - "#df8505": 2, - "#356635": 6, - "break": 12, - "navbar.active": 8, - "*position": 2, - "retweet": 2, - "gift": 2, - "question": 2, - ".ir": 2, - "wrench": 2, - "#bd362f": 20, - "alpha": 7, - "title": 10, - ".dl": 12, - "#ffffff": 136, - "*overflow": 3, - "*z": 2, - "stop": 32, - "#080808": 2, - "#5bb75b": 2, - "webkit": 364, - "last": 118, - "left": 489, - "outline": 30, - "#339bb9": 5, - "pause": 2, - "#b3b3b3": 2, - "level": 2, - ".offset8": 6, - "tr.error": 4, - "backdrop.fade": 1, - "#999999": 50, - "background": 770, - "up": 12, - "s": 25, - "hgroup": 2, - "unit": 3, - "sign": 16, - "upload": 2, - "#46a546": 2, - "#fff": 10, - ".offset6": 6, - "GradientType": 30, - "transparent": 148, - "topleft": 16, - ".hero": 3, - "tabs": 94, - "tags": 2, - "qrcode": 2, - "volume": 6, - "figcaption": 2, - "q": 4, - "serif": 6, - "#777777": 12, - "globe": 2, - ".offset4": 6, - "bullhorn": 2, - "#24748c": 2, - "text": 129, - "widows": 2, - ".span9": 4, - "@page": 2, - "adjust": 6, - "polaroid": 2, - ".tooltip.right": 2, - "li.dropdown.active": 8, - "bookmark": 2, - "o": 48, - "ul": 84, - ".tooltip": 7, - "#c43c35": 5, - "#0480be": 10, - ".breadcrumb": 8, - "pane": 4, - "group.error": 32, - ".offset2": 6, - "radius": 534, - "th.span8": 2, - ".offset11": 6, - "canvas": 2, - "textarea.span8": 2, - "list": 44, - ".span7": 4, - ".075": 12, - "@media": 2, - "#f7f7f9": 2, - "tabs.nav": 12, - ".125": 6, - "visible": 8, - "auto": 50, - "warning.progress": 1, - "bar": 21, - ".muted": 2, - "search": 66, - ".uneditable": 80, - "th.span6": 2, - "textarea.span6": 2, - "#f7f7f7": 3, - "@": 8, - "leaf": 2, - "*padding": 36, - "li": 205, - "#f5f5f5": 26, - ".span5": 4, - "edit": 2, - "hr": 2, - "tbody": 68, - "Helvetica": 6, - "bell": 2, - "refresh": 2, - "filter": 57, - "a.label": 4, - "textarea.span4": 2, - "append": 120, - "*display": 20, - "th.span4": 2, - "img": 14, - "danger.progress": 1, - "#0044cc": 20, - ".active": 86, - "#ee5f5b": 18, - "group.success": 32, - ".span3": 4, - ".tabs": 62, - "music": 2, - "warning.disabled": 2, - "#d9d9d9": 4, - "from": 40, - "#e6e6e6": 20, - "max": 18, - "#3a87ad": 18, - "min": 14, - "fieldset": 2, - ".thumbnails": 12, - "info.dropdown": 2, - "ban": 2, - "justify": 2, - "textarea.span2": 2, - "th.span2": 2, - "padding": 174, - "absolute": 8, - "navbar": 28, - "hdd": 2, - "trash": 2, - ".span1": 4, - ".text": 14, - "visibility": 1, - "#d4d4d4": 2, - "eject": 2, - "danger": 21, - "group.info": 32, - "input.span8": 4, - "transform": 4, - "multiple": 2, - "#808080": 2, - "nav": 2, - "Arial": 6, - "magnet": 2, - "allowed": 4, - "*border": 8, - "input.span6": 4, - "tfoot": 12, - "rounded": 2, - "deg": 20, - "prepend.input": 22, - "#c67605": 4, - "#333333": 26, - ".05": 24, - "th.span12": 2, - "transition": 36, - "group": 120, - "input.span4": 4, - ".badge": 30, - "#57a957": 5, - "warning.dropdown": 2, - "pencil": 2, - "film": 2, - "pre": 16, - "#c4e3f3": 2, - "#d14": 2, - "*zoom": 48, - ".popover.right": 3, - "odd": 4, - ".6": 6, - ".tooltip.bottom": 2, - ".disabled": 22, - "map": 2, - "button.btn.btn": 6, - "td.span12": 2, - "th.span10": 2, - "a": 268, - "normal": 18, - "input.span2": 4, - "input.search": 2, - "#003399": 2, - "#cccccc": 18, - "help": 2, - "row": 20, - "cell": 2, - ".alert": 34, - "screenshot": 2, - "check": 2, - "td.span10": 2, - "a.badge": 4, - "shopping": 2, - "no": 2, - "#2f96b4": 20, - "actions": 10, - "#f89406": 27, - "right": 258, - ".2": 12, - "blockquote.pull": 10, - "baseline": 4, - "both": 30, - "li.dropdown": 12, - "headphones": 2, - "after": 96, - "]": 384, - "bottomleft": 16, - "rendering": 2, - ".nav.pull": 2, - "cog": 2, - "#222222": 32, - "#7ab5d3": 6, - "center": 17, - "middle": 20, - "family": 10, - ".brand": 14, - "minus": 4, - "[": 384, - "file": 2, - "#f8b9b7": 6, - "#4bb1cf": 1, - "navbar.disabled": 4, - "#444444": 10, - "#595959": 2, - "child": 301, - "textarea": 76, - "h5": 6, - "li.dropdown.open": 14, - "asterisk": 2, - "#49afcd": 2, - "scrollable": 2, - "bold": 14, - "pointer": 12, - ".popover.left": 3, - "#fbeed5": 2, - "below": 18, - "#802420": 2, - "ul.unstyled": 2, - ".btn": 506, - "danger.dropdown": 2, - "arrow": 21, - "#faa732": 3, - "bicubic": 2, - "shadow": 254, - "offset": 6, - "h3": 14, - ".tooltip.in": 1, - ".icon": 288, - "#a9302a": 2, - "hover": 144, - "td.span9": 2, - "size": 104, - "inline": 116, - "ease": 12, - ".control": 150, - "cancel": 2, - "h1": 11, - "blockquote": 14, - "*": 2, - "bordered": 76, - "fixed": 36, - "data": 2, - "out": 10, - "td.span7": 2, - "linear": 204, - "lock": 2, - "footer": 2, - ".lead": 2, - "details": 2, - "#fcfcfc": 2, - "Menlo": 2, - "eye": 4, - "on": 36, - "(": 748, - "color": 711, - "textfield": 2, - "info": 37, - "td.span5": 2, - "separate": 4, - "tr": 92, - "tint": 2, - "strong": 2, - "textarea.span12": 2, - "#a47e3c": 4, - "class": 26, - "gradient": 175, - "margin": 424, - "thin": 8, - "input.span11": 4, - "ol": 10, - "height": 141, - "space": 23, - "letter": 1, - "folder": 4, - "td.span3": 2, - "off": 4, - "envelope": 2, - "textarea.span10": 2, - "success.progress": 1, - "#151515": 12, - "#499249": 2, - "false": 18, - ".container": 32, - "decoration": 33, - "Consolas": 2, - "clip": 3, - "group.open": 18, - "focus": 232, - "block": 133, - "important": 18, - "td.span1": 2, - "article": 2, - ".pill": 6, - ".dropup": 2, - "primary.active": 6, - "z": 12, - "warning": 33, - "original": 2, - "#f2dede": 6, - "#f9f9f9": 12, - "type": 174, - ".tooltip.top": 2, - "#2a85a0": 2, - "#387038": 2, - ".span11": 4, - "sup": 4, - "display": 135, - "abbr.initialism": 2, - ".next": 4, - ".caret": 70, - "time": 2, - "#000000": 14, - "float": 84, - "x": 30, - "tr.warning": 4, - "placeholder": 18, - "table": 44, - "circle": 18, - "ul.inline": 4, - "legend": 6, - "@keyframes": 2, - "open": 4, - "star": 4, - "#555555": 18, - "pre.prettyprint": 2, - "#e1e1e8": 2, - "span": 38, - "resize": 8, - "flag": 2, - "readonly": 10, - "striped": 13, - "empty": 7, - "word": 6, - ".progress": 22, - "signal": 2, - "zoom": 5, - ".offset9": 6, - "visited": 2, - ".progress.active": 1, - "#0e0e0e": 2, - ".form": 132, - "*width": 26, - "small": 66, - "ol.unstyled": 2, - "th": 70, - ".navbar": 332, - ".btn.large": 4, - "progid": 48, - "#d59392": 6, - ".clearfix": 8, - "inside": 4, - ".previous": 4, - "input": 336, - ".offset7": 6, - "horizontal": 60, - ".pager": 34, - "play": 4, - "medium": 2, - "uppercase": 4, - "DXImageTransform.Microsoft.gradient": 48, - "image": 187, - "toggle": 84, - "controls": 2, - "spacing": 3, - "#5eb95e": 1, - ".close": 2, - "before": 48, - ".offset5": 6, - "dotted": 10, - ".media": 11, - "#f2f2f2": 22, - "heart": 2, - "danger.active": 6, - "td": 66, - "attr": 4, - "none": 128, - ".add": 36, - "html": 4, - "p": 14, - ".pull": 16, - "#999": 6, - "#ebebeb": 1, - "#fafafa": 2, - "briefcase": 2, - "hand": 8, - "random": 2, - "#ebcccc": 2, - "class*": 100, - "th.span9": 2, - ".offset12": 6, - "#0088cc": 24, - "textarea.span9": 2, - "relative": 18, - ".offset3": 6, - ".bar": 22, - ".caption": 2, - ".open": 8, - "book": 2, - "#408140": 2, - "endColorstr": 30, - ".span8": 4, - "weight": 28, - "thumbs": 4, - "road": 2, - "home": 2, - "button.btn": 4, - "primary.disabled": 2, - "query": 22, - "box": 264, - "interpolation": 2, - "#b94a48": 20, - "#111111": 18, - "inverse.dropdown": 2, - "warning.active": 6, - ".offset1": 6, - "th.span7": 2, - ".offset10": 6, - "textarea.span7": 2, - "pills.nav": 4, - "#eeeeee": 31, - ".span6": 4, - "#0e90d2": 2, - "success.active": 6, - "error": 10, - "header": 12, - "ms": 13, - "caption": 18, - "#map_canvas": 2, - "backdrop": 2, - "#040404": 18, - "facetime": 2, - "inverse.disabled": 2, - "opacity": 15, - ".3em": 6, - "*background": 36, - "#e9322d": 2, - "textarea.span5": 2, - "condensed": 4, - "orphans": 2, - "static": 14, - "sub": 4, - "ellipsis": 2, - "th.span5": 2, - "progress": 15, - "#252525": 2, - ".btn.dropdown": 2, - "*margin": 70, - "cm": 2, - ".span4": 4, - ".divider": 8, - "down": 12, - "#dbc59e": 6, - ".google": 2, - "#515151": 2, - "collapse.collapse": 2, - "link": 28, - "index": 14, - "menu": 42, - "textarea.span3": 2, - "#000": 2, - "sizing": 27, - "th.span3": 2, - "style": 21, - ".nav": 308, - "button": 18, - ".span2": 4, - "query.focused": 2, - "share": 4, - "repeat": 66, - ".popover": 14, - "aside": 2, - "input.span9": 4, - ".hide": 12, - "dt": 6, - "position": 342, - "rgba": 409, - "#363636": 2, - "textarea.span1": 2, - "th.span1": 2, - "a.text": 16, - ".input": 216, - "inbox": 2, - "user": 2, - "#da4f49": 2, - ";": 4219, - "moz": 316, - "align": 72, - "tr.info": 4, - ".controls": 28, - "indent": 4, - "#dff0d8": 6, - "input.span7": 4, - "sans": 6, - "Monaco": 2, - ".checkbox.inline": 6, - "solid": 93, - "#d6e9c6": 2, - "url": 4, - "#1f6377": 2, - "#953b39": 6, - "object": 1, - "#bce8f1": 2, - "collapse": 12, - ".label": 30, - "#149bdf": 11, - "close": 4, - "backward": 6, - "picture": 2, - "#006dcc": 2, - "disabled": 36, - "mode": 2, - "fluid": 126, - "input.span5": 4, - "body": 3, - "#1a1a1a": 2, - "#7aba7b": 6, - "line": 97, - "#ccc": 13, - "print": 4, - ".img": 6, - "vertical": 56, - "th.span11": 2, - "xlarge": 2, - ".2s": 16, - "input.span3": 4, - "#468847": 18, - ".tabbable": 8, - "calendar": 2, - "#942a25": 2, - "address": 2, - "scroll": 2, - "cursor": 30, - "topright": 16, - "select": 90, - ".thumbnail": 6, - "remove": 6, - "glass": 2, - "#5bc0de": 16, - ".dropdown": 126, - "input.span1": 4, - "dl": 2, - "td.span11": 2, - ".table": 180, - "not": 6, - "submenu": 8, - "inverse.active": 6, - "info.active": 6, - "#faf2cc": 2, - "#c09853": 14, - "hidden": 9, - "cite": 2, - "plus": 4, - ".popover.top": 3, - "heading": 1, - "menu.pull": 8, - "primary.dropdown": 2, - "abbr": 6, - ".checkbox": 26, - "in": 10, - "danger.disabled": 2, - ".search": 22, - "colgroup": 18, - ".1": 24, - "cart": 2, - "fast": 4, - "barcode": 2, - "content": 66, - "first": 179, - "bottom": 309, - "href": 28, - "forward": 6, - "alt": 6, - "invalid": 12, - "appearance": 6, - "certificate": 2, - "move": 2, - "success": 35, - "figure": 2, - "backdrop.fade.in": 1, - "nowrap": 14, - "inner": 37, - "page": 6, - "white": 25, - "h6": 6, - "prepend": 82, - "#ddd": 38, - ".large.dropdown": 2, - "video": 4, - "mini": 34, - "monospace": 2, - "stripes": 15, - "default": 12, - ".15": 24, - "tr.success": 4, - "-": 8839, - ".row": 126, - "#2d6987": 6, - "avoid": 6, - "h4": 20, - "chevron": 8, - "download": 4, - "#a9dba9": 2, - "italic": 4, - "inset": 132, - "dd": 6, - "full": 2, - "maps": 2, - "bottomright": 16, - ".pre": 2, - "em": 6, - "h2": 14, - "top": 376, - "+": 105, - "border": 912, - "infinite": 5, - "keyframes": 8, - "a.thumbnail": 4, - "tasks": 2, - "#ad6704": 2, - ".btn.active": 8, - "td.span8": 2, - "optimizelegibility": 2, - "clear": 32, - ".modal": 5, - ".arrow": 12, - "fullscreen": 2, - "exclamation": 2, - "#003bb3": 2, - "large": 40, - "width": 215, - "primary": 14, - "#bfbfbf": 4, - ".help": 44, - ")": 748, - "info.progress": 1, - "#eed3d7": 2, - ".dropdown.active": 4, - "success.disabled": 2, - "all": 10, - "overflow": 21, - "td.span6": 2, - "px": 2535, - "ring": 6, - "nth": 4, - ".tooltip.left": 2, - "wrap": 6, - "#dddddd": 16, - "thead": 38, - "section": 2, - "#d0e9c6": 2 - }, - "NSIS": { - "only": 1, - "MyLabel": 2, - "UninstPage": 2, - "components": 1, - "s": 1, - "you": 1, - "DeleteINISec": 1, - "OutFile": 1, - "ReadINIStr": 1, - "_f": 2, - "NoError": 2, - "with": 1, - "Microsoft": 1, - "redirection.": 2, - "Page": 4, - "File": 3, - "IfFileExists": 1, - "hotkey": 1, - "*.*": 2, - "Software": 1, - "x64": 1, - "CONTROL": 1, - "CRCCheck": 1, - "and": 1, - "silent.nsi": 1, - "makes": 1, - "t": 1, - "hidden": 1, - "few": 1, - "SetOutPath": 3, - "NSIS": 3, - "NOINSTTYPES": 1, - "be": 1, - "SetCompress": 1, - "cpdest": 3, - "InstType": 6, - "ErrorYay": 2, - "test": 1, - "Section": 5, - "Shift": 1, - "insertmacro": 2, - "NOCOMPRESS": 1, - "x64.": 1, - "macros": 1, - "_": 1, - "INIDelSuccess": 2, - "not": 2, - "could": 1, - "Note": 1, - "false": 1, - "for": 2, - "IDNO": 1, - "bigtest.nsi": 1, - "LicenseData": 1, - "disables": 1, - "ClearErrors": 1, - "IDYES": 2, - "Name": 1, - "define": 4, - "SMPROGRAMS": 2, - "continue.": 1, - "BGGradient": 1, - "enables": 1, - "like": 1, - "WriteRegBin": 1, - "(": 5, - "XPStyle": 1, - "_t": 2, - "failed": 1, - "the": 4, - "ReadRegStr": 1, - "checks": 1, - "FF8080": 1, - "system": 2, - "/e": 1, - "attempts": 1, - "write": 2, - "Windows": 3, - "strings": 1, - "IsWow64Process": 1, - "start": 1, - "___X64__NSH___": 3, - "uninstall.ico": 1, - "SilentInstall": 1, - "normal": 1, - "reg": 1, - "InstallColors": 1, - "DetailPrint": 1, - "SetDateSave": 1, - ")": 5, - "fun.": 1, - "a": 2, - "starting": 1, - "would": 1, - "Group2": 1, - "InstallDirRegKey": 1, - "off": 1, - "info": 1, - "running": 1, - "HKLM": 9, - "/NOCUSTOM": 1, - "macroend": 3, - "ifndef": 2, - "SW_SHOWMINIMIZED": 1, - "Icon": 1, - "Icons": 1, - "Graphics": 1, - "macro": 3, - "on": 6, - "ShowInstDetails": 1, - "bt": 1, - "If": 1, - "StrCpy": 2, - "installer": 1, - "_RunningX64": 1, - "remove": 1, - "CurrentVersion": 1, - "example2.": 1, - "some.dll": 2, - "create": 1, - "MySectionIni": 1, - "file": 4, - "System32": 1, - "functionality": 1, - "BeginTestSection": 1, - "NoOverwrite": 1, - "machines.": 1, - "A": 1, - "myfunc": 1, - "endif": 4, - "MyTestVar": 1, - "SetDatablockOptimize": 1, - "Value1": 1, - "CreateShortCut": 2, - "IfErrors": 1, - "+": 2, - "packhdr": 1, - "SOFTWARE": 7, - "recursively": 1, - "admin": 1, - "SHIFT": 1, - "x64.nsh": 1, - "HAVE_UPX": 1, - "HKCR": 1, - "TextInSection": 1, - "_a": 1, - "WriteRegDword": 3, - "CheckBitmap": 1, - "InstallDir": 1, - "uninstall": 2, - "defined": 1, - "Test": 2, - "next": 1, - "GetCurrentProcess": 1, - "test.ini": 2, - "exehead.": 1, - "SysWOW64": 1, - "if": 4, - "minimized": 1, - "ifdef": 2, - "Pop": 1, - "Start": 2, - "/COMPONENTSONLYONCUSTOM": 1, - "skipped": 2, - "AutoCloseWindow": 1, - "System": 4, - "installations": 1, - "handle": 1, - "CSCTest": 1, - "SectionIn": 4, - "uninstConfirm": 1, - "MB_OK": 8, - "xyz_cc_does_not_exist": 1, - "_b": 1, - "Nop": 1, - "MB_YESNO": 3, - "Would": 1, - "simple": 1, - "FFFFFF": 1, - "empty": 1, - "Ctrl": 1, - "NoErrorMsg": 1, - "BigNSISTest": 8, - "most": 1, - "C": 2, - "LicenseText": 1, - "give": 1, - "tmp.dat": 1, - "{": 8, - "NSISTest": 7, - "EndIf": 1, - "Wow64EnableWow64FsRedirection": 2, - "-": 205, - "of": 3, - "uninst.exe": 1, - "RequestExecutionLevel": 1, - "StrCmp": 1, - "CreateDirectory": 1, - "SYSDIR": 1, - "*i.s": 1, - "show": 1, - "MyProject": 1, - "DeleteINIStr": 1, - "so": 1, - "exist": 1, - "is": 2, - "Goto": 1, - "i0": 1, - "WriteUninstaller": 1, - "MyFunctionTest": 1, - "INSTDIR": 15, - "|": 3, - "Big": 1, - "Caption": 1, - "string": 1, - "Hit": 1, - "Call": 6, - "to": 6, - "#": 3, - "This": 2, - "Contrib": 1, - "NSISDIR": 1, - "LogicLib.nsh": 1, - "WriteRegStr": 4, - "removed": 1, - "kernel32": 4, - "i.s": 1, - "MessageBox": 11, - "EnableX64FSRedirection": 4, - "include": 1, - "BranchTest69": 1, - "nsis1": 1, - "icon": 1, - "doesn": 2, - "i1": 1, - "SectionGroup": 2, - "_LOGICLIB_TEMP": 3, - "license": 1, - "it": 3, - "DisableX64FSRedirection": 4, - "}": 8, - "directory": 3, - "will": 1, - "instfiles": 2, - "script": 1, - "IDOK": 1, - "LogicLib.nsi": 1, - "BiG": 1, - "xdeadbeef": 1, - "MB_ICONQUESTION": 1, - "/a": 1, - "SectionGroup1": 1, - "Q": 2, - "MyProjectFamily": 2, - "extracts": 2, - "SectionEnd": 5, - "Uninstall": 2, - "fun": 1, - "RunningX64": 4, - "WriteINIStr": 5, - ";": 39 - }, - "Rebol": { - "]": 3, - "[": 3, - "REBOL": 1, - "func": 1, - "print": 1, - "hello": 2 - }, - "Ioke": { - "SHEBANG#!ioke": 1, - "println": 1 - }, - "R": { - "aes": 2, - "all.hours": 2, - "ncol": 2, - "SHEBANG#!Rscript": 1, - "size": 1, - "+": 2, - "x": 1, - "y": 1, - "ggplot2": 6, - "data.frame": 1, - "c": 2, - "]": 3, - "[": 3, - "ParseDates": 2, - "}": 3, - "{": 3, - ")": 28, - "(": 28, - "-": 12, - "<": 12, - "width": 1, - "Freq": 1, - "as.data.frame": 1, - "filename": 1, - "scale_size": 1, - "TRUE": 3, - "print": 1, - "intern": 1, - "strsplit": 2, - "height": 1, - "days": 2, - "function": 3, - "Hour": 2, - "factor": 2, - "hours": 2, - "byrow": 2, - "ggsave": 1, - "range": 1, - "geom_point": 1, - "times": 2, - "plot": 1, - "punchcard": 4, - "system": 1, - "Main": 2, - "Day": 2, - "unlist": 2, - "dates": 3, - "lines": 4, - "matrix": 2, - "hello": 2, - "ggplot": 1, - "table": 1, - "levels": 2, - "all.days": 2 - }, - "Racket": { - "displayln": 2, - "power": 1, - "programs": 1, - "library": 1, - "if": 1, - "else": 1, - "printf": 2, - "@filepath": 1, - "starting": 1, - "written": 1, - "form": 1, - "be": 2, - "#lang": 1, - "range": 1, - "scribble.scrbl": 1, - "in": 3, - "or": 2, - "generated": 1, - "define": 1, - "Clean": 1, - "see": 1, - "This": 1, - "documentation": 1, - "scribble/manual": 1, - "prose": 2, - "form.": 1, - ";": 3, - "can": 1, - "Scribble.": 1, - "is": 3, - "the": 3, - "whether": 1, - "(": 23, - "a": 1, - "//racket": 1, - "with": 1, - "url": 3, - "its": 1, - "books": 1, - "write": 1, - "PDF": 1, - "more": 2, - "bottles": 4, - "source": 1, - "for": 2, - "Documentation": 1, - "itself": 1, - "@include": 8, - "textual": 1, - "require": 1, - "Racket": 2, - "other": 1, - "@": 3, - "-": 94, - "sub1": 1, - "n": 8, - "simple": 1, - "at": 1, - "content": 2, - "The": 1, - "scribble/bnf": 1, - "papers": 1, - "etc.": 1, - "[": 16, - "to": 2, - "typeset": 1, - "document": 1, - "of": 4, - "you": 1, - "http": 1, - "Scribble": 3, - "text": 1, - "s": 1, - "@index": 1, - "and": 1, - "HTML": 1, - "generally": 1, - "are": 1, - "rich": 1, - "@title": 1, - "Latex": 1, - "{": 2, - "creating": 1, - "via": 1, - "lang.org/": 1, - "link": 1, - "tools": 1, - "]": 16, - "efficient": 1, - "file.": 1, - "You": 1, - "that": 2, - "Tool": 1, - "collection": 1, - "case": 1, - "code": 1, - "section": 9, - "using": 1, - "More": 1, - "documents": 1, - "contents": 1, - "@table": 1, - "let": 1, - "@author": 1, - ")": 23, - "any": 1, - "helps": 1, - "}": 2, - "programmatically.": 1 - }, - "Turing": { - "when": 1, - "else": 1, - "-": 1, - "*": 1, - "real": 1, - ")": 3, - "n": 9, - "(": 3, - "get": 1, - "result": 2, - "then": 1, - "function": 1, - "factorial": 4, - "put": 3, - "end": 3, - "exit": 1, - "..": 1, - "loop": 2, - "var": 1, - "if": 2, - "int": 2 - }, - "KRL": { - "when": 1, - ";": 1, - ")": 1, - "(": 1, - "select": 1, - "}": 3, - "meta": 1, - "{": 3, - "sample": 1, - "Hello": 1, - "ruleset": 1, - "pageview": 1, - "world": 1, - "rule": 1, - "author": 1, - "<<": 1, - "notify": 1, - "web": 1, - "description": 1, - "name": 1, - "hello": 1 - }, - "Ragel in Ruby Host": { - "new": 1, - "machine": 3, - "self.parse": 1, - "parse_time": 3, - "leftover": 8, - "soe": 2, - "my_ts...my_te": 1, - ";": 38, - "SimpleScanner": 1, - ".to_i": 2, - "]": 20, - "File.open": 2, - "start_time": 4, - "parser.start_time": 1, - "parse_start_time": 2, - "my_ts..": 1, - "chunk": 2, - "s.perform": 2, - "pe": 4, - "data.unpack": 1, - "tz": 2, - "|": 11, - "begin": 3, - "ts..pe": 1, - "||": 1, - "f.read": 2, - "module": 1, - "parser": 2, - "minutes": 2, - "Emit": 4, - "SimpleTokenizer.new": 1, - "./": 1, - "adbc": 2, - ")": 33, - "s": 4, - "do": 2, - "digit": 7, - "p": 8, - "Tengai": 1, - "stop_time": 4, - "datetime": 3, - "#": 4, - "year": 2, - "my_te": 6, - "@path": 2, - "attr_reader": 2, - "te": 1, - "parser.stop_time": 1, - "eof": 3, - "seconds": 2, - "write": 9, - "emit": 4, - "ephemeris_table": 3, - "super": 2, - "SimpleTokenizer": 1, - "DateTime.parse": 1, - "parser.step_size": 1, - "month": 2, - "<": 1, - "parse_stop_time": 2, - "end": 23, - "action": 9, - "data": 15, - "time_unit": 2, - "simple_scanner": 1, - "init": 3, - "[": 20, - "initialize": 2, - "path": 8, - "MyTe": 2, - "class": 3, - "hours": 2, - "perform": 2, - "}": 19, - "String": 1, - "mark": 6, - "parse_step_size": 2, - "lower": 1, - "ENV": 2, - "-": 5, - "step_size": 3, - "upper": 1, - "*": 9, - "t": 1, - "parser.ephemeris_table": 1, - "ignored": 4, - "time": 6, - "n": 1, - "private": 1, - "fhold": 1, - "nil": 4, - ".freeze": 1, - "data.length": 3, - "ARGV": 2, - "ephemeris_parser": 1, - "ephemeris": 2, - "chunk.unpack": 2, - "simple_tokenizer": 1, - "date": 2, - "EPHEMERIS_DATA": 2, - "Struct.new": 1, - "ws": 2, - "any*": 3, - "def": 10, - "while": 2, - "if": 4, - "{": 19, - "foo": 8, - "space*": 2, - "SimpleScanner.new": 1, - "my_ts": 6, - "..": 1, - "ts": 4, - "+": 7, - "else": 2, - "any": 4, - "EphemerisParser": 1, - "(": 33, - "mark..p": 4, - "r": 1, - "alnum": 1, - "require": 1, - "stdout.puts": 2, - "%": 34, - "data.is_a": 1, - "main": 3, - ".pack": 6, - "exec": 3, - "MyTs": 2, - "f": 2, - "parse_ephemeris_table": 2, - "eoe": 2 - }, - "Makefile": { - "ls": 1, - "factorial.o": 3, - "l": 1, - "%": 1, - "c": 3, - "o": 1, - "-": 6, - "+": 8, - "g": 4, - "main.o": 3, - "main.cpp": 2, - "*o": 1, - "all": 1, - "SHEBANG#!make": 1, - "factorial.cpp": 2, - "hello.o": 3, - "rf": 1, - "rm": 1, - "hello": 4, - "clean": 1, - "hello.cpp": 2 - }, - "YAML": { - "tests": 1, - "-": 16, - "line": 1, - "rdoc": 2, - "gen": 1, - "gem": 1, - "/usr/local/rubygems": 1, - "numbers": 1, - "gempath": 1, - "local": 1, - "source": 1, - "run": 1, - "/home/gavin/.rubygems": 1, - "inline": 1 - }, - "Ruby": { - "missing": 1, - "patch_list.empty": 1, - "Delegator.target.send": 1, - "head_prefix": 2, - "nend": 1, - "Application": 2, - "d": 6, - "Formula.path": 1, - "class_eval": 1, - "add_charset": 1, - "klass.respond_to": 1, - "px": 3, - "self.sha1": 1, - "cc.name": 1, - "data": 1, - "result.sub": 2, - "config_file": 2, - "@sha1": 6, - "pluralize": 3, - "RUBY_ENGINE": 2, - "extends": 1, - "helpers": 3, - "@keg_only_reason": 1, - ".pop": 1, - ".": 3, - "inflections.acronym_regex": 2, - "working.size": 1, - "type.to_s.upcase": 1, - "instance_variable_set": 1, - "": 1, - "man5": 1, - "Formula.factory": 2, - "end": 238, - "Parser": 1, - "rack": 1, - "patch_list": 1, - "rv": 3, - "wr.close": 1, - "self.class.mirrors": 1, - "plugin.display_name": 1, - ".upcase": 1, - "object": 2, - "MacOS.cat": 1, - "include": 3, - "File.exist": 1, - "Kernel.rand": 1, - "]": 56, - "id=": 1, - "root": 5, - "Job.create": 1, - "bottle_block": 1, - "app_file": 4, - "Sinatra": 2, - "LoadError": 3, - "p.to_s": 2, - "val": 10, - "Exception": 1, - "singularize": 2, - "accept_entry": 1, - "message": 2, - "patch_list.each": 1, - "failure.build.zero": 1, - "retry": 2, - "Redis.respond_to": 1, - "result.gsub": 2, - "accept": 1, - "linked_keg": 1, - "center": 1, - "self.all": 1, - "RuntimeError": 1, - "align": 2, - "Interrupt": 2, - "//": 3, - "self.method_added": 1, - "doc": 1, - "@stack": 1, - "attr_reader": 5, - ".include": 1, - "humanize": 2, - "File.join": 6, - "incomplete": 1, - "NotImplementedError": 1, - "@spec_to_use.download_strategy": 1, - "@standard.nil": 1, - "@queue": 1, - "@redis": 6, - "github": 1, - "e.name.to_s": 1, - "type": 10, - "info": 2, - "relative_pathname": 1, - "const": 3, - "Parser.new": 1, - "show_exceptions": 1, - "Base": 2, - "self.attr_rw": 1, - ";": 41, - "attr_accessor": 2, - "parts.pop": 1, - "constant.ancestors.inject": 1, - "redis.server": 1, - "const_regexp": 3, - "md5": 2, - "SystemCallError": 1, - "list_range": 1, - ".to_s": 3, - "mirror_list": 2, - "inside": 2, - "word": 10, - "stdout.puts": 1, - "self.redis": 2, - "use_code": 1, - "module": 8, - "possible_alias": 1, - "class_name": 2, - "enable": 1, - "phone_numbers": 1, - "@url": 8, - "Rails": 1, - "self.class.dependencies.deps": 1, - "rd.close": 1, - "validate_variable": 7, - "CurlBottleDownloadStrategy.new": 1, - "@mirrors": 3, - "term": 1, - "webrick": 1, - "ARGV.build_head": 2, - "on": 2, - "size": 3, - "Z0": 1, - "never": 1, - "replacement": 4, - "Compiler.new": 1, - "": 1, - "stage": 2, - "margin": 2, - "sessions": 1, - "p.compression": 1, - "HOMEBREW_CACHE_FORMULA.mkpath": 1, - "klass_name": 2, - "alias": 1, - "prefixed_redirects": 1, - "bottle_sha1": 2, - "Jenkins": 1, - "reason": 2, - "constantize": 1, - "self.data": 1, - "remove_worker": 1, - "redis.nodes.map": 1, - "plugin.uses_repository": 1, - "**256": 1, - "Z_": 1, - "@#": 2, - ".gsub": 5, - "#remove": 1, - "and": 6, - "mime_type": 1, - "demodulize": 1, - "var": 1, - "Inflector": 1, - "@spec_to_use.url": 1, - "Worker.find": 1, - "reset": 1, - "@downloader.cached_location": 1, - "Formula.canonical_name": 1, - "word.gsub": 4, - "-": 34, - "lower_case_and_underscored_word.to_s.dup": 1, - "exit": 2, - "result": 8, - "self.each": 1, - "email": 1, - "queue.to_s": 1, - "man4": 1, - "enc": 5, - "download_strategy.new": 2, - "fetch": 2, - "This": 1, - "javascript": 1, - "patches": 2, - "initialize": 2, - "klass.to_s.empty": 1, - "ordinalize": 1, - "string.gsub": 1, - "self.class.dependencies.external_deps": 1, - "@user": 1, - "autotools": 1, - "unless": 15, - "self.canonical_name": 1, - "session_secret": 3, - "w": 6, - "VERSION": 1, - "helvetica": 1, - "development": 6, - "require_all": 4, - "http": 1, - "result.tr": 1, - "SecureRandom.hex": 1, - "Stat": 2, - "NoQueueError.new": 1, - "supplied.upcase": 1, - "std_cmake_args": 1, - "A": 5, - "like": 1, - "absolute_redirects": 1, - "after": 1, - "share": 1, - "&": 31, - "Formula.expand_deps": 1, - "n.id": 1, - "url": 12, - "bottle_block.data": 1, - "name.capitalize.gsub": 1, - "self.class.keg_only_reason": 1, - "sbin": 1, - ".collect": 2, - "not": 3, - "ENV.kind_of": 1, - "server.unshift": 6, - "@skip_clean_paths": 3, - "File.dirname": 4, - "@name": 3, - "number": 2, - "p": 2, - "nil": 21, - "self.class.cc_failures.nil": 1, - "Delegator.target.use": 1, - "ActiveSupport": 1, - "
": 1, - "inflections.acronyms": 1, - "pending": 1, - "@queues": 2, - "exec": 2, - "libexec": 1, - "based": 1, - "yield": 5, - "@spec_to_use.detect_version": 1, - "html": 1, - "all": 1, - "@downloader": 2, - "URI": 3, - "plist_path": 1, - "config.is_a": 1, - "*/": 1, - "attr_rw": 4, - "dependencies": 1, - "ruby_engine": 6, - "map": 1, - "plugin.url": 1, - "pretty_args": 1, - "ARGV.named.empty": 1, - "attr_writer": 4, - "install_bottle": 1, - "downloader.stage": 1, - "NameError": 2, - "self.helpers": 1, - "i": 2, - "removed_ENV_variables": 2, - "installed": 2, - "last": 4, - "Foo": 1, - "FileUtils.rm": 1, - "public_folder": 3, - "next": 1, - "redis.keys": 1, - "Redis": 3, - "skip_clean": 2, - "@instance.settings": 1, - "CompilerFailure.new": 2, - "upcase": 1, - "failure": 1, - "Z/": 1, - "part": 1, - "delete": 1, - "word.tr": 1, - "uses": 1, - "public": 2, - "options": 3, - "inflections.plurals": 1, - "": 1, - "ENV.remove_cc_etc": 1, - "DEFAULTS.deep_merge": 1, - "CurlDownloadStrategyError": 1, - "download": 1, - "invalid": 1, - "lot": 1, - ".flatten": 1, - ".basename": 1, - "name.include": 2, - "left": 1, - "DEFAULTS": 2, - "deconstantize": 1, - "Request": 2, - "@skip_clean_paths.include": 1, - "}": 68, - "implementation": 1, - "acc": 2, - "names.each": 1, - "b": 4, - "methods.each": 1, - "from_url": 1, - "template": 1, - "@spec_to_use": 4, - "download_strategy": 1, - "class": 7, - "term.to_s": 1, - "xhtml": 1, - "peek": 1, - "get": 2, - "sha256": 1, - "of": 1, - "out": 4, - "validate": 1, - "possible_cached_formula": 1, - "bin": 1, - "nodes": 1, - "tableize": 2, - "man3": 1, - "environment": 2, - "gzip": 1, - "cc.build": 1, - "redis_id": 2, - "fetched.kind_of": 1, - "m.public_instance_methods": 1, - "v": 2, - "post": 1, - "Worker.all": 1, - "inflections.uncountables.include": 1, - "cc.is_a": 1, - "None": 1, - "nodoc": 3, - "ftp": 1, - "src=": 1, - "[": 56, - "workers": 2, - "DependencyCollector.new": 1, - "/redis": 1, - "Compiler": 1, - "dasherize": 1, - "f.deps.map": 1, - "pid": 1, - "gem": 3, - "lock": 1, - "pattern": 1, - "xml": 2, - "know": 1, - "camel_cased_word.to_s.dup": 1, - "start": 7, - "env": 2, - "%": 10, - "request.request_method.downcase": 1, - "Patches.new": 1, - "__FILE__": 3, - "IO.pipe": 1, - "
": 1, - "_.": 1, - "settings.add_charset": 1, - "bottle_base_url": 1, - "installed_prefix": 1, - "@specs": 3, - ".rb": 1, - "path.to_s": 3, - "hasher": 2, - "json": 1, - "File.expand_path": 1, - "SHEBANG#!macruby": 1, - "rescue": 13, - ".to_s.split": 1, - "tapd.find_formula": 1, - "bind": 1, - "until": 1, - "word.downcase": 1, - "safe_constantize": 1, - "lower_case_and_underscored_word": 1, - "inflections.singulars": 1, - "@skip_clean_all": 2, - "cached_download": 1, - "": 1, - ".slice": 1, - "keys": 6, - "call": 1, - "name.basename": 1, - "content_type": 3, - "elsif": 7, - "Dir.pwd": 3, - "Job.reserve": 1, - "queue": 24, - "plugin.version": 1, - "partial": 1, - "w/": 1, - "method_override": 4, - "text": 3, - "MultiJsonCoder.new": 1, - ".sort_by": 1, - "location": 1, - "mktemp": 1, - "hash.upcase": 1, - "args.empty": 1, - "plist_name": 2, - "Delegator": 1, - "set_instance_variable": 12, - "camelcase": 1, - "before_fork": 2, - "outside": 2, - "path.rindex": 2, - ".map": 6, - "enqueue_to": 2, - "h": 2, - "HOMEBREW_PREFIX": 2, - "SoftwareSpecification.new": 3, - "fn": 2, - "patch_list.download": 1, - "downloader": 6, - "alias_method": 2, - "instance_variable_get": 2, - "specs": 14, - "attributes": 2, - "opoo": 1, - "disable": 1, - "does": 1, - "URI.const_defined": 1, - "@version": 10, - "args.collect": 1, - "base": 4, - "else": 25, - "worker": 1, - "server.split": 2, - "word.to_s.dup": 1, - "name.kind_of": 2, - "body": 1, - "user": 1, - "explanation.to_s.chomp": 1, - "static": 1, - "Process.wait": 1, - "path.nil": 1, - ".downcase": 2, - "facets": 1, - "self.aliases": 1, - "don": 1, - "key": 8, - "ditty.": 1, - "return": 25, - "|": 91, - "encoded": 1, - "self.class.skip_clean_paths.include": 1, - "@cc_failures": 2, - "layout": 1, - "error": 3, - "block_given": 5, - ".success": 1, - "wr": 3, - "@coder": 1, - "self.class.skip_clean_all": 1, - "a": 10, - "underscored_word.tr": 1, - "test": 5, - "camel_cased_word.to_s": 1, - "head": 3, - "err.to_s": 1, - "/i": 2, - "target": 1, - "CHECKSUM_TYPES.detect": 1, - "FileUtils": 1, - "NoClassError.new": 1, - "db": 3, - "+": 47, - ".capitalize": 1, - "node_numbers": 1, - "TypeError": 1, - "configure": 2, - "man2": 1, - "default": 2, - "cc_failures": 1, - "connect": 1, - "possible_alias.file": 1, - "ohai": 3, - "dep.to_s": 1, - "self.expand_deps": 1, - "": 1, - "self.configuration": 1, - "glob": 2, - "self.class.path": 1, - "": 1, - "before": 1, - "instance": 2, - "u": 1, - "Array": 2, - "protection": 1, - "Z": 3, - "Wrapper": 1, - "brew": 2, - "use/testing": 1, - "HTML": 2, - "https": 1, - "protected": 1, - "redis.client.id": 1, - "string.sub": 2, - "in": 3, - "dep": 3, - "extensions.map": 1, - "MacOS.lion": 1, - "gets": 1, - "config": 3, - "klass": 16, - "val.nil": 3, - "when": 11, - "RawScaledScorer": 1, - "this": 2, - "safe_system": 4, - "from_path": 1, - "LAST": 1, - "queues": 3, - "redis.lrange": 1, - "": 1, - "arg": 1, - "decode": 2, - "it": 1, - "base.class_eval": 1, - "dev": 1, - "*": 3, - "path.respond_to": 5, - "no": 1, - "coder": 3, - "use": 1, - "path.relative_path_from": 1, - "self.class.send": 1, - "apply_inflections": 3, - "Plugin.before_dequeue_hooks": 1, - "Hash.new": 1, - "name": 51, - "man1": 1, - "preferred_type": 1, - "classify": 1, - "explanation": 1, - "
": 1,
-      "redis.lindex": 1,
-      "hook": 9,
-      "t": 3,
-      "DCMAKE_FIND_FRAMEWORK": 1,
-      "Namespace": 1,
-      "cmd.split": 1,
-      "self.map": 1,
-      "self.path": 1,
-      "@buildpath": 2,
-      "Queue.new": 1,
-      "class_value": 3,
-      "
": 1, - "@path": 1, - "self.version": 1, - "before_first_fork": 2, - "DCMAKE_INSTALL_PREFIX": 1, - "char": 4, - "@unstable": 2, - "threaded": 1, - "self.class_s": 2, - "instance_eval": 2, - "@spec_to_use.specs": 1, - "puts": 12, - "#": 100, - "klass.send": 4, - "word.empty": 1, - "clear": 1, - "fork": 1, - "workers.size.to_i": 1, - "parts.reverse.inject": 1, - "attr": 4, - "ARGV.formulae.include": 1, - "begin": 9, - "@url.nil": 1, - "self.register": 2, - "load": 3, - "stable": 2, - "removed_ENV_variables.each": 1, - "p.patch_args": 1, - "child": 1, - "created_at": 1, - "built": 1, - "table_name": 1, - "possible_cached_formula.to_s": 1, - "from": 1, - "m": 3, - "enqueue": 1, - "*args": 16, - "private": 3, - "Object.const_get": 1, - "uppercase_first_letter": 2, - ".size": 1, - "arg.to_s": 1, - "ruby_engine.nil": 1, - "Create": 1, - "key.sub": 1, - "ancestor.const_defined": 1, - "EOF": 2, - "camelize": 2, - "mirrors": 4, - "working": 2, - "klass.instance_variable_get": 1, - "Proc.new": 11, - "&&": 8, - "registered_at": 1, - "SHEBANG#!rake": 1, - "@queues.delete": 1, - "if": 72, - "Rack": 1, - "prefix.parent": 1, - "@bottle_url": 2, - "inspect": 2, - "at": 1, - "failure.build": 1, - "@env": 2, - "to_check": 2, - "": 1, - "to_s": 1, - "after_fork": 2, - "./": 1, - "methods": 1, - "Dir": 4, - "rd": 1, - "the": 8, - "formula_with_that_name.file": 1, - ".unshift": 1, - "Worker.working": 1, - "@before_first_fork": 2, - "namespace": 3, - "width": 1, - "f": 11, - "Jekyll": 3, - "homepage": 2, - "CompilerFailures.new": 1, - "logging": 2, - "self.target": 1, - "@bottle_version": 1, - "break": 4, - "names": 2, - "e.message": 2, - "png": 1, - "sha1": 4, - "String": 2, - "installed_prefix.children.length": 1, - "redis.smembers": 1, - "underscore": 3, - "args": 5, - ".strip": 1, - "YAML.load_file": 1, - "Resque": 3, - "formula_with_that_name.readable": 1, - "cmd": 6, - "man7": 1, - "fn.incremental_hash": 1, - "ARGV.verbose": 2, - "not_found": 1, - "role": 1, - "patch_list.external_patches": 1, - "value": 4, - "owned": 1, - "z": 7, - "rd.read": 1, - "devel": 1, - "Object": 1, - "": 1, - "true": 15, - "_": 2, - "version": 10, - "pop": 1, - "Namespace.new": 2, - "host": 3, - "deps": 1, - "@head": 4, - "each": 1, - "redis": 7, - "number.to_i.abs": 2, - "/_id": 1, - "possible_alias.realpath.basename": 1, - "constant.const_get": 1, - ")": 256, - "recursive_deps": 1, - "supplied.empty": 1, - "is": 3, - "person": 1, - "false": 26, - "node": 2, - "mirror_list.empty": 1, - "self.delegate": 1, - "p.compressed_filename": 2, - "supplied": 4, - "fails_with": 2, - "HOMEBREW_CACHE_FORMULA": 2, - ".to_sym": 1, - "lib": 1, - "now": 1, - "doesn": 1, - "first": 1, - "for": 1, - "bottle_block.instance_eval": 1, - "s": 2, - "put": 1, - "mismatch": 1, - "||": 22, - "@before_fork": 2, - "target_file": 6, - "/Library/Taps/": 1, - "Delegator.target.register": 1, - "skip_clean_all": 2, - "SHEBANG#!ruby": 2, - "method_name": 5, - "path": 16, - "caveats": 1, - "stack": 2, - "name.to_s": 3, - "dump_errors": 1, - "relative_pathname.stem.to_s": 1, - "before_hooks": 2, - "Grit": 1, - "#plugin.depends_on": 1, - "rules": 1, - "Hash": 3, - "@mirrors.uniq": 1, - "etc": 1, - "downloader.fetch": 1, - "then": 4, - "to": 1, - "Plugin": 1, - "patch": 3, - "entries.map": 1, - "attrs.each": 1, - "formula_with_that_name": 1, - "capitalize": 1, - "ordinal": 1, - "/@name": 1, - "": 1, - "zA": 1, - "external_deps": 1, - "path.stem": 1, - "string": 4, - "HOMEBREW_REPOSITORY": 4, - "item": 4, - "rules.each": 1, - "prefix": 14, - "mirror_list.shift.values_at": 1, - "For": 1, - "Q": 1, - "skip_clean_paths": 1, - "uninitialized": 1, - "standard": 2, - "extend": 2, - "empty_path_info": 1, - "send_file": 1, - "plugin.depends_on": 1, - "BuildError.new": 1, - "tapd.directory": 1, - "/.*": 1, - "Delegator.target.helpers": 1, - "verify_download_integrity": 2, - "Formula": 2, - "err": 1, - "dequeue": 1, - "@after_fork": 2, - "because": 1, - "bottle_version": 2, - "system": 1, - "override": 3, - "Digest.const_get": 1, - "table": 2, - "plugin.developed_by": 1, - "Wno": 1, - "..": 1, - "FormulaUnavailableError.new": 1, - "worker.unregister_worker": 1, - "KegOnlyReason.new": 1, - "compiler": 3, - "e": 8, - "Za": 1, - "Class.new": 2, - "servers": 1, - "Try": 1, - "SHEBANG#!python": 1, - ".freeze": 1, - "match": 6, - "font": 2, - "stderr.puts": 2, - "parts": 1, - "f_dep": 3, - "tapd": 1, - "Redis.connect": 2, - ".each": 4, - "/": 34, - "raise": 17, - "HOMEBREW_CELLAR": 2, - "fetched": 4, - "arial": 1, - "path.names": 1, - "stderr.reopen": 1, - "camel_cased_word.split": 1, - "man6": 1, - "@bottle_sha1": 2, - "@instance": 2, - "queues.size": 1, - "queues.inject": 1, - "reserve": 1, - "possible_cached_formula.file": 1, - "ThreadError": 1, - "wrong": 1, - "server": 11, - "username": 1, - "source": 2, - "reload_templates": 1, - "sha1.shift": 1, - "HOMEBREW_CACHE.mkpath": 1, - "block": 30, - "force": 1, - "pnumbers": 1, - ".deep_merge": 1, - "self.names": 1, - "expand_deps": 1, - "self": 11, - "self.defer": 1, - "Job.destroy": 1, - "plugin.name": 1, - "CHECKSUM_TYPES": 2, - ".sort": 2, - "install_type": 4, - "bottle_filename": 1, - "CHECKSUM_TYPES.each": 1, - "attrs": 1, - "constant": 4, - "(": 244, - "extensions": 6, - "characters": 1, - "processed": 2, - "curl": 1, - "resque": 2, - "push": 1, - "method": 4, - "set": 36, - "task": 2, - "respond_to": 1, - "config.log": 2, - "redis.respond_to": 2, - "rsquo": 1, - "args.length": 1, - "r": 3, - "entries": 1, - "dependencies.add": 1, - "appraise": 2, - "ARGV.build_devel": 2, - "keg_only_reason": 1, - "running": 2, - "W": 1, - ".first": 1, - "s/": 1, - "here": 1, - "File.basename": 2, - "self.factory": 1, - "ENV": 4, - "require": 58, - "<": 2, - "static_cache_control": 1, - "camel_cased_word": 6, - "inline": 3, - "part.empty": 1, - "keg_only": 2, - "production": 1, - "Redis.new": 1, - "cc": 3, - "remove_queue": 1, - "thread_safe": 2, - "Pathname.pwd": 1, - "queue_from_class": 4, - "result.downcase": 1, - "HOMEBREW_REPOSITORY/": 2, - ".flatten.uniq": 1, - "k": 2, - "std_autotools": 1, - "onoe": 2, - "before_hooks.any": 2, - "plugin": 3, - "table_name.to_s.sub": 1, - "port": 4, - "mirror": 1, - ".flatten.each": 1, - "": 1, - "buildpath": 1, - "case": 5, - "worker_id": 2, - "raise_errors": 1, - "Archive": 1, - "bottle": 1, - "head_prefix.directory": 1, - "remove": 1, - "threw": 1, - "from_name": 2, - "filename": 2, - "unstable": 2, - "defined": 1, - "Plugin.after_enqueue_hooks": 1, - "id": 1, - "<<": 15, - "def": 143, - "hash": 2, - "paths": 3, - "ancestor": 3, - "color": 1, - "Got": 1, - "family": 1, - "methodoverride": 2, - "titleize": 1, - "pretty_args.delete": 1, - ".join": 1, - "self.use": 1, - "Pathname": 2 - }, - "XC": { - "}": 2, - "0": 1, - "c": 3, - ";": 4, - "x": 3, - "{": 2, - ")": 1, - "(": 1, - "<:>": 1, - "chan": 1, - "main": 1, - "par": 1, - "return": 1, - "int": 2 - }, - "Scilab": { - "else": 1, - "home": 1, - "-": 2, - ";": 7, - "%": 4, - "+": 5, - ")": 7, - "f": 2, - "e": 4, - "d": 2, - "(": 7, - "]": 1, - "b": 4, - "a": 4, - "[": 1, - "myfunction": 1, - "endfunction": 1, - "then": 1, - "assert_checkequal": 1, - "e.field": 1, - "cos": 1, - "function": 1, - "myvar": 1, - "pi": 3, - "disp": 1, - "cosh": 1, - "assert_checkfalse": 1, - "end": 1, - "return": 1, - "if": 1 - }, - "Parrot Internal Representation": { - "main": 1, - "SHEBANG#!parrot": 1, - ".sub": 1, - ".end": 1, - "say": 1 - }, - "MediaWiki": { - "Executable": 1, - "Browse": 2, - "you": 1, - "recognized": 1, - "#References": 2, - "type": 2, - "collection": 1, - "right": 3, - "perspective": 2, - "Importing": 2, - "with": 4, - "]": 11, - "imported": 1, - "Tracepoints": 1, - "mouse.": 1, - "selected": 3, - "Eclipse": 1, - "was": 2, - "For": 1, - "and": 20, - "visit": 1, - "feature.": 1, - "Select": 1, - "Updating": 1, - "view": 7, - "hidden": 1, - "log": 1, - "FAQ": 2, - "Tracepoint": 4, - "&": 1, - "updated": 2, - "be": 18, - "The": 17, - "can": 9, - "Opening": 1, - "document": 2, - "project": 2, - "further": 1, - "see": 1, - "select": 5, - "that": 4, - "host.": 1, - "available": 1, - "associated": 1, - "from": 8, - "requires": 1, - "record.": 2, - "Creating": 1, - "In": 5, - "allows": 2, - "double": 1, - "when": 1, - "enter": 2, - "current": 1, - "step": 1, - "data": 5, - "not": 1, - "number": 2, - "installed": 2, - "dropped": 1, - "I": 1, - "for": 2, - "using": 3, - "workspace": 2, - "LTTng": 3, - "At": 1, - "time": 2, - "displays": 2, - "created": 1, - "context": 4, - "information": 1, - "Project": 1, - "debug": 1, - "properly.": 1, - "please": 1, - "filtering": 1, - "Some": 1, - "editor": 7, - "the": 72, - "found": 1, - "this": 5, - "my": 1, - "console": 1, - "Guide.": 1, - "table": 1, - "as": 1, - "redundant": 1, - "version": 1, - "Right": 2, - "entry": 2, - "manage": 1, - "in": 15, - "outside": 2, - "records": 1, - "Debugger.": 1, - "first": 1, - "path.": 1, - "wiki.": 1, - "row": 1, - "point": 1, - "command": 1, - "visualization": 1, - "shows": 7, - "tracing": 1, - "Monitoring": 1, - "path": 1, - "a": 12, - "opened": 2, - "navigation": 1, - "at": 3, - "import.": 1, - "code": 1, - "site": 1, - "running": 1, - "Viewing": 1, - "instances": 1, - "collected": 2, - "section": 1, - "tracepoint": 5, - "your": 2, - "on": 3, - "How": 1, - "column": 6, - "Overview": 1, - "If": 2, - "*": 6, - "trace": 17, - "Selecting": 2, - "component": 1, - "User": 3, - "maintained": 1, - "keyboard": 1, - "where": 1, - "set": 1, - "create": 1, - "Visualizing": 1, - "file": 6, - "assigned": 1, - "Debugger": 4, - "//wiki.eclipse.org/index.php/Linux_Tools_Project/GDB_Tracepoint_Analysis/User_Guide": 1, - "thread": 1, - "directory.": 1, - "Collecting": 2, - "stored": 1, - "identified": 1, - "also": 2, - "Postmortem": 5, - "application": 1, - "+": 20, - "Perspective": 1, - "open": 1, - "Type": 1, - "tree.": 1, - "must": 3, - "editor.": 2, - "http": 4, - "feature": 3, - "program": 1, - "set.": 1, - "Guide": 2, - "modify": 1, - "extension": 1, - "regular": 1, - "Eclipse.": 1, - "C/C": 10, - "Alternatively": 1, - "click": 8, - "if": 1, - "records.": 1, - "CDT": 3, - "projects": 1, - "//wiki.eclipse.org/index.php/Linux_Tools_Project/LTTng2/User_Guide": 1, - "buttons.": 1, - "navigated": 1, - "Tracing": 3, - "References": 3, - "drag": 1, - "section.": 2, - "instance": 1, - "run": 1, - "number.": 1, - "each": 1, - "Data": 4, - "To": 1, - "selecting": 1, - "Optionally": 1, - "press": 1, - "following": 1, - "views": 2, - "Image": 2, - "analysis": 1, - "name": 2, - "It": 1, - "//wiki.eclipse.org/Linux_Tools_Project/GDB_Tracepoint_Analysis/User_Guide": 1, - "Document": 1, - "updated.": 1, - "expression": 1, - "-": 8, - "editors": 1, - "of": 8, - "show": 1, - "Navigating": 1, - "corresponding": 1, - "folder": 5, - "details": 1, - "scope": 1, - "relocate": 1, - "status": 1, - "external": 1, - "manager.": 1, - "so": 2, - "Getting": 1, - "area": 2, - "used": 1, - "one": 1, - "is": 9, - "executable.": 1, - "source": 2, - "|": 2, - "or": 8, - "header.": 1, - ".": 8, - "entering": 1, - "images/GDBTracePerspective.png": 1, - "to": 12, - "This": 7, - "method": 1, - "done": 2, - "[": 11, - "launched": 1, - "executable": 3, - "contains": 1, - "choose": 2, - "an": 3, - "menu.": 4, - "Trace": 9, - "recommended": 1, - "dialog": 1, - "within": 1, - "//wiki.eclipse.org/CDT/User/FAQ#How_can_I_trace_my_application_using_C.2FC.2B.2B_Tracepoints.3F": 1, - "icon": 1, - "stack": 2, - "later": 1, - "it": 3, - "default": 2, - "omitted": 1, - "by": 10, - "file.": 1, - "debugger": 1, - "will": 6, - "Analysis": 1, - "Click": 1, - "Events": 5, - "shown": 1, - "Started": 1, - "opened.": 1, - "images/gdb_icon16.png": 1, - "GDB": 15, - "clicking": 1, - "Searching": 1, - "any": 2, - "Framework": 1, - "projects.": 1, - "output": 1, - "update": 2, - "includes": 1, - "wish": 1, - "sequential": 1, - "launched.": 1, - "tracepoint.": 3, - "line": 2, - "See": 1, - "collaborative": 1, - "record": 2, - "local": 1 - }, - "Rust": { - "ExistingScheduler": 1, - "test": 31, - "Identity": 1, - "}": 210, - "unsafe": 31, - "didn": 1, - "killed": 3, - "mod": 5, - "Scheduler": 4, - "would": 1, - "self.opts.sched": 6, - "to": 6, - "*both*": 1, - "rust_dbg_lock_signal": 2, - "{": 213, - "arg.take": 1, - "GenericPort": 1, - "#": 61, - "start_po.recv": 1, - "custom": 1, - "have": 1, - "fn": 89, - "parent_sched_id": 4, - ".unlinked": 3, - "inverse": 1, - "impl": 3, - ".recv": 3, - "fails": 4, - "reported_threads": 2, - "pp": 2, - "else": 1, - "consumed": 4, - "rust_get_sched_id": 6, - "while": 2, - "ManualThreads": 3, - "get_scheduler": 1, - "distributed": 2, - "child_sched_id": 5, - "priv": 1, - "": 1, - "u": 2, - "rust_sched_threads": 2, - "self.spawn": 1, - "c_void": 6, - "failure": 1, - "setup_ch": 1, - "SingleThreaded": 4, - "chan.send": 2, - "supervised": 11, - "match": 4, - "try": 5, - "AllowFailure": 5, - "s": 1, - "chan2": 1, - "linked": 15, - "opts": 21, - "TaskBuilder": 21, - "x.gen_body": 1, - "pingpong": 3, - "consume": 1, - "uint": 7, - "unkillable": 5, - "test_unkillable_nested": 1, - "CPUs": 1, - "arg": 5, - ".eq": 1, - "start_ch.send": 1, - "_interrupts": 1, - "test_spawn_sched_no_threads": 1, - "bool": 6, - "unkillable.": 1, - "test_spawn_sched_blocking": 1, - "start_po": 1, - "spawn": 15, - "are": 2, - "future_result": 1, - "enum": 4, - "opts.linked": 2, - "grandparent": 1, - "running_threads": 2, - "int": 5, - "task_": 2, - "child_po": 2, - "Runs": 1, - "struct": 7, - "fin_ch": 1, - ".future_result": 4, - "be": 2, - "test_sched_thread_per_core": 1, - "True": 1, - "control": 1, - "Configure": 1, - "notify_pipe_ch": 2, - "number": 1, - "local_data": 1, - "<()>": 6, - "option": 4, - "rust_task": 1, - "Each": 1, - "*rust_task": 6, - "hangs.": 1, - "threads": 1, - "spawn_supervised": 5, - "test_back_to_the_future_result": 1, - "self": 15, - "i": 3, - "task.": 1, - "spawn_unlinked": 6, - "Run": 3, - "rt": 29, - "testrt": 9, - "Err": 2, - "SchedOpts": 4, - "": 2, - "<": 3, - "DefaultScheduler": 2, - "||": 11, - "among": 2, - "Port": 3, - "function": 1, - "pure": 2, - "": 2, - "prev_gen_body": 2, - ".spawn_with": 1, - "ch": 26, - "self.consumed": 2, - "gap": 1, - "util": 4, - "spawn_with": 2, - "#3538": 1, - "port.recv": 2, - "sends": 1, - "the": 10, - "Eq": 2, - "call": 1, - "b0": 5, - "its": 1, - "do": 49, - "should_fail": 11, - "fin_po.recv": 1, - "test_avoid_copying_the_body_task_spawn": 1, - "same": 1, - "a": 9, - "atomically": 3, - "argument": 1, - "port2.recv": 1, - "cell": 1, - "loop": 5, - "around.": 1, - "current": 1, - "_": 4, - "test_spawn_failure_propagate_nephew_or_niece": 1, - "test_avoid_copying_the_body_unlinked": 1, - "Get": 1, - "ownership": 1, - "If": 1, - "self.opts.notify_chan.is_some": 1, - "We": 1, - "add_wrapper": 1, - "p.recv": 1, - "result": 18, - "parent_ch": 2, - "]": 61, - "rust_dbg_lock_lock": 3, - "deriving_eq": 3, - "rust_task_allow_kill": 3, - "test_spawn_sched_childs_on_default_sched": 1, - "punted": 1, - "notify_chan": 24, - "port2": 1, - "b0.add_wrapper": 1, - "[": 61, - "stream": 21, - "Only": 1, - "iter": 8, - "Fake": 1, - "test_spawn_failure_propagate_secondborn": 1, - "rust_dbg_lock_create": 2, - "": 3, - "Success": 6, - ".": 1, - "child": 3, - "..": 8, - "fin_ch.send": 1, - "Ok": 3, - "chan2.send": 1, - "max_threads": 2, - "test_spawn_linked_sup_fail_up": 1, - "as": 7, - "TaskOpts": 12, - "transfering": 1, - "doc": 1, - "mut": 16, - "rust_task_allow_yield": 1, - "awake": 1, - "*": 1, - "val": 4, - "fixed": 1, - "@fn": 2, - "": 2, - "test_run_basic": 1, - "unwrap": 3, - "leave": 1, - "self.opts.supervised": 5, - "U": 6, - "_allow_failure": 2, - "ne": 1, - "setup_po": 1, - "failed": 1, - "lock": 13, - "self.t": 4, - "": 3, - "nolink": 1, - "rust_dbg_lock_destroy": 2, - "rust_get_task": 5, - "TaskHandle": 2, - "on": 5, - "(": 429, - "scheduler": 6, - "other": 4, - "": 2, - "cast": 2, - ".spawn": 9, - "blk": 2, - "test_try_fail": 1, - "Yield": 1, - "spawnfn": 2, - "ThreadPerCore": 2, - "&": 30, - "_ch": 1, - "gen_body": 4, - "extern": 1, - "//": 20, - "available": 1, - "assert": 10, - "|": 20, - "test_spawn_linked_sup_fail_down": 1, - "chan": 2, - "false": 7, - "test_future_result": 1, - "port": 3, - "Cell": 2, - "failing": 2, - "FIXME": 1, - "test_spawn_sched": 1, - "test_spawn_linked_sup_propagate_sibling": 1, - "comm": 5, - "CurrentScheduler": 2, - "default_task_opts": 4, - "self.future_result": 1, - "x_in_child": 4, - "run": 1, - "sched_mode": 1, - "child.": 1, - "can_not_copy": 11, - "po.recv": 10, - "task": 39, - "x": 7, - "cmp": 1, - "of": 3, - "wrong": 1, - "nested": 1, - "Wrapper": 5, - "po": 11, - "test_platform_thread": 1, - "propagate": 1, - "rust_dbg_lock_wait": 2, - "rust_sched_current_nonlazy_threads": 2, - "mechanisms": 1, - "rekillable": 1, - "v": 6, - "SharedChan": 4, - "fr_task_builder": 1, - "self.opts.linked": 4, - "hanging": 1, - "test_add_wrapper": 1, - "rust_task_inhibit_yield": 1, - "t": 24, - "opts.supervised": 2, - "x.opts.linked": 1, - "unlinked": 1, - ".sched_mode": 2, - "setup_po.recv": 1, - "default_id": 2, - "r": 6, - "test_avoid_copying_the_body_try": 1, - "true": 9, - "GenericChan": 1, - "x.opts.supervised": 1, - "Some": 8, - "x.opts.sched": 1, - "self.gen_body": 2, - "should": 2, - "p": 3, - "fin_po": 1, - "All": 1, - "foreign_stack_size": 3, - "rust_task_yield": 1, - "get": 1, - "&&": 1, - "running_threads2": 2, - "fr_task_builder.spawn": 1, - "pub": 26, - "notify_pipe_po": 2, - "Option": 4, - "b.spawn": 2, - "OS": 3, - "A": 6, - "task_id": 2, - "local_data_priv": 1, - "get_task_id": 1, - "test_try_success": 1, - "Chan": 4, - ".supervised": 2, - "sched": 10, - "let": 84, - "rust_num_threads": 1, - "test_unkillable": 1, - "_p": 1, - "rust_task_inhibit_kill": 3, - "self.opts.notify_chan": 7, - "SchedulerHandle": 2, - ".try": 1, - "Tasks": 2, - "sched_id": 2, - "has": 1, - "repeat": 8, - "Task": 2, - "own": 1, - "test_spawn_thread_on_demand": 1, - ";": 218, - "x_in_parent": 2, - "f": 38, - "ignore": 16, - "get_task": 1, - "modes": 1, - "*libc": 6, - "for": 10, - "mode": 9, - "handle": 3, - "b1": 3, - "body": 6, - "specific": 1, - "Failure": 6, - "test_cant_dup_task_builder": 1, - "b1.spawn": 3, - "previous": 1, - "PlatformThread": 2, - "running": 2, - "b": 2, - "DeferInterrupts": 5, - "test_spawn_unlinked_unsup_no_fail_down": 1, - "grandchild": 1, - "///": 13, - "Here": 1, - "child_ch": 4, - "None": 23, - "across": 1, - "TaskResult": 4, - "parent_po": 2, - "Result": 3, - "*uint": 1, - "hidden": 1, - "return": 1, - "prelude": 1, - "SchedMode": 4, - "addr_of": 2, - "start_ch": 1, - "replace": 8, - "test_atomically_nested": 1, - "ch.f.swap_unwrap": 4, - "": 1, - "avoid_copying_the_body": 5, - "in": 3, - "": 2, - "child_ch.send": 1, - "first": 1, - "rust_task_is_unwinding": 1, - "ptr": 2, - "drop": 3, - "cfg": 16, - "move": 1, - "eq": 1, - "Shouldn": 1, - "thread": 2, - "wrapper": 2, - "default": 1, - "one": 1, - "fail": 17, - "cores": 2, - "used": 1, - "-": 33, - "been": 1, - "DisallowFailure": 5, - "const": 1, - "ThreadPerTask": 1, - "yield": 16, - "self.consume": 7, - "ch.send": 11, - "test_child_doesnt_ref_parent": 1, - "generations": 2, - "+": 4, - "this": 1, - "windows": 14, - "parent": 2, - "transmute": 2, - "runs": 1, - "tasks": 1, - "spawn_sched": 8, - "if": 7, - "test_avoid_copying_the_body_spawn": 1, - "child_no": 3, - "by": 1, - "use": 10, - "ever": 1, - "setup_ch.send": 1, - ")": 434, - "T": 2, - "spawn_raw": 1, - "rust_dbg_lock_unlock": 3, - "The": 1, - "ch.clone": 2 - }, - "INI": { - "charset": 1, - "lf": 1, - "insert_final_newline": 1, - "-": 1, - "space": 1, - "indent_style": 1, - "*": 1, - ";": 1, - "email": 1, - "]": 2, - "[": 2, - "utf": 1, - "indent_size": 1, - "true": 3, - "root": 1, - "editorconfig.org": 1, - "Peek": 1, - "josh@github.com": 1, - "trim_trailing_whitespace": 1, - "name": 1, - "Josh": 1, - "user": 1, - "end_of_line": 1 - }, - "Scala": { - "publishArtifact": 2, - "compile": 1, - "include": 1, - "including": 1, - "logging": 1, - "shellPrompt": 2, - "Ivy": 1, - "input": 1, - "]": 1, - "Level.Debug": 1, - "showSuccess": 1, - "System.getProperty": 1, - "state": 3, - "level": 1, - "maven": 2, - "nested": 1, - "add": 2, - "highest": 1, - "functions": 2, - "id": 1, - "project": 1, - "/": 2, - "scalaHome": 1, - "of": 1, - "publishTo": 1, - "publish": 1, - "Full": 1, - "ivyLoggingLevel": 1, - ")": 34, - "from": 1, - "define": 1, - "pollInterval": 1, - "takeOne": 2, - "packageDoc": 2, - "scalacOptions": 1, - "sequence": 1, - "bottles": 3, - "#": 2, - "Credentials": 2, - "aggregate": 1, - "Project.extract": 1, - "baseDirectory": 1, - "higher": 1, - "Some": 6, - "<+=>": 1, - "Array": 1, - "crossPaths": 1, - "false": 7, - "sing": 3, - "this": 1, - "Beers": 1, - "retrieveManaged": 1, - "logLevel": 2, - "headOfSong": 1, - "build": 1, - "a": 2, - "tail": 1, - "in": 12, - "be": 1, - "credentials": 2, - "import": 1, - "timingFormat": 1, - "match": 2, - "repository": 2, - "[": 1, - ".currentRef.project": 1, - "SHEBANG#!sh": 2, - "version": 1, - "}": 11, - "String": 5, - "offline": 1, - "qty": 12, - "Int": 3, - "name": 4, - "maxErrors": 1, - "//": 4, - "style": 2, - "order": 1, - "-": 4, - "mainClass": 2, - "file": 3, - "java.text.DateFormat": 1, - "the": 4, - "args": 1, - "Seq": 3, - "Application": 1, - "SNAPSHOT": 1, - "to": 4, - "object": 2, - "traceLevel": 2, - "showTiming": 1, - "dynamic": 1, - "refrain": 2, - "ThisBuild": 1, - "versions": 1, - "libraryDependencies": 3, - "scala": 2, - "persistLogLevel": 1, - "recursion": 1, - "implicit": 3, - "Test": 3, - "fork": 2, - "nextQty": 2, - "_": 1, - "HelloWorld": 1, - "Level.Warn": 2, - "run": 1, - "console": 1, - "UpdateLogging": 1, - "libosmVersion": 4, - "song": 3, - "def": 7, - "for": 1, - "if": 2, - "Path.userHome": 1, - "watchSources": 1, - "{": 10, - "prompt": 1, - "x": 3, - "Compile": 4, - "extends": 1, - "println": 2, - "DateFormat.SHORT": 2, - "val": 2, - "+": 29, - "artifactClassifier": 1, - "packageBin": 1, - "repositories": 1, - ".capitalize": 1, - "(": 34, - "else": 2, - "beers": 3, - "javaHome": 1, - "DateFormat.getDateTimeInstance": 1, - "initialCommands": 2, - "javacOptions": 1, - "true": 5, - "scalaVersion": 1, - "%": 12, - "revisions": 1, - "main": 1, - "unmanagedJars": 1, - "clean": 1, - "parallelExecution": 2, - "case": 5, - "set": 2, - "at": 4, - "disable": 1, - "url": 3, - "resolvers": 2, - "javaOptions": 1, - "exec": 2, - "updating": 1, - "parameter": 1, - "organization": 1, - "f": 4, - "map": 1 - }, - "Sass": { - "border": 3, - ")": 1, - "%": 1, - "(": 1, - "-": 3, - "/": 4, - "}": 2, - "{": 2, - ";": 6, - "padding": 2, - ".border": 2, - "color": 4, - "navigation": 1, - "margin": 8, - ".content": 1, - "px": 3, - "blue": 7, - ".content_navigation": 1, - "darken": 1, - "#3bbfce": 2, - "solid": 1 - }, - "OpenCL": { - "__kernel": 1, - "ZERO": 3, - "/": 1, - "-": 1, - "fftwf_execute": 1, - "<": 1, - "cl": 2, - "t": 4, - "}": 4, - "barrier": 1, - "{": 4, - "n": 4, - "y": 4, - "*": 5, - "+": 4, - "x": 5, - "#endif": 1, - ")": 18, - "(": 18, - ";": 12, - "run_fftw": 1, - "uint": 1, - "fftwf_plan": 1, - "*x": 1, - "for": 1, - "fftwf_complex": 2, - "CLK_LOCAL_MEM_FENCE": 1, - "__local": 1, - "foo": 1, - "FOO": 1, - "FFTW_ESTIMATE": 1, - "fftwf_plan_dft_1d": 1, - "p1": 3, - "void": 1, - "FFTW_FORWARD": 1, - "fftwf_destroy_plan": 1, - "realTime": 2, - "#define": 2, - "float": 3, - "const": 4, - "__global": 1, - "#ifndef": 1, - "typedef": 1, - "return": 1, - "op": 3, - "nops": 3, - "int": 3, - "double": 3, - "if": 1, - "foo_t": 3 - }, - "C++": { - "relative": 1, - "__pyx_k____main__": 1, - "__Pyx_GOTREF": 60, - "development": 1, - "EC_POINT_free": 4, - "centre": 1, - "selection": 39, - "complex": 2, - "priv_key": 2, - "MOD": 1, - "ConvertToUtf16": 2, - "SelectionUpperCase": 1, - "__Pyx_PyObject_IsTrue": 8, - "__pyx_L10": 2, - "PyErr_Occurred": 2, - "DocumentEndExtend": 1, - "Key_Right": 1, - "next_.location.beg_pos": 3, - "protobuf_ShutdownFile_protocol_2dbuffer_2eproto": 4, - "*x": 1, - "uint256": 10, - "EC_KEY_copy": 1, - "Current": 5, - "envvar": 2, - "want": 2, - "*__pyx_t_9": 1, - "PyNumber_InPlaceTrueDivide": 1, - "META.": 1, - "__APPLE__": 4, - "GetSecret": 2, - "SCI_DELWORDRIGHT": 1, - "ScanHtmlComment": 3, - "ENV_H": 3, - "__cdecl": 2, - "__Pyx_RefNanny": 6, - "printing": 2, - "__pyx_k__B": 2, - "__Pyx_PyBool_FromLong": 1, - "remove": 1, - "ASSIGN_BIT_OR": 1, - "__Pyx_c_eqf": 2, - "SCI_TAB": 1, - "__pyx_k__ValueError": 1, - "PHANTOMJS_VERSION_STRING": 1, - "METH_NOARGS": 1, - "uint160": 8, - "alternateKey": 3, - "LineCut": 1, - "EnterDefaultIsolate": 1, - "QT_END_NAMESPACE": 1, - "fields": 1, - "__pyx_v_c": 3, - "__pyx_v_info": 33, - "PyFloat_CheckExact": 1, - "b": 57, - "output": 5, - "swap": 3, - "Stuttered": 4, - "PY_MAJOR_VERSION": 10, - "#elif": 3, - "decompressed": 1, - "PyTuple_SET_ITEM": 4, - "*__pyx_v_data_np": 2, - "__Pyx_PyInt_AsShort": 1, - "EQ_STRICT": 1, - "PyArray_SimpleNewFromData": 2, - "VCHomeWrapExtend": 1, - "in.": 1, - "can": 3, - "PARSE": 1, - "__pyx_t_5numpy_int_t": 1, - "CScriptID": 3, - "__pyx_pf_5numpy_7ndarray___getbuffer__": 2, - "PyLong_FromSsize_t": 1, - "EC_POINT_set_compressed_coordinates_GFp": 1, - "headers.": 3, - "SCI_DOCUMENTEND": 1, - "word.": 9, - "class": 34, - "LineScrollUp": 1, - "FlagList": 1, - "__pyx_k__ones": 1, - "__Pyx_PyInt_AsUnsignedLong": 1, - "__Pyx_PyNumber_InPlaceDivide": 2, - "__Pyx_RaiseNeedMoreValuesError": 1, - "p": 5, - "/8": 2, - "*__Pyx_PyInt_to_py_Py_intptr_t": 1, - "IsValid": 4, - "state": 15, - "jsFilePath": 5, - "PyString_ConcatAndDel": 1, - "clear": 2, - "already_here": 3, - "unicode_cache_": 10, - "OS": 3, - "QVariant": 1, - "pub_key": 6, - "SWIG": 2, - "sig": 11, - "key.GetPubKey": 1, - "IsGlobalContext": 1, - "add": 3, - "": 1, - "to": 75, - "EXTENDED_MODE": 2, - "LEVEL_ONE": 1, - "Return": 3, - "on": 1, - "wrong": 1, - "PyLong_FromUnicode": 1, - "__pyx_k__l": 2, - "*__pyx_f_5numpy_get_array_base": 1, - "vchPubKeyIn": 2, - "ScrollToStart": 1, - "index": 2, - "ASSIGN_SAR": 1, - "messageHandler": 2, - "*order": 1, - "ReturnAddressLocationResolver": 2, - "Protocol": 2, - "__Pyx_PyInt_AsSignedLong": 1, - "SCI_PASTE": 1, - "*__pyx_refnanny": 1, - "signed": 5, - "*__pyx_f_5numpy__util_dtypestring": 2, - "SamplerRegistry": 1, - "npy_int8": 1, - "compile": 1, - "SUB": 1, - "Predicate": 4, - "Scroll": 5, - "__pyx_t_7": 9, - "HomeDisplay": 1, - "__sun__": 1, - "pow": 2, - "new_capacity": 2, - "nBitsS": 3, - "lines": 3, - "SCI_PARADOWN": 1, - "unicode_cache": 3, - "Utf16CharacterStream*": 3, - "key2.SetSecret": 1, - "IdleNotification": 3, - "kNoParsingFlags": 1, - "utf8_decoder_": 2, - "/": 13, - "SelectionDuplicate": 1, - "": 1, - "BIT_AND": 1, - "__Pyx_PyInt_AsUnsignedChar": 1, - "mag": 2, - "__Pyx_XDECREF": 26, - "npy_float64": 1, - "PyString_AsString": 1, - "buffer_end_": 3, - "kMaxGrowth": 2, - "": 2, - "__Pyx_TypeCheck": 1, - "NPY_USHORT": 2, - "kIsLineTerminator.get": 1, - "pkey": 14, - "entropy_mutex": 1, - "layout": 1, - "harmony_scoping_": 4, - "INLINE": 2, - "*__pyx_f_5numpy_PyArray_MultiIterNew1": 1, - "PyBytes_DecodeEscape": 1, - "HomeWrap": 1, - "offsetof": 2, - "Key_Left": 1, - "QTemporaryFile*": 2, - "dump_path": 1, - "__pyx_kp_u_11": 1, - "return": 147, - "MS_WINDOWS": 2, - "is_ascii_": 10, - "*o": 1, - "__fastcall": 2, - "*__pyx_n_s__ndim": 1, - "Sign": 1, - "int": 144, - "current_": 2, - "LineTranspose": 1, - "SEMICOLON": 2, - "_MSC_VER": 3, - "QWebFrame": 4, - "one_char_tokens": 2, - "character.": 9, - "CharLeft": 1, - "myclass.depth": 2, - "": 1, - "QSCIPRINTER_H": 2, - "__pyx_self": 2, - "ScanRegExpFlags": 1, - "*internal": 1, - "phantom.returnValue": 1, - "Advance": 44, - "SetReturnAddressLocationResolver": 3, - "SCI_ZOOMIN": 1, - "Descriptor*": 3, - "__Pyx_c_sum": 2, - "SCI_CUT": 1, - "*msglen": 1, - "CopyFrom": 5, - "*eor": 1, - "recid": 3, - "in": 9, - "npy_intp": 10, - "__pyx_t_5numpy_double_t": 1, - "LBRACE": 2, - "PyUnicode_CheckExact": 1, - "true.": 1, - "CTRL": 1, - "selection.": 1, - "DISALLOW_COPY_AND_ASSIGN": 2, - "GTE": 1, - "__pyx_t_5numpy_float32_t": 1, - "npy_uint16": 1, - "Select": 33, - "envvar.left": 1, - "extend": 2, - "EditToggleOvertype": 1, - "SCI_LINESCROLLDOWN": 1, - "scanner_": 5, - "//": 238, - "PyDataType_HASFIELDS": 2, - "__pyx_L8": 2, - "PyString_FromFormat": 1, - "key.": 1, - "WordRightEnd": 1, - "qsb.": 1, - "Insert": 2, - "instance": 4, - "SelectionLowerCase": 1, - "Key_PageDown": 1, - "__stdcall": 2, - "userIndex": 1, - "SCI_LINEDUPLICATE": 1, - "noFatherRoot": 1, - "u": 9, - "FLAG_use_idle_notification": 1, - "VerifyUTF8String": 3, - "CharRightExtend": 1, - "SCI_VCHOME": 1, - "Swap": 2, - "classed": 1, - "NPY_CLONGDOUBLE": 1, - "type_num": 2, - "__pyx_k__format": 1, - "CYTHON_WITHOUT_ASSERTIONS": 1, - "detect": 1, - "setAlternateKey": 3, - "SHIFT": 1, - "callback": 7, - "ElementsAccessor": 2, - "__pyx_k__range": 1, - "GOOGLE_CHECK": 1, - "random_seed": 1, - "*__pyx_v_a": 5, - "FinishContext": 1, - "argument": 1, - "__pyx_PyFloat_AsDouble": 3, - "NPY_C_CONTIGUOUS": 1, - "__pyx_k__q": 2, - "dependent": 1, - "real": 2, - "__pyx_v_data_np": 10, - "*__pyx_kp_u_5": 1, - "intern": 1, - "QsciScintilla": 7, - "PY_FORMAT_SIZE_T": 1, - "SCI_LINEENDWRAPEXTEND": 1, - "Merge": 1, - "any": 5, - "myclass.nextItemsIndices": 2, - "__Pyx_c_conjf": 3, - "byteorder": 4, - "DocumentStart": 1, - "#undef": 3, - "STRICT_MODE": 2, - "message": 2, - "&": 146, - "__pyx_k_3": 1, - "SCI_HOME": 1, - "Vector": 13, - "elsize": 1, - "__Pyx_PyInt_AsUnsignedLongLong": 1, - "DL_IMPORT": 2, - "__Pyx_c_negf": 2, - "std": 49, - "V8": 21, - "PyDict_CheckExact": 1, - "__pyx_k__shape": 1, - "myclass.data": 4, - "RPAREN": 2, - "SCI_COPY": 1, - "char*": 14, - "PY_VERSION_HEX": 9, - "ASSIGN_ADD": 1, - "RBRACE": 2, - "__pyx_t_10": 7, - "__Pyx_c_pow": 3, - "": 19, - "token": 64, - "ascii_literal": 3, - "PyArray_NDIM": 1, - "ahead": 1, - "str": 2, - "ASSIGN_MUL": 1, - "random_bits": 2, - "free": 2, - "*__pyx_n_s____main__": 1, - "_Complex_I": 3, - "beg_pos": 5, - "metadata.descriptor": 1, - "thread_id": 1, - "CharLeftExtend": 1, - "code_unit": 6, - "CharRight": 1, - "only": 1, - "__pyx_k_tuple_6": 1, - "__pyx_k__Zd": 2, - "Key_Insert": 1, - "expected": 1, - "UnknownFieldSet*": 1, - "assign": 3, - "EC_GROUP_get_degree": 1, - "Constructs": 1, - "imag": 2, - "vchPubKey.size": 3, - "quote": 3, - "SCI_PAGEDOWNEXTEND": 1, - "install": 1, - "bindKey": 1, - "ThreadId": 1, - "*__pyx_k_tuple_6": 1, - "PyIntObject": 1, - "start": 11, - "NE_STRICT": 1, - "inner_work_1d": 2, - "mutable_unknown_fields": 4, - "*modname": 1, - "from._has_bits_": 1, - "SetFatalError": 2, - "*__pyx_t_5": 1, - "abs": 2, - "actual": 1, - "DeleteWordRightEnd": 1, - "__Pyx_DOCSTR": 3, - "Reset": 5, - "vector": 14, - "succeeded": 1, - "*__pyx_v_childname": 1, - "vertically": 1, - "encoding": 1, - "metadata": 2, - "scik": 1, - "*__pyx_builtin_ValueError": 1, - "app.setWindowIcon": 1, - "GlobalSetUp": 1, - "*__pyx_n_s__base": 1, - "__Pyx_c_is_zerof": 3, - "FatalProcessOutOfMemory": 1, - "magnification.": 1, - "ScanLiteralUnicodeEscape": 3, - "check": 2, - "start_position": 2, - "__pyx_k__L": 2, - "__Pyx_PyInt_AsSignedShort": 1, - "is": 35, - "myclass.label": 2, - "COMMA": 2, - "Context*": 4, - "Use": 1, - "called": 1, - "represents": 1, - "": 2, - "If": 4, - "autorun": 2, - "__pyx_v_endian_detector": 6, - "l": 1, - "De": 1, - "move": 2, - "SCI_LINEDOWNRECTEXTEND": 1, - "node": 1, - "double_int_union": 2, - "clean": 1, - "SCI_NEWLINE": 1, - "__Pyx_PrintOne": 4, - "seed_random": 2, - "PyArray_CHKFLAGS": 2, - "PyString_CheckExact": 2, - "DeleteBack": 1, - "__Pyx_RefNannyImportAPI": 1, - "*__pyx_n_s__strides": 1, - "SCI_PAGEUPEXTEND": 1, - "The": 8, - "was": 3, - "SelectionCopy": 1, - "SCI_WORDRIGHTEND": 1, - "__Pyx_SetAttrString": 2, - "envvar.indexOf": 1, - "mode.": 1, - ".imag": 3, - "z": 46, - "__pyx_mdef_13wrapper_inner_pure_py_test": 1, - "*__pyx_n_s__itemsize": 1, - "*__pyx_kp_s_3": 1, - "__pyx_k__h": 2, - "goto": 156, - "__Pyx_c_is_zero": 3, - "SCI_DOCUMENTSTART": 1, - "literal": 2, - "PyNumber_Check": 1, - "*__pyx_empty_tuple": 1, - "__Pyx_c_quotf": 2, - "GT": 1, - "eor": 3, - "*__pyx_v_fields": 1, - "__pyx_module_is_main_wrapper_inner": 1, - "": 1, - "SetUp": 4, - "binary_million": 3, - "hint": 3, - "*__pyx_v_f": 2, - "*__pyx_n_s__fields": 1, - "ECDSA_SIG_free": 2, - "report": 2, - "PyBytes_AsString": 2, - "": 1, - "PyBUF_STRIDES": 5, - "RuntimeProfiler": 1, - "Hash160": 1, - "SCI_HOMEDISPLAYEXTEND": 1, - "prevent": 1, - "LAZY_MUTEX_INITIALIZER": 1, - "__pyx_t_3": 113, - "*__pyx_n_s____test__": 1, - "*O": 1, - "unibrow": 11, - "pos": 12, - "SCI_PAGEDOWNRECTEXTEND": 1, - "size_t": 5, - "DECREF": 1, - "set_value": 1, - "FireCallCompletedCallback": 2, - "source_": 7, - "Q_OBJECT": 1, - "uchar": 4, - "ByteArray*": 1, - "PyNumber_Remainder": 1, - "ReflectionOps": 1, - "EOS": 1, - "+": 50, - "npy_int16": 1, - "__pyx_v_end": 2, - "*__pyx_v_t": 1, - "xx": 1, - "descriptor": 2, - "FLAG_stress_compaction": 1, - "printing.": 2, - "__Pyx_RaiseTooManyValuesError": 1, - "dst": 2, - "_Complex": 2, - "SCI_ZOOMOUT": 1, - "immediately": 1, - "SCI_WORDPARTLEFTEXTEND": 1, - "__pyx_t_5numpy_int16_t": 1, - "*__pyx_m": 1, - "is_running_": 6, - "will": 2, - "view": 2, - "cabs": 1, - "*name_": 1, - "GetCachedSize": 1, - "provided": 1, - "WriteStringToArray": 1, - "needed": 1, - "*__pyx_kp_u_15": 1, - "HasAnyLineTerminatorBeforeNext": 1, - "char": 122, - "GoogleOnceInit": 1, - "UseCrankshaft": 1, - "PyBytes_ConcatAndDel": 1, - "INC": 1, - "": 2, - "__pyx_t_double_complex": 27, - "": 1, - "LiteralScope": 4, - "change": 1, - "Unescaped": 1, - "VCHomeWrap": 1, - "__Pyx_PyBytes_AsUString": 1, - "LineEndWrap": 1, - "GOOGLE_SAFE_CONCURRENT_WRITES_BEGIN": 2, - "nRecId": 4, - "PyArray_HASFIELDS": 1, - "__pyx_L11": 7, - "PyBytes_AS_STRING": 1, - "fall": 2, - "HexValue": 2, - "uc32": 19, - "definition": 1, - "line.": 33, - "__pyx_t_5numpy_uint32_t": 1, - "context": 8, - "__pyx_ptype_5numpy_ndarray": 2, - "INTERNAL_SUPPRESS_PROTOBUF_FIELD_DEPRECATION": 1, - "from.has_name": 1, - "HeapNumber": 1, - "*__pyx_n_s__readonly": 1, - "SCI_VCHOMEWRAPEXTEND": 1, - "description": 3, - "LineEndExtend": 1, - "backing_store_.Dispose": 3, - "**env": 1, - "generated_factory": 1, - "": 1, - "*__Pyx_GetName": 1, - "optimize": 1, - "void*": 1, - "Transpose": 1, - "__Pyx_RefNannyFinishContext": 12, - "drawn": 2, - "PyArray_ISWRITEABLE": 1, - "code_unit_count": 7, - "Hash": 1, - "kIsIdentifierStart.get": 1, - "generated_pool": 2, - "__real__": 1, - "SelectionCut": 1, - "LOperand": 2, - "__pyx_v_little_endian": 8, - "PyBUF_FORMAT": 1, - "struct": 8, - "PyObject*": 16, - "": 1, - "FillHeapNumberWithRandom": 2, - "__pyx_v_d": 2, - "IsDecimalDigit": 2, - "PyObject": 221, - "__Pyx_INCREF": 36, - "c": 50, - "kUndefinedValue": 1, - "*__pyx_n_s__work_module": 1, - "__pyx_k__Q": 2, - "namespace": 26, - "PyFrozenSet_Check": 1, - "document.": 8, - "**": 2, - "EC_KEY*": 1, - "removed.": 2, - "IncrementCallDepth": 1, - "m_tempWrapper": 1, - "__pyx_k__np": 1, - "vchPrivKey": 1, - "printable": 1, - "Qt": 1, - "__pyx_k__strides": 1, - "": 1, - "Key_Escape": 1, - "PyTuple_New": 4, - "uint64_t": 2, - "__Pyx_BUILTIN_MODULE_NAME": 2, - "extern": 4, - "BN_mod_sub": 1, - ".empty": 3, - "Metadata": 3, - "*reinterpret_cast": 1, - "Remove": 1, - "must": 1, - "ScreenResolution": 1, - "Key_PageUp": 1, - "kUC16Size": 2, - "EC_KEY_set_private_key": 1, - "DIV": 1, - "DocumentStartExtend": 1, - "while": 11, - "readResourceFileUtf8": 1, - "ScanDecimalDigits": 1, - "__builtin_expect": 2, - "sub": 2, - "__pyx_k_tuple_16": 1, - "npy_longlong": 1, - "self": 5, - "PyFloat_AS_DOUBLE": 1, - "Move": 26, - "PyImport_ImportModule": 1, - "#define": 190, - "be": 9, - "METH_COEXIST": 1, - "has_been_disposed_": 6, - "SCI_UPPERCASE": 1, - "SCI_SCROLLTOEND": 1, - "Py_TYPE": 4, - "<1024>": 2, - "because": 2, - "__Pyx_PyNumber_Divide": 2, - "nextItems": 1, - "overflow": 1, - "Shrink": 1, - "PyString_Repr": 1, - "": 1, - "QPrinter": 3, - "WordRight": 1, - "BN_bin2bn": 3, - "*Env": 1, - "*__pyx_k_tuple_16": 1, - "AddChar": 2, - "InternalAddGeneratedFile": 1, - "__pyx_v_fields": 7, - "__pyx_t_8": 16, - "MB": 1, - "ScanEscape": 2, - "FileDescriptor*": 1, - "member": 2, - "__pyx_t_5numpy_cdouble_t": 1, - "ComputeUnknownFieldsSize": 1, - "__pyx_k__obj": 1, - "SetCachedSize": 2, - "endl": 1, - "__pyx_int_15": 1, - "SCI_PARAUP": 1, - "const_cast": 3, - "group": 12, - "ASSIGN_BIT_AND": 1, - "CYTHON_CCOMPLEX": 12, - "*__pyx_r": 7, - "__pyx_k__descr": 1, - "SCI_LINEENDDISPLAYEXTEND": 1, - "complete_": 4, - "a.vchPubKey": 3, - "__Pyx_PyInt_AsUnsignedShort": 1, - "VCHomeExtend": 1, - "GDSDBREADER_H": 3, - "wrapMode": 2, - "__pyx_kp_s_1": 1, - "instance.": 2, - "vchPubKey.begin": 1, - "free_buffer": 3, - "depth": 1, - "conj": 3, - "": 1, - "setup.": 1, - "readonly": 2, - "*__pyx_f_5numpy_PyArray_MultiIterNew2": 2, - "Py_TPFLAGS_CHECKTYPES": 1, - "||": 17, - "PyNumber_TrueDivide": 1, - "VerifyCompact": 2, - "HomeRectExtend": 1, - "IsIdentifierPart": 1, - "*p": 1, - "backing_store_.length": 4, - "SCI_HOMEDISPLAY": 1, - "QApplication": 1, - "InitializeOncePerProcessImpl": 3, - "*__pyx_t_1": 8, - "set_name": 7, - "ScanNumber": 3, - "WordPartRight": 1, - "*__pyx_empty_bytes": 1, - "use": 1, - "L": 1, - "*__pyx_int_15": 1, - "SetPrivKey": 1, - "PyString_FromString": 1, - "clear_octal_position": 1, - "PyBUF_INDIRECT": 1, - "BIT_OR": 1, - "EC_KEY_new_by_curve_name": 2, - "SerializeWithCachedSizes": 2, - "app": 1, - "metadata.reflection": 1, - "Utf16CharacterStream": 3, - "Redo": 2, - "__STDC_VERSION__": 2, - "VerticalCentreCaret": 1, - "before": 1, - "__pyx_k__buf": 1, - "ASSIGN_MOD": 1, - "__pyx_k__H": 2, - "first": 8, - "the": 178, - "io": 4, - "__Pyx_PyInt_AsLongLong": 1, - "Key_Return.": 1, - "Phantom": 1, - "PySequence_Contains": 1, - "*__pyx_pf_13wrapper_inner_pure_py_test": 2, - "__pyx_f": 79, - "SCI_HOMEWRAP": 1, - "*ecsig": 1, - "ILLEGAL": 120, - "__Pyx_PyNumber_Int": 1, - "explicit": 3, - "_has_bits_": 14, - "startingScript": 2, - "__pyx_v_i": 6, - "PyInt_FromSsize_t": 2, - "NULL": 108, - "lock": 1, - "INT_MAX": 1, - "UnknownFieldSet": 2, - "__GNUC__": 5, - "__Pyx_XGIVEREF": 7, - "SCI_STUTTEREDPAGEDOWN": 1, - "space": 2, - "DeleteWordLeft": 1, - "utf16_literal": 3, - "*__pyx_n_s__ValueError": 1, - "__pyx_k__itemsize": 1, - "kGrowthFactory": 2, - "Py_intptr_t": 1, - "SCI_LINECUT": 1, - "v": 3, - "of": 48, - "CYTHON_REFNANNY": 3, - "__pyx_k__d": 2, - "SCI_HOMEWRAPEXTEND": 1, - "category": 2, - "NPY_UINT": 2, - "__pyx_v_self": 16, - "PySequence_SetSlice": 2, - "nV": 6, - "has_fatal_error_": 5, - "Message": 7, - "LiteralBuffer": 6, - "npy_int64": 1, - "StutteredPageUp": 1, - "__pyx_t_5numpy_ulong_t": 1, - "NUM_TOKENS": 1, - "PyNumber_Int": 1, - "v8": 9, - "platform": 1, - "cout": 1, - "*__pyx_v_b": 4, - "BN_cmp": 1, - "GetMetadata": 2, - "LineEndDisplayExtend": 1, - "PyObject_RichCompare": 8, - "through": 2, - "static_cast": 7, - "__Pyx_PyInt_FromSize_t": 1, - "range": 1, - "EC_KEY_dup": 1, - "PyInt_AsSsize_t": 2, - "uint64_t_value": 1, - "*__Pyx_Import": 1, - "break": 34, - "__pyx_t_5numpy_cfloat_t": 1, - "newline.": 1, - "__Pyx_StringTabEntry": 1, - "__pyx_clineno": 80, - "__pyx_n_s__np": 1, - "SCI_PARAUPEXTEND": 1, - "ExternalReference": 1, - "__pyx_k__wrapper_inner": 1, - "": 1, - "CONDITIONAL": 2, - "tell": 1, - "PyArray_ITEMSIZE": 1, - "PyBytesObject": 1, - "SharedCtor": 4, - "ScanHexNumber": 2, - "NPY_OBJECT": 1, - "combination": 1, - "scanner_contants": 1, - "npy_uint32": 1, - "uint32_t": 8, - "HEAP": 1, - "__PYX_EXTERN_C": 2, - "QSCINTILLA_EXPORT": 2, - "backing_store_": 7, - "ret": 24, - "PyLongObject": 2, - "UTILS_H": 3, - "SHL": 1, - "word": 6, - "app.setOrganizationDomain": 1, - "long": 5, - "*__pyx_int_5": 1, - "BIT_NOT": 2, - "PyObject_GetAttrString": 3, - "zero": 3, - "bound": 4, - "__Pyx_PyInt_AsChar": 1, - "indexOfEquals": 5, - "there": 1, - "*__pyx_kp_u_11": 1, - "By": 1, - "C": 1, - "We": 1, - "": 1, - "mutable_name": 3, - "QIcon": 1, - "__Pyx_GIVEREF": 10, - "vchSecret": 1, - "next_.token": 3, - "__pyx_v_sum": 6, - "LTE": 1, - "Backtab": 1, - "kStrictEquality": 1, - "Deserializer*": 2, - "hash": 20, - "Key_Up": 1, - "is_next_literal_ascii": 1, - "PyNumber_Divide": 1, - "PyString_GET_SIZE": 1, - "using": 1, - "__Pyx_PyInt_AsUnsignedInt": 1, - "ctx": 26, - "c0_": 64, - "runtime_error": 2, - "Env": 13, - "PyArray_Descr": 6, - "init.": 1, - "PyMethodDef": 1, - "Q": 5, - "kIsWhiteSpace.get": 1, - "ASSIGN": 1, - "stacklevel": 1, - "methods": 1, - "update": 1, - "if": 295, - "editor": 1, - "rather": 1, - "injectJsInFrame": 2, - "*__pyx_n_s__ones": 1, - "displayed": 10, - "has": 2, - "SerializeUnknownFieldsToArray": 1, - "handle_uninterpreted": 2, - "Sets": 2, - "NPY_LONGLONG": 1, - "kEmptyString": 12, - "*__pyx_n_s__pure_py_test": 1, - "DL_EXPORT": 2, - "#else": 24, - "literal_contains_escapes": 1, - "one": 42, - "static_descriptor_initializer_protocol_2dbuffer_2eproto_": 1, - "mode": 4, - "*__pyx_n_s__RuntimeError": 1, - "source_pos": 10, - "literal_buffer1_": 3, - "argc": 2, - "FindFileByName": 1, - "friend": 10, - "FLAG_force_marking_deque_overflows": 1, - "random": 1, - "Isolate*": 6, - "it": 2, - "QDataStream": 2, - "__Pyx_ExportFunction": 1, - "ECDSA_SIG_recover_key_GFp": 3, - "__pyx_L0": 24, - "LBRACK": 2, - "*tb": 2, - "secret": 2, - "ExpandBuffer": 2, - "EC_KEY_set_public_key": 2, - "MessageFactory": 3, - "NID_secp256k1": 2, - "FLAG_gc_global": 1, - "*__pyx_n_s__shape": 1, - "SCI_LINEUPEXTEND": 1, - "CurrentPerIsolateThreadData": 4, - "EC_KEY": 3, - "npy_ulong": 1, - "m": 4, - "npy_double": 2, - "__pyx_t_5numpy_float_t": 1, - "modified": 2, - "SCI_CHARLEFTRECTEXTEND": 1, - "have": 1, - "*strides": 1, - "new_content_size": 4, - "PyString_FromStringAndSize": 1, - "length": 8, - "__Pyx_RefNannyAPIStruct": 4, - "*env": 1, - "RandomPrivate": 2, - "__Pyx_AddTraceback": 7, - "ExceptionHandler": 1, - "byte": 1, - "{": 550, - "ok": 3, - "CharRightRectExtend": 1, - "__pyx_k__i": 2, - "QT_VERSION": 1, - "read": 1, - "InitializeOncePerProcess": 4, - "Paste": 2, - "SCI_HOMERECTEXTEND": 1, - "nextItemsIndices": 1, - "AND": 1, - "SCI_WORDPARTRIGHT": 1, - "__pyx_f_5numpy_set_array_base": 1, - "command": 9, - "DeleteBackNotLine": 1, - "undo": 4, - "": 12, - "CallOnce": 1, - "ScopedLock": 1, - "IsDefaultIsolate": 1, - "enc": 1, - "dbDataStructure": 2, - "current_.token": 4, - "PyBytes_CheckExact": 1, - "": 1, - "EC_POINT_new": 4, - "name": 21, - "SCI_VCHOMEWRAP": 1, - "Formfeed": 1, - "total_size": 5, - "tp_name": 4, - "BN_CTX_new": 2, - "BN_mul_word": 1, - "Key_Home": 1, - "__pyx_t_4": 35, - "dbDataStructure*": 1, - "PyLong_AsUnsignedLongLongMask": 1, - "virtual": 10, - "seen_period": 1, - "*__pyx_n_s__numpy": 1, - "PageDownRectExtend": 1, - "ScanString": 3, - "your": 3, - "__pyx_print": 1, - "QString": 20, - "__pyx_t_5numpy_long_t": 1, - "string*": 11, - "__pyx_k_9": 1, - "version": 4, - "SCI_WORDLEFTEXTEND": 1, - "two": 1, - "Utils": 4, - "val": 3, - "resourceFilePath": 1, - "StartLiteral": 2, - "VCHomeRectExtend": 1, - "__pyx_t_5numpy_uint64_t": 1, - "execute": 1, - "InspectorBackendStub": 1, - "EC_KEY_free": 1, - "scoping": 2, - "xFEFF": 1, - "ReadString": 1, - "min_capacity": 2, - "MoveSelectedLinesDown": 1, - "SCI_DELLINELEFT": 1, - "RBRACK": 2, - "SetUpJSCallerSavedCodeData": 1, - "then": 6, - "from": 25, - "PY_LONG_LONG": 5, - "operation.": 1, - "false": 42, - "*group": 2, - "Lazy": 1, - "incompatible": 2, - "*ctx": 2, - "character": 8, - "EQ": 1, - "name_": 30, - "mailing": 1, - "Key_Backspace": 1, - "overload.": 1, - "PyObject_TypeCheck": 3, - "different": 1, - "*__pyx_n_s__type_num": 1, - "ZoomIn": 1, - "seen_equal": 1, - "QVariantMap": 3, - "UnicodeCache*": 4, - "Valid": 1, - "__Pyx_c_eq": 2, - "__pyx_L12": 2, - "__pyx_pf_13wrapper_inner_pure_py_test": 1, - "case": 33, - "x16": 1, - "SCI_SCROLLTOSTART": 1, - "EC_GROUP_get_curve_GFp": 1, - "PostSetUp": 1, - "entropy_mutex.Pointer": 1, - "env_instance": 3, - "WIN32": 2, - "for": 18, - "__Pyx_PyBytes_FromUString": 1, - "TokenDesc": 3, - "sure": 1, - "PyUnicodeObject": 1, - "__Pyx_XGOTREF": 1, - "GeneratedMessageReflection*": 1, - "PyTypeObject": 2, - "**tb": 1, - "calling": 1, - "end_pos": 4, - "__Pyx_c_conj": 3, - "PyString_DecodeEscape": 1, - "LiteralBuffer*": 2, - "BIGNUM": 9, - "npy_uint64": 1, - "coffee2js": 1, - "Convert": 2, - "SCI_VERTICALCENTRECARET": 1, - "PrinterMode": 1, - "__pyx_v_e": 1, - "*__pyx_n_s__do_awesome_work": 1, - "__pyx_k__RuntimeError": 1, - "__pyx_k_15": 1, - "typedef": 38, - "kASCIISize": 1, - "npy_int32": 1, - "d": 8, - "wrap": 4, - "__GNUC_MINOR__": 1, - "strides": 5, - "__pyx_L5": 6, - "StackFrame": 1, - "__pyx_v_hasfields": 4, - "NewCapacity": 3, - "__Pyx_Raise": 8, - "BN_add": 1, - "kInitialCapacity": 2, - "DropLiteral": 2, - "PyArray_MultiIterNew": 5, - "ch": 5, - "Format": 1, - "ob_size": 1, - "r": 36, - "ob": 6, - "escape": 1, - "__Pyx_RaiseNoneNotIterableError": 1, - "argv": 2, - "unsigned": 20, - "DeleteLineLeft": 1, - "xFFFE": 1, - "BIT_XOR": 1, - "QByteArray": 1, - "ECDSA_SIG": 3, - "loadJSForDebug": 2, - "": 6, - "PyLong_AS_LONG": 1, - "literal_ascii_string": 1, - "__pyx_k__readonly": 1, - "SCI_SELECTIONDUPLICATE": 1, - "EC_POINT_mul": 3, - "Person_offsets_": 2, - "LEVEL_TWO": 1, - "GOOGLE_PROTOBUF_GENERATED_MESSAGE_FIELD_OFFSET": 3, - "kNoOctalLocation": 1, - "jsFromScriptFile": 1, - "CPubKey": 11, - "err": 26, - "PyNumber_Index": 1, - "PyDict_Type": 1, - "Py_True": 2, - "PERIOD": 1, - "op": 6, - "NE": 1, - "": 1, - "Person*": 7, - "right": 8, - "Encoding": 3, - "Python.": 1, - "sa": 8, - "protected": 4, - "__inline__": 1, - "InitAsDefaultInstance": 3, - "Isolate": 9, - "*__pyx_n_s__range": 1, - "kIsLineTerminator": 1, - "WIRETYPE_END_GROUP": 1, - "SCI_PAGEUP": 1, - "Py_EQ": 6, - "PyIndex_Check": 1, - "unlikely": 69, - "kPageSizeBits": 1, - "PyArray_STRIDES": 2, - "ScrollToEnd": 1, - "Token": 212, - "func": 3, - "kIsIdentifierPart.get": 1, - "uint32_t*": 2, - "": 1, - "CKeyID": 5, - "Py_REFCNT": 1, - "setMagnification": 2, - "so": 1, - "Print": 1, - "pagenr": 2, - "__pyx_t_9": 7, - "NPY_F_CONTIGUOUS": 1, - "GetPrivKey": 1, - "validKey": 3, - "__pyx_n_s__do_awesome_work": 3, - "fatherIndex": 1, - "visible": 6, - "RegisteredExtension": 1, - "List": 3, - "STRING": 1, - "1": 2, - "__Pyx_PySequence_GetSlice": 2, - "env": 3, - "static": 260, - "PY_SSIZE_T_MIN": 1, - "tok": 2, - "Copy": 2, - "__Pyx_NAMESTR": 3, - "kAllowLazy": 1, - "isolate": 15, - "PyNumber_Subtract": 2, - "SCI_LINEEND": 1, - "extensions": 1, - "PyLong_AsLong": 1, - "PageUp": 1, - "fSet": 7, - "ASSERT_EQ": 1, - "WrapMode": 3, - "PyBytes_FromFormat": 1, - "*desc": 1, - "__pyx_kp_s_2": 1, - "NPY_DOUBLE": 3, - "*__pyx_f_5numpy_PyArray_MultiIterNew3": 2, - "__Pyx_c_quot": 2, - "cpowf": 1, - "both": 1, - "r.uint64_t_value": 1, - "NPY_BYTE": 2, - "Key_End": 1, - "__Pyx_c_prod": 2, - "SCI_CHARRIGHT": 1, - "other": 7, - "keyword": 1, - "NDEBUG": 4, - "LazyMutex": 1, - "*__pyx_t_2": 4, - "scicmd": 2, - "__Pyx_PyInt_AsLongDouble": 1, - "GOOGLE3": 2, - "QCoreApplication": 1, - "script": 1, - "__pyx_k__names": 1, - "Bar": 2, - "brief": 2, - "LineDownExtend": 1, - "take_snapshot": 1, - "type*": 1, - "qk": 1, - "cabsf": 1, - "PyInt_AsUnsignedLongLongMask": 1, - "*env_instance": 1, - "PyArray_DATA": 1, - "SCI_DELETEBACK": 1, - "EC_POINT": 4, - "ASSIGN_SUB": 1, - "dynamic_cast_if_available": 1, - "Complete": 1, - "literal_length": 1, - "PyArray_DIMS": 2, - "Verify": 2, - "SCI_VCHOMERECTEXTEND": 1, - "string": 10, - "PageUpRectExtend": 1, - "[": 201, - "": 1, - "text": 5, - "__pyx_k__I": 2, - "protobuf_AssignDescriptorsOnce": 4, - "fCompressed": 3, - "VCHome": 1, - "#ifndef": 23, - "PyObject_HEAD_INIT": 1, - "numbered": 1, - "do": 4, - "next_.location.end_pos": 4, - "source": 9, - "ourselves": 1, - "__pyx_v_new_offset": 5, - "PyInt_CheckExact": 1, - "key_error": 6, - "DO_": 4, - "SCI_LINEDELETE": 1, - "literal.Complete": 2, - "__pyx_v_child": 8, - "DescriptorPool": 3, - "IsLineTerminator": 6, - "myclass.firstLineData": 4, - "i": 47, - "WebKit": 1, - ".data": 3, - "IsWhiteSpace": 2, - "PyFloat_AsDouble": 1, - "ScanRegExpPattern": 1, - "PyInstanceMethod_New": 1, - "clear_has_name": 5, - "fit": 1, - "SerializeWithCachedSizesToArray": 2, - "EnforceFlagImplications": 1, - "__inline": 1, - "": 1, - "DeleteWordRight": 1, - "SCI_WORDRIGHTEXTEND": 1, - "Python": 1, - "BN_num_bits": 2, - "printRange": 2, - "part.": 4, - "harmony_modules_": 4, - "__pyx_t_5numpy_uint8_t": 1, - "w": 1, - "PyInt_AS_LONG": 1, - "LONG_LONG": 1, - "__pyx_t_5numpy_uintp_t": 1, - "__imag__": 1, - "qCompress": 2, - "len": 1, - "ob_type": 7, - "new_store": 6, - "SetCompressedPubKey": 4, - "": 1, - "kIsIdentifierPart": 1, - "AddLiteralCharAdvance": 3, - "ASSERT": 17, - "__pyx_n_s__work_module": 3, - "__pyx_v_typenum": 6, - "&&": 23, - "private": 12, - "main": 2, - "HarmonyModules": 1, - "invalid": 5, - "level.": 2, - "enabled": 1, - "SetEntropySource": 2, - "*__pyx_v_c": 3, - "defined": 21, - "PyFrozenSet_Type": 1, - "SERIALIZE": 2, - "being": 2, - "ASSIGN_DIV": 1, - "google": 72, - "Py_ssize_t": 17, - "InternalRegisterGeneratedFile": 1, - "*descCmd": 1, - "kNameFieldNumber": 2, - "*__pyx_kp_u_7": 1, - "PyInt_FromUnicode": 1, - "SignCompact": 2, - "*__pyx_n_s__format": 1, - "IsDead": 2, - "formatPage": 1, - "(": 2422, - "Newline": 1, - "is_str": 1, - "*targetFrame": 4, - "__pyx_k_5": 1, - "PyBytes_FromString": 2, - "disk": 1, - "ASSERT_NOT_NULL": 9, - "stream": 5, - "page": 4, - "cmd": 1, - "next_literal_ascii_string": 1, - "by": 5, - "__pyx_n_s__ones": 1, - "fj": 1, - "*pub_key": 1, - "AddCallCompletedCallback": 2, - "__pyx_v_num_x": 4, - "next_.location": 1, - "__pyx_print_kwargs": 1, - "down": 12, - "HandleScopeImplementer*": 1, - "LineDuplicate": 1, - "PageDownExtend": 1, - "enum": 6, - "POINT_CONVERSION_COMPRESSED": 1, - "FLAG_random_seed": 2, - "myclass.userIndex": 2, - "ByteSize": 2, - "SCI_LINEENDWRAP": 1, - "npy_cdouble": 2, - "GetTagFieldNumber": 1, - "UnregisterAll": 1, - "QsciPrinter": 9, - "*__pyx_kp_u_12": 1, - "rr": 4, - "": 1, - "internal": 46, - "__pyx_k_tuple_8": 1, - "__pyx_k__Zf": 2, - "eh": 1, - "insert/overtype.": 1, - "SCI_WORDLEFT": 1, - "PyBytes_Concat": 1, - "altkey": 3, - "PyInt_FromString": 1, - "PyLong_Type": 1, - "PY_SSIZE_T_MAX": 1, - "PyInt_FromSize_t": 1, - "QT_VERSION_CHECK": 1, - "is_ascii": 3, - "*__pyx_k_tuple_8": 1, - "Py_False": 2, - "protobuf_AssignDesc_protocol_2dbuffer_2eproto": 4, - "__pyx_t_5numpy_uint_t": 1, - "has_name": 6, - "returned": 2, - "__pyx_k__fields": 1, - "SCI_FORMFEED": 1, - "secure_allocator": 2, - "": 1, - "PyObject_GetAttr": 4, - "__Pyx_GetName": 4, - "WordLeftEnd": 1, - "control": 1, - "LineEnd": 1, - "Delete": 10, - "des": 3, - "adding": 2, - "ScanIdentifierUnicodeEscape": 1, - "LT": 2, - "R": 6, - "IsIdentifier": 1, - "*suboffsets": 1, - "SCI_DOCUMENTENDEXTEND": 1, - "kAllowModules": 1, - "ECDSA_SIG_new": 1, - "message_type": 1, - "eckey": 7, - "GetID": 1, - "than": 1, - "clear_name": 2, - "current_token": 1, - "SetPubKey": 1, - "octal": 1, - "RemoveCallCompletedCallback": 2, - "NPY_UBYTE": 2, - "npy_cfloat": 1, - "vchSig.resize": 2, - "GDS_DIR": 1, - "__Pyx_c_difff": 2, - "*__pyx_n_s__wrapper_inner": 1, - "*__pyx_n_s__obj": 1, - "__Pyx_PyIndex_AsSsize_t": 1, - "octal_pos_": 5, - "last": 4, - "Max": 1, - "__pyx_v_a": 5, - "__pyx_k_11": 1, - "": 1, - "label": 1, - "HarmonyScoping": 1, - "PyLong_AsSsize_t": 1, - "LineDownRectExtend": 1, - "Key_Down": 1, - "*__pyx_filename": 1, - "_unknown_fields_.Swap": 1, - "SCI_VCHOMEEXTEND": 1, - "NPY_ULONGLONG": 1, - "myclass.fileName": 2, - "COMPRESSED": 1, - "left": 7, - "conjf": 1, - "buffer_cursor_": 5, - "PyString_Type": 2, - "scikey": 1, - "SCI_LINEUP": 1, - "LEVEL_THREE": 1, - "HomeDisplayExtend": 1, - "kNullValue": 1, - "wmode": 1, - "PySet_Type": 2, - "_USE_MATH_DEFINES": 1, - "PyLong_AsVoidPtr": 1, - "n": 28, - "PyBUF_WRITABLE": 1, - "tp_as_mapping": 3, - "Scan": 5, - "": 1, - "set": 1, - "SupportsCrankshaft": 1, - "<4;>": 1, - "and": 14, - "tuple": 3, - "SCI_CHARLEFT": 1, - "WordLeftEndExtend": 1, - "PyInt_Check": 1, - "SCI_LINECOPY": 1, - "__pyx_k_tuple_13": 1, - "READWRITE": 1, - "Initialize": 4, - "font": 2, - "*unused": 2, - "PyBytes_AsStringAndSize": 1, - "|": 8, - "else": 46, - "*__pyx_builtin_range": 1, - "V8_DECLARE_ONCE": 1, - "PyInt_AsUnsignedLongMask": 1, - "SCI_DOCUMENTSTARTEXTEND": 1, - "128": 4, - "line": 10, - "peek_location": 1, - "Deserializer": 1, - "*__pyx_n_s__buf": 1, - "next_": 2, - "Py_PYTHON_H": 1, - "INT_MIN": 1, - "_cached_size_": 7, - "const": 166, - "inline": 39, - "LineUp": 1, - "PyArrayObject": 19, - "ram": 1, - "Py_XDECREF": 3, - "end": 18, - "*__pyx_k_tuple_13": 1, - "__pyx_k__suboffsets": 1, - "SCI_WORDRIGHT": 1, - "BN_zero": 1, - "StringSize": 1, - "ExpectAtEnd": 1, - "list": 2, - "draw": 1, - "__pyx_t_5": 75, - "PyString_Size": 1, - "__Pyx_c_powf": 3, - "b.pkey": 2, - "GOTREF": 1, - "release_name": 2, - "*Q": 1, - "size": 9, - "executed": 1, - "ScanIdentifierSuffix": 1, - "STATIC_ASSERT": 5, - "-": 225, - "print": 4, - "QRect": 2, - "LineEndRectExtend": 1, - "*from_list": 1, - "INCREF": 1, - "modname": 1, - "__Pyx_ErrRestore": 1, - "SCI_LINEUPRECTEXTEND": 1, - "__pyx_k__ndim": 1, - "GOOGLE_SAFE_CONCURRENT_WRITES_END": 2, - "GOOGLE_PROTOBUF_VERSION": 1, - "set_allocated_name": 2, - "SetHarmonyModules": 1, - "consume": 2, - "__Pyx_c_diff": 2, - "": 1, - "an": 3, - "reinterpret_cast": 7, - "__pyx_v_offset": 9, - "SkipField": 1, - "AddLiteralChar": 2, - "Tab": 1, - "WriteString": 1, - ";": 2290, - "PyCFunction": 1, - "location": 4, - "*value": 2, - "__pyx_v_data_ptr": 2, - "": 1, - "SHR": 1, - "phantom.execute": 1, - "capacity": 3, - "rectangular": 9, - "CharLeftRectExtend": 1, - "*sor": 1, - "Raw": 1, - "__Pyx_PySequence_SetSlice": 2, - "*m": 1, - "SkipWhiteSpace": 4, - "value": 18, - "STATIC_BUILD": 1, - "protoc": 2, - "WordRightExtend": 1, - "exceptionHandler": 2, - "lower": 1, - "*dict": 1, - "**envp": 1, - "__pyx_k__byteorder": 1, - "ASSIGN_SHL": 1, - "SCI_DELETEBACKNOTLINE": 1, - "SCI_LINESCROLLUP": 1, - "key": 23, - "upper": 1, - "qInstallMsgHandler": 1, - "EXPRESSION": 2, - "m_map.insert": 1, - "__pyx_L13": 2, - "GeneratedMessageReflection": 1, - "QObject": 2, - "__Pyx_c_sumf": 2, - "persons": 4, - "hasn": 1, - "PageUpExtend": 1, - "PyObject_Call": 11, - "SCI_MOVESELECTEDLINESDOWN": 1, - "EC_KEY_set_conv_form": 1, - "selected": 2, - "PyString_AS_STRING": 1, - "current_.literal_chars": 11, - "uint32": 2, - "are": 3, - "BITCOIN_KEY_H": 2, - "Zoom": 2, - "cast": 1, - "private_random_seed": 1, - "currently": 2, - "GIVEREF": 1, - "CSecret": 4, - "IsLineFeed": 2, - "handle_scope_implementer": 5, - "NPY_FLOAT": 1, - "__pyx_v_f": 31, - "e": 14, - "assigned": 1, - "__PYX_HAVE_API__wrapper_inner": 1, - "PROTOBUF_protocol_2dbuffer_2eproto__INCLUDED": 3, - "Location": 14, - "__pyx_t_5numpy_float64_t": 1, - "headers": 3, - "IsInitialized": 3, - "LineEndDisplay": 1, - "CKey": 26, - "error.": 1, - "__pyx_L6": 6, - "SCI_LOWERCASE": 1, - "*obj": 2, - "__Pyx_RefNannySetupContext": 13, - "__Pyx_c_abs": 3, - "PyObject_GetItem": 1, - "Py_None": 38, - "utf8_decoder": 1, - "SCI_DELWORDLEFT": 1, - "from.unknown_fields": 1, - "CodedInputStream*": 2, - "is_literal_ascii": 1, - "__pyx_refnanny": 5, - "kNonStrictEquality": 1, - "": 1, - "ParaUpExtend": 1, - "Py_buffer": 5, - "__pyx_v_t": 29, - "__pyx_v_ndim": 6, - "s": 9, - "msglen": 2, - "__pyx_t_5numpy_intp_t": 1, - "MUL": 1, - "SetHarmonyScoping": 1, - "CPU": 2, - "xFFFF": 2, - "PageDown": 1, - "PyBaseString_Type": 1, - "nSize": 2, - "binding": 3, - "": 1, - "current_pos": 4, - "__pyx_t_5numpy_int8_t": 1, - "printer": 1, - "kCharacterLookaheadBufferSize": 3, - "commands": 1, - "ASSIGN_BIT_XOR": 1, - "current_.location": 2, - "LineDelete": 1, - "painter": 4, - "*instance": 1, - "EqualityKind": 1, - "IsRunning": 1, - "PyString_Concat": 1, - ".Equals": 1, - "after": 1, - "union": 1, - "ReadTag": 1, - "key2.GetPubKey": 1, - "DocumentEnd": 1, - "msg": 1, - "SCI_PARADOWNEXTEND": 1, - "PyLong_AsUnsignedLongMask": 1, - "QtMsgType": 1, - "showUsage": 1, - "__Pyx_PyInt_AsSignedLongLong": 1, - "position_": 17, - "ParaDown": 1, - "__pyx_k_1": 1, - "SCI_STUTTEREDPAGEUPEXTEND": 1, - "SCI_MOVESELECTEDLINESUP": 1, - "*qsb": 1, - "signifies": 2, - "PyTuple_CheckExact": 1, - "NOT": 1, - "PyInt_Type": 1, - "no": 1, - "octal_position": 1, - "PyBUF_F_CONTIGUOUS": 3, - "*zero": 1, - "short": 3, - "SCI_WORDLEFTEND": 1, - "PyLong_FromString": 1, - "indent": 1, - "is_unicode": 1, - "*__pyx_f": 1, - "protobuf_RegisterTypes": 2, - "StutteredPageDown": 1, - "*default_instance_": 1, - "newer": 2, - "QsciCommandSet": 1, - "__pyx_k__do_awesome_work": 1, - "inner_work_2d": 2, - "sizeof": 14, - "WrapWord.": 1, - "IsCompressed": 2, - ".length": 3, - "CallDepthIsZero": 1, - "resolver": 3, - "continue": 2, - "*rr": 1, - "true": 39, - "": 2, - "set_has_name": 7, - "as": 1, - "when": 5, - "__pyx_k_tuple_4": 1, - "__pyx_kp_s_3": 1, - "*__pyx_f_5numpy_PyArray_MultiIterNew4": 2, - "keyRec": 5, - "__pyx_f_5numpy__util_dtypestring": 1, - "format": 6, - "*__pyx_k_tuple_4": 1, - "__pyx_k__base": 1, - "protobuf": 72, - "document": 16, - "CharacterStream*": 1, - "*r": 1, - "Binds": 2, - "make": 1, - "*__pyx_t_3": 4, - "__pyx_k__pure_py_test": 1, - "protobuf_AddDesc_protocol_2dbuffer_2eproto": 6, - "SCI_HOMEEXTEND": 1, - "number": 3, - "uint8*": 4, - "app.setApplicationVersion": 1, - "__Pyx_Print": 1, - "__Pyx_MODULE_NAME": 1, - "PyDict_Contains": 1, - "FLAG_crankshaft": 1, - "this": 22, - "PushBack": 8, - "#if": 44, - "SCI_SELECTALL": 1, - "ALT": 1, - "kIsIdentifierStart": 1, - "either": 1, - "kLanguageModeMask": 4, - "libraryPath": 5, - "names": 2, - "*__pyx_t_11": 1, - "MergeFrom": 9, - "Init": 3, - "Used": 1, - "*__pyx_v_child": 1, - "StutteredPageUpExtend": 1, - "TearDown": 5, - "__pyx_v_answer_ptr": 2, - "else_": 2, - "fOk": 3, - "__Pyx_SET_CREAL": 2, - "BN_CTX_free": 2, - "ParaDownExtend": 1, - "SkipMultiLineComment": 3, - "double_value": 1, - "__pyx_k____test__": 1, - "": 1, - "has_line_terminator_before_next_": 9, - "sor": 3, - "LiteralScope*": 1, - "j": 4, - "able": 1, - "source_length": 3, - "Py_DECREF": 1, - "PyLong_FromLong": 1, - "FFFF": 1, - "*__pyx_v_offset": 1, - "BN_CTX": 2, - "SAR": 1, - "": 1, - "SCI_WORDPARTLEFT": 1, - "SCI_LINEENDDISPLAY": 1, - "QT_BEGIN_NAMESPACE": 1, - "*__pyx_v_descr": 2, - "BN_rshift": 1, - "x36.": 1, - "file": 6, - "WordRightEndExtend": 1, - "__pyx_t_5numpy_uint16_t": 1, - "peek": 1, - "input": 6, - "DeleteLineRight": 1, - "__pyx_t_5numpy_complex_t": 1, - "x": 44, - "protoc.": 1, - "TearDownCaches": 1, - "*__pyx_kp_s_1": 1, - "__pyx_k__f": 2, - "StaticResource": 2, - "itemsize": 2, - "npy_long": 1, - "*qs": 1, - "friendly": 2, - "backing_store_.start": 5, - "*__pyx_v_end": 1, - "SCI_CHARRIGHTRECTEXTEND": 1, - "*msg": 2, - "BN_mod_inverse": 1, - "PySequence_DelSlice": 2, - "*__pyx_v_d": 2, - "temp": 2, - "PyString_Check": 2, - "location.beg_pos": 1, - "wmode.": 1, - "setWrapMode": 2, - "drawing": 4, - "__pyx_t_1": 154, - "memcpy": 1, - "*type": 3, - "literal_utf16_string": 1, - "use_crankshaft_": 6, - "**value": 1, - "EC_POINT_is_at_infinity": 1, - "Person_descriptor_": 6, - "envp": 4, - "look": 1, - ")": 2424, - "*priv_key": 1, - "next": 6, - "npy_clongdouble": 1, - "init_once": 2, - "defines": 1, - "obj": 42, - "QVector": 2, - "over": 1, - "lines.": 1, - "whole": 2, - "qaltkey": 2, - "GOOGLE_PROTOBUF_DECLARE_ONCE": 1, - "V8_V8_H_": 3, - "": 1, - "Utf8InputBuffer": 2, - "Py_TPFLAGS_HAVE_NEWBUFFER": 1, - "PyUnicode_Check": 1, - "DecrementCallDepth": 1, - "__Pyx_PySequence_DelSlice": 2, - "GOOGLE_PROTOBUF_MIN_PROTOC_VERSION": 1, - "PyErr_SetString": 4, - "__pyx_v_num_y": 2, - "*this": 1, - "": 1, - "m_map": 2, - "OnShutdown": 1, - "PyBoolObject": 1, - "page.": 13, - "root": 1, - "expected_length": 4, - "try": 1, - "QPainter": 2, - "*__pyx_v_self": 4, - "mutable": 1, - "NPY_CFLOAT": 1, - "suboffsets": 1, - "__pyx_k__work_module": 1, - "__pyx_t_5numpy_int32_t": 1, - "Cancel": 2, - "__Pyx_DelAttrString": 2, - "GetDataStartAddress": 1, - "minidump_id": 1, - "*__pyx_v_new_offset": 1, - "double": 23, - "__pyx_k__Zg": 2, - "LPAREN": 2, - "ParaUp": 1, - "HomeWrapExtend": 1, - "E": 3, - "Scanner": 16, - "necessary": 1, - "*__pyx_self": 2, - "SCI_BACKTAB": 1, - "Py_LT": 2, - "hello": 2, - "ParsingFlags": 1, - "Toggle": 1, - "NPY_CDOUBLE": 1, - "*__pyx_t_8": 1, - "Py_SIZE": 1, - "phantom": 1, - "PyBytes_Size": 1, - "buf": 1, - "__Pyx_UnpackTupleError": 2, - "__FILE__": 2, - "*__Pyx_RefNanny": 1, - "": 1, - "src": 2, - "ScanOctalEscape": 1, - "Person_reflection_": 4, - "PyErr_WarnEx": 1, - "__pyx_v_flags": 4, - "right.": 2, - "InternalRegisterGeneratedMessage": 1, - "memset": 2, - "LineDown": 1, - "Home": 1, - "parse": 3, - "with": 6, - "Keys": 1, - "": 1, - "fCompressedPubKey": 5, - "__pyx_v_copy_shape": 5, - "bool": 99, - "__Pyx_c_absf": 3, - "BN_CTX_start": 1, - "StaticDescriptorInitializer_protocol_2dbuffer_2eproto": 2, - "father": 1, - "default_instance_": 8, - "EC_GROUP": 2, - "DEBUG": 3, - "__pyx_v_b": 4, - "__pyx_k_12": 1, - "a": 84, - "#ifdef": 16, - "": 1, - "__Pyx_PyInt_AsInt": 1, - "shape": 3, - "__pyx_k__O": 2, - "unknown_fields": 7, - "Command": 4, - "binding.": 1, - "*qsCmd": 1, - "ob_refcnt": 1, - "This": 6, - "__pyx_L2": 2, - "PyBytes_Repr": 1, - "SCI_UNDO": 1, - "up": 13, - "__pyx_m": 4, - "**p": 1, - "kMaxAsciiCharCodeU": 1, - "cleanupFromDebug": 1, - "SCI_STUTTEREDPAGEDOWNEXTEND": 1, - "switch": 3, - "fCompr": 3, - "app.exec": 1, - "Key_Tab": 1, - "from.name": 1, - "actually": 1, - "PyTuple_GET_ITEM": 3, - "__pyx_L1_error": 88, - "WIRETYPE_LENGTH_DELIMITED": 1, - "PyExc_TypeError": 5, - "": 1, - "o": 20, - "buffered_chars": 2, - "negative": 2, - "magnification": 3, - "operator": 10, - "PyBytes_Check": 1, - "has_multiline_comment_before_next_": 5, - "COLON": 2, - "": 1, - "GetHash": 1, - "vchPubKey.end": 1, - "PyBUF_SIMPLE": 1, - "float": 7, - "unchanged.": 1, - "char**": 2, - "desc": 2, - "#include": 106, - "paragraph.": 4, - "mapping": 1, - "BN_CTX_end": 1, - "OR": 1, - "__pyx_k_tuple_14": 1, - "vchSig.size": 2, - "digits": 3, - "": 1, - "Clear": 5, - "PyObject_DelAttrString": 2, - "PyBUF_ND": 2, - "current": 9, - "}": 549, - "alter": 1, - "previous": 5, - "": 2, - "__Pyx_PyInt_AsSize_t": 1, - "WireFormatLite": 9, - "regenerate": 1, - "Methods": 1, - "myclass.fatherIndex": 2, - "CYTHON_UNUSED": 7, - "__pyx_cfilenm": 1, - "__pyx_builtin_RuntimeError": 2, - "__pyx_pf_5numpy_7ndarray_1__releasebuffer__": 2, - "QSCICOMMAND_H": 2, - "ECDSA_verify": 1, - "area": 5, - "__pyx_filename": 79, - "PyNumber_InPlaceDivide": 1, - "SlowSeekForward": 2, - "b.fSet": 2, - "__pyx_k__numpy": 1, - "PyBUF_C_CONTIGUOUS": 3, - "SCI_CHARRIGHTEXTEND": 1, - "ADD": 1, - "call_completed_callbacks_": 16, - "__pyx_v_data": 7, - "*__pyx_k_tuple_14": 1, - "setKey": 3, - "tag": 6, - "has_been_set_up_": 4, - "__pyx_t_6": 40, - "GOOGLE_PROTOBUF_VERIFY_VERSION": 1, - "WordLeftExtend": 1, - "*__pyx_b": 1, - "nBitsR": 3, - "PyVarObject*": 1, - "SCI_REDO": 1, - "SCI_PAGEUPRECTEXTEND": 1, - "*R": 1, - "__pyx_v_childname": 4, - "__pyx_v_dims": 4, - "PY_SSIZE_T_CLEAN": 1, - "V8_SCANNER_H_": 3, - "myclass.linesNumbers": 2, - "NPY_LONGDOUBLE": 1, - "NPY_INT": 2, - "ZoomOut": 1, - "asVariantMap": 2, - "WireFormat": 10, - "myclass.uniqueID": 2, - ".": 2, - "scriptPath": 1, - "": 1, - "IsByteOrderMark": 2, - "LineUpExtend": 1, - "__Pyx_c_prodf": 2, - "__Pyx_c_neg": 2, - "Execute": 1, - "app.setApplicationName": 1, - "command.": 5, - "BN_bn2bin": 2, - "new_store.start": 3, - "generated": 2, - "xffu": 3, - "__pyx_ptype_5numpy_dtype": 1, - "Next": 3, - "TerminateLiteral": 2, - "Py_INCREF": 3, - "<": 53, - "SCI_CLEAR": 1, - "CYTHON_INLINE": 68, - "npy_uint8": 1, - "EC_KEY_regenerate_key": 1, - "quint32": 3, - "New": 4, - "throw": 4, - "PyLong_FromSize_t": 1, - "dialogs.": 1, - "PYREX_WITHOUT_ASSERTIONS": 1, - "": 1, - "instantiated": 1, - "LineCopy": 1, - "default": 4, - "out.": 1, - "PyStringObject": 2, - "*buf": 1, - "used": 4, - "": 1, - "qkey": 2, - "older": 1, - "further": 1, - "Each": 1, - "__Pyx_GetAttrString": 2, - "Random": 3, - "__pyx_L14": 18, - "*__pyx_n_s__names": 1, - "CallCompletedCallback": 4, - "google_breakpad": 1, - "__pyx_lineno": 80, - "likely": 15, - "__Pyx_SET_CIMAG": 2, - "<27>": 1, - "#error": 9, - "MoveSelectedLinesUp": 1, - "X": 2, - "IMPLEMENT_SERIALIZE": 1, - "CLASSIC_MODE": 2, - "should": 1, - "uc16*": 3, - "user": 2, - "Undo": 2, - "void": 150, - "BN_mod_mul": 2, - "that": 7, - "Duplicate": 2, - "default_instance": 3, - "int32_t": 1, - "": 2, - "vchSig.clear": 2, - "r.double_value": 3, - "m_tempHarness": 1, - "f": 5, - "SCI_CHARLEFTEXTEND": 1, - "SelectAll": 1, - "SCI_STUTTEREDPAGEUP": 1, - "PyVarObject_HEAD_INIT": 1, - "error": 1, - "npy_longdouble": 1, - "__pyx_L7": 2, - "left.": 2, - "which": 2, - "ndim": 2, - "__pyx_r": 39, - "*field": 1, - "LineScrollDown": 1, - "cpow": 1, - "ScanIdentifierOrKeyword": 2, - "envvar.mid": 1, - "NPY_SHORT": 2, - "BN_copy": 1, - "npy_uintp": 1, - "t": 13, - "kEndOfInput": 2, - "order": 8, - "Scintilla": 2, - "__pyx_k__b": 2, - "SCI_WORDLEFTENDEXTEND": 1, - "QsciCommand": 7, - "Min": 1, - "field": 3, - "": 1, - "vchSig": 18, - "formfeed.": 1, - "PyMethod_New": 2, - "example.": 1, - "pos_": 6, - "PyBUF_ANY_CONTIGUOUS": 1, - "location.end_pos": 1, - "_WIN32": 1, - "__Pyx_DECREF": 66, - "__pyx_t_float_complex": 27, - "or": 10, - "not": 1, - "PyLong_CheckExact": 1, - "NPY_LONG": 1, - "GOOGLE_CHECK_NE": 2, - "<<": 18, - "*format": 1, - "EntropySource": 3, - "graphics.": 2, - "buffer": 1, - "PyBytes_GET_SIZE": 1, - "GetTagWireType": 2, - "you": 1, - "reserve": 1, - "__Pyx_PyInt_AsSignedChar": 1, - "%": 4, - "__pyx_k_2": 1, - "GetPubKey": 5, - "kAllowNativesSyntax": 1, - "public": 27, - "*__pyx_n_s__byteorder": 1, - "Add": 1, - "__pyx_t_5numpy_longdouble_t": 1, - "#endif": 82, - "setFullPage": 1, - "*__pyx_n_s__suboffsets": 1, - "//Don": 1, - "WordPartRightExtend": 1, - "EC_KEY_get0_group": 2, - "*__pyx_builtin_RuntimeError": 1, - "QTemporaryFile": 1, - "Key_Delete": 1, - "**type": 1, - "SCI_WORDRIGHTENDEXTEND": 1, - "": 1, - "uniqueID": 1, - "*eckey": 2, - "Indent": 1, - "SkipSingleLineComment": 6, - "IsCarriageReturn": 2, - "": 1, - "xxx": 1, - "Something": 1, - "CPrivKey": 3, - "modules": 2, - "*e": 1, - "ECDSA_do_sign": 1, - "points": 2, - "at": 4, - "Q_INIT_RESOURCE": 2, - "Utf8Decoder": 2, - "jsFileEnc": 2, - "__pyx_k__type_num": 1, - "next_literal_utf16_string": 1, - "npy_ulonglong": 1, - "A": 1, - "type": 6, - "app.setOrganizationName": 1, - "seed": 2, - "random_base": 3, - "sized.": 1, - "may": 2, - "SharedDtor": 3, - "*__pyx_f_5numpy_PyArray_MultiIterNew5": 2, - "Person": 65, - "CodedOutputStream*": 2, - "__Pyx_PyInt_AsLong": 1, - "__Pyx_WriteUnraisable": 3, - "__pyx_v_nd": 6, - "myclass": 1, - "data": 2, - "NilValue": 1, - "literal_buffer2_": 2, - "SerializeUnknownFields": 1, - "keys": 3, - "*s": 1, - "PyTuple_GET_SIZE": 2, - "*__pyx_t_4": 3, - "level": 1, - "SeekForward": 4, - "returned.": 4, - "*__pyx_v_info": 4, - "__Pyx_ErrFetch": 1, - "Cut": 2, - "*sig": 2, - "SCI_LINEDOWN": 1, - "kIsWhiteSpace": 1, - "vchPubKey": 6, - "Extend": 33, - "O": 5, - ".real": 3, - "AllStatic": 1, - "MergePartialFromCodedStream": 2, - "StutteredPageDownExtend": 1, - "PyErr_Warn": 1, - "ASSIGN_SHR": 1, - "myclass.noFatherRoot": 2, - "DEC": 1, - "Serializer": 1, - "clipboard.": 5, - "in_character_class": 2, - "SetSecret": 1, - "": 1, - "Object*": 4, - "WHITESPACE": 6, - "next_literal_length": 1, - "Value": 23, - "customised": 2, - "LineEndWrapExtend": 1, - "LineUpRectExtend": 1, - "Q_OS_LINUX": 2, - "MakeNewKey": 1, - "]": 201, - "SCI_LINEDOWNEXTEND": 1, - "EC_GROUP_get_order": 1, - "text.": 3, - "*__pyx_v_answer_ptr": 2, - "findScript": 1, - "IsIdentifierStart": 2, - "__cplusplus": 10, - "PyInt_AsLong": 2, - "device": 1, - "": 1, - "quint64": 1, - "SCI_LINETRANSPOSE": 1, - "WordLeft": 1, - "shouldn": 1, - "descr": 2, - "FLAG_max_new_space_size": 1, - "paint": 1, - "QsciScintillaBase": 100, - "scialtkey": 1, - "SCI_EDITTOGGLEOVERTYPE": 1, - "__Pyx_PyInt_AsSignedInt": 1, - "key.SetCompactSignature": 1, - "SetUpCaches": 1, - "example": 1, - "PyString_AsStringAndSize": 1, - "SCI_CANCEL": 1, - "PyInt_FromLong": 13, - "npy_float32": 1, - "key2": 1, - "PyObject_SetAttrString": 2, - "SCI_WORDPARTRIGHTEXTEND": 1, - "__pyx_t_float_complex_from_parts": 1, - "*shape": 1, - "__pyx_k_tuple_10": 1, - "*__pyx_v_data_ptr": 2, - "PyErr_Format": 4, - "next_.literal_chars": 13, - "SCI_DELWORDRIGHTEND": 1, - "WordPartLeft": 1, - "y": 13, - "klass": 1, - "IsNull": 1, - "entropy_source": 4, - "__pyx_builtin_ValueError": 5, - "*__pyx_v_data": 1, - "*__pyx_kp_s_2": 1, - "__pyx_k__g": 2, - "SetCompactSignature": 2, - "PyUnicode_Type": 2, - "footers": 2, - "uc16": 5, - "__Pyx_CREAL": 4, - "PySet_Check": 1, - "*__pyx_v_dims": 2, - "WordPartLeftExtend": 1, - "ecsig": 3, - "PySequence_GetSlice": 2, - "SCI_DELLINERIGHT": 1, - "UnicodeCache": 3, - "SetupContext": 1, - "alternate": 3, - "*__pyx_v_e": 1, - "__pyx_v_descr": 10, - "valid": 2, - "PyType_Modified": 1, - "qUncompress": 2, - "*__pyx_k_tuple_10": 1, - "*name": 6, - "__pyx_t_5numpy_int64_t": 1, - "PyExc_SystemError": 3, - "__pyx_t_2": 120, - "*__pyx_kp_u_9": 1, - "Py_TPFLAGS_HAVE_INDEX": 1, - "Please": 3, - "it.": 2, - "new": 9, - "please": 1, - "PyBytes_Type": 1, - "SCI_PAGEDOWN": 1, - "*": 159, - "ReadBlock": 2, - "_unknown_fields_": 5, - "NPY_ULONG": 1, - "__pyx_k_7": 1, - "kMinConversionSlack": 1, - "PyLong_Check": 1, - "BN_CTX_get": 8, - "Buffer": 2, - "PyBytes_FromStringAndSize": 1, - "b.vchPubKey": 3, - "": 1, - "heap_number": 4, - "*__pyx_n_s__descr": 1, - "__LINE__": 84, - "__Pyx_CIMAG": 4, - "__pyx_t_5numpy_clongdouble_t": 1, - "PySet_CheckExact": 2, - "__Pyx_TypeTest": 4, - "*__pyx_n_s__np": 1, - "Scanner*": 2, - "SCI_LINEENDEXTEND": 1, - "HomeExtend": 1, - "target": 6, - "malloc": 2, - "delete": 6, - "__pyx_t_double_complex_from_parts": 1, - "": 3, - "Destroys": 1, - "protobuf_AssignDescriptors_once_": 2, - "SCI_LINEENDRECTEXTEND": 1, - "case.": 2, - "each": 2, - "literal_chars": 1 - }, - "LFE": { - "General": 1, - "only": 1, - "guide": 1, - "example": 2, - "s": 19, - "class": 3, - "you": 3, - "demonstrate": 1, - "slurp": 2, - "specific": 3, - "transaction": 2, - "union": 1, - "obtain": 3, - "compliance": 3, - "user": 1, - "with": 8, - "]": 3, - "achieve": 1, - "List": 2, - "CONDITIONS": 3, - "File": 4, - "was": 1, - "tables.": 1, - "and": 7, - "existing": 1, - "object.lfe": 1, - "guide/recursion/5.html": 1, - "<": 1, - "cd": 1, - "church": 20, - "Intelligence": 1, - "strictly": 1, - "state": 4, - "shop": 6, - "drive": 1, - "self": 6, - "schema.": 1, - "by_place_qlc": 2, - "five/0": 2, - "Robert": 3, - "we": 1, - "The": 4, - "can": 1, - "mnesia_demo": 1, - "do": 2, - "getvar": 3, - "spec": 1, - "del": 5, - "GPS": 1, - "Peter": 1, - "select": 1, - "License": 12, - "software": 3, - "that": 1, - "from": 2, - "ok": 1, - "mommy": 3, - "LFE": 4, - "successor/1": 1, - "//www.apache.org/licenses/LICENSE": 3, - "macros": 1, - "ETS": 1, - "McGreggor": 4, - "Duncan": 4, - "j": 2, - "when": 1, - "current": 1, - "not": 5, - "Programming": 1, - "length": 1, - "funcall": 23, - "Note": 1, - "using": 1, - "for": 5, - "defrecord": 1, - "people": 1, - "installs": 1, - "Define": 1, - "First": 1, - "define": 1, - "calculus": 1, - "put": 1, - "v": 3, - "access.": 1, - "conditions.": 1, - "(": 217, - "int": 2, - "have": 3, - "attributes": 1, - "lc": 1, - "LFE.": 1, - "create_table": 1, - "global": 2, - "Now": 1, - "the": 36, - "this": 3, - "system": 1, - "telephone": 1, - "Set": 1, - "version": 1, - "gps1.lisp": 1, - "table": 2, - "successor": 3, - "lambda": 18, - "Solver": 1, - "Version": 3, - "WITHOUT": 3, - "start": 1, - "pa": 1, - "demonstrated": 1, - "express": 3, - "in": 10, - "records": 1, - "KIND": 3, - "methods": 5, - "phone": 1, - "gps": 1, - "Problem": 1, - "numeral": 8, - "mnesia": 8, - "shows": 2, - ")": 231, - "call": 2, - "*state*": 5, - "governing": 3, - "a": 8, - "church.lfe": 1, - "memory": 1, - "info": 1, - "at": 4, - "Virding": 3, - "code": 2, - "Apache": 3, - "Here": 1, - "reproduce": 1, - "mnesia_demo.lfe": 1, - "Comprehensions.": 1, - "copy": 3, - "cond": 1, - "solved": 1, - "int1": 1, - "by_place": 1, - "limit": 4, - "Comprehensions": 1, - "qlc": 2, - "section": 1, - "agreed": 3, - "usage": 1, - "has": 1, - "val": 2, - "id": 9, - "macro": 1, - "x": 12, - "on": 4, - "applicable": 3, - "match_object": 1, - "add": 3, - "Copyright": 4, - "*": 6, - "//lfe.github.io/user": 1, - "car": 1, - "set": 1, - "goals": 2, - "create": 4, - "Use": 1, - "file": 6, - "battery": 1, - "Mode": 1, - "formatted": 1, - "object": 16, - "three": 1, - "feet": 1, - "../bin/lfe": 1, - "A": 1, - "Demonstrating": 2, - "int2": 1, - "setvar": 2, - "children": 10, - "move": 4, - "objects": 2, - "integer": 2, - "son": 2, - "defvar": 2, - "necessary.": 1, - "Carp": 1, - "+": 2, - "n": 4, - "does": 1, - "http": 4, - "c": 4, - "Converted": 1, - "together": 1, - "export": 2, - "action": 3, - "verb": 2, - "zero": 2, - "Licensed": 3, - "list": 13, - "other": 1, - "specifications": 1, - "op": 8, - "if": 1, - "but": 1, - "Query": 2, - "tuple": 1, - "OOP": 1, - "BASIS": 3, - "Start": 1, - "Paradigms": 1, - "When": 1, - "how": 2, - "very": 1, - "instance": 2, - "all": 1, - "person": 8, - "every": 1, - "defsyntax": 2, - "erlang": 1, - "To": 1, - "use": 6, - "let": 6, - "limitations": 3, - "simple": 4, - "Purpose": 3, - "": 1, - "following": 2, - "job": 3, - "OF": 3, - "law": 3, - "give": 1, - "book": 1, - "name": 8, - "It": 1, - "inheritance.": 1, - "-": 98, - "Unless": 3, - "match": 5, - "p": 2, - "Mnesia": 2, - "ANY": 3, - "of": 10, - "make": 2, - "e": 1, - "implied.": 3, - "License.": 6, - "swam": 1, - "OR": 3, - "Initialise": 1, - "count": 7, - "used": 1, - "Norvig": 1, - "isn": 1, - "is": 5, - "distributed": 6, - "table.": 1, - "four": 1, - "one": 1, - "defun": 20, - "variable": 2, - "WARRANTIES": 3, - "species": 7, - "numerals": 1, - "get": 21, - "or": 6, - "some": 2, - "except": 3, - "q": 2, - "by_place_ms": 1, - "required": 3, - "works": 1, - "f": 3, - "two": 1, - "however": 1, - "to": 10, - "#": 3, - "This": 2, - "five": 1, - "Code": 1, - "method": 7, - "examples": 1, - "may": 6, - "": 2, - "[": 3, - "You": 3, - "contains": 1, - "school": 2, - "difference": 1, - "*ops*": 1, - "naughty": 1, - "#Fun": 1, - "an": 5, - "language": 3, - "place": 7, - "writing": 3, - "below": 3, - "new": 2, - "Load": 1, - "permissions": 3, - "either": 3, - "defmodule": 2, - "by": 4, - "those": 1, - "/": 1, - "will": 1, - "money": 3, - "communication": 2, - "fish": 6, - "Author": 3, - "his": 1, - "XXXX": 1, - "under": 9, - "which": 1, - "variables": 1, - "hack": 1, - "Execute": 1, - "here": 1, - "closures": 1, - "demo": 2, - "basic": 1, - "../ebin": 1, - "access": 1, - "pattern": 1, - "update": 1, - "preconds": 4, - "distance": 2, - "emp": 1, - "See": 3, - "fun": 1, - "Artificial": 1, - ";": 213 - }, - "C": { - "curtag": 8, - "__Pyx_XGIVEREF": 5, - "i_SELECT_RF_STRING_AFTERV12": 1, - "process": 19, - "wglQueryVideoCaptureDeviceNV": 1, - "dstLevel": 1, - "standard": 1, - "*ref_name": 2, - "Functions": 1, - "*prefix": 7, - "": 1, - "__wglewEnumGpusFromAffinityDCNV": 2, - "npy_long": 1, - "HPE_INVALID_STATUS": 3, - "i_SELECT_RF_STRING_BEFOREV12": 1, - "UV__O_NONBLOCK": 1, - "oid_for_workdir_item": 2, - "*pSize": 1, - "WGL_ACCUM_ALPHA_BITS_EXT": 1, - "category": 2, - "CONFIG_NR_CPUS": 5, - "subValues": 8, - "dictObjHash": 2, - "*__pyx_builtin_RuntimeError": 1, - "0": 11, - "09": 1, - "GIT_DIFFCAPS_TRUST_EXEC_BIT": 2, - "WGLEW_EXT_display_color_table": 1, - "*cause": 1, - "HTTP_PATCH": 1, - "__wglewEnumerateVideoDevicesNV": 2, - "server.aof_delayed_fsync": 2, - "unregister_cpu_notifier": 2, - "bestkey": 9, - "__pyx_args": 21, - "register_shallow": 1, - "Non": 2, - "y": 14, - "REDIS_REPL_SYNCIO_TIMEOUT": 1, - "loadAppendOnlyFile": 1, - "possible": 2, - "git_hash_update": 1, - "hkeysCommand": 1, - "start": 10, - "hincrbyfloatCommand": 1, - "__wglewQueryVideoCaptureDeviceNV": 2, - "PFNWGLDISABLEGENLOCKI3DPROC": 2, - "id": 13, - "delta": 54, - "PyFrozenSet_Type": 1, - "": 1, - "new_tree": 2, - "WGL_TEXTURE_FLOAT_RGB_NV": 1, - "GLushort*": 1, - "i_CMD_": 2, - "keyptrDictType": 2, - "cmd_prune": 1, - "UTF8_BOM": 1, - "*new_entry": 1, - "WINAPI": 119, - "characterLength": 16, - "__pyx_empty_tuple": 3, - "cpu_up": 2, - "to_cpumask": 15, - "i_NPSELECT_RF_STRING_BETWEEN": 1, - "git_vector_insert": 4, - "PFNWGLQUERYSWAPGROUPNVPROC": 2, - "wglReleasePbufferDCARB": 1, - "rfString_Init": 3, - "are": 6, - "HTTP_MERGE": 1, - "PFNWGLSWAPLAYERBUFFERSMSCOMLPROC": 2, - "piAttributes": 4, - "GLint": 18, - "*line": 1, - "*__pyx_ptype_7sklearn_12linear_model_8sgd_fast_Classification": 1, - "__Pyx_CodeObjectCacheEntry*": 2, - "convert": 1, - "cmd_update_server_info": 1, - "cmd_for_each_ref": 1, - "rfString_FindBytePos": 10, - "server.bindaddr": 2, - "PyString_Type": 2, - "Py_False": 2, - "i_SELECT_RF_STRING_CREATELOCAL": 1, - "WGL_TEXTURE_RGB_ARB": 1, - "__wglewSaveBufferRegionARB": 2, - "srcX1": 1, - "": 1, - "ob_size": 1, - "FOR": 11, - "__pyx_v_shuffle": 1, - "uv__process_open_stream": 2, - "WGLEW_NV_render_depth_texture": 1, - "*sha1": 16, - "compile": 1, - "server.cluster.state": 1, - "remaining_bytes": 1, - "WGL_RED_SHIFT_EXT": 1, - "CYTHON_WITHOUT_ASSERTIONS": 1, - "WGL_3DFX_multisample": 2, - "*rev1": 1, - "REDIS_RUN_ID_SIZE": 2, - "server.repl_syncio_timeout": 1, - "PyArray_Descr": 1, - "task_unlock": 1, - "git_oid_iszero": 2, - "WGL_DRAW_TO_WINDOW_EXT": 1, - "attribList": 2, - "reading": 1, - "rfString_Append_i": 2, - "rfString_Afterv": 4, - "MKACTIVITY": 2, - "REDIS_MAX_QUERYBUF_LEN": 1, - "cpu_active_mask": 2, - "MSEARCH": 1, - "xFF0FFFF": 1, - "cmd_write_tree": 1, - "rfString_Destroy": 2, - "UF_MAX": 3, - "<=>": 16, - "*__pyx_n_s__epoch": 1, - "signum": 4, - "ev_child*": 1, - "C8": 1, - "WGL_NEED_SYSTEM_PALETTE_ARB": 1, - "i_NVrfString_Create": 3, - "]": 601, - "strdup": 1, - "self": 9, - "cmd_remote": 1, - "*use_noid": 1, - "WEXITSTATUS": 2, - "__Pyx_ParseOptionalKeywords": 4, - "__Pyx_c_diff": 2, - "PyLong_AsSsize_t": 1, - "rdbSave": 1, - "shared.bulkhdr": 1, - "http_errno_name": 1, - "i_SELECT_RF_STRING_COUNT0": 1, - "uv__handle_stop": 1, - "__wglewEnumGpuDevicesNV": 2, - "*phGpuList": 1, - "WGL_ARB_buffer_region": 2, - "xC0": 3, - "__Pyx_RaiseDoubleKeywordsError": 1, - "allowComments": 4, - "signal": 2, - "Py_True": 2, - "_ms_": 2, - "MKD_AUTOLINK": 1, - "internal": 4, - "pathspec.count": 2, - "__wglewDXUnlockObjectsNV": 2, - "charPos": 8, - "HEADER_OVERFLOW": 1, - "*body_mark": 1, - "pack": 2, - "cmd_fast_export": 1, - "__wglewGetVideoInfoNV": 2, - "exist": 2, - "i_NVrfString_Init": 3, - "*__pyx_n_s__y": 1, - "SYS_exit": 1, - "self_ru": 2, - "uname": 1, - "__Pyx_PyIndex_AsSsize_t": 1, - "*commit_type": 2, - "": 1, - "uint32_t*length": 1, - "WGL_GPU_RENDERER_STRING_AMD": 1, - "shared.emptymultibulk": 1, - "ustime": 7, - "RF_LF": 10, - "srcY": 1, - "__LINE__": 50, - "cmd_verify_tag": 1, - "uv_kill": 1, - "dwSize": 1, - "WGL_RED_BITS_ARB": 1, - "backwards": 1, - "npy_intp": 1, - "uv_process_options_t": 2, - ".size": 2, - "PY_LONG_LONG": 5, - "Py_XINCREF": 1, - "i_SELECT_RF_STRING_CREATE_NC1": 1, - "Lefteris": 1, - "loops": 2, - "task_cpu": 1, - "MIN": 3, - ".data": 1, - "__Pyx_PyNumber_InPlaceDivide": 2, - "*match": 3, - "__wglewMakeContextCurrentEXT": 2, - "__WGLEW_ATI_render_texture_rectangle": 2, - "added": 1, - "find_block_tag": 1, - "head": 3, - "expires": 3, - "*fmt": 2, - "func_name": 2, - "N_": 1, - "A": 11, - "__wglewGetContextGPUIDAMD": 2, - "parNP": 6, - "///": 4, - "schedule": 1, - "__pyx_k____test__": 1, - "wglDXOpenDeviceNV": 1, - "equal": 1, - "__pyx_pf_7sklearn_12linear_model_8sgd_fast_18EpsilonInsensitive___init__": 1, - "ops*1000/t": 1, - "server.maxmemory": 6, - "dbDelete": 2, - "to": 37, - "createSharedObjects": 2, - "prefix.ptr": 2, - "*pointer": 1, - "pbytePos": 2, - "keepChars": 4, - "__pyx_t_7sklearn_5utils_13weight_vector_DOUBLE": 2, - "PATCH": 2, - "i_SELECT_RF_STRING_FWRITE3": 1, - "cmd_show_branch": 1, - "*row_work": 1, - "WGL_TEXTURE_FLOAT_RG_NV": 1, - "unused": 3, - "rpopCommand": 1, - "llist_mergesort": 1, - "__pyx_f_7sklearn_12linear_model_8sgd_fast_10Regression_loss": 1, - "http_parser_url_fields": 2, - "WGL_TEXTURE_CUBE_MAP_NEGATIVE_Z_ARB": 1, - "__WGLEW_ARB_pixel_format": 2, - "num_found": 1, - "*server.dbnum": 1, - "SIGHUP": 1, - "act.sa_sigaction": 1, - "*__pyx_r": 6, - "__wglewSwapIntervalEXT": 2, - "during": 1, - "PySet_Check": 1, - "REDIS_OK": 23, - "hi": 5, - "GIT_DIFF_INCLUDE_UNMODIFIED": 1, - "rfString_Equal": 4, - "REDIS_SHARED_BULKHDR_LEN": 1, - "num_pos_args": 1, - "cmd_pack_refs": 1, - "*new_oid": 1, - "wglBindVideoDeviceNV": 1, - "__wglewReleasePbufferDCEXT": 2, - "PFNWGLRELEASEPBUFFERDCARBPROC": 2, - "bogus": 1, - "clusterCron": 1, - "_fseeki64": 1, - "__pyx_k__Q": 1, - "init_cpu_possible": 1, - "JNIEXPORT": 6, - "cmd_update_ref": 1, - "REDIS_MAX_CLIENTS": 1, - "_param": 1, - "execv_dashed_external": 2, - "HPE_HEADER_OVERFLOW": 1, - "__pyx_k__n_features": 1, - "server.cluster.myself": 1, - "limit.rlim_cur": 2, - "SEEK_CUR": 19, - "nongit_ok": 2, - "PFNWGLGETPBUFFERDCARBPROC": 2, - "date_mode": 2, - "RAW_NOTIFIER_HEAD": 1, - ".off": 2, - "threshold": 2, - "strict": 2, - "md": 18, - "INT64*": 3, - "wglEnableFrameLockI3D": 1, - "WGL_ARB_create_context_profile": 2, - "__pyx_v_weight_pos": 1, - "signed": 5, - "i_ARG1_": 56, - "__WGLEW_3DFX_multisample": 2, - "__pyx_obj_7sklearn_5utils_13weight_vector_WeightVector": 3, - "continue": 20, - "server": 1, - "WGL_GREEN_SHIFT_EXT": 1, - "%": 2, - "unhex_val": 7, - "WGL_TYPE_RGBA_EXT": 1, - "server.aof_current_size": 2, - "deref_tag": 1, - "@endcpp": 1, - "cmd_fsck": 2, - "PFNWGLENUMGPUDEVICESNVPROC": 2, - "dstName": 1, - "interval": 1, - "WGL_CONTEXT_ES2_PROFILE_BIT_EXT": 1, - "trace_repo_setup": 1, - "PFNWGLDXUNREGISTEROBJECTNVPROC": 2, - "rfString_After": 4, - "*__pyx_v_info": 2, - "entry": 17, - "http_parser_init": 2, - "n": 70, - "ARRAY_SIZE": 1, - "rb_intern": 15, - "startup_info": 3, - "__WGLEW_OML_sync_control": 2, - "A1": 1, - "WGLEW_NV_float_buffer": 1, - "*message": 1, - "before": 4, - "__pyx_k__alpha": 1, - "": 1, - "install": 1, - "expected": 2, - "": 1, - "build_all_zonelists": 1, - "characterPos_": 5, - "uid": 2, - "git_odb__hashlink": 1, - "__wglewDeleteBufferRegionARB": 2, - "va_arg": 2, - "srandmemberCommand": 1, - "server.repl_timeout": 1, - "To": 1, - "uv_stream_t*": 2, - "wglGetPixelFormatAttribivEXT": 1, - "WGL_SAMPLES_ARB": 1, - "bytepos": 12, - "*param": 1, - "__Pyx_PyInt_FromHash_t": 2, - "stime": 1, - "npy_int8": 1, - "PFNWGLSAVEBUFFERREGIONARBPROC": 2, - "i_rfString_Equal": 3, - "die": 5, - "IS_ALPHANUM": 3, - "WGL_TEXTURE_FORMAT_ARB": 1, - "*__pyx_v_self": 52, - "Java_jni_JniLayer_jni_1layer_1report_1analog_1chg": 1, - "server.stat_numcommands": 4, - "hmsetCommand": 1, - "*/": 1, - "switch": 46, - "INVALID_QUERY_STRING": 1, - "off": 8, - "__stdcall": 2, - "PFNWGLRELEASEIMAGEBUFFEREVENTSI3DPROC": 2, - "__Pyx_TypeInfo": 2, - "oom": 3, - "Refu": 2, - "*pAddress": 1, - "cpu_add_remove_lock": 3, - "rndr_newbuf": 2, - "append_merge_tag_headers": 1, - "mem_freed": 4, - "server.lastbgsave_status": 3, - "__pyx_filename": 51, - "shared.nullbulk": 1, - "anetPeerToString": 1, - "state": 104, - "cmd_format_patch": 1, - "sure": 2, - "redisLogRaw": 3, - "//@": 1, - "mtime.seconds": 2, - "n_features": 2, - "out": 18, - "__wglewWaitForSbcOML": 2, - "PFNWGLGETGENLOCKSOURCEI3DPROC": 2, - "i_NVrfString_Create_nc": 3, - "temporary": 4, - "st": 2, - "WGL_DEPTH_BUFFER_BIT_ARB": 1, - "find": 1, - "rlim_t": 3, - "__pyx_k__t_start": 1, - "fprintf": 18, - "__pyx_pw_7sklearn_12linear_model_8sgd_fast_12LossFunction_3dloss": 1, - "PFNWGLGETSYNCVALUESOMLPROC": 2, - "sigemptyset": 2, - "jint": 7, - "REDIS_MAXMEMORY_NO_EVICTION": 2, - "i_STRING_": 2, - "documentation": 1, - "__wglewQueryFrameCountNV": 2, - "__wglewCopyImageSubDataNV": 2, - "utsname": 1, - "key": 9, - "xDC00": 4, - "freeClientsInAsyncFreeQueue": 1, - "*argc": 1, - "__WGLEW_NV_present_video": 2, - "h_matching_transfer_encoding": 3, - "always": 2, - "table": 1, - "__pyx_k__b": 1, - "kill": 4, - "RE_STRING_TOFLOAT": 1, - "rfString_Create_UTF16": 2, - "EXPORT_SYMBOL_GPL": 4, - "HTTP_POST": 2, - "numclients": 3, - "dictRehashMilliseconds": 2, - "i_SELECT_RF_STRING_AFTERV18": 1, - "wglBindTexImageARB": 1, - "key1": 5, - "__Pyx_NAMESTR": 2, - "*__pyx_f_5numpy__util_dtypestring": 1, - "rfString_Beforev": 4, - "*privdata": 8, - "ret": 142, - "h_C": 3, - "slave": 3, - "*__pyx_t_3": 3, - "i_SELECT_RF_STRING_BEFOREV18": 1, - "ignore": 1, - "HTTP_HEAD": 2, - "li": 6, - "CPU_TASKS_FROZEN": 2, - "*md": 1, - "sleep": 1, - "s_res_HTTP": 3, - "INT_MIN": 1, - "LL*": 1, - "s_chunk_parameters": 3, - "PY_MAJOR_VERSION": 13, - "uv_stdio_container_t*": 4, - "git_index_entry": 8, - "WGL_BIND_TO_VIDEO_RGB_NV": 1, - "PFNWGLQUERYGENLOCKMAXSOURCEDELAYI3DPROC": 2, - "rfUTILS_Endianess": 24, - "dictSdsKeyCaseCompare": 2, - "getrangeCommand": 2, - "PyBytes_ConcatAndDel": 1, - "*path": 2, - "listMatchPubsubPattern": 1, - "PyInt_AsUnsignedLongMask": 1, - "CYTHON_COMPILING_IN_PYPY": 3, - "opts": 24, - "__wglewQueryGenlockMaxSourceDelayI3D": 2, - "piAttribIList": 2, - "maxGroups": 1, - "*phGpu": 1, - "bytesToHuman": 3, - "INCREF": 1, - "__pyx_k__Zf": 1, - "xffff": 1, - "git_pool_strdup": 3, - "WGL_GPU_VENDOR_AMD": 1, - "rfFgets_UTF8": 2, - "cmd_remote_fd": 1, - "WGL_ACCESS_READ_WRITE_NV": 1, - "__wglewGetGPUIDsAMD": 2, - "rfString_Create_UTF32": 2, - "status_code": 8, - "*__pyx_vtabptr_7sklearn_5utils_11seq_dataset_ArrayDataset": 1, - "AOF_FSYNC_EVERYSEC": 1, - "eventLoop": 2, - "xBF": 2, - "dictEncObjKeyCompare": 4, - "__wglewBindVideoCaptureDeviceNV": 2, - "WGL_AUX2_ARB": 1, - "CONFIG_SMP": 1, - "strlen": 17, - "LL*1024*1024": 2, - "REDIS_REPL_SEND_BULK": 1, - "clusterInit": 1, - "*http_method_str": 1, - "*link": 1, - "WGL_CONTEXT_ROBUST_ACCESS_BIT_ARB": 1, - "__Pyx_WriteUnraisable": 4, - "*hGpu": 1, - "hDrawDC": 2, - "adjustOpenFilesLimit": 2, - "PyBUF_STRIDES": 6, - "cmd_rm": 1, - "WGL_TRANSPARENT_VALUE_EXT": 1, - "server.aof_flush_postponed_start": 2, - "int32_t*": 1, - "width": 3, - "termination": 3, - "*dict": 5, - "cmd_add": 2, - "WITH_THREAD": 1, - "BLOB_H": 2, - "__wglewReleaseTexImageARB": 2, - "*reflog_info": 1, - "*__pyx_ptype_5numpy_ufunc": 1, - "mstime": 5, - "diff_strdup_prefix": 2, - "wglSetGammaTableParametersI3D": 1, - "a_date": 2, - "#if": 92, - "bioInit": 1, - "*1024*8": 1, - "HPE_CB_headers_complete": 1, - "yajl_alloc": 1, - "yajl_status_error": 1, - "http_parser_pause": 2, - "Py_PYTHON_H": 1, - "rfString_Init_cp": 3, - "/1000000": 2, - "rdbRemoveTempFile": 1, - "c": 252, - "i_DECLIMEX_": 121, - "i_LIMSELECT_RF_STRING_AFTERV0": 1, - "GIT_ATTR_FNMATCH_NEGATIVE": 1, - "B2": 1, - "RF_OPTION_SOURCE_ENCODING": 30, - "*from_list": 1, - "ferror": 2, - "_isspace": 3, - "LPVOID": 3, - "WGL_SWAP_METHOD_EXT": 1, - "lookup_commit": 2, - "string_": 9, - "options.flags": 4, - "WGL_ATI_render_texture_rectangle": 2, - "i_rfString_Prepend": 3, - "tv.tv_usec/1000": 1, - "new_parent": 6, - "i_NPSELECT_RF_STRING_FIND0": 1, - "POLLIN": 1, - "WGL_VIDEO_OUT_COLOR_NV": 1, - "new": 4, - "notify_cpu_starting": 1, - "": 1, - "argc": 26, - "uv_handle_t*": 1, - "wglewContextIsSupported": 2, - "__pyx_t_5numpy_int32_t": 4, - "REDIS_ENCODING_RAW": 1, - "parse_commit_buffer": 3, - "sdsfree": 2, - "rfUTILS_SwapEndianUI": 11, - "optionsP": 11, - "__pyx_k__epoch": 1, - "uv__process_child_init": 2, - "dstX0": 1, - "PyBytes_Size": 1, - "47": 1, - "c_ru.ru_utime.tv_sec": 1, - "task_pid_nr": 1, - "dictSdsHash": 4, - "calloc": 1, - "prefix": 34, - "matcher": 3, - "LOG_PID": 1, - "l1": 4, - "WGL_NV_DX_interop": 2, - "WGL_ACCUM_RED_BITS_ARB": 1, - "cmit_fmt": 3, - "TRACE": 2, - "*m": 1, - "dictListDestructor": 2, - "__pyx_base.__pyx_vtab": 1, - "PyObject_GetItem": 1, - "__pyx_obj_7sklearn_12linear_model_8sgd_fast_Classification": 7, - "CMIT_FMT_FULLER": 1, - "INVALID_STATUS": 1, - "Py_UCS4": 2, - "__Pyx_zeros": 1, - "i_OPTIONS_": 28, - "strlenCommand": 1, - "RE_FILE_EOF": 22, - "*value": 5, - "http_data_cb": 4, - "server.ops_sec_last_sample_time": 3, - "i_NUMBER_": 12, - "under_end": 1, - "PFNWGLENUMERATEVIDEOCAPTUREDEVICESNVPROC": 2, - "wglCreateAffinityDCNV": 1, - "existsCommand": 1, - "i_SELECT_RF_STRING_AFTER3": 1, - "cmd_mailinfo": 1, - "WGL_TEXTURE_CUBE_MAP_POSITIVE_Y_ARB": 1, - "uint16_t": 12, - "__Pyx_Raise": 4, - "dictGenCaseHashFunction": 1, - "counters.process_init": 1, - "*ver_minor": 2, - "SIGSEGV": 1, - "s_req_first_http_major": 3, - "__Pyx_LocalBuf_ND": 1, - "yajl_lex_free": 1, - "node": 9, - "R_NegInf": 2, - "s_res_status_code": 3, - "uv__pipe2": 1, - "PFNWGLSETGAMMATABLEPARAMETERSI3DPROC": 2, - "non": 1, - "__Pyx_DECREF": 20, - "rfFgetc_UTF32LE": 4, - "s_req_http_HT": 3, - "REDIS_CMD_DENYOOM": 1, - "ust": 7, - "classes": 1, - "MKD_NOTABLES": 1, - "*__pyx_n_s__c": 1, - "hmem": 3, - "i_SELECT_RF_STRING_REPLACE1": 1, - "maxCount": 1, - "peak_hmem": 3, - "*__Pyx_RefNanny": 1, - "server.pubsub_patterns": 4, - "thisval": 8, - "cmd_mailsplit": 1, - "chdir": 2, - "onto": 7, - "*__pyx_kp_u_6": 1, - "i_rfLMSX_WRAP10": 2, - "*__pyx_vtabptr_7sklearn_12linear_model_8sgd_fast_Hinge": 1, - "server.assert_failed": 1, - "server.aof_state": 7, - "want": 3, - "PFNWGLCREATECONTEXTATTRIBSARBPROC": 2, - "xFEFF": 1, - "REDIS_HASH_MAX_ZIPLIST_VALUE": 1, - "i_SELECT_RF_STRING_BEFOREV5": 1, - "old_tree": 5, - "tcd_param": 2, - "infoCommand": 4, - "intern": 1, - "PyLong_FromUnicode": 1, - "*tmp": 1, - "__wglewEnumerateVideoCaptureDevicesNV": 2, - "c3": 9, - "i_SELECT_RF_STRING_INIT0": 1, - "delta_type": 8, - "HVIDEOINPUTDEVICENV": 5, - "s_headers_almost_done": 4, - "work_bufs": 8, - "buffAllocated": 11, - "HTTP_MSEARCH": 1, - "sunionCommand": 1, - "link_ref": 2, - "WGL_AUX5_ARB": 1, - "__Pyx_c_absf": 3, - "__pyx_k__penalty_type": 1, - "+": 551, - "*next": 6, - "git_diff_list_alloc": 1, - "old_iter": 8, - "WGLEW_ARB_pixel_format": 1, - "__Pyx_c_prodf": 2, - "_cpu_up": 3, - "strftime": 1, - "than": 5, - "WGL_ALPHA_BITS_EXT": 1, - "WGL_ACCUM_ALPHA_BITS_ARB": 1, - "xFFFE0000": 1, - "conjf": 1, - "case": 273, - "start_of_line": 2, - "WGL_NV_render_texture_rectangle": 2, - "wglDisableFrameLockI3D": 1, - "t": 32, - "__real__": 1, - "WGL_ARB_pbuffer": 2, - "CMIT_FMT_UNSPECIFIED": 1, - "RF_UTF16_LE": 9, - "sha1_to_hex": 8, - "barrier": 1, - "A7": 2, - "PyInt_AsLong": 2, - "sdslen": 14, - "": 1, - "PM_POST_SUSPEND": 1, - "wglGetExtensionsStringEXT": 1, - "temp.bIndex": 2, - "i_NPSELECT_RF_STRING_REPLACE": 1, - "has_non_ascii": 1, - "*__pyx_k_tuple_9": 1, - "task_struct": 5, - "WGL_ACCELERATION_EXT": 1, - "wglGetGPUInfoAMD": 1, - "HDC": 65, - "*pop_commit": 1, - "yajl_parse": 2, - "R_Zero": 2, - "REDIS_DEFAULT_DBNUM": 1, - "TRANSFER_ENCODING": 4, - "i_SELECT_RF_STRING_BETWEEN4": 1, - "argcp": 2, - "of": 44, - "__pyx_t_5numpy_float32_t": 1, - "i_rfLMSX_WRAP6": 2, - "scan": 4, - "WGL_ACCESS_WRITE_DISCARD_NV": 1, - "USHORT*": 2, - "alloc_cpumask_var": 1, - "*X_indptr_ptr": 1, - "0xBF": 1, - "shallow_flag": 1, - "RF_MATCH_WORD": 5, - "rfString_Create_f": 2, - "__pyx_k__fit_intercept": 1, - "server.assert_file": 1, - "syscalldef": 1, - "break": 244, - "shared.subscribebulk": 1, - "active": 2, - "": 2, - "git_submodule_lookup": 1, - "wglQueryFrameLockMasterI3D": 1, - "git_mutex_unlock": 2, - "i_SELECT_RF_STRING_AFTERV7": 1, - "cmd_reflog": 1, - "HTTP_MOVE": 1, - "*__pyx_k_tuple_14": 1, - "*__pyx_pf_7sklearn_12linear_model_8sgd_fast_11SquaredLoss_4__reduce__": 1, - "__pyx_bisect_code_objects": 1, - "WGL_VIDEO_OUT_STACKED_FIELDS_2_1": 1, - "*extra": 1, - "R_Zero/R_Zero": 1, - "MKD_TOC": 1, - "__Pyx_PyInt_AsLongLong": 1, - "shared.emptybulk": 1, - "FinishContext": 1, - "term_signal": 3, - "WGL_VIDEO_OUT_COLOR_AND_DEPTH_NV": 1, - "s1": 6, - "NEED_WORK_TREE": 18, - "C3": 1, - "done": 1, - "git_cached_obj_incref": 3, - "*git_diff_list_alloc": 1, - "__wglewQueryCurrentContextNV": 2, - "WGL_DRAW_TO_WINDOW_ARB": 1, - "PTR_ERR": 1, - "__pyx_doc_7sklearn_12linear_model_8sgd_fast_12LossFunction_2dloss": 1, - "bufgrow": 1, - "cell_start": 5, - "opts.new_prefix": 4, - "DIFF_OLD_PREFIX_DEFAULT": 1, - "abs": 2, - "deltas.length": 4, - "git__is_sizet": 1, - "gets": 1, - "cpumask": 7, - "server.masterhost": 7, - "*__pyx_kp_u_12": 1, - "sigaction": 6, - "__pyx_k__RuntimeError": 1, - "server.aof_selected_db": 1, - "*header_field_mark": 1, - "setgid": 1, - "WGL_GENLOCK_SOURCE_MULTIVIEW_I3D": 1, - "bytePos": 23, - "*__pyx_n_s__t": 1, - "aeSetBeforeSleepProc": 1, - "__pyx_f": 42, - "__pyx_obj_7sklearn_12linear_model_8sgd_fast_Huber": 6, - "WGL_NUM_VIDEO_SLOTS_NV": 1, - "WGL_TYPE_RGBA_UNSIGNED_FLOAT_EXT": 1, - "CYTHON_COMPILING_IN_CPYTHON": 6, - "*__pyx_pf_7sklearn_12linear_model_8sgd_fast_5Huber_2loss": 1, - "IS_NUM": 14, - "*__pyx_vtabptr_7sklearn_12linear_model_8sgd_fast_EpsilonInsensitive": 1, - "REDIS_LIST_MAX_ZIPLIST_VALUE": 1, - "alloc_blob_node": 1, - "WGL_DOUBLE_BUFFER_EXT": 1, - "dstY1": 1, - "dictType": 8, - "on_url": 1, - "activeExpireCycle": 2, - "server.requirepass": 4, - "mem_used": 9, - "uv__set_sys_error": 2, - "__wglewGetGenlockSourceEdgeI3D": 2, - "__pyx_k_6": 1, - "__pyx_k__h": 1, - "cmd_config": 1, - "__Pyx_StructField*": 1, - "__pyx_gilstate_save": 2, - "according": 1, - "server.db": 23, - "*b": 6, - "*__pyx_kp_s_2": 1, - "server.stat_expiredkeys": 3, - ".id": 1, - "cabs": 1, - "i_SELECT_RF_STRING_REMOVE2": 1, - "HELLO_H": 2, - "WGL_STEREO_POLARITY_INVERT_3DL": 1, - "temp.bytes": 1, - "lo": 6, - "handle": 10, - "commit_graft_alloc": 4, - "__Pyx_c_is_zerof": 3, - "//if": 1, - "rfString_ScanfAfter": 2, - "The": 1, - "__wglewMakeContextCurrentARB": 2, - "<": 219, - "EXPORT_SYMBOL": 8, - "sdscatrepr": 1, - "PyObject*": 24, - "clusterNode": 1, - "long*": 2, - "PFNWGLENDFRAMETRACKINGI3DPROC": 2, - "WGL_TEXTURE_1D_ARB": 1, - "RF_STRING_ITERATEB_START": 2, - "ffff": 4, - "__Pyx_PyInt_AsChar": 1, - "*__pyx_n_s__dataset": 1, - "__pyx_t_5numpy_ulong_t": 1, - "i_SELECT_RF_STRING_CREATE0": 1, - "cpu_hotplug_disable_before_freeze": 2, - "": 2, - "py_line": 1, - "": 2, - "__pyx_k__n_samples": 1, - "sinterCommand": 2, - "__wglewDestroyDisplayColorTableEXT": 2, - "wglCreateAssociatedContextAttribsAMD": 1, - "Init_rdiscount": 1, - "CLOSED_CONNECTION": 1, - "__wglewSetDigitalVideoParametersI3D": 2, - "Quitting": 2, - "incrCommand": 1, - "server.loading_start_time": 2, - "ip": 4, - "*__pyx_m": 1, - "http_parser": 13, - "c_index_": 3, - "wglGetCurrentAssociatedContextAMD": 1, - "works": 1, - "moveCommand": 1, - "old_file.oid": 3, - "*__pyx_ptype_5numpy_flatiter": 1, - "npy_float64": 1, - "row_work": 4, - "__WGLEW_ARB_pixel_format_float": 2, - "finding": 1, - "*head": 1, - "PyNumber_Divide": 1, - "__pyx_k__L": 1, - "unsubscribeCommand": 2, - "cmd_remote_ext": 1, - "pattern": 3, - "WGLEW_EXT_pbuffer": 1, - "then": 1, - "PyBytes_GET_SIZE": 1, - "linuxOvercommitMemoryValue": 2, - "rfString_StripStart": 3, - "s_req_first_http_minor": 3, - "__Pyx_RaiseImportError": 1, - "querybuf": 6, - "__pyx_L5_argtuple_error": 12, - "server.activerehashing": 2, - "WGL_IMAGE_BUFFER_LOCK_I3D": 1, - "WGL_GENLOCK_SOURCE_EXTERNAL_TTL_I3D": 1, - "__wglewReleasePbufferDCARB": 2, - "FLEX_ARRAY": 1, - "authCommand": 3, - "*__pyx_n_s__class_weight": 1, - "server.hash_max_ziplist_value": 1, - "i_NPSELECT_RF_STRING_FWRITE0": 1, - "WGL_CUBE_MAP_FACE_ARB": 1, - "rfString_Append_fUTF8": 2, - "big": 14, - "HTTP_REPORT": 1, - "cpu_hotplug_disabled": 7, - "*__pyx_pf_7sklearn_12linear_model_8sgd_fast_12LossFunction_loss": 2, - "incrbyCommand": 1, - "STRBUF_INIT": 1, - "WGL_BLUE_BITS_EXT": 1, - "each_commit_graft_fn": 1, - "authenticated": 3, - "server.slaves": 9, - "*__pyx_pf_7sklearn_12linear_model_8sgd_fast_3Log_loss": 1, - "pool": 12, - "wglewContextInit": 2, - "success": 4, - "server.pidfile": 3, - "#include": 150, - "server.rdb_filename": 4, - "__STDC_VERSION__": 2, - "nid": 5, - "PyLong_FromSsize_t": 1, - "__pyx_k__ValueError": 1, - "diffcaps": 13, - "fail": 19, - "way": 1, - "RFS_": 8, - "be": 6, - "__Pyx_PyInt_AsSignedShort": 1, - "uVideoSlot": 2, - "__pyx_k_20": 1, - "*lookup_commit_or_die": 2, - "usage": 2, - "name.sysname": 1, - "b_date": 3, - "*swap": 1, - "wglGetDigitalVideoParametersI3D": 1, - "WGL_STEREO_EMITTER_ENABLE_3DL": 1, - "rfString_Assign_fUTF8": 2, - "error_lineno": 3, - "i": 410, - "cmd_symbolic_ref": 1, - "B8": 1, - "WGL_TYPE_RGBA_ARB": 1, - "number*diff": 1, - "is_valid_array": 1, - "keepLength": 2, - "__Pyx_CREAL": 4, - "on_##FOR": 4, - "sds": 13, - "*active_writer": 1, - "dateptr": 2, - "*vec": 1, - "quiet": 5, - "seconds": 2, - "*diff_ptr": 2, - "__wglewQueryMaxSwapGroupsNV": 2, - "RE_UTF16_NO_SURRPAIR": 2, - "cpumask_copy": 3, - "pathspec": 15, - "HTTP_##name": 1, - "*__pyx_n_s__dtype": 1, - "value": 9, - "tempBuff": 6, - "UF_PORT": 5, - "dictEncObjHash": 4, - "int*": 22, - "*reduce_heads": 1, - "rb_rdiscount_to_html": 2, - "Ftelll": 1, - "msetnxCommand": 1, - "code": 6, - "__Pyx_PySequence_DelSlice": 2, - "*commit_list_get_next": 1, - "UNSUBSCRIBE": 2, - "WGL_STEREO_ARB": 1, - "*encodingP": 1, - "MKD_SAFELINK": 1, - "__pyx_vtabstruct_7sklearn_5utils_13weight_vector_WeightVector": 3, - "GL_RGBA_FLOAT_MODE_ATI": 1, - "**": 6, - "i_rfString_Create_nc": 3, - "__pyx_k__y": 1, - "comm": 1, - "parse_signed_commit": 1, - "*revision": 1, - "with": 9, - "s_req_schema_slash": 6, - "HTTP_PARSER_VERSION_MINOR": 1, - "": 1, - "rfString_Prepend": 2, - "i_NPSELECT_RF_STRING_FIND": 1, - "has": 2, - "wrapping": 1, - "oitem": 29, - "da": 2, - "server.repl_slave_ro": 2, - "cmd_blame": 2, - "fuPlanes": 1, - "wglDXSetResourceShareHandleNV": 1, - "pUsage": 1, - "rfString_Init_UTF16": 3, - "*s": 3, - "s_body_identity": 3, - "F_UPGRADE": 3, - "alloc": 6, - "addReplyMultiBulkLen": 1, - "GOTREF": 1, - "*__pyx_n_s__epsilon": 1, - "__ref": 6, - "PROPPATCH": 2, - "fseeko64": 1, - "RUSAGE_SELF": 1, - "rfUTF8_IsContinuationByte2": 1, - "cmd_help": 1, - "WGL_NUM_VIDEO_CAPTURE_SLOTS_NV": 1, - "wglChoosePixelFormatEXT": 1, - "PFNWGLLOADDISPLAYCOLORTABLEEXTPROC": 2, - "ERROR_INVALID_PROFILE_ARB": 1, - "server.list_max_ziplist_entries": 1, - "WGL_NEED_PALETTE_EXT": 1, - "RF_StringX": 2, - "bioPendingJobsOfType": 1, - "IS_HOST_CHAR": 4, - "setexCommand": 1, - "M": 1, - "act": 6, - "PyObject_Call": 6, - "__Pyx_RefNanny": 8, - "fwrite": 5, - "so": 4, - "__wglewLockVideoCaptureDeviceNV": 2, - "PFNWGLLOCKVIDEOCAPTUREDEVICENVPROC": 2, - "internally": 1, - "oldlimit": 5, - "i_SELECT_RF_STRING_BEFORE2": 1, - "not": 6, - "*__pyx_n_s__i": 1, - "dictDisableResize": 1, - "i_STR_": 8, - "manipulate": 1, - "UV_PROCESS_SETGID": 2, - "**tb": 1, - "pubsub_patterns": 2, - "performs": 1, - "PFNWGLRELEASEVIDEOIMAGENVPROC": 2, - "Py_DECREF": 2, - "__pyx_pw_7sklearn_12linear_model_8sgd_fast_10Regression_1loss": 1, - "i_rfLMSX_WRAP16": 2, - "c.cmd": 1, - "SUNDOWN_VER_MINOR": 1, - "GIT_MODE_PERMS_MASK": 1, - "WGL_VIDEO_OUT_STACKED_FIELDS_1_2": 1, - "wglQuerySwapGroupNV": 1, - "__wglewDisableFrameLockI3D": 2, - "*tree": 3, - "ltrimCommand": 1, - "xF": 5, - "server.zset_max_ziplist_entries": 1, - "strcmp": 20, - "__pyx_k__weights": 1, - "expireCommand": 1, - "*X_indices_ptr": 1, - "rfString_Init_UTF32": 3, - "git_mutex_init": 1, - "i_REPSTR_": 16, - "i_SELECT_RF_STRING_AFTERV13": 1, - "i_NPSELECT_RF_STRING_AFTER0": 1, - "temp.byteLength": 1, - "cpu_chain": 4, - "F0": 1, - "PFNWGLDXSETRESOURCESHAREHANDLENVPROC": 2, - "*fp": 3, - "shared.lpop": 1, - "pexpireCommand": 1, - "while": 70, - "ev_child_stop": 2, - "WGL_TEXTURE_TARGET_ARB": 1, - "NR_CPUS": 2, - "shared.slowscripterr": 2, - "i_SELECT_RF_STRING_BEFOREV13": 1, - "new_file.flags": 4, - "LOG_NDELAY": 1, - "commit": 59, - "PyBUF_INDIRECT": 2, - "*__pyx_vtabptr_7sklearn_5utils_13weight_vector_WeightVector": 1, - "onto_new": 6, - "RF_IAMHERE_FOR_DOXYGEN": 22, - "1": 2, - "clientData": 1, - "__Pyx_PyInt_AsShort": 1, - "WGL_ARB_extensions_string": 2, - "that": 9, - "__pyx_vtab": 2, - "wglSwapBuffersMscOML": 1, - "HVIDEOOUTPUTDEVICENV*": 1, - ".mod": 1, - "**commit_list_append": 2, - "hashslot": 3, - "CB_header_value": 1, - "cmd_fetch": 1, - "WGL_NV_float_buffer": 2, - "HTTP_PUT": 2, - "is_unicode": 1, - "calling": 4, - "*key1": 4, - "z": 47, - "help_unknown_cmd": 1, - "GIT_VERSION": 1, - "git_vector_foreach": 4, - "rfUTF32_Length": 1, - "rfString_Init_i": 2, - "*__pyx_b": 1, - "memtest": 2, - "__Pyx_PyIdentifier_FromString": 3, - "strtol": 2, - "CB_message_begin": 1, - "cmd_check_attr": 1, - "uv__chld": 2, - "parse_inline": 1, - "WGL_CONTEXT_CORE_PROFILE_BIT_ARB": 1, - "strcpy": 4, - "RF_UTF8": 8, - "header_value": 6, - "npy_longdouble": 1, - "*__pyx_n_s__weights": 1, - "git_iterator_advance": 5, - "WGL_GENERIC_ACCELERATION_EXT": 1, - "kind": 1, - "*__pyx_n_s__range": 1, - "multiCommand": 2, - "privdata": 8, - "__wglewFreeMemoryNV": 2, - "wglEnableGenlockI3D": 1, - "smaller": 1, - "pth": 2, - "klass": 1, - "PyBytes_Check": 1, - "zsetDictType": 1, - "s_req_host_v6_end": 7, - "i_rfString_CreateLocal": 2, - "*sbc": 3, - "in_merge_bases": 1, - "http_message_needs_eof": 4, - "*60": 1, - "new_iter": 13, - "wglDestroyDisplayColorTableEXT": 1, - "same": 1, - "PyList_GET_SIZE": 5, - "REDIS_SLOWLOG_MAX_LEN": 1, - "brief": 1, - "nitem": 32, - "temp": 11, - "*__pyx_n_s__loss": 1, - "been": 1, - "*str": 1, - "__wglewQueryPbufferEXT": 2, - "FILE": 3, - "cmd": 46, - "scardCommand": 1, - "WGL_EXT_display_color_table": 2, - "PyString_DecodeEscape": 1, - "__pyx_v_fit_intercept": 1, - "flushAppendOnlyFile": 2, - "*rev2": 1, - "__pyx_k__isnan": 1, - "REDIS_ENCODING_INT": 4, - "static": 455, - "i_LIMSELECT_RF_STRING_BEFOREV": 1, - "RF_HEXGE_C": 1, - "yajl_render_error_string": 1, - "sprintf": 10, - "mod": 13, - "MKD_NOHTML": 1, - "memmove": 1, - "R_Nan": 2, - "*__pyx_n_s__eta": 1, - "nr_to_call": 2, - "robj*": 3, - "C9": 1, - "size_mask": 6, - "__Pyx_CLEAR": 1, - "*pattern": 1, - "GIT_DELTA_UNMODIFIED": 11, - "__Pyx_RaiseNoneNotIterableError": 1, - "#elif": 14, - "i_SELECT_RF_STRING_COUNT1": 1, - "2010": 1, - "EV_A_": 1, - "wglJoinSwapGroupNV": 1, - "WGL_TEXTURE_RECTANGLE_ATI": 1, - "dataType": 1, - "included": 2, - "type": 36, - "*__pyx_n_s__shape": 1, - "xC1": 1, - "exitcode": 3, - "git_diff_workdir_to_index": 1, - "*__pyx_n_s__fit_intercept": 1, - "i_NPSELECT_RF_STRING_REMOVE0": 1, - "__wglewWaitForMscOML": 2, - "WGLEW_EXT_extensions_string": 1, - "i_rfString_After": 5, - "i_NVrfString_Init_nc": 3, - "RE_UTF8_ENCODING": 2, - "__pyx_t_5numpy_clongdouble_t": 1, - "*__pyx_n_s__any": 1, - "*eol": 1, - "PyLong_Type": 1, - "extensions": 1, - "WGL_EXT_pixel_format_packed_float": 2, - "*utf32": 1, - "numLen": 8, - "RE_LOCALMEMSTACK_INSUFFICIENT": 8, - "changes": 2, - "*const": 4, - "PyCFunction_GET_FUNCTION": 3, - "srcZ": 1, - "***tail": 1, - "RF_UTF32_LE": 3, - "server.repl_transfer_left": 1, - "string": 18, - "alloc_frozen_cpus": 2, - "*sub": 1, - "__wglewBindTexImageARB": 2, - "reexecute_byte": 7, - "bysignal": 4, - "text": 22, - "rfPclose": 1, - "fn": 5, - "rfFReadLine_UTF32LE": 4, - "functions": 2, - "stack_free": 2, - "WGLEW_NV_swap_group": 1, - "WGL_TRANSPARENT_EXT": 1, - "sourceP": 2, - "": 1, - "pg_data_t": 1, - "pfd.revents": 1, - "opts.old_prefix": 4, - "WGL_TRANSPARENT_BLUE_VALUE_ARB": 1, - "__WGLEW_3DL_stereo_control": 2, - "npy_float32": 1, - "typeCommand": 1, - "npy_cfloat": 1, - "xff": 3, - "CONNECT": 2, - "RUN_SETUP_GENTLY": 16, - "uv__stream_close": 1, - "INT32": 1, - "zrevrankCommand": 1, - "HTTP_CHECKOUT": 1, - "ttlCommand": 1, - "growth": 3, - "*__pyx_n_s__t_start": 1, - "__pyx_PyFloat_AsFloat": 1, - "mkd_string": 2, - "codepoint": 47, - "PyFloat_AS_DOUBLE": 1, - "i_NPSELECT_RF_STRING_BEFOREV0": 1, - "config_bool": 5, - "WGL_TYPE_RGBA_FLOAT_ATI": 1, - "WGL_CONTEXT_FLAGS_ARB": 1, - "keyobj": 6, - "dictFind": 1, - "*__pyx_n_s__n_samples": 1, - "*internal": 1, - "option_count": 1, - "data.stream": 7, - "__wglewLoadDisplayColorTableEXT": 2, - "B": 9, - "git_iterator_current": 2, - "PFNWGLDXLOCKOBJECTSNVPROC": 2, - "wglReleaseImageBufferEventsI3D": 1, - "addReplyErrorFormat": 1, - "__Pyx_c_neg": 2, - "dictGenHashFunction": 5, - "PySet_Type": 2, - "__Pyx_c_quot": 2, - "*__pyx_pf_7sklearn_12linear_model_8sgd_fast_10Regression_2dloss": 1, - "CONFIG_PM_SLEEP_SMP": 2, - "GIT_DIFFCAPS_USE_DEV": 1, - "WGLEW_EXT_create_context_es2_profile": 1, - "__WGLEW_ARB_create_context_robustness": 2, - "End": 2, - "http_cb": 3, - "__Pyx_RefNannyAPIStruct": 3, - "i_OTHERSTR_": 4, - "WGLEW_EXT_make_current_read": 1, - "WGL_AUX7_ARB": 1, - "*ctx": 5, - "__pyx_t_5numpy_long_t": 1, - "flags_extended": 2, - "__WGLEW_NV_vertex_array_range": 2, - "iLayerPlane": 5, - "noMatch": 8, - "snprintf": 2, - "WNOHANG": 1, - "backgroundRewriteDoneHandler": 1, - "backwards.": 1, - "cmd_diff_files": 1, - "PySequenceMethods": 1, - "psubscribeCommand": 2, - "__Pyx_c_quotf": 2, - "deltas.contents": 1, - "PFNWGLSWAPBUFFERSMSCOMLPROC": 2, - "wglSetStereoEmitterState3DL": 1, - "getbitCommand": 1, - "tv.tv_usec": 3, - "hashcmp": 2, - "FOR##_mark": 7, - "hVideoDevice": 4, - "PFNWGLISENABLEDGENLOCKI3DPROC": 2, - "__MUTEX_INITIALIZER": 1, - "cmd_diff_tree": 1, - "srcLevel": 1, - "tp_as_sequence": 1, - "__pyx_t_5numpy_cdouble_t": 1, - "npy_int16": 1, - "field_data": 5, - "SOCK_CLOEXEC": 1, - "WGL_OPTIMAL_PBUFFER_WIDTH_EXT": 1, - "hDC": 33, - "__pyx_t_1": 69, - "HPE_INVALID_EOF_STATE": 1, - "cmd_merge_tree": 1, - "EINTR": 1, - "PFNWGLENUMGPUSFROMAFFINITYDCNVPROC": 2, - "RE_STRING_INIT_FAILURE": 8, - "shared.select": 1, - "__pyx_n_s__dloss": 1, - "*graft": 3, - "rfFReadLine_UTF16BE": 6, - "PY_SSIZE_T_CLEAN": 1, - "REDIS_SLAVE": 3, - "s_req_spaces_before_url": 5, - "__Pyx_c_eqf": 2, - "pager_program": 1, - "exit_cb": 3, - "aeDeleteEventLoop": 1, - "xDBFF": 4, - "read_sha1_file": 1, - "GITERR_OS": 1, - "PFNWGLGETGENLOCKSOURCEDELAYI3DPROC": 2, - "i_WRITE_CHECK": 1, - "char*utf8": 3, - "*kwds2": 1, - "zonelists_mutex": 2, - "*__pyx_n_s__count": 1, - "define": 14, - "openlog": 1, - "server.ipfd": 9, - "&": 442, - "PyBytes_DecodeEscape": 1, - "lpopCommand": 1, - "RE_UTF8_INVALID_CODE_POINT": 2, - "Error": 2, - "NODE_DATA": 1, - "*cache": 4, - "PM_SUSPEND_PREPARE": 1, - "WGL_DEPTH_TEXTURE_FORMAT_NV": 1, - "code=": 2, - "renameGetKeys": 2, - "__Pyx_GetItemInt_Generic": 6, - "server.lua_client": 1, - "even": 1, - "WGL_I3D_digital_video_control": 2, - "rfFback_UTF16BE": 2, - "fflush": 2, - "o": 80, - "root": 1, - "list*": 1, - "*__pyx_n_s__RuntimeError": 1, - "__func__": 2, - "__wglewGenlockSourceDelayI3D": 2, - "git__size_t_powerof2": 1, - "server.watchdog_period": 3, - "commands": 3, - "WGLEW_EXT_multisample": 1, - "A2": 2, - "*line_separator": 1, - "bytePositions": 17, - "yajl_buf_free": 1, - "RF_HEXEQ_C": 9, - "tryResizeHashTables": 2, - "sigsegvHandler": 1, - "__Pyx_PyInt_AsUnsignedChar": 1, - "i_NPSELECT_RF_STRING_BEFORE0": 1, - "setup_pager": 1, - "*pMissedFrames": 1, - "npy_int32": 1, - "bytesWritten": 2, - "": 1, - "depending": 1, - "set_cpu_active": 1, - "renamenxCommand": 1, - "__Pyx_PyObject_IsTrue": 1, - "WGL_VIDEO_OUT_FRAME": 1, - "WGL_TEXTURE_CUBE_MAP_POSITIVE_X_ARB": 1, - "ends": 3, - "__Pyx_CIMAG": 4, - "section": 14, - "PyGILState_Ensure": 1, - "": 2, - "__Pyx_GetBufferAndValidate": 1, - "dictEnableResize": 1, - "i_SELECT_RF_STRING_REMOVE": 1, - "col_data": 2, - "GPU_DEVICE": 1, - "WGL_GREEN_BITS_EXT": 1, - "wglGetExtensionsStringARB": 1, - "array": 1, - "stride": 2, - "cmd_clean": 1, - "OPTIONS": 2, - "PyUnicode_AS_UNICODE": 1, - "i_NPSELECT_RF_STRING_BEFORE": 1, - "noid": 4, - "wglGetSyncValuesOML": 1, - "__wglewDestroyPbufferEXT": 2, - "WGL_ACCELERATION_ARB": 1, - "server.aof_current_size*100/base": 1, - "len": 30, - "help": 4, - "__Pyx_PyInt_AsSignedLongLong": 1, - "SEARCH": 3, - "git_vector_swap": 1, - "git_delta_t": 5, - "PFNWGLSENDPBUFFERTOVIDEONVPROC": 2, - "PFNWGLDXOBJECTACCESSNVPROC": 2, - "shared.messagebulk": 1, - "type*": 1, - "git_version_string": 1, - "*denominator": 1, - "wglEnumGpusNV": 1, - "WGL_GPU_NUM_SPI_AMD": 1, - "shared.loadingerr": 2, - "itemsize": 1, - "server.current_client": 3, - "clusterCommand": 1, - "//Two": 1, - "GIT_UNUSED": 1, - "float": 26, - "hincrbyCommand": 1, - "fgets": 1, - "hSrcRC": 1, - "size": 120, - "s_start_res": 5, - "WGL_GENLOCK_SOURCE_EXTERNAL_SYNC_I3D": 1, - "FLOAT": 4, - "date_mode_explicit": 1, - "watchdogScheduleSignal": 1, - "RSTRING_PTR": 2, - "the": 91, - "yajl_set_default_alloc_funcs": 1, - "i_LIMSELECT_RF_STRING_BEFOREV0": 1, - "*scan": 2, - "__Pyx_PyBytes_AsUString": 1, - "char*": 166, - "i_SELECT_RF_STRING_CREATE": 1, - "GIT_DELTA_UNTRACKED": 5, - "iVideoBuffer": 2, - "__WGLEW_ARB_create_context": 2, - "": 2, - "||": 141, - "i_NPSELECT_RF_STRING_COUNT0": 1, - "*from": 1, - "microseconds/c": 1, - "WGL_TYPE_COLORINDEX_ARB": 1, - "WGLEW_ARB_create_context": 1, - "chars": 3, - "server.loading_total_bytes": 3, - "uint8_t": 6, - "uMaxLineDelay": 1, - "go": 8, - "RF_STRING_INDEX_OUT_OF_BOUNDS": 2, - "yajl_parse_complete": 1, - "zstrdup": 5, - "cpu_present_mask": 2, - "#undef": 7, - "push": 1, - "wglDXLockObjectsNV": 1, - "__pyx_k_1": 1, - "*__pyx_pf_7sklearn_12linear_model_8sgd_fast_14Classification_loss": 1, - "s_message_done": 3, - "__pyx_k__c": 1, - "linsertCommand": 1, - "REDIS_BLOCKED": 2, - "GIT_SUBMODULE_IGNORE_ALL": 1, - "WGL_SWAP_COPY_ARB": 1, - "WGL_DOUBLE_BUFFER_ARB": 1, - "WGL_CONTEXT_MINOR_VERSION_ARB": 1, - "key2": 5, - "mkd_cleanup": 2, - "refcount": 2, - "CPU_UP_PREPARE": 1, - "UF_SCHEMA": 2, - "pptr": 5, - "*__pyx_t_4": 3, - "yajl_callbacks": 1, - "cpu_hotplug_pm_sync_init": 2, - "__init": 2, - "rfFgets_UTF32LE": 2, - "scriptCommand": 2, - "cmd_merge_recursive": 4, - "rfString_Init_nc": 4, - "__pyx_obj_7sklearn_12linear_model_8sgd_fast_SquaredLoss": 5, - "lookupCommandByCString": 3, - "Python.": 1, - "__pyx_t_double_complex": 27, - "lookup_object": 2, - "__pyx_pf_5numpy_7ndarray___getbuffer__": 1, - "ENOSYS": 1, - "empty_cell": 2, - "utf16": 11, - "minPosLength": 3, - "REDIS_SHUTDOWN_NOSAVE": 1, - "7": 1, - "yajl_status_insufficient_data": 1, - "ssize_t": 1, - "pair.": 1, - "its": 1, - "*puBlue": 2, - "INVALID_INTERNAL_STATE": 1, - "REDIS_REPL_TRANSFER": 2, - "Py_XDECREF": 1, - "pos": 7, - "brpopCommand": 1, - "HPVIDEODEV*": 1, - "__wglewDXObjectAccessNV": 2, - "PyBoolObject": 1, - "npy_clongdouble": 1, - "*__pyx_v_dataset": 1, - "PyBUF_WRITABLE": 3, - "ap": 4, - "i_SELECT_RF_STRING_FIND0": 1, - "s_res_HTT": 3, - "shared.noscripterr": 1, - "lock": 6, - "WGL_ARB_framebuffer_sRGB": 2, - "rfStringX_Deinit": 1, - "h_transfer_encoding": 5, - "__pyx_k__Zg": 1, - "htmlblock_end": 3, - "MKD_LI_END": 1, - "pathspec.length": 1, - "*pulCounterOutputVideo": 1, - "__Pyx_PyInt_AsSize_t": 1, - "merge_remote_desc": 3, - "__sun__": 1, - "WGL_GENLOCK_SOURCE_EXTERNAL_FIELD_I3D": 1, - "*blob_type": 2, - "__WGLEW_NV_DX_interop": 2, - "won": 1, - "*http_errno_name": 1, - "__Pyx_c_is_zero": 3, - "HTTP_PARSER_STRICT": 5, - "cmd_version": 1, - "gid": 2, - "wglDestroyPbufferEXT": 1, - "PFNWGLDESTROYDISPLAYCOLORTABLEEXTPROC": 2, - "i_rfString_Init_nc": 3, - "suboffsets": 1, - "peek": 5, - "PyCFunction_Check": 3, - "*lookup_commit_reference": 2, - "or": 1, - "parent": 7, - "*__pyx_vtabptr_7sklearn_12linear_model_8sgd_fast_Huber": 1, - "PyString_FromString": 2, - "server.lua_timedout": 2, - "STRIP_EXTENSION": 1, - "HTTP_MKCOL": 2, - "method_strings": 2, - "current_index": 2, - "utf32": 10, - "__pyx_vtabstruct_7sklearn_12linear_model_8sgd_fast_SquaredHinge": 2, - "bib": 3, - "i_rfString_KeepOnly": 3, - "getDecodedObject": 3, - "xSrc": 1, - "__pyx_t_7sklearn_5utils_13weight_vector_INTEGER": 1, - "REDIS_AOF_REWRITE_PERC": 1, - "PFNWGLGETPBUFFERDCEXTPROC": 2, - "__WGLEW_ARB_multisample": 2, - "h_CO": 3, - "RF_HEXLE_US": 4, - "arch_disable_nonboot_cpus_begin": 2, - "*__pyx_v_loss": 1, - "server.syslog_ident": 2, - "__wglewGetGPUInfoAMD": 2, - "PyLong_AsUnsignedLongMask": 1, - "headers": 1, - "cpumask_clear": 2, - "__wglewGetGenlockSourceI3D": 2, - "*uMaxPixelDelay": 1, - "cleanup": 12, - "d": 16, - "__pyx_k__dloss": 1, - "REFU_IO_H": 2, - "server.hash_max_ziplist_entries": 1, - "i_LIMSELECT_RF_STRING_AFTERV1": 1, - "B3": 1, - "<5)>": 1, - "disable_nonboot_cpus": 1, - "saveparam": 1, - "take_cpu_down": 2, - "Java_jni_JniLayer_jni_1layer_1set_1button": 1, - "NOTIFY_OK": 1, - "keylistDictType": 4, - "RSTRING_LEN": 2, - "REDIS_SHARED_INTEGERS": 1, - "paused": 3, - "options.file": 2, - "PFNWGLSWAPINTERVALEXTPROC": 2, - "PyNumber_InPlaceDivide": 1, - "s_chunk_data_done": 3, - "i_NPSELECT_RF_STRING_FIND1": 1, - "opts.flags": 8, - "wglGetSwapIntervalEXT": 1, - "*patch_mode": 1, - "pp_remainder": 1, - "Py_TPFLAGS_HAVE_INDEX": 1, - "__pyx_r": 39, - "Py_INCREF": 10, - "aeCreateFileEvent": 2, - "PyErr_WarnEx": 1, - "return": 529, - "*__pyx_pf_7sklearn_12linear_model_8sgd_fast_18EpsilonInsensitive_2loss": 1, - "aofRewriteBufferSize": 2, - "wglGetGPUIDsAMD": 1, - "__pyx_obj_7sklearn_12linear_model_8sgd_fast_Log": 5, - "arity": 3, - "git_strarray": 2, - "dstX1": 1, - "int32_t": 112, - "48": 1, - "__pyx_k__t": 1, - "server.cluster_enabled": 6, - "Java_jni_JniLayer_jni_1layer_1initialize": 1, - "git_vector_init": 3, - "old_file.path": 12, - "out_release": 3, - "__GNUC_PATCHLEVEL__": 1, - "server.stat_rejected_conn": 2, - "tp_dictoffset": 3, - "": 4, - "parse_table_row": 1, - "wglQueryMaxSwapGroupsNV": 1, - "WGL_DEPTH_BITS_EXT": 1, - "Failure": 1, - "http_parser_url": 3, - "l2": 3, - "cpu_online_bits": 5, - "addReplyBulk": 1, - "effectively": 1, - "*n": 1, - "__pyx_k__numpy": 1, - "server.pubsub_channels": 2, - "*index_data_ptr": 2, - "__pyx_k__shape": 1, - "cmd_merge_index": 1, - "uv__process_stdio_flags": 2, - "PFNWGLGETSWAPINTERVALEXTPROC": 2, - "PFNWGLGETCURRENTREADDCARBPROC": 2, - "got": 1, - "IS_URL_CHAR": 6, - "PyString_Check": 2, - "__Pyx_c_abs": 3, - "Macros": 1, - "__Pyx_PyInt_AsUnsignedLongLong": 1, - "PyErr_Occurred": 9, - "cmd_rev_list": 1, - "*util": 1, - "option": 9, - "*clientData": 1, - "PURGE": 2, - "prefix.size": 1, - "__pyx_v_epsilon": 2, - "tv": 8, - "*__pyx_refnanny": 1, - "i_SELECT_RF_STRING_AFTER4": 1, - "i_RFUI8_": 28, - "__wglewBindVideoDeviceNV": 2, - "wglChoosePixelFormatARB": 1, - "": 2, - "CPU_DOWN_PREPARE": 1, - "unlink": 3, - "s_res_H": 3, - "settings": 6, - "HAVE_BACKTRACE": 1, - "server.stat_evictedkeys": 3, - "*__pyx_builtin_NotImplementedError": 1, - "strcasecmp": 13, - "cmd_show_ref": 1, - "wglDestroyImageBufferI3D": 1, - "WGL_SHARE_DEPTH_ARB": 1, - "WGL_NEED_PALETTE_ARB": 1, - "name_decoration": 3, - ".real": 3, - "shared.cnegone": 1, - "//invalid": 1, - "oid": 17, - "i_SELECT_RF_STRING_REPLACE2": 1, - "cell_end": 6, - "charValue": 12, - "http_errno_description": 1, - "SA_NODEFER": 1, - "pragma": 1, - "__pyx_t_5numpy_intp_t": 1, - "__Pyx_PyNumber_Divide": 2, - "i_rfLMSX_WRAP11": 2, - "xA": 1, - "rpushxCommand": 1, - "__Pyx_RaiseTooManyValuesError": 1, - "REDIS_MBULK_BIG_ARG": 1, - "__wglewJoinSwapGroupNV": 2, - "HTTP_DELETE": 1, - "s_req_host_v6_start": 7, - "loss": 1, - "SIG_IGN": 2, - "i_SELECT_RF_STRING_BEFOREV6": 1, - "__wglewIsEnabledGenlockI3D": 2, - "i_rfString_Count": 5, - "*__pyx_pf_7sklearn_12linear_model_8sgd_fast_25SquaredEpsilonInsensitive_6__reduce__": 1, - "querybuf_size/": 1, - "commit_graft_nr": 5, - "*__pyx_n_s__float64": 1, - "__Pyx_GOTREF": 24, - "b__": 3, - "rfString_Deinit": 3, - "__pyx_k__class_weight": 1, - "kw_name": 1, - "elapsed": 3, - "server.port": 7, - "c4": 5, - "REDIS_CLIENT_LIMIT_CLASS_NORMAL": 3, - "i_SELECT_RF_STRING_INIT1": 1, - "*diff_strdup_prefix": 1, - "": 1, - "**argv": 6, - "clusterNodesDictType": 1, - "POST": 2, - "__raw_notifier_call_chain": 1, - "__WGLEW_EXT_pixel_format": 2, - "REDIS_ZSET_MAX_ZIPLIST_ENTRIES": 1, - "HTTP_PURGE": 1, - "PGPU_DEVICE": 1, - "__wglewDXLockObjectsNV": 2, - "iAttribute": 8, - "codeBuffer": 9, - "__pyx_t_5numpy_uint16_t": 1, - "*__pyx_pf_7sklearn_12linear_model_8sgd_fast_25SquaredEpsilonInsensitive_4dloss": 1, - "uf": 14, - "e.t.c.": 1, - "git_startup_info": 2, - "PFNWGLQUERYMAXSWAPGROUPSNVPROC": 2, - "": 2, - "endinternal": 1, - "iHeight": 2, - "C0000": 2, - "sq_item": 2, - "uType": 1, - "indegree": 1, - "RF_LMS": 6, - "_ftelli64": 1, - "__pyx_t_5numpy_int8_t": 1, - "CONNECTION": 4, - "__pyx_k_10": 1, - "*__pyx_n_s__sample_weight": 1, - "u": 18, - "bBlock": 1, - "PFNWGLASSOCIATEIMAGEBUFFEREVENTSI3DPROC": 2, - "*read_commit_extra_header_lines": 1, - "CALLBACK_DATA_NOADVANCE": 6, - "i_NPSELECT_RF_STRING_AFTERV0": 1, - "WGL_TEXTURE_CUBE_MAP_NEGATIVE_Y_ARB": 1, - "A8": 2, - "rfString_Create_cp": 2, - "wglSetDigitalVideoParametersI3D": 1, - "WGL_ARB_create_context_robustness": 2, - "i_PLUSB_WIN32": 2, - "i_THISSTR_": 60, - "*old_entry": 1, - "create": 2, - "i_StringCHandle": 1, - "dictGetVal": 2, - "__pyx_k__count": 1, - "__pyx_v_intercept_decay": 1, - "i_SELECT_RF_STRING_BETWEEN5": 1, - "*cfg": 2, - "codePoint": 18, - "PyUnicode_READ_CHAR": 1, - "__pyx_v_y": 46, - "shared.bgsaveerr": 2, - "i_rfLMSX_WRAP7": 2, - "PFNWGLENUMERATEVIDEODEVICESNVPROC": 2, - "PyBUF_ANY_CONTIGUOUS": 1, - "__Pyx_PyBytes_FromUString": 1, - "REDIS_OPS_SEC_SAMPLES": 3, - ".name": 1, - "*context": 1, - "freeMemoryIfNeeded": 2, - "objectCommand": 1, - "old_file.mode": 2, - "GIT_BUF_INIT": 3, - "__Pyx_Buffer": 2, - "PY_SSIZE_T_MIN": 1, - "none_allowed": 1, - "aof_fsync": 1, - "__pyx_k____main__": 1, - "i_SELECT_RF_STRING_AFTERV8": 1, - "__wglewGetCurrentReadDCEXT": 2, - "UINT": 30, - "CMIT_FMT_ONELINE": 1, - "util": 3, - "*__pyx_k_tuple_15": 1, - "__Pyx_PyInt_AsHash_t": 2, - "used": 10, - "getrlimit": 1, - "scriptingInit": 1, - "GIT_DIFFCAPS_TRUST_CTIME": 2, - "loop": 9, - "s2": 6, - "__pyx_k__nonzero": 1, - "server.stat_numconnections": 2, - "*values": 1, - "C4": 1, - "_Included_jni_JniLayer": 2, - "LOG_WARNING": 1, - "commit_pager_choice": 4, - "git_iterator_current_is_ignored": 2, - "git_config": 3, - "PyLong_FromSize_t": 1, - "hand": 28, - "*__pyx_empty_tuple": 1, - "i_rfPopen": 2, - "diff_path_matches_pathspec": 3, - "wglIsEnabledGenlockI3D": 1, - "WGL_MAX_PBUFFER_PIXELS_EXT": 1, - "WGL_DRAW_TO_PBUFFER_EXT": 1, - "rfUTF8_VerifySequence": 7, - "__pyx_k__is_hinge": 1, - "PyBytes_AsStringAndSize": 1, - "dbsizeCommand": 1, - "__pyx_k__range": 1, - "find_lock_task_mm": 1, - "*__pyx_kp_u_13": 1, - "atoi": 3, - "end": 48, - "SIGPIPE": 1, - "accomplish": 1, - "WGL_BIND_TO_TEXTURE_RECTANGLE_RGBA_NV": 1, - "WGL_EXT_multisample": 2, - "sscanf": 1, - "act.sa_mask": 2, - "blpopCommand": 1, - "sdsAllocSize": 1, - "*__pyx_n_s__u": 1, - "zmalloc_enable_thread_safeness": 1, - "uv__nonblock": 5, - "git_attr_fnmatch": 4, - "is_str": 1, - "rstrP": 5, - "*__pyx_filename": 7, - "": 1, - "tolower": 2, - "__inline__": 1, - "git_iterator_for_workdir_range": 2, - "__WGLEW_EXT_extensions_string": 2, - "__Pyx_c_powf": 3, - "__pyx_k__i": 1, - "*__pyx_pw_7sklearn_12linear_model_8sgd_fast_10Regression_1loss": 3, - "*process": 1, - "thisPos": 8, - "hcpu": 10, - "__pyx_print": 1, - "dstX": 1, - "PFNWGLGETPIXELFORMATATTRIBIVEXTPROC": 2, - "nAttributes": 4, - "*url_mark": 1, - "trackOperationsPerSecond": 2, - "*c": 69, - "url_mark": 2, - "STDERR_FILENO": 2, - "*__pyx_kp_s_3": 1, - "UV_STREAM_READABLE": 2, - "message": 3, - "server.lua_time_limit": 1, - "i_SELECT_RF_STRING_REMOVE3": 1, - "pfd.events": 1, - "WGLEW_AMD_gpu_association": 1, - "rfUTF16_Decode_swap": 5, - "_exit": 6, - "PyUnicode_FromString": 2, - "*__pyx_pf_7sklearn_12linear_model_8sgd_fast_13ModifiedHuber_loss": 1, - "__Pyx_PySequence_GetSlice": 2, - "restoreCommand": 1, - "cmd_mktree": 1, - "pager_config": 3, - "__wglewGenlockSourceEdgeI3D": 2, - "config": 4, - "server.unixsocket": 7, - "*text": 1, - "obj": 48, - "TASK_RUNNING": 1, - "server.shutdown_asap": 3, - "RE_UTF16_INVALID_SEQUENCE": 20, - "Does": 1, - "i_SELECT_RF_STRING_CREATE1": 1, - "pipes": 23, - "SHA1_Init": 4, - "mem_online_node": 1, - "header_states": 1, - "i_NPSELECT_RF_STRING_FWRITE": 1, - "bufputc": 2, - "*barrier": 1, - "FILE*f": 2, - "listDelNode": 1, - "uptime/": 1, - "their": 1, - "PFNWGLDESTROYIMAGEBUFFERI3DPROC": 2, - "rfFReadLine_UTF8": 5, - "WGL_AUX8_ARB": 1, - "sum": 3, - "zmalloc": 2, - "PyString_FromFormat": 1, - "__pyx_pf_7sklearn_12linear_model_8sgd_fast_25SquaredEpsilonInsensitive___init__": 1, - "server.clients": 7, - "RP_SELECT_FUNC_IF_NARGIS": 5, - "deleted": 1, - "*__pyx_n_s__weight_neg": 1, - "needs": 1, - "__wglewDXSetResourceShareHandleNV": 2, - "wglGetGammaTableParametersI3D": 1, - "hash": 12, - "server.stat_fork_time": 2, - "pointer": 5, - "server.list_max_ziplist_value": 1, - "SIGTERM": 1, - "on_message_begin": 1, - "HTTP_STRERROR_GEN": 3, - "sig": 2, - "i_NPSELECT_RF_STRING_FWRITE1": 1, - "rfLMS_Push": 4, - "parse_commit": 3, - "REDIS_SHUTDOWN_SAVE": 1, - "cmp": 9, - "__Pyx_TypeCheck": 1, - "yajl_free": 1, - "OK": 1, - "call": 1, - "Py_hash_t": 1, - "notinherited": 1, - "WGL_EXT_extensions_string": 2, - "*what": 1, - "self_ru.ru_utime.tv_sec": 1, - "persistCommand": 1, - "strbuf_addf": 1, - "old_entry": 5, - "*heads": 2, - "CONFIG_INIT_ALL_POSSIBLE": 1, - "*__pyx_n_s__numpy": 1, - "wglSwapLayerBuffersMscOML": 1, - "WGL_GREEN_SHIFT_ARB": 1, - "cpu_hotplug.lock": 8, - "__pyx_k_21": 1, - "__pyx_v_learning_rate": 1, - "CE": 1, - "PFNWGLBINDVIDEODEVICENVPROC": 2, - "__wglewGetGammaTableI3D": 2, - "sharedObjectsStruct": 1, - "Py_TPFLAGS_HAVE_NEWBUFFER": 1, - "j": 206, - "B9": 1, - "*__pyx_n_s__weight_pos": 1, - "JNIEnv": 6, - "__imag__": 1, - "*tb": 2, - "#endif//": 1, - "i_SELECT_RF_STRING_AFTERV": 1, - "PFNWGLCOPYIMAGESUBDATANVPROC": 2, - "WGL_STENCIL_BITS_EXT": 1, - "arch_disable_nonboot_cpus_end": 2, - "ENOENT": 3, - "*__pyx_pf_7sklearn_12linear_model_8sgd_fast_18EpsilonInsensitive_6__reduce__": 1, - "server.runid": 3, - "Little": 1, - "#ifdef": 66, - "lru_count": 1, - "__pyx_t_5numpy_uint64_t": 1, - "server.lua": 1, - "__inline": 1, - "git_cache_init": 1, - "header_field_mark": 2, - "cmd_read_tree": 1, - "__wglewBindSwapBarrierNV": 2, - "h_upgrade": 4, - "col": 9, - "*keepChars": 1, - "__Pyx_RefNannyDeclarations": 11, - "evalCommand": 1, - "rfUTF8_IsContinuationByte": 12, - "PFNWGLBEGINFRAMETRACKINGI3DPROC": 2, - "uRate": 2, - "PyBytes_Repr": 1, - "shared.nokeyerr": 1, - "PyInstanceMethod_New": 1, - "freePubsubPattern": 1, - "32": 1, - "__Pyx_PyInt_AsLong": 1, - "getRandomHexChars": 1, - "i_RFUI32_": 8, - "diff_delta__cmp": 3, - "__wglewSetPbufferAttribARB": 2, - "hShareContext": 2, - "randomkeyCommand": 1, - "error": 96, - "redisAssert": 1, - "shared.plus": 1, - "db": 10, - "cmd.buf": 1, - "strncat": 1, - "T_STRING": 2, - "*t": 2, - "old_prefix": 2, - "WGL_COLOR_SAMPLES_NV": 1, - "WGL_GENLOCK_SOURCE_DIGITAL_SYNC_I3D": 1, - "WGL_SUPPORT_OPENGL_EXT": 1, - "__wglewDestroyPbufferARB": 2, - "testity": 2, - "is_repository_shallow": 1, - "CMIT_FMT_EMAIL": 1, - "tokensN": 2, - "PyGILState_Release": 1, - "PyBytes_FromFormat": 1, - "#string": 1, - "SOCK_NONBLOCK": 2, - "PyMethod_New": 2, - "options.exit_cb": 1, - "wglGetMscRateOML": 1, - "merge_remote_util": 1, - "__stop_machine": 1, - "__MINGW32__": 1, - "*__Pyx_ImportType": 1, - "*__pyx_pf_7sklearn_12linear_model_8sgd_fast_12LossFunction_2dloss": 2, - "yajl_free_error": 1, - "server.multiCommand": 1, - "": 1, - "single_parent": 1, - "zrangebyscoreCommand": 1, - "sp": 4, - "__Pyx_PyInt_AsSignedLong": 1, - "WGL_EXT_swap_control": 2, - "WGL_FRAMEBUFFER_SRGB_CAPABLE_EXT": 1, - "__int64": 3, - "i_SELECT_RF_STRING_BEFORE3": 1, - "cmd_describe": 1, - "O_RDONLY": 1, - "GIT_DIFF_REVERSE": 3, - "iteration": 6, - "item": 24, - "shared.czero": 1, - "member": 2, - "HTTP_OPTIONS": 1, - "GIT_DELTA_DELETED": 7, - "PFNWGLGETMSCRATEOMLPROC": 2, - "*sign_commit": 2, - "*1024LL": 1, - "version": 4, - "parser": 334, - "i_rfLMSX_WRAP17": 2, - "WGL_MAX_PBUFFER_WIDTH_ARB": 1, - "*lookup_commit_reference_by_name": 2, - "timeval": 4, - "str": 162, - "*diff_delta__merge_like_cgit": 1, - "iDeviceIndex": 1, - "name.release": 1, - "REDIS_ERR": 5, - "bIndex": 5, - "i_SELECT_RF_STRING_AFTERV14": 1, - "i_NPSELECT_RF_STRING_AFTER1": 1, - "cmd_merge_base": 1, - "cb.table_row": 2, - "git_config_get_bool": 1, - "rcVirtualScreen": 1, - "WGL_NUMBER_PIXEL_FORMATS_EXT": 1, - "WGL_NO_RESET_NOTIFICATION_ARB": 1, - "*shape": 1, - "REDIS_EXPIRELOOKUPS_PER_CRON": 2, - "allsections": 12, - "PyInt_AsSsize_t": 3, - "NOTIFY": 2, - "cmd_push": 1, - "wglDeleteDCNV": 1, - "__WGLEW_ARB_framebuffer_sRGB": 2, - "*codepoints": 2, - "current": 5, - "dup2": 4, - "decodeBuf": 2, - "start_state": 1, - "i_RESULT_": 12, - "hDstRC": 1, - "__wglewCreateAssociatedContextAMD": 2, - "Insufficient": 2, - "Attempted": 1, - "i_SELECT_RF_STRING_BEFOREV14": 1, - "*commit_list_insert": 1, - "free_ptr": 2, - "xmalloc": 2, - "expired": 4, - "s_req_path": 8, - "ENOMEM": 4, - "UPGRADE": 4, - "s_header_field": 4, - "shared.outofrangeerr": 1, - "object.parsed": 4, - "creates": 1, - "__APPLE__": 2, - "WGLEWContext*": 2, - "shared.del": 1, - "readonly": 1, - "//": 257, - "i_rfString_Between": 4, - "**stack": 1, - "server.stop_writes_on_bgsave_err": 2, - "__pyx_k_16": 1, - "raw_notifier_chain_unregister": 1, - "*key2": 4, - "const": 358, - "__pyx_k__weight_neg": 1, - "create_object": 2, - "{": 1530, - "i_WHENCE_": 4, - "ext": 4, - "if": 1015, - "__VA_ARGS__": 66, - "git_pool_init": 2, - "__wglewReleaseVideoImageNV": 2, - "": 1, - "command": 2, - "off64_t": 1, - "*__pyx_pf_7sklearn_12linear_model_8sgd_fast_12SquaredHinge_2loss": 1, - "__pyx_f_7sklearn_12linear_model_8sgd_fast_l1penalty": 1, - "http_parser_execute": 2, - "BUFFER_BLOCK": 5, - "GLuint*": 3, - "sub": 12, - "hdelCommand": 1, - "__pyx_k__eta": 1, - "git_extract_argv0_path": 1, - "ipc": 1, - "wglGetGenlockSourceDelayI3D": 1, - "SA_RESETHAND": 1, - "__pyx_k__B": 1, - "__Pyx_DelAttrString": 2, - "ref_name": 2, - "used*100/size": 1, - "PyInt_CheckExact": 1, - "stat": 3, - "GIT_ITERATOR_WORKDIR": 2, - "GIT_IDXENTRY_SKIP_WORKTREE": 1, - "PFNWGLMAKECONTEXTCURRENTARBPROC": 2, - "*section": 2, - "PyExc_TypeError": 4, - "requires": 1, - "server.ops_sec_last_sample_ops": 3, - "*Y_data_ptr": 2, - "S_ISFIFO": 1, - "parN": 10, - "*vtable": 1, - "PyUnicode_GET_SIZE": 1, - "npy_ulong": 1, - "wglDestroyPbufferARB": 1, - "*numberP": 1, - "HTTP_ERRNO_MAP": 3, - "prefixcmp": 3, - "wglSetGammaTableI3D": 1, - "WGL_GPU_CLOCK_AMD": 1, - "rfString_Assign_char": 2, - "querybuf_size": 3, - "self_ru.ru_stime.tv_sec": 1, - "for_each_online_cpu": 1, - "__wglewDestroyImageBufferI3D": 2, - "*one": 1, - "HPE_CB_##FOR": 2, - "cpumask_set_cpu": 5, - "find_commit_subject": 2, - "commit_list": 35, - "ignore_dups": 2, - "PROXY_CONNECTION": 4, - "wglewGetExtension": 1, - "ER": 4, - "access": 2, - "PFNWGLCREATEASSOCIATEDCONTEXTATTRIBSAMDPROC": 2, - "WARN_ON": 1, - "ctx": 16, - "cmd_revert": 1, - "__WGLEW_NV_video_output": 2, - "While": 2, - "_": 3, - "safely": 1, - "socketpair": 2, - "__WGLEW_NV_float_buffer": 2, - "CMIT_FMT_FULL": 1, - "RF_String**": 2, - "__pyx_cfilenm": 1, - "smoveCommand": 1, - "tasks_frozen": 4, - "i_SELECT_RF_STRING_COUNT2": 1, - "cmd_mv": 1, - "WGL_GPU_NUM_PIPES_AMD": 1, - "cpumask_of": 1, - "resetServerSaveParams": 2, - "new_packmode": 1, - "done_alias": 4, - "USE_PAGER": 3, - "have": 2, - "could": 2, - "jsonTextLen": 4, - "PySequence_DelSlice": 2, - "nr_calls": 9, - "": 3, - "PyBUF_FULL": 1, - "i_NPSELECT_RF_STRING_REMOVE1": 1, - "CMIT_FMT_SHORT": 1, - "createPidFile": 2, - "REDIS_SET_MAX_INTSET_ENTRIES": 1, - "WGL_SWAP_METHOD_ARB": 1, - "char**": 7, - "clear_tasks_mm_cpumask": 1, - "yajl_bs_init": 1, - "cmd_upload_archive": 1, - "WGLEW_I3D_swap_frame_lock": 1, - "zmalloc_get_fragmentation_ratio": 1, - "graft": 10, - "": 1, - "*__pyx_n_s__zeros": 1, - "__pyx_v_c": 1, - "__Pyx_TypeTest": 1, - "REDIS_LIST_MAX_ZIPLIST_ENTRIES": 1, - "PyBytes_AsString": 2, - "*arg": 1, - "status": 57, - "cache": 26, - "PFNWGLQUERYCURRENTCONTEXTNVPROC": 2, - "WGL_FRONT_RIGHT_ARB": 1, - "szres": 8, - "shared.integers": 2, - "*__pyx_args": 9, - "wglCreatePbufferEXT": 1, - "WGLEW_ARB_framebuffer_sRGB": 1, - "__wglewCreateContextAttribsARB": 2, - "i_NPSELECT_RF_STRING_BEFOREV1": 1, - "WGL_DEPTH_BITS_ARB": 1, - "": 1, - "fgetc": 9, - "arraysize": 1, - "parse_htmlblock": 1, - "WGL_NV_video_output": 2, - "unregister_shallow": 1, - "allocate": 1, - "C": 14, - "omode": 8, - "**type": 1, - "Py_buffer": 6, - "ascii_logo": 1, - "lookup_tree": 1, - "wglGetPixelFormatAttribfvEXT": 1, - "WGL_SWAP_UNDEFINED_EXT": 1, - "param": 2, - "setenv": 1, - "__pyx_code_cache": 1, - "cpu_hotplug_done": 4, - "PyGILState_STATE": 1, - "__pyx_n_s__p": 6, - "i_FSEEK_CHECK": 14, - "i_rfString_ScanfAfter": 3, - "present": 2, - "PyBytes_AS_STRING": 1, - "HPE_INVALID_VERSION": 12, - "cmd_bisect__helper": 1, - "p_close": 1, - "__wglewDXRegisterObjectNV": 2, - "PyUnicode_Type": 2, - "HPE_INVALID_URL": 4, - "*diff_prefix_from_pathspec": 1, - "wglQueryPbufferEXT": 1, - "MKD_NO_EXT": 1, - "field_set": 5, - "but": 1, - "WGLEW_ARB_multisample": 1, - "is_descendant_of": 1, - "RE_STRING_TOFLOAT_UNDERFLOW": 1, - "__pyx_t_7sklearn_12linear_model_8sgd_fast_INTEGER": 3, - "rfFback_UTF32BE": 2, - "*bufptr": 1, - "__Pyx_GetItemInt_List": 1, - "numerator": 1, - "__WGLEW_ARB_extensions_string": 2, - "afterstr": 5, - "rfPopen": 2, - "WGLEW_NV_DX_interop": 1, - "__pyx_t_double_complex_from_parts": 1, - "__pyx_t_2": 21, - "enum": 29, - "zunionInterGetKeys": 4, - "__pyx_pf_7sklearn_12linear_model_8sgd_fast_5Hinge___init__": 1, - "zmalloc_get_rss": 1, - "PFNWGLENUMGPUSNVPROC": 2, - "*description": 1, - "MKD_STRICT": 1, - "mm_cpumask": 1, - "dictRedisObjectDestructor": 7, - ".len": 3, - "void*": 135, - "PyString_ConcatAndDel": 1, - "*1024*64": 1, - "s_header_value_start": 4, - "pfd.fd": 1, - "block_lines": 3, - "wglBindVideoCaptureDeviceNV": 1, - "PFNWGLDELETEASSOCIATEDCONTEXTAMDPROC": 2, - "bufferSize": 6, - "wglEnumerateVideoDevicesNV": 1, - "wglCreateImageBufferI3D": 1, - "PFNWGLCREATEASSOCIATEDCONTEXTAMDPROC": 2, - "daemonize": 2, - "REDIS_AOF_ON": 2, - "XX": 63, - "All": 1, - "cmd_pack_redundant": 1, - "server.aof_buf": 3, - "KERN_WARNING": 3, - "ev_child_init": 1, - "GIT_IDXENTRY_INTENT_TO_ADD": 1, - "__wglewGetFrameUsageI3D": 2, - "PFNWGLGETEXTENSIONSSTRINGEXTPROC": 2, - "msetCommand": 1, - "s_req_line_almost_done": 4, - "*__pyx_pf_7sklearn_12linear_model_8sgd_fast_11SquaredLoss_2dloss": 1, - "__wglewGetGenlockSourceDelayI3D": 2, - "__wglewGenlockSourceI3D": 2, - "else": 190, - "PyIndex_Check": 2, - "p": 60, - "getCommand": 1, - "remainder": 3, - "WGL_ALPHA_BITS_ARB": 1, - "*__pyx_n_s__C": 1, - "*git_hash_new_ctx": 1, - "server.aof_rewrite_perc": 3, - "i_SEARCHSTR_": 26, - "A3": 2, - "match": 16, - "__Pyx_PyNumber_Int": 1, - "sinterstoreCommand": 1, - "__cdecl": 2, - "i_NPSELECT_RF_STRING_BEFORE1": 1, - "PFNWGLGETVIDEODEVICENVPROC": 2, - "PFNWGLGETCONTEXTGPUIDAMDPROC": 2, - "num_min": 1, - "wglAssociateImageBufferEventsI3D": 1, - "BOOL": 84, - "WGLEW_GET_VAR": 49, - "*in": 1, - "*__pyx_k_tuple_5": 1, - "RF_CR": 1, - "WGLEWContextStruct": 2, - "__wglewEnableFrameLockI3D": 2, - "PUT": 2, - "i_SELECT_RF_STRING_BETWEEN0": 1, - "target_msc": 3, - "WGL_BIND_TO_TEXTURE_RGB_ARB": 1, - "__pyx_v_t": 1, - "HPE_STRICT": 1, - "ob": 14, - "serverCron": 2, - "i_rfLMSX_WRAP2": 4, - "__wglewQuerySwapGroupNV": 2, - "replace": 3, - "alloc_commit_node": 1, - "pid": 13, - "noPreloadGetKeys": 6, - "typedef": 189, - "rb_funcall": 14, - "position": 1, - "lpushxCommand": 1, - "": 4, - "commit_graft": 13, - "__pyx_t_5numpy_float64_t": 4, - "MARK": 7, - "SHA1_Update": 3, - "PY_MINOR_VERSION": 1, - "unhex": 3, - "*__pyx_n_s__NotImplementedError": 1, - "container": 17, - "WGL_FULL_ACCELERATION_EXT": 1, - "WGL_BACK_RIGHT_ARB": 1, - "PFNWGLCREATEBUFFERREGIONARBPROC": 2, - "mutex_lock": 5, - "__pyx_vtabstruct_7sklearn_5utils_11seq_dataset_CSRDataset": 2, - "s_req_schema": 6, - "cmd_annotate": 1, - "opaque": 8, - "giterr_clear": 1, - "WGL_STEREO_EMITTER_DISABLE_3DL": 1, - "old_uf": 4, - "__pyx_t_7sklearn_5utils_11seq_dataset_INTEGER": 7, - "ahead": 5, - "git_pool_strndup": 1, - "PyBUF_ND": 2, - "PyInt_FromUnicode": 1, - "pager_command_config": 2, - "*rndr": 4, - "double": 126, - "__pyx_obj_7sklearn_12linear_model_8sgd_fast_EpsilonInsensitive": 6, - "git__free": 15, - "zcardCommand": 1, - "__wglewGetCurrentReadDCARB": 2, - "decrRefCount": 6, - "&&": 248, - "__pyx_k__order": 1, - "T": 3, - "lua_gc": 1, - "s_dead": 10, - "PAUSED": 1, - "i_LIMSELECT_RF_STRING_BEFOREV1": 1, - "lastBytePos": 4, - "__Pyx_c_difff": 2, - "*curtag": 2, - "divisor": 3, - "abbrev": 1, - "code_object": 2, - "__Pyx_BufFmt_StackElem": 1, - "__Pyx_AddTraceback": 7, - "unblockClientWaitingData": 1, - "i_NPSELECT_RF_STRING_COUNT1": 1, - "rfString_Find": 3, - "git_buf_sets": 1, - "__WGLEW_AMD_gpu_association": 2, - "vkeys": 8, - "redisCommand": 6, - "func": 3, - "PyBytes_CheckExact": 1, - "*__pyx_n_s__p": 1, - "WGLEW_EXPORT": 167, - "WGL_DRAW_TO_PBUFFER_ARB": 1, - "server.unblocked_clients": 4, - "shared.sameobjecterr": 1, - "development": 1, - "srcP": 6, - "cond": 1, - "incrementallyRehash": 2, - "Strings": 2, - "**diff": 4, - "wglBindSwapBarrierNV": 1, - "back": 1, - "__pyx_k_2": 1, - "sections": 11, - "__pyx_k__d": 1, - "fd": 34, - "cmd_archive": 1, - "cb.table_cell": 3, - "WGLEW_ARB_pixel_format_float": 1, - "RF_String*sub": 2, - "__Pyx_SetVtable": 1, - "shared.pmessagebulk": 1, - "S_ISSOCK": 1, - "refs": 2, - "WGL_PBUFFER_LARGEST_EXT": 1, - "HTTP_GET": 1, - "flushallCommand": 1, - "*__pyx_n_s__dloss": 1, - "*opts": 6, - "__wglewSwapLayerBuffersMscOML": 2, - "F00": 1, - "git__malloc": 3, - "": 2, - "server.master": 3, - "fmt": 4, - "RF_OPTION_FGETS_READBYTESN": 5, - "hlenCommand": 1, - "WGL_GENLOCK_SOURCE_DIGITAL_FIELD_I3D": 1, - "*author": 2, - "*__pyx_n_s__rho": 1, - "free_commit_extra_headers": 1, - "format": 4, - "*__pyx_n_s_21": 1, - "DECREF": 1, - "PFNWGLDXCLOSEDEVICENVPROC": 2, - "8": 15, - "RF_NEWLINE_CRLF": 1, - "_WIN32": 3, - "ndim": 2, - "LUA_GCCOUNT": 1, - "sdiffstoreCommand": 1, - "cmd_check_ref_format": 1, - "WGLEW_ARB_extensions_string": 1, - "rfString_Init_fUTF16": 3, - "i_rfString_StripStart": 3, - "search": 1, - "s_body_identity_eof": 4, - "mutex": 1, - "server.rdb_save_time_last": 2, - "*__pyx_pf_7sklearn_12linear_model_8sgd_fast_18EpsilonInsensitive_4dloss": 1, - "subdir": 3, - "*__Pyx_Import": 1, - "*__pyx_n_s__n_features": 1, - "function_name": 1, - "i_SELECT_RF_STRING_FIND1": 1, - "*puGreen": 2, - "PyExc_SystemError": 3, - "gettimeofday": 4, - "lastsaveCommand": 1, - "Py_REFCNT": 1, - "SIGKILL": 2, - "server.loading": 4, - "server.dirty": 3, - "WGL_NV_swap_group": 2, - "dstTarget": 1, - "nMaxFormats": 2, - "use": 1, - "git_hash_buf": 1, - "hgetCommand": 1, - "rfFback_UTF8": 2, - "": 1, - "cmd_fmt_merge_msg": 1, - "writable": 8, - "true": 73, - "*lookup_blob": 2, - "s_req_host_start": 8, - "uv_err_t": 1, - "WGL_GAMMA_TABLE_SIZE_I3D": 1, - "strstr": 2, - "__pyx_v_alpha": 1, - "REDIS_SHARED_SELECT_CMDS": 1, - "rfFgets_UTF16LE": 2, - "__pyx_k__H": 1, - "WGL_NV_vertex_array_range": 2, - "__wglewEnumGpusNV": 2, - "*nNumFormats": 2, - "PFNWGLSETSTEREOEMITTERSTATE3DLPROC": 2, - "**pptr": 1, - "rpushCommand": 1, - "REPORT": 2, - "bSize*sizeof": 1, - "keepstrP": 2, - "CPU_DOWN_FAILED": 2, - "mkd_document": 1, - "MASK_DECLARE_1": 3, - "warning": 1, - "": 3, - "cpu_bit_bitmap": 2, - "rfString_Before": 3, - "*ob": 3, - "byteI": 7, - "space": 4, - "microseconds": 1, - "REDIS_REPL_NONE": 1, - "pair": 4, - "STRICT": 1, - "": 1, - "GIT_ENOTFOUND": 1, - "WGLEW_NV_multisample_coverage": 1, - "__WGLEW_ARB_buffer_region": 2, - "rfString_Init_fUTF32": 3, - "listRotate": 1, - "document": 9, - "HVIDEOOUTPUTDEVICENV": 2, - "WGL_AUX1_ARB": 1, - "WGL_BIND_TO_TEXTURE_RGBA_ARB": 1, - "h_content_length": 5, - "PyString_Repr": 1, - "s_chunk_size_almost_done": 4, - "uv_pipe_t*": 1, - "WGL_BLUE_BITS_ARB": 1, - "VOID": 6, - "failed": 2, - "hmgetCommand": 1, - "representation": 2, - "pttlCommand": 1, - "cppcode": 1, - "here": 5, - "e": 4, - "bufrelease": 3, - "B4": 1, - "__set_current_state": 1, - "read": 1, - "*__pyx_n_s__verbose": 1, - "numclients/": 1, - "__pyx_v_weight_neg": 1, - "on_header_value": 1, - "slowlogCommand": 1, - "__Pyx_BUILTIN_MODULE_NAME": 2, - "*commit_list_insert_by_date": 1, - "<=0)>": 1, - "PyArrayObject": 8, - "initServerConfig": 2, - "server.aof_rewrite_time_last": 2, - "__wglewBindVideoImageNV": 2, - "*__pyx_ptype_7sklearn_12linear_model_8sgd_fast_EpsilonInsensitive": 1, - "zrankCommand": 1, - "*pool": 3, - "afterstrP": 2, - "__Pyx_c_prod": 2, - "git_diff_list_free": 3, - "WGL_STENCIL_BITS_ARB": 1, - "*numP": 1, - "*suboffsets": 1, - "__fastcall": 2, - "*pfValues": 2, - "WGL_ARB_pixel_format": 2, - "*subLength": 2, - "*argv": 6, - "__pyx_k__u": 1, - "acceptTcpHandler": 1, - "PyNumber_TrueDivide": 1, - "HTTP_PARSER_ERRNO_LINE": 2, - "uFlags": 1, - "into": 8, - "core_initcall": 2, - "zremrangebyrankCommand": 1, - "nBytePos": 23, - "certainly": 3, - "given": 5, - "*bufferSize": 1, - "s_headers_done": 4, - "cpu_maps_update_done": 9, - "unicode": 2, - ".lock": 1, - "http_parser_parse_url": 2, - "LEN": 2, - "tasklist_lock": 2, - "depends": 1, - "*o": 8, - "*git_cache_try_store": 1, - "__pyx_t_7sklearn_5utils_11seq_dataset_DOUBLE": 7, - "createStringObject": 11, - "alloc_nr": 1, - "D0": 1, - "wglGenlockSourceI3D": 1, - "0x7a": 1, - "*24": 1, - "/R_Zero": 2, - "cpu_to_node": 1, - "HTTP_REQUEST": 7, - "i_SELECT_RF_STRING_AFTER": 1, - "*onto": 1, - "hpVideoDevice": 1, - "<=thisstr->": 1, - "PyLong_AsUnsignedLongLongMask": 1, - "utf8": 36, - "__Pyx_c_conjf": 3, - "cmd_init_db": 2, - "use_noid": 2, - "WGL_SUPPORT_OPENGL_ARB": 1, - "res1": 2, - "rfString_Create_nc": 3, - "tv.tv_sec": 4, - "SetupContext": 3, - "*1024*32": 1, - "i_NPSELECT_RF_STRING_COUNT": 1, - "hello": 1, - "rfString_Append_fUTF16": 2, - "int8_t": 3, - "": 1, - "watcher": 4, - "PFNWGLGENLOCKSOURCEEDGEI3DPROC": 2, - "terminate": 1, - "more": 2, - "CB_headers_complete": 1, - "swapE": 21, - "server.cluster.configfile": 1, - "__pyx_t_5numpy_uint32_t": 1, - "CMIT_FMT_MEDIUM": 2, - "MKCOL": 2, - "s_res_status": 3, - "i_SELECT_RF_STRING_REPLACE3": 1, - "__Pyx_GIVEREF": 9, - "slaveid": 3, - "uv__make_pipe": 2, - "PFNWGLGETCURRENTREADDCEXTPROC": 2, - "other": 16, - "*__pyx_kp_u_8": 1, - "server.dbnum": 8, - "h_matching_connection_keep_alive": 3, - "i_rfLMSX_WRAP12": 2, - "strncasecmp": 2, - "__wglewReleaseVideoDeviceNV": 2, - "*read_graft_line": 1, - "n/": 3, - "*__pyx_pf_7sklearn_12linear_model_8sgd_fast_10Regression_loss": 2, - "PFNWGLDXREGISTEROBJECTNVPROC": 2, - "PFNWGLGETPIXELFORMATATTRIBIVARBPROC": 2, - "i_rfString_Strip": 3, - "rfStringX_FromString_IN": 1, - "_OPENMP": 1, - "i_SELECT_RF_STRING_BEFOREV7": 1, - "_GPU_DEVICE": 1, - "__Pyx_SET_CREAL": 2, - "__Pyx_GetItemInt_Tuple": 1, - "SHA1_Final": 3, - "rfString_KeepOnly": 2, - "cmd_tag": 1, - "xstrdup": 2, - "git_repository_config__weakptr": 1, - "rfLMS_MacroEvalPtr": 2, - "hsetnxCommand": 1, - "GPERF_DOWNCASE": 1, - "old_src": 1, - "DWORD": 5, - "WGL_GENLOCK_SOURCE_EDGE_RISING_I3D": 1, - "register_commit_graft": 2, - "nr_parent": 3, - "__pyx_obj_7sklearn_12linear_model_8sgd_fast_SquaredEpsilonInsensitive": 6, - "node_online": 1, - "LOG_ERROR": 64, - "listIter": 2, - "LPVOID*": 1, - "WGL_NUMBER_PIXEL_FORMATS_ARB": 1, - "__Pyx_StructField_*": 1, - "i_SELECT_RF_STRING_REPLACE": 1, - "__wglewQueryFrameLockMasterI3D": 2, - "WGL_SHARE_STENCIL_EXT": 1, - "WGL_CONTEXT_LAYER_PLANE_ARB": 1, - "rfString_Append_fUTF32": 2, - "needing": 1, - "level": 12, - "syscalldefs": 1, - "PyLong_FromLong": 1, - "addReply": 13, - "-": 1803, - "*doc": 2, - "PFNWGLGETGAMMATABLEI3DPROC": 2, - "run_add_interactive": 1, - "rfString_Append": 5, - "bgsaveCommand": 1, - "RE_UTF8_INVALID_SEQUENCE_CONBYTE": 6, - "time_t": 4, - "*modname": 1, - "i_SELECT_RF_STRING_BETWEEN": 1, - "WGLEW_3DFX_multisample": 1, - "cpu_relax": 1, - "subscribeCommand": 2, - "i_SELECT_RF_STRING_INIT_NC0": 1, - "git_submodule": 1, - "utf": 1, - "HPE_INVALID_HEADER_TOKEN": 2, - "__pyx_t_5numpy_uint_t": 1, - "*new_parent": 2, - "v": 11, - "git_tree": 4, - "i_rfString_Replace": 6, - "REDIS_MAXIDLETIME": 1, - "sdsavail": 1, - "renameCommand": 1, - "i_NPSELECT_RF_STRING_AFTERV1": 1, - "__wglewBeginFrameTrackingI3D": 2, - "A9": 2, - "*sb": 7, - "listFirst": 2, - "CYTHON_INLINE": 65, - "shared.nullmultibulk": 2, - "server.loading_loaded_bytes": 3, - "__pyx_k__q_data_ptr": 1, - "__pyx_clineno": 58, - "RE_UTF8_INVALID_SEQUENCE_END": 6, - "watchCommand": 2, - "property": 1, - "__pyx_kwds": 15, - "free_obj": 4, - "": 1, - "performed": 1, - "*ver_revision": 2, - "wglDXObjectAccessNV": 1, - "wglQueryFrameTrackingI3D": 1, - "__wglewGetPbufferDCEXT": 2, - "s_res_first_status_code": 3, - "calls": 4, - "JNICALL": 6, - "__Pyx_BufFmt_Context": 1, - "nodes": 10, - "argv": 54, - "*__pyx_n_s____main__": 1, - "PM_POST_HIBERNATION": 1, - "cmd_apply": 1, - "PFNWGLISENABLEDFRAMELOCKI3DPROC": 2, - "wglew.h": 1, - "patch": 1, - "rfString_PruneMiddleF": 2, - "__Pyx_InitStrings": 1, - "save_commit_buffer": 3, - "*__pyx_kwds": 9, - "i_rfLMSX_WRAP8": 2, - "PFNWGLBINDTEXIMAGEARBPROC": 2, - "git_hash_final": 1, - ".active_writer": 1, - "REDIS_LUA_TIME_LIMIT": 1, - "**__pyx_pyargnames": 3, - "__Pyx_Buf_DimInfo": 2, - "cmd_stripspace": 1, - "i_SELECT_RF_STRING_AFTERV9": 1, - "cmd_hash_object": 1, - "options.args": 1, - "cb": 1, - "__wglewDXOpenDeviceNV": 2, - "wglGetFrameUsageI3D": 1, - "__wglewQueryPbufferARB": 2, - "otherP": 4, - "lstr": 6, - "proccess": 2, - "__FILE__": 4, - "__pyx_k__dataset": 1, - "hvalsCommand": 1, - "wglMakeContextCurrentEXT": 1, - "wglSetPbufferAttribARB": 1, - "rfString_Append_f": 2, - "ERANGE": 1, - "RF_HEXLE_UI": 8, - "": 1, - "s_req_http_HTTP": 3, - "REDIS_REPL_TIMEOUT": 1, - "*__pyx_n_s__ValueError": 1, - "rfString_ToCstr": 2, - "HGPUNV": 5, - "PyCode_New": 2, - "PyUnicode_READ": 1, - "new_oid": 3, - "C5": 1, - "GLfloat": 3, - "PFNWGLSETGAMMATABLEI3DPROC": 2, - "HTTP_TRACE": 1, - "uState": 1, - "this": 5, - "sep": 3, - "listAddNodeTail": 1, - "/REDIS_HZ": 2, - "RE_UTF8_INVALID_SEQUENCE_INVALID_BYTE": 6, - "wglDXUnlockObjectsNV": 1, - "__WGLEW_EXT_pixel_format_packed_float": 2, - "indent": 1, - "endian": 20, - "UTF16": 4, - "*git_cache_get": 1, - "CPU_ONLINE": 1, - "git_futils_open_ro": 1, - "PYPY_VERSION": 1, - "character": 11, - "WGL_ACCUM_BITS_EXT": 1, - "": 1, - "UF_HOST": 3, - "redisLog": 33, - "i_rfLMS_WRAP2": 5, - "rfFgetc_UTF32BE": 3, - "message_begin": 3, - "__Pyx_RaiseBufferFallbackError": 1, - "uEdge": 2, - "dictCreate": 6, - "PFNWGLQUERYPBUFFEREXTPROC": 2, - "server.repl_down_since": 2, - "setsid": 2, - "PySequence_SetSlice": 2, - "*keyobj": 2, - "conj": 3, - "*old_iter": 2, - "FNM_NOMATCH": 1, - "WGL_PBUFFER_LOST_ARB": 1, - "to_py_func": 6, - "LOG_LOCAL0": 1, - "fj": 1, - "__pyx_k_8": 1, - "WGL_VIDEO_OUT_DEPTH_NV": 1, - "GLuint": 9, - "incrbyfloatCommand": 1, - "lol": 3, - "cmd_replace": 1, - "fds": 20, - "__Pyx_GetAttrString": 2, - "__pyx_k__time": 1, - "*d": 1, - "dstY": 1, - "wglSwapIntervalEXT": 1, - "hRegion": 3, - "*__pyx_ptype_5numpy_broadcast": 1, - "Check_Type": 2, - "*__pyx_kp_s_4": 1, - "setCommand": 1, - "WGL_TRANSPARENT_ARB": 1, - "aeMain": 1, - "obuf_bytes": 3, - "realloc": 1, - "lookup_commit_graft": 1, - "i_SELECT_RF_STRING_REMOVE4": 1, - "strbuf_release": 1, - "WIFEXITED": 1, - "git_iterator_for_tree_range": 4, - "PFNWGLGETGAMMATABLEPARAMETERSI3DPROC": 2, - "EBUSY": 3, - "timeCommand": 2, - "*de": 2, - "COVERAGE_TEST": 1, - "*commit": 10, - "*res": 2, - "git_buf_detach": 1, - "WGLEW_I3D_genlock": 1, - "__wglewGetPixelFormatAttribivEXT": 2, - "PFNWGLDELETEBUFFERREGIONARBPROC": 2, - "UTF32": 4, - "propagateExpire": 2, - "__Pyx_c_sumf": 2, - "idle": 4, - "redisCommandTable": 5, - "WGL_PBUFFER_HEIGHT_EXT": 1, - "wglCreatePbufferARB": 1, - "stderr": 15, - "": 2, - "saveCommand": 1, - "all": 2, - "__PYX_BUILD_PY_SSIZE_T": 2, - "i_SELECT_RF_STRING_FWRITE0": 1, - "GIT_DIFF_INCLUDE_IGNORED": 1, - "*__pyx_n_s__np": 1, - "rlimit": 1, - "SET_ERRNO": 47, - "yajl_get_bytes_consumed": 1, - "git_cached_obj_freeptr": 1, - "__pyx_k__np": 1, - "__Pyx_PyBool_FromLong": 1, - "unless": 1, - "rfString_Copy_IN": 2, - "__Pyx_check_binary_version": 1, - "slowlogInit": 1, - "npy_uint64": 1, - "cpu_hotplug_begin": 4, - "wglEnumGpusFromAffinityDCNV": 1, - "wglGetPixelFormatAttribfvARB": 1, - "WGL_SWAP_UNDEFINED_ARB": 1, - "Py_ssize_t": 35, - "zrevrangebyscoreCommand": 1, - "Qtrue": 10, - "wglQueryCurrentContextNV": 1, - "*__pyx_n_s__sys": 1, - "bytesConsumed": 2, - "RUSAGE_CHILDREN": 1, - "///Internal": 1, - "cmd_log": 1, - "git_pool_swap": 1, - "__Pyx_PyInt_AsSignedChar": 1, - "WGL_NUMBER_UNDERLAYS_EXT": 1, - "WGL_MAX_PBUFFER_HEIGHT_EXT": 1, - "date": 5, - "rpoplpushCommand": 1, - "PyBUF_FORMAT": 3, - "piAttribList": 4, - "wglCreateBufferRegionARB": 1, - "*get_merge_bases": 1, - "rfString_Assign_fUTF16": 2, - "*__pyx_ptype_7sklearn_12linear_model_8sgd_fast_Log": 1, - "server.bug_report_start": 1, - "tmp": 6, - "end_tag": 4, - "pFlag": 3, - "WGL_TEXTURE_RGBA_ARB": 1, - "need": 5, - "http_parser_h": 2, - "_cpu_down": 3, - "server.sofd": 9, - "monitorCommand": 2, - "fmt_offset": 1, - "full_path.ptr": 2, - "allocation": 3, - "__pyx_k__shuffle": 1, - "slaves": 3, - "PARSING_HEADER": 2, - "*__pyx_pf_7sklearn_12linear_model_8sgd_fast_5Huber_6__reduce__": 1, - "__Pyx_PyUnicode_READ_CHAR": 2, - "NULL": 330, - "GIT_VECTOR_GET": 2, - "rfUTF16_Encode": 1, - "charsN": 5, - "__pyx_f_7sklearn_12linear_model_8sgd_fast_sqnorm": 1, - "listCreate": 6, - "PyIntObject": 1, - "pEvent": 1, - "have_repository": 1, - "perror": 5, - "WGL_I3D_swap_frame_usage": 2, - "PFNWGLDESTROYPBUFFEREXTPROC": 2, - "lremCommand": 1, - "*__pyx_ptype_7sklearn_12linear_model_8sgd_fast_SquaredLoss": 1, - "CF": 1, - "**msg_p": 2, - "k": 15, - "SIGFPE": 1, - "PyInt_AS_LONG": 1, - "#endif//include": 1, - "uv__process_close_stream": 2, - "byteIndex_": 12, - "delCommand": 1, - "*eofReached": 14, - "HPE_UNKNOWN": 1, - "rfString_Iterate_End": 4, - "zcountCommand": 1, - "WGL_TEXTURE_2D_ARB": 1, - "rfString_StripEnd": 3, - "dictIsRehashing": 2, - "i_NPSELECT_RF_STRING_BETWEEN0": 1, - "WGL_BIND_TO_VIDEO_RGB_AND_DEPTH_NV": 1, - "uDelay": 2, - "WGL_GPU_NUM_SIMD_AMD": 1, - "rfString_Assign_fUTF32": 2, - "shape": 1, - "*feature_indices": 2, - "file": 6, - "s_res_first_http_minor": 3, - "": 1, - "zremrangebyscoreCommand": 1, - "RF_HEXEQ_UI": 7, - "cmd_tar_tree": 1, - "PFNWGLQUERYFRAMECOUNTNVPROC": 2, - "nread": 7, - "source": 8, - "bigger": 3, - "RF_OPTION_DEFAULT_ARGUMENTS": 24, - "PFNWGLGETGENLOCKSAMPLERATEI3DPROC": 2, - "slaveseldb": 1, - "PyObject_DelAttrString": 2, - "SA_SIGINFO": 1, - "shutdownCommand": 2, - "INVALID_VERSION": 1, - "*get_shallow_commits": 1, - "PyTuple_GET_SIZE": 14, - "tail": 12, - "UV_INHERIT_STREAM": 2, - "CYTHON_FORMAT_SSIZE_T": 2, - "i_OUTSTR_": 6, - "__wglewDeleteAssociatedContextAMD": 2, - "lastinteraction": 3, - "*u": 2, - "utime": 1, - "exists": 6, - "*tokensN": 1, - "fork": 2, - "REDIS_CLIENT_LIMIT_CLASS_PUBSUB": 3, - "createObject": 31, - "handle_alias": 1, - "environ": 4, - "__wglewIsEnabledFrameLockI3D": 2, - "notes": 1, - "xFF": 1, - "cmd_verify_pack": 1, - "__WGLEW_EXT_display_color_table": 2, - "__Pyx_ReleaseBuffer": 2, - "uint64_t": 8, - "INVALID_PATH": 1, - "PyErr_Warn": 1, - "see": 2, - "WGL_SAMPLES_EXT": 1, - "http_errno": 11, - "eof": 53, - "HTTP_RESPONSE": 3, - "PyObject_GetAttrString": 2, - "rfFseek": 2, - "__pyx_pf_7sklearn_12linear_model_8sgd_fast_12SquaredHinge___init__": 1, - "REDIS_CALL_FULL": 1, - "__Pyx_c_sum": 2, - "i_SELECT_RF_STRING_BEFORE4": 1, - "cmd_name_rev": 1, - "cpu_hotplug_pm_callback": 2, - "REDIS_MAX_LOGMSG_LEN": 1, - "server.aof_rewrite_min_size": 2, - "cpu_online_mask": 3, - "zfree": 2, - "encoded": 2, - "getsetCommand": 1, - "byteLength": 197, - "WGL_ACCUM_GREEN_BITS_EXT": 1, - "__wglewGetCurrentAssociatedContextAMD": 2, - "sstr2": 2, - "PyInt_Check": 1, - ".imag": 3, - "CONFIG_IA64": 1, - "*__pyx_find_code_object": 1, - "i_rfLMSX_WRAP18": 2, - "two": 1, - "stdio_count": 7, - "server.verbosity": 4, - "HTTP_PARSER_DEBUG": 4, - "REDIS_MAXMEMORY_ALLKEYS_LRU": 2, - "PyNumber_Int": 1, - "sq_norm": 1, - "PyUnicode_CheckExact": 1, - "git_pool_clear": 2, - "eta": 4, - "__pyx_obj_7sklearn_12linear_model_8sgd_fast_ModifiedHuber": 5, - "cpu_notify_nofail": 4, - "i_SELECT_RF_STRING_AFTERV15": 1, - "is_ref": 1, - "PyLong_FromString": 1, - "WGL_MIPMAP_TEXTURE_ARB": 1, - "server.aof_fd": 4, - "enc_type": 1, - "i_SELECT_RF_STRING_BEFOREV15": 1, - "__WGLEW_H__": 1, - "h_general": 23, - "s_res_line_almost_done": 4, - "REDIS_MAXMEMORY_VOLATILE_RANDOM": 1, - "__wglewRestoreBufferRegionARB": 2, - "equals": 1, - "any": 3, - "PyList_CheckExact": 1, - "__pyx_v_penalty_type": 1, - "__pyx_k__sample_weight": 1, - "RUN_CLEAN_ON_EXIT": 1, - "WGL_RED_SHIFT_ARB": 1, - "strtoul": 2, - "HPE_OK": 10, - "HUGE_VAL": 1, - "*__pyx_ptype_7sklearn_12linear_model_8sgd_fast_ModifiedHuber": 1, - "wglGetGammaTableI3D": 1, - "WGL_AUX3_ARB": 1, - "PFNWGLGETEXTENSIONSSTRINGARBPROC": 2, - "Py_None": 8, - "lstrP": 1, - "|": 132, - "__pyx_builtin_NotImplementedError": 3, - "set_cpu_possible": 1, - "*temp": 1, - "__wglewChoosePixelFormatEXT": 2, - "PFNWGLCREATEPBUFFERARBPROC": 2, - "reflog_walk_info": 1, - "STRICT_CHECK": 15, - "__pyx_t_5numpy_double_t": 1, - "server.cronloops": 3, - "Once": 1, - "occurences": 5, - "__pyx_k__sumloss": 1, - "deltas": 8, - "*__pyx_n_s__intercept": 1, - "#define": 912, - "__cpu_die": 1, - "old_file.flags": 2, - "okay": 1, - "LOG_DEBUG": 1, - "zrevrangeCommand": 1, - "__pyx_k__C": 1, - "signal_pipe": 7, - "__Pyx_GetBuffer": 2, - "unlikely": 54, - "act.sa_handler": 1, - "git_buf_len": 1, - "CONTENT_LENGTH": 4, - "__pyx_k__learning_rate": 1, - "__pyx_t_5numpy_int16_t": 1, - "on": 4, - "wglGenlockSourceEdgeI3D": 1, - "nb": 2, - "echoCommand": 2, - "BITS_TO_LONGS": 1, - "WGL_AUX_BUFFERS_EXT": 1, - "dictSdsKeyCompare": 6, - "s_req_fragment": 7, - "__Pyx_PySequence_SetSlice": 2, - "redisGitDirty": 3, - "PyInt_FromSsize_t": 6, - "filter": 1, - "*__pyx_n_s__learning_rate": 1, - "next": 8, - "*type": 4, - "s_chunk_size": 3, - "mem_tofree": 3, - "setupSignalHandlers": 2, - "npy_uint16": 1, - "": 2, - "versions": 1, - "offset": 1, - "sizeof": 71, - "HPE_INVALID_CONTENT_LENGTH": 4, - "__pyx_vtabstruct_7sklearn_12linear_model_8sgd_fast_LossFunction": 5, - "SYS_fork": 1, - "ch": 145, - "git_cached_obj": 5, - "RF_COMPILE_ERROR": 33, - "hAffinityDC": 1, - "remove": 1, - "redisLogFromHandler": 2, - "__pyx_k__dtype": 1, - "git_iterator_advance_into_directory": 1, - "wglWaitForMscOML": 1, - "PFNWGLMAKECONTEXTCURRENTEXTPROC": 2, - "__WGLEW_ARB_create_context_profile": 2, - "server.bpop_blocked_clients": 2, - "field": 1, - "cmd_rerere": 1, - "git_buf_cstr": 1, - "WGL_CONTEXT_FORWARD_COMPATIBLE_BIT_ARB": 1, - "RE_FILE_WRITE": 1, - "compiling": 2, - "vec": 2, - "CALLBACK_NOTIFY": 10, - "s_chunk_data": 3, - "**column_data": 1, - "GIT_DIFFCAPS_HAS_SYMLINKS": 2, - "h_matching_content_length": 3, - "existence": 2, - "i_SELECT_RF_STRING_COUNT3": 1, - "i_AFTERSTR_": 8, - "rfString_ToInt": 1, - "hDevice": 9, - "arch_enable_nonboot_cpus_begin": 2, - "redisClient": 12, - "diff_pathspec_is_interesting": 2, - "UV__F_NONBLOCK": 5, - "zmalloc_used_memory": 8, - "": 2, - "*diff_delta__dup": 1, - "*format_subject": 1, - "_entry": 1, - "h_matching_transfer_encoding_chunked": 3, - "rfFgetc_UTF16LE": 4, - "WGL_CONTEXT_PROFILE_MASK_ARB": 1, - "means": 1, - "stream": 3, - "*__pyx_ptype_5numpy_ndarray": 1, - "BOOL*": 3, - "__pyx_k__p": 1, - "fp": 13, - "COPY": 2, - "npy_uint32": 1, - "__pyx_k__seed": 1, - "WGL_ARB_create_context": 2, - "*format": 2, - "zaddCommand": 1, - "shared.crlf": 2, - "int64_t": 2, - "wglEndFrameTrackingI3D": 1, - "__wglewReleaseImageBufferEventsI3D": 2, - "sequence": 6, - "rfString_Create": 4, - "cpowf": 1, - "setup_path": 1, - "POLLHUP": 1, - "i_rfString_Remove": 6, - "__GFP_ZERO": 1, - "__Pyx_ArgTypeTest": 1, - "listNode": 4, - "tag": 1, - "*kwds": 1, - "HTTP_UNSUBSCRIBE": 1, - "git_mutex_lock": 2, - "zinterstoreCommand": 1, - "rfString_Assign": 2, - "__Pyx_CodeObjectCacheEntry": 1, - "startCharacterPos_": 4, - "cmd_notes": 1, - "__WGLEW_ATI_pixel_format_float": 2, - "D": 8, - "removed": 2, - "Allocation": 2, - "time": 10, - "do_render": 4, - "__pyx_k__x_ind_ptr": 1, - "blob": 6, - "i_SELECT_RF_STRING_AFTER0": 1, - "git_pool": 4, - "__wglewGetMscRateOML": 2, - "writeFrequency": 1, - "i_rfString_Afterv": 16, - "PyObject_HEAD_INIT": 1, - "*__Pyx_RefNannyImportAPI": 1, - "check_pager_config": 3, - "poll": 1, - "RF_REALLOC": 9, - "limit.rlim_max": 1, - "CPU_STARTING_FROZEN": 1, - "__WGLEW_NV_video_capture": 2, - "yajl_status": 4, - "CYTHON_CCOMPLEX": 12, - "parse_blob_buffer": 2, - "jobject": 6, - "WGL_NO_TEXTURE_ARB": 2, - "i_rfString_Find": 5, - "htNeedsResize": 3, - "wglGetCurrentReadDCEXT": 1, - "retval": 3, - "body": 6, - "rb_str_buf_new": 2, - "new_src": 3, - "malloc": 3, - "DELETE": 2, - "pingCommand": 2, - "sdscatprintf": 24, - "limit": 3, - "extended": 3, - "WIFSIGNALED": 2, - "ignore_prefix": 6, - "__WGLEW_I3D_swap_frame_lock": 2, - "wglGetPixelFormatAttribivARB": 1, - "LOWER": 7, - "timelimit": 5, - "RE_FILE_READ": 2, - "*__pyx_n_s__order": 1, - "mode": 11, - "__pyx_t_3": 39, - "dictSlots": 3, - "pm_notifier": 1, - "ref": 1, - "__int16": 2, - "va_start": 3, - "dbDictType": 2, - "BUFFER_SPAN": 9, - "sremCommand": 1, - "estimateObjectIdleTime": 1, - "*__pyx_n_s__is_hinge": 1, - "n_samples": 1, - "afs": 8, - "kw_args": 15, - "__Pyx_StructField_": 2, - "priority": 1, - "decrbyCommand": 1, - "*nb": 3, - "struct": 359, - "pathspec.strings": 1, - "*w_data_ptr": 1, - "(": 6225, - "lindexCommand": 1, - "clientsCronResizeQueryBuffer": 2, - "__pyx_vtabstruct_7sklearn_12linear_model_8sgd_fast_Regression": 3, - "i_FORMAT_": 2, - "cmd_diff": 1, - "psetexCommand": 1, - "*__pyx_pf_7sklearn_12linear_model_8sgd_fast_5Hinge_6__reduce__": 1, - "i_STRING2_": 2, - "wglDisableGenlockI3D": 1, - "ERROR_INCOMPATIBLE_DEVICE_CONTEXTS_ARB": 1, - "*REDIS_EXPIRELOOKUPS_TIME_PERC/REDIS_HZ/100": 1, - "shared.mbulkhdr": 1, - "unwatchCommand": 1, - "MOVE": 2, - "*__pyx_pf_7sklearn_12linear_model_8sgd_fast_14Classification_2dloss": 1, - "tokens": 5, - "WGL_GENLOCK_SOURCE_EDGE_BOTH_I3D": 1, - "va_end": 3, - "A4": 2, - "WGL_GPU_RAM_AMD": 1, - "rfString_Init_fUTF8": 3, - "__pyx_k__eta0": 1, - "REDIS_CLUSTER_OK": 1, - "WTERMSIG": 2, - "IS_UNSIGNED": 1, - "__pyx_pf_7sklearn_12linear_model_8sgd_fast_12LossFunction_loss": 1, - "zero": 2, - "PyInt_FromSize_t": 1, - "": 1, - ".hard_limit_bytes": 3, - "i_SELECT_RF_STRING_BEFOREV": 1, - "__wglewGetGenlockSampleRateI3D": 2, - "piValue": 8, - "UINT*": 6, - "subLength": 6, - "*__pyx_pf_7sklearn_12linear_model_8sgd_fast_12SquaredHinge_4dloss": 1, - "__int32": 2, - "i_SELECT_RF_STRING_BETWEEN1": 1, - "constructor": 1, - "MERGE": 2, - "rcu_read_unlock": 1, - "i_rfLMSX_WRAP3": 5, - "rfString_IterateB_End": 1, - "__wglewGetPbufferDCARB": 2, - "rfString_Create_fUTF16": 2, - "pybuffer": 1, - "REDIS_MAXMEMORY_VOLATILE_TTL": 1, - "**commit_graft": 1, - "sdscat": 14, - "pipe": 1, - "pFrameCount": 1, - "WGL_EXT_depth_float": 2, - "charBLength": 5, - "0x80": 1, - "wglBindDisplayColorTableEXT": 1, - "PFNWGLGETGPUIDSAMDPROC": 2, - "i_rfString_Create": 3, - "git_usage_string": 2, - "gperf_case_strncmp": 1, - "WGL_ERROR_INCOMPATIBLE_AFFINITY_MASKS_NV": 1, - "PFNWGLCREATEIMAGEBUFFERI3DPROC": 2, - "WGL_TEXTURE_CUBE_MAP_ARB": 1, - "after": 6, - "": 5, - "*__pyx_k_tuple_11": 1, - "server.saveparams": 2, - "MKD_NOHEADER": 1, - "MKD_NOLINKS": 1, - "server.commands": 1, - "WGLEW_EXT_framebuffer_sRGB": 1, - "C0": 3, - "PyBytes_Concat": 1, - "*__pyx_n_s__seed": 1, - "REDIS_SERVERPORT": 1, - "doc_size": 6, - "wglMakeContextCurrentARB": 1, - "*1024": 4, - "off_t": 1, - "keys_freed": 3, - "shared.ok": 3, - "anetTcpServer": 1, - "pos_args": 12, - "free_link_refs": 1, - "WGL_CONTEXT_MAJOR_VERSION_ARB": 1, - "*method_strings": 1, - "__Pyx_PrintOne": 1, - "WGLEW_OML_sync_control": 1, - "cpumask_var_t": 1, - "__Pyx_ErrRestore": 1, - "__pyx_k__rho": 1, - "cmd_unpack_file": 1, - "mask": 1, - "userformat_want": 2, - "*__pyx_n_s__q": 1, - "b_index_": 6, - "*parents": 4, - "rfString_Create_fUTF32": 2, - "PyInt_FromLong": 3, - "BITS_PER_LONG": 2, - "fopen": 3, - "rfFback_UTF32LE": 2, - "DICT_HT_INITIAL_SIZE": 2, - "exit_status": 3, - "WGLEW_NV_video_capture": 1, - "sdsRemoveFreeSpace": 1, - "DICT_NOTUSED": 6, - "wglewIsSupported": 2, - "PFNWGLDXOPENDEVICENVPROC": 2, - "///Fseek": 1, - "PyVarObject*": 1, - "REDIS_HASH_MAX_ZIPLIST_ENTRIES": 1, - "*__pyx_n_s____test__": 1, - "__Pyx_DOCSTR": 2, - "__pyx_k_3": 1, - "*eventLoop": 2, - "lrangeCommand": 1, - "cpu_possible": 1, - "YA_MALLOC": 1, - "*__pyx_vtab": 3, - "EINVAL": 6, - "*buffer": 6, - "*_entry": 1, - "commit_graft_pos": 2, - "specific": 1, - "PY_SSIZE_T_MAX": 1, - "WIN32": 2, - "uv__cloexec": 4, - "__wglewBindDisplayColorTableEXT": 2, - "F01": 1, - "not_shallow_flag": 1, - "Consider": 2, - "*msg": 6, - "stacklevel": 1, - "content_length": 27, - "git_diff_workdir_to_tree": 1, - "WGL_3DL_stereo_control": 2, - "PyObject": 276, - "memcmp": 6, - "UV_IGNORE": 2, - "wglFreeMemoryNV": 1, - "contiuing": 1, - "Java_jni_JniLayer_jni_1layer_1mainloop": 1, - "PyString_Size": 1, - "xF0": 2, - "CHUNKED": 4, - "9": 1, - "is_unsigned": 1, - "WGL_BIND_TO_TEXTURE_RECTANGLE_RGB_NV": 1, - "preserve_subject": 1, - "PyVarObject_HEAD_INIT": 1, - "__GNUC_MINOR__": 2, - "git_attr_fnmatch__parse": 1, - "*PGPU_DEVICE": 1, - "__wglewEnableGenlockI3D": 2, - "/1000": 1, - "i_SELECT_RF_STRING_FIND2": 1, - "S_ISLNK": 2, - "__wglewGetPixelFormatAttribivARB": 2, - "times": 1, - "yajl_parser_config": 1, - "__Pyx_XGOTREF": 2, - "aeGetApiName": 1, - "s_res_HT": 4, - "BOM": 1, - "__pyx_k__x_data_ptr": 1, - "REDIS_MONITOR": 1, - "maxfiles": 6, - "uv__stream_open": 1, - "readFrequency": 1, - "wglRestoreBufferRegionARB": 1, - "s2P": 2, - "__Pyx_PyInt_AsInt": 2, - "specified": 1, - "Py_UNICODE*": 1, - "StringX": 2, - "*get_merge_parent": 1, - "parse_url_char": 5, - "__pyx_k__I": 1, - "wglDXCloseDeviceNV": 1, - "ySrc": 1, - "__pyx_pf_7sklearn_12linear_model_8sgd_fast_12LossFunction_2dloss": 1, - "flags": 89, - "WGL_BIND_TO_TEXTURE_RECTANGLE_DEPTH_NV": 1, - "WGL_BACK_LEFT_ARB": 1, - "MASK_DECLARE_2": 3, - "__pyx_k__update": 1, - "DL_EXPORT": 2, - "dxObject": 2, - "wglBlitContextFramebufferAMD": 1, - "STDIN_FILENO": 1, - "execCommand": 2, - "WGL_VIDEO_OUT_FIELD_1": 1, - "WGL_GAMMA_EXCLUDE_DESKTOP_I3D": 1, - "WGL_NUMBER_UNDERLAYS_ARB": 1, - "WGL_MAX_PBUFFER_HEIGHT_ARB": 1, - "bpop.timeout": 2, - "yajl_handle": 10, - "__pyx_vtabstruct_7sklearn_12linear_model_8sgd_fast_Classification": 1, - "server.aof_last_fsync": 1, - "srand": 1, - "PyFloat_AsDouble": 2, - "*__pyx_n_s__eta0": 1, - "server.masterauth": 1, - "12": 1, - "PFNWGLQUERYPBUFFERARBPROC": 2, - "sdsempty": 8, - "h_connection_keep_alive": 4, - "shared.unsubscribebulk": 1, - "dictGetSignedIntegerVal": 1, - "HTTP_PROPPATCH": 1, - "__pyx_print_kwargs": 1, - "": 1, - "PY_VERSION_HEX": 11, - "WGL_BIND_TO_TEXTURE_RECTANGLE_FLOAT_RG_NV": 1, - "__pyx_k__power_t": 1, - "shared.rpop": 1, - "server.aof_rewrite_scheduled": 4, - "rfString_Fwrite_fUTF8": 1, - "CA": 1, - "f": 184, - "perc": 3, - "REDIS_MAXMEMORY_VOLATILE_LRU": 3, - "": 1, - "flushSlavesOutputBuffers": 1, - "*__pyx_pf_7sklearn_12linear_model_8sgd_fast_3Log_4__reduce__": 1, - "B5": 1, - "decoration": 1, - "s_req_port_start": 7, - "cpu_active_bits": 4, - "GIT_MODE_TYPE": 3, - "Cython": 1, - "PyCodeObject": 1, - "new_file.oid": 7, - "<0)>": 1, - "i_rfString_Append": 3, - "*funcname": 1, - "exact": 6, - "wglCreateDisplayColorTableEXT": 1, - "PyBytesObject": 1, - "__int8": 2, - "i_ARG4_": 56, - "__pyx_pf_5numpy_7ndarray_2__releasebuffer__": 1, - "PyBUF_RECORDS": 1, - "#ifndef": 85, - "GIT_DIFF_FILE_VALID_OID": 4, - "__wglewCreateDisplayColorTableEXT": 2, - "*name": 12, - "dictSetHashFunctionSeed": 1, - "HPE_##n": 1, - "fv": 4, - "cmd_branch": 1, - "GIT_ATTR_FNMATCH_HASWILD": 1, - "git_buf_free": 4, - "hObjects": 2, - "__read_mostly": 5, - "is_complex": 1, - "__Pyx_RaiseNeedMoreValuesError": 1, - "@endinternal": 1, - "should": 2, - "options.uid": 1, - "GIT_DELTA_ADDED": 4, - "PFNWGLGENLOCKSOURCEDELAYI3DPROC": 2, - "__wglewCreatePbufferEXT": 2, - "minPos": 17, - "*pop_most_recent_commit": 1, - "pp_commit_easy": 1, - "bitcountCommand": 1, - "for_each_cpu": 1, - "npy_double": 2, - "*p": 9, - "PFNWGLSETDIGITALVIDEOPARAMETERSI3DPROC": 2, - "clear_commit_marks_for_object_array": 1, - "rfFgets_UTF32BE": 1, - "REDIS_MASTER": 2, - "*__pyx_int_15": 1, - "dev": 2, - "wglReleaseVideoDeviceNV": 1, - "D1": 1, - "PFNWGLGENLOCKSOURCEI3DPROC": 2, - "server.maxclients": 6, - "O_CREAT": 2, - "askingCommand": 1, - "slots": 2, - "configCommand": 1, - "can": 2, - "saddCommand": 1, - "uptime": 2, - "PyString_CheckExact": 2, - "_Complex_I": 3, - "i_SELECT_RF_STRING_BEFORE": 1, - "uv__make_socketpair": 2, - "git_vector_free": 3, - "__wglewDeleteDCNV": 2, - "res2": 2, - "Py_SIZE": 1, - "PyTuple_CheckExact": 1, - "#else": 94, - "uv_ok_": 1, - "uSource": 2, - "": 1, - "PyType_Modified": 1, - "thiskey": 7, - "REDIS_EXPIRELOOKUPS_PER_CRON/4": 1, - "argument": 1, - "WGL_FRONT_COLOR_BUFFER_BIT_ARB": 1, - "__Pyx_BufFmt_StackElem*": 2, - "lineno": 1, - "RF_HEXGE_US": 4, - "zone": 1, - "typegroup": 1, - "uv_loop_t*": 1, - "GIT_DELTA_IGNORED": 5, - "WGLEW_3DL_stereo_control": 1, - "YA_FREE": 2, - "__pyx_L1_error": 33, - "REDIS_MAXMEMORY_ALLKEYS_RANDOM": 2, - "server.lpushCommand": 1, - "KERN_INFO": 2, - "free": 62, - "i_SELECT_RF_STRING_REPLACE4": 1, - "REFU_USTRING_H": 2, - "run_argv": 2, - "WGL_FRAMEBUFFER_SRGB_CAPABLE_ARB": 1, - "server.unixtime/REDIS_LRU_CLOCK_RESOLUTION": 1, - "__Pyx_RaiseArgtupleInvalid": 7, - "dictSdsDestructor": 4, - "*__pyx_ptype_7sklearn_5utils_11seq_dataset_ArrayDataset": 1, - "unsigned": 140, - "i_rfLMSX_WRAP13": 2, - "": 1, - "cmd_shortlog": 1, - "shareHandle": 1, - "rfString_PruneStart": 2, - "i_SELECT_RF_STRING_AFTERV10": 1, - "i_SELECT_RF_STRING_BEFOREV8": 1, - "PFNWGLCREATEAFFINITYDCNVPROC": 2, - "__WGLEW_NV_copy_image": 2, - "WGL_ACCUM_GREEN_BITS_ARB": 1, - "clear_commit_marks": 1, - "__pyx_vtabstruct_7sklearn_5utils_11seq_dataset_ArrayDataset": 2, - "__Pyx_XINCREF": 2, - "uv_process_kill": 1, - "WGL_SHARE_ACCUM_EXT": 1, - "WGL_EXT_pixel_format": 2, - "PFNWGLCREATEDISPLAYCOLORTABLEEXTPROC": 2, - "iWidth": 2, - "__pyx_k__float64": 1, - "server.maxmemory_policy": 11, - "git_oid_cmp": 6, - "acceptUnixHandler": 1, - "*index": 2, - "columns": 3, - "*maxBarriers": 1, - "WGL_BLUE_SHIFT_ARB": 1, - "PFNWGLBLITCONTEXTFRAMEBUFFERAMDPROC": 2, - "userformat_find_requirements": 1, - "commit_list_count": 1, - "diff": 93, - "REDIS_LRU_CLOCK_MAX": 1, - "#endif": 239, - "i_MODE_": 2, - "mm": 1, - "i_SELECT_RF_STRING_BEFOREV10": 1, - "*cell_work": 1, - "giterr_set": 1, - "git_buf": 3, - "wglGenlockSampleRateI3D": 1, - "AE_ERR": 2, - "rstatus": 1, - "*check_commit": 1, - "__Pyx_GetItemInt": 1, - ".": 1, - "PyNumber_Index": 1, - "*__pyx_pf_7sklearn_12linear_model_8sgd_fast_3Log_2dloss": 1, - "s_res_first_http_major": 3, - "UV_CREATE_PIPE": 4, - "nmode": 10, - "sP": 2, - "_Complex": 2, - "register_cpu_notifier": 2, - "i_SELECT_RF_STRING_INIT_NC1": 1, - "w": 6, - "diff_delta__from_one": 5, - "WGL_TYPE_RGBA_FLOAT_ARB": 1, - "server.slowlog_max_len": 1, - "__pyx_k_12": 1, - "CR": 18, - "strides": 1, - "*idle": 1, - "entries": 2, - "http_strerror_tab": 7, - "WGL_NV_render_depth_texture": 2, - "GLbitfield": 1, - "rfString_Init_f": 2, - "addReplyError": 6, - "message_complete": 7, - "s_start_req_or_res": 4, - "**list": 5, - "max_count": 1, - "DWORD*": 1, - "WGL_AUX4_ARB": 1, - "PFNWGLMAKEASSOCIATEDCONTEXTCURRENTAMDPROC": 2, - "PyBytes_FromStringAndSize": 1, - "shared": 1, - "dictGetKey": 4, - "bestval": 5, - "yajl_lex_alloc": 1, - "LL*1024*1024*1024": 1, - "strings": 5, - "__pyx_k__n_iter": 1, - "PyInt_Type": 1, - "WGL_ARB_pixel_format_float": 2, - "i_rfString_Beforev": 16, - "*__pyx_pf_7sklearn_12linear_model_8sgd_fast_5Hinge_2loss": 1, - "REDIS_SLOWLOG_LOG_SLOWER_THAN": 1, - "getpid": 7, - "bracket": 4, - "UV_PROCESS_DETACHED": 2, - "git_oid_cpy": 5, - "GLEW_MX": 4, - "*pLastMissedUsage": 1, - "__wglewAssociateImageBufferEventsI3D": 2, - "raw_notifier_chain_register": 1, - "lsetCommand": 1, - "robj": 7, - "characterUnicodeValue_": 4, - "git_buf_common_prefix": 1, - "WGLEW_I3D_image_buffer": 1, - "GLEW_STATIC": 1, - "rfString_BytePosToCharPos": 4, - "PySequence_GetSlice": 2, - "normal_url_char": 3, - "newLineFound": 1, - "ULLONG_MAX": 10, - "xD800": 8, - "#n": 1, - "__pyx_f_7sklearn_12linear_model_8sgd_fast_12LossFunction_dloss": 1, - "i_rfLMSX_WRAP9": 2, - "rfString_ToDouble": 1, - "sd_markdown_free": 1, - "*__pyx_n_s__alpha": 1, - "server.stat_peak_memory": 5, - "include": 6, - "rfString_Create_i": 2, - "*__pyx_n_s__shuffle": 1, - "rfFReadLine_UTF16LE": 4, - "populateCommandTable": 2, - "init_cpu_present": 1, - "new_argv": 7, - "WGLEW_I3D_swap_frame_usage": 1, - "do": 21, - "__Pyx_IternextUnpackEndCheck": 1, - "__Pyx_PyInt_AsUnsignedShort": 1, - "every": 1, - "pathspec.contents": 1, - "DECLARE_HANDLE": 6, - "*__pyx_k_tuple_17": 1, - "cc": 24, - "punsubscribeCommand": 2, - "hexistsCommand": 1, - "WGL_AUX_BUFFERS_ARB": 1, - "RF_UTF32_BE//": 2, - "http_parser_settings": 5, - "rb_define_class": 1, - "DL_IMPORT": 2, - "get": 4, - "**p": 1, - "server.maxmemory_samples": 3, - "LONG_LONG": 1, - "set_cpu_online": 1, - "offsetof": 2, - "DIFF_NEW_PREFIX_DEFAULT": 1, - "opts.pathspec": 2, - "GIT_DIFF_INCLUDE_UNTRACKED": 1, - "C6": 1, - "__wglewDXCloseDeviceNV": 2, - "[": 601, - "write": 7, - "__linux__": 3, - "s_header_almost_done": 6, - "i_NPSELECT_RF_STRING_REMOVE": 1, - "file_size": 6, - "git_diff_list": 17, - "PyErr_Format": 4, - "*matcher": 1, - "migrateCommand": 1, - "server.daemonize": 5, - "yajl_reset_parser": 1, - "wscale": 1, - "guards": 2, - "*old_tree": 3, - "diff_from_iterators": 5, - "printk": 12, - "arch_enable_nonboot_cpus_end": 2, - "REDIS_HZ*10": 1, - "object.sha1": 8, - "*new_tree": 1, - "wglDXUnregisterObjectNV": 1, - "*hcpu": 3, - "*__pyx_v_seed": 1, - "*__pyx_pf_7sklearn_12linear_model_8sgd_fast_13ModifiedHuber_4__reduce__": 1, - "i_rfLMS_WRAP3": 4, - "cb.blockhtml": 6, - "sd_markdown": 6, - "__WGLEW_EXT_make_current_read": 2, - "afsBuffer": 3, - "__Pyx_PyCode_New": 2, - "*__pyx_n_s__w": 1, - "*node": 2, - "online": 2, - "revents": 2, - "wglewInit": 1, - "*__pyx_vtabptr_7sklearn_12linear_model_8sgd_fast_SquaredHinge": 1, - "WGLEW_EXT_depth_float": 1, - "rfString_Iterate_Start": 6, - "INVALID_HEADER_TOKEN": 1, - "*key": 5, - "invalid": 2, - "PyString_AsStringAndSize": 1, - "UF_FRAGMENT": 2, - "RF_HEXL_US": 8, - "/server.loading_loaded_bytes": 1, - "server.aof_rewrite_time_start": 2, - "aeCreateTimeEvent": 1, - ".description": 1, - "One": 1, - "GLenum": 8, - "**subject": 2, - "__pyx_obj_7sklearn_12linear_model_8sgd_fast_SquaredHinge": 6, - "TOKEN": 4, - "size_t": 52, - "fileno": 1, - "*new_iter": 2, - "p_fnmatch": 1, - "CHAR": 2, - "*signature": 1, - "PySequence_Check": 1, - "h_CON": 3, - "__cpuinit": 3, - "__PYX_EXTERN_C": 3, - "assert": 41, - "*__pyx_n_s__power_t": 1, - "int": 446, - "dstZ": 1, - "WGL_CONTEXT_RESET_NOTIFICATION_STRATEGY_ARB": 1, - "__pyx_k__sys": 1, - "git_hash_vec": 1, - "open": 4, - "*__pyx_pf_7sklearn_12linear_model_8sgd_fast_25SquaredEpsilonInsensitive_2loss": 1, - "REF_TABLE_SIZE": 1, - "WGLEWContext": 1, - "RF_STRING_ITERATEB_END": 2, - "retcode": 3, - "__Pyx_MODULE_NAME": 1, - "WGL_TRANSPARENT_ALPHA_VALUE_ARB": 1, - "COMMIT_H": 2, - "*ret": 20, - "rndr": 25, - "idle_cpu": 1, - "DECLARE_BITMAP": 6, - "yajl_handle_t": 1, - "*filename": 2, - "listRelease": 1, - "llenCommand": 1, - "PFNWGLGETGPUINFOAMDPROC": 2, - "dumpCommand": 1, - "rfString_ToUTF8": 2, - "i_SELECT_RF_STRING_CREATELOCAL0": 1, - "*argv0": 1, - "GIT_DIFF_RECURSE_UNTRACKED_DIRS": 1, - "epsilon": 2, - "linuxOvercommitMemoryWarning": 2, - "h_matching_connection_close": 3, - "i_SELECT_RF_STRING_FWRITE1": 1, - "pAddress": 2, - "RF_UTF16_BE": 7, - "*http_errno_description": 1, - "UL": 1, - "buff": 95, - "saved_errno": 1, - "**orig_argv": 1, - "GPERF_CASE_STRNCMP": 1, - "EXEC_BIT_MASK": 3, - "__wglewSetGammaTableI3D": 2, - "WGL_ALPHA_SHIFT_EXT": 1, - "*lookup_commit_graft": 1, - "is": 17, - "PyBytes_Type": 1, - "from": 16, - "use_fd": 7, - "WGL_ARB_multisample": 2, - "buffer": 10, - "rawmode": 2, - "cmd_var": 1, - "wglLoadDisplayColorTableEXT": 1, - "o1": 7, - "__Pyx_SafeReleaseBuffer": 1, - "CPU_DEAD": 1, - "__pyx_v_C": 1, - "WGL_DIGITAL_VIDEO_GAMMA_CORRECTED_I3D": 1, - "__pyx_k__O": 1, - "uint32_t": 144, - "initServer": 2, - "PYREX_WITHOUT_ASSERTIONS": 1, - "/sizeof": 4, - "options": 62, - "http_method": 4, - "cmd_grep": 1, - "WGLEW_NV_vertex_array_range": 1, - "WGL_FRONT_LEFT_ARB": 1, - "wglGetCurrentReadDCARB": 1, - "MASK_DECLARE_8": 9, - "write_unlock_irq": 1, - "num": 24, - "extern": 38, - "__pyx_t_5numpy_int_t": 1, - "i_SELECT_RF_STRING_FIND": 1, - "options.env": 1, - "PFNWGLRELEASEPBUFFERDCEXTPROC": 2, - "CONFIG_MEMORY_HOTPLUG": 2, - "take_cpu_down_param": 3, - "child_fd": 3, - "PFNWGLENABLEGENLOCKI3DPROC": 2, - "__Pyx_c_conj": 3, - "http_major": 11, - "s_chunk_data_almost_done": 3, - "PFNWGLDESTROYPBUFFERARBPROC": 2, - "default": 33, - "server.aof_no_fsync_on_rewrite": 1, - "__wglewGetGammaTableParametersI3D": 2, - "WGL_DIGITAL_VIDEO_CURSOR_ALPHA_VALUE_I3D": 1, - "replstate": 1, - "git_iterator_for_index_range": 2, - "rstr": 24, - "rb_cObject": 1, - "created": 1, - "__Pyx_GetItemInt_Tuple_Fast": 1, - "done_help": 3, - "cmd_column": 1, - "*pathspec": 2, - "attempting": 2, - "HPE_CLOSED_CONNECTION": 1, - "HTTP_ERRNO_GEN": 3, - "l": 7, - "encoding": 14, - "MARKDOWN_GROW": 1, - "PyLong_Check": 1, - "rfString_Replace": 3, - "WGL_I3D_gamma": 2, - "*parNP": 2, - "UTF": 17, - "__pyx_t_5numpy_uintp_t": 1, - "yajl_alloc_funcs": 3, - "__pyx_v_threshold": 2, - "git__calloc": 3, - "PFNWGLWAITFORMSCOMLPROC": 2, - "RECT": 1, - "WGL_EXT_create_context_es2_profile": 2, - "WGL_CONTEXT_DEBUG_BIT_ARB": 1, - "cpumask_first": 1, - "PyUnicode_GET_LENGTH": 1, - "main": 3, - "i_NPSELECT_RF_STRING_BETWEEN1": 1, - "rfString_IterateB_Start": 1, - "wglReleaseVideoCaptureDeviceNV": 1, - "WGL_TRANSPARENT_INDEX_VALUE_ARB": 1, - "STDOUT_FILENO": 2, - "__pyx_pyargnames": 3, - "on_header_field": 1, - "REDIS_STRING": 31, - "server.lruclock": 2, - "PyString_AsString": 1, - "cfg": 6, - "WGL_I3D_genlock": 2, - "for_each_commit_graft": 1, - "max": 4, - "zscoreCommand": 1, - "action": 2, - "WGL_TEXTURE_CUBE_MAP_NEGATIVE_X_ARB": 1, - "srcY0": 1, - "SIGILL": 1, - "*new": 1, - "__pyx_v_p": 46, - "cmd_clone": 1, - "RF_STRING_ITERATE_START": 9, - "redisAsciiArt": 2, - "localtime": 1, - "DEFINE_MUTEX": 1, - "WGL_COLOR_BITS_EXT": 1, - "WGL_STENCIL_BUFFER_BIT_ARB": 1, - "IS_ERR": 1, - "cpumask_test_cpu": 1, - "CONFIG_HOTPLUG_CPU": 2, - "cpu_possible_mask": 2, - "git_cache_free": 1, - "enc_packmode": 1, - "object_type": 1, - "PyString_AS_STRING": 1, - "__wglewSetGammaTableParametersI3D": 2, - "WGLEW_GET_FUN": 120, - "<<": 56, - "*v": 3, - "__pyx_t_5numpy_uint8_t": 1, - "*__pyx_v_weights": 1, - "goto": 159, - "WGL_TEXTURE_CUBE_MAP_POSITIVE_Z_ARB": 1, - "PyLong_CheckExact": 1, - "*feature_indices_ptr": 2, - "sdiffCommand": 1, - "pexpireatCommand": 1, - "S_ISDIR": 1, - "WGL_BACK_COLOR_BUFFER_BIT_ARB": 1, - "PyBUF_F_CONTIGUOUS": 1, - "PFNWGLGENLOCKSAMPLERATEI3DPROC": 2, - "first_cpu": 3, - "h_connection": 6, - "short": 6, - "__pyx_t_5numpy_float_t": 1, - "index": 58, - "PyTuple_SET_ITEM": 6, - "cmd_ls_remote": 2, - "": 7, - "beg": 10, - "": 1, - "OBJ_COMMIT": 5, - "UV_PROCESS": 1, - "GLboolean": 53, - "RF_STRING_ITERATE_END": 9, - "byteLength*2": 1, - "*__pyx_n_s__time": 1, - "HTTP_MKACTIVITY": 1, - "memset": 4, - "HEAD": 2, - "bufptr": 12, - "HTTP_LOCK": 1, - "s_req_http_major": 3, - "__Pyx_PyUnicode_GET_LENGTH": 2, - "num_max": 1, - "__wglewQueryFrameTrackingI3D": 2, - "encode": 2, - "now": 5, - "s_req_method": 4, - "server.repl_ping_slave_period": 1, - "target_sbc": 1, - "numP": 1, - "PyTuple_GET_ITEM": 15, - "cpumask_clear_cpu": 5, - "initialize": 1, - "__Pyx_IterFinish": 1, - "PyInt_FromString": 1, - "PFNWGLWAITFORSBCOMLPROC": 2, - "jsonText": 4, - "c_ru.ru_stime.tv_sec": 1, - "val": 20, - "HTTP_NOTIFY": 1, - "*_param": 1, - "options.stdio": 3, - "EV_P_": 1, - "WGL_GENERIC_ACCELERATION_ARB": 1, - "MMIOT": 2, - "REDIS_LOG_RAW": 2, - "*o1": 2, - "__pyx_k__epsilon": 1, - "__Pyx_INCREF": 6, - "fclose": 5, - "i_SELECT_RF_STRING_AFTERV16": 1, - "RF_MODULE_STRINGS//": 1, - "*pgdat": 1, - "v1": 38, - "lnos": 4, - "commit_list_sort_by_date": 2, - "rdbLoad": 1, - "PyUnicode_Check": 1, - "s_req_http_minor": 3, - "aeEventLoop": 2, - "i_DESTINATION_": 2, - "WGL_PBUFFER_LARGEST_ARB": 1, - "s_res_or_resp_H": 3, - "_USE_MATH_DEFINES": 1, - "*__pyx_t_1": 6, - "i_SELECT_RF_STRING_BEFOREV16": 1, - "wglEnumerateVideoCaptureDevicesNV": 1, - "F000": 2, - "server.saveparamslen": 3, - "CPU_STARTING": 1, - "pop": 1, - "git_config_maybe_bool": 1, - "WGL_SWAP_EXCHANGE_EXT": 1, - "wglext.h": 1, - "by": 1, - "*__pyx_ptype_7sklearn_12linear_model_8sgd_fast_Hinge": 1, - "spopCommand": 1, - "i_STRING1_": 2, - "SUNDOWN_VER_MAJOR": 1, - "PFNWGLRELEASEVIDEOCAPTUREDEVICENVPROC": 2, - "__WGLEW_NV_render_depth_texture": 2, - "utf8BufferSize": 4, - "}": 1546, - "parent_offset": 1, - "backgroundSaveDoneHandler": 1, - "description": 1, - "git_iterator": 8, - "getOperationsPerSecond": 2, - "stdout": 5, - "__pyx_k__Zd": 1, - "substring": 5, - "i_SELECT_RF_STRING_INIT": 1, - "*column_data": 1, - "WGL_SWAP_COPY_EXT": 1, - "*logmsg_reencode": 1, - "shared.cone": 1, - "__pyx_insert_code_object": 1, - "PyBaseString_Type": 1, - "WGLEW_ARB_make_current_read": 1, - "backs": 1, - "occurs": 1, - "Python": 2, - "clientCommand": 1, - "child_watcher.data": 1, - "path": 20, - "__WGLEW_EXT_framebuffer_sRGB": 2, - "sq_length": 2, - "__Pyx_GetVtable": 1, - "Rebuild": 1, - "WGLEW_NV_video_output": 1, - "*read_commit_extra_headers": 1, - "yajl_status_client_canceled": 1, - "bad": 1, - "*strides": 1, - "PFNWGLGETPIXELFORMATATTRIBFVARBPROC": 2, - "*__pyx_pf_7sklearn_12linear_model_8sgd_fast_13ModifiedHuber_2dloss": 1, - "publishCommand": 1, - "///closing": 1, - "server.neterr": 4, - "*val": 4, - "cmd_upload_archive_writer": 1, - "new_file.mode": 4, - "GLEWAPI": 6, - "numDevices": 1, - "server.slowlog_log_slower_than": 1, - "parents": 4, - "yajl_buf_alloc": 1, - "__WGLEW_I3D_gamma": 2, - "WGL_NEED_SYSTEM_PALETTE_EXT": 1, - "REDIS_UNBLOCKED": 1, - "sortCommand": 1, - "INVALID_METHOD": 1, - "otherwise": 1, - "__WGLEW_NV_multisample_coverage": 2, - "hGpu": 1, - "struct_alignment": 1, - "grafts_replace_parents": 1, - "number": 19, - "PySequence_GetItem": 3, - "UV_NAMED_PIPE": 2, - "self_ru.ru_stime.tv_usec/1000000": 1, - "dict": 11, - "a": 80, - "h_transfer_encoding_chunked": 4, - "INVALID_PORT": 1, - "cmd_merge_file": 1, - "B0": 1, - "0x5a": 1, - "local": 5, - "statStr": 6, - "__pyx_t_7sklearn_12linear_model_8sgd_fast_DOUBLE": 4, - "": 1, - "listSetMatchMethod": 1, - "WGL_SAMPLE_BUFFERS_EXT": 1, - "CMIT_FMT_DEFAULT": 1, - "bool": 6, - "xDFFF": 8, - "WGL_ERROR_MISSING_AFFINITY_MASK_NV": 1, - "WGL_TRANSPARENT_GREEN_VALUE_ARB": 1, - "server.assert_line": 1, - "REDIS_REPL_WAIT_BGSAVE_START": 1, - "closing": 1, - "WGL_OPTIMAL_PBUFFER_HEIGHT_EXT": 1, - "__pyx_v_n_iter": 1, - "*col_data": 1, - "**diff_ptr": 1, - "WGL_RED_BITS_EXT": 1, - "commit_tree": 1, - "mark": 3, - "__pyx_t_5numpy_longlong_t": 1, - "AE_READABLE": 2, - "buflen": 3, - "server.stat_starttime": 2, - "git_hash_init": 1, - "EV_CHILD": 1, - "RE_INPUT": 1, - "F_CHUNKED": 11, - "new_prefix": 2, - "setnxCommand": 1, - "45": 1, - "__pyx_k__q": 1, - "rfString_Fwrite": 2, - "acquire_gil": 4, - "srcName": 1, - "*buf": 10, - "shared.colon": 1, - "PROPFIND": 2, - "*title": 1, - "height": 3, - "getkeys_proc": 1, - "for_each_process": 2, - "LF_EXPECTED": 1, - "author": 1, - "__wglewGetSwapIntervalEXT": 2, - "__wglewCreatePbufferARB": 2, - "WGL_CONTEXT_COMPATIBILITY_PROFILE_BIT_ARB": 1, - "enable_nonboot_cpus": 1, - "INVALID_FRAGMENT": 1, - "work": 4, - "rfString_Count": 4, - "E": 11, - "npy_cdouble": 2, - "else//": 14, - "xE0": 2, - "*__pyx_n_s__x_ind_ptr": 1, - "__WGLEW_I3D_image_buffer": 2, - "__wglewBlitContextFramebufferAMD": 2, - "interactive_add": 1, - "diminfo": 1, - "i_SELECT_RF_STRING_AFTER1": 1, - "i_SELECT_RF_STRING_INIT_NC": 1, - "cell_work": 3, - "object": 10, - "_MSC_VER": 5, - "*__pyx_k_codeobj_19": 1, - "setuid": 1, - "rfString_GetChar": 2, - "num*100/slots": 1, - "PyCodeObject*": 2, - "RF_SUCCESS": 14, - "thisstr": 210, - "EOF": 26, - "wglSendPbufferToVideoNV": 1, - "WGL_NV_multisample_coverage": 2, - "CYTHON_UNUSED": 14, - "wait3": 1, - "i_LEFTSTR_": 6, - "cmd_prune_packed": 1, - "wglQueryGenlockMaxSourceDelayI3D": 1, - "s1P": 2, - "*__pyx_n_s__q_data_ptr": 1, - "cmd_update_index": 1, - "WGL_GPU_NUM_RB_AMD": 1, - "handle_internal_command": 3, - "WGL_AUX6_ARB": 1, - "encodingP": 1, - "rfString_Create_fUTF8": 2, - "port": 7, - "redisGitSHA1": 3, - "body_mark": 2, - "complex": 2, - "GL_COLOR_CLEAR_UNCLAMPED_VALUE_ATI": 1, - "**pathspec": 1, - "LOG_NOTICE": 1, - "__pyx_t_4": 27, - "HPE_INVALID_CHUNK_SIZE": 2, - "git__iswildcard": 1, - "diff*number": 1, - "decode": 6, - "close_fd": 2, - "__WGLEW_NV_swap_group": 2, - "WGL_GREEN_BITS_ARB": 1, - "*__pyx_ptype_7sklearn_12linear_model_8sgd_fast_Regression": 1, - "pBytePos": 15, - "rfString_Length": 5, - "RF_LITTLE_ENDIAN": 23, - "*__pyx_ptype_7sklearn_12linear_model_8sgd_fast_SquaredEpsilonInsensitive": 1, - "server.clients_to_close": 1, - "server.stat_keyspace_hits": 2, - "__Pyx_PyUnicode_READY": 2, - "*__pyx_kp_s_20": 1, - "__Pyx_c_pow": 3, - "cmd_patch_id": 1, - "cmd_fetch_pack": 1, - "__wglewGetVideoDeviceNV": 2, - "iBufferType": 1, - "PFNWGLBINDSWAPBARRIERNVPROC": 2, - "WGLEW_ATI_pixel_format_float": 1, - "WGL_SHARE_ACCUM_ARB": 1, - "rfUTF8_Decode": 2, - ")": 6227, - "RF_HEXG_US": 8, - "WGL_NV_present_video": 2, - "i_READ_CHECK": 20, - "O_WRONLY": 2, - "__Pyx_c_eq": 2, - "http_parser_type": 3, - "cmd_checkout_index": 1, - "GIT_DIFFCAPS_ASSUME_UNCHANGED": 2, - "PFNWGLGETDIGITALVIDEOPARAMETERSI3DPROC": 2, - "WGL_SHARE_STENCIL_ARB": 1, - "WGL_SAMPLES_3DFX": 1, - "show_notes": 1, - "shared.err": 1, - "server.aof_rewrite_base_size": 4, - "addReplyBulkLongLong": 2, - "you": 1, - "RUN_SETUP": 81, - "cb.doc_footer": 2, - "yajl_bs_push": 1, - "defined": 42, - "r": 58, - "zremCommand": 1, - "clearer": 1, - "PFNWGLQUERYFRAMELOCKMASTERI3DPROC": 2, - "WGLEW_EXT_swap_control": 1, - "WGL_PIXEL_TYPE_EXT": 1, - "": 1, - "*lookup_commit_reference_gently": 2, - "wglGetVideoInfoNV": 1, - "HGLRC": 14, - "A5": 3, - "*__pyx_n_s__x_data_ptr": 1, - "fread": 12, - "PyInt_AsUnsignedLongLongMask": 1, - "*module_name": 1, - "undo": 5, - "method": 39, - "__pyx_skip_dispatch": 6, - "i_NPSELECT_RF_STRING_REPLACE0": 1, - "*diff": 8, - "cmd_index_pack": 1, - "RF_BIG_ENDIAN": 10, - "*__pyx_n_s__isnan": 1, - "*__pyx_k_tuple_7": 1, - ".item": 2, - "**twos": 1, - "*get_merge_bases_many": 1, - "RF_UTF32_BE": 3, - "INVALID_URL": 1, - "msg": 10, - "surrogate": 4, - "PyUnicodeObject": 1, - "REDIS_NOTUSED": 5, - "__Pyx_RefNannyFinishContext": 14, - "listSetFreeMethod": 1, - "i_SELECT_RF_STRING_BETWEEN2": 1, - "ERROR_INVALID_VERSION_ARB": 1, - "rfString_PruneMiddleB": 2, - "rfFReadLine_UTF32BE": 1, - "__pyx_f_7sklearn_12linear_model_8sgd_fast_max": 1, - "i_ARG3_": 56, - "i_rfLMSX_WRAP4": 11, - "diff_delta__alloc": 2, - "new_file.size": 3, - "HPVIDEODEV": 4, - "HPBUFFEREXT": 6, - "HANDLE": 14, - "depth": 2, - "server.ops_sec_idx": 4, - "mkd_toc": 1, - ".soft_limit_bytes": 3, - "ev": 2, - "rfString_Copy_OUT": 2, - "rusage": 1, - "save": 2, - "server.set_max_intset_entries": 1, - "*diff_delta__alloc": 1, - "one": 2, - "void": 284, - "__Pyx_minusones": 1, - "__pyx_vtabstruct_7sklearn_12linear_model_8sgd_fast_Hinge": 2, - "i_SELECT_RF_STRING_AFTERV5": 1, - "cmd_receive_pack": 1, - "cmd_struct": 4, - "CB_body": 1, - "SOCK_STREAM": 2, - "sd_version": 1, - "server.syslog_facility": 2, - "__pyx_obj_7sklearn_5utils_11seq_dataset_CSRDataset": 2, - "__WGLEW_ARB_make_current_read": 2, - "**value": 1, - "__pyx_v_eta0": 1, - "CPU_UP_CANCELED": 1, - "": 1, - "C1": 1, - "WGL_BIND_TO_TEXTURE_RECTANGLE_FLOAT_RGBA_NV": 1, - "wglDeleteAssociatedContextAMD": 1, - "rfString_BytePosToCodePoint": 7, - "act.sa_flags": 2, - "validateUTF8": 3, - "REDIS_REPL_CONNECTED": 3, - "setrlimit": 1, - "i_VAR_": 2, - "uv__process_init_stdio": 2, - "PFNWGLGETCURRENTASSOCIATEDCONTEXTAMDPROC": 2, - "REFU_WIN32_VERSION": 1, - "Py_HUGE_VAL": 2, - "i_ENCODING_": 4, - "WGL_UNIQUE_ID_NV": 1, - "WGL_NV_copy_image": 2, - "printf": 4, - "WGL_LOSE_CONTEXT_ON_RESET_ARB": 1, - "PyErr_SetString": 3, - "listNext": 2, - "__pyx_vtabstruct_7sklearn_5utils_11seq_dataset_SequentialDataset": 4, - "*__pyx_kp_u_10": 1, - "statloc": 5, - "parse_block": 1, - "pretty_print_context": 6, - "please": 1, - "R_PosInf": 2, - "rewriteAppendOnlyFileBackground": 2, - "needed": 10, - "*dup": 1, - "wglGetPbufferDCEXT": 1, - "_PyUnicode_Ready": 1, - "*nr_calls": 1, - "__pyx_f_7sklearn_12linear_model_8sgd_fast_12LossFunction_loss": 1, - "wake_up_process": 1, - "assumed": 1, - "WGL_ACCUM_BITS_ARB": 1, - "enc_count": 1, - "header_end": 7, - "clean": 1, - "var": 7, - "RF_UTF16_BE//": 2, - "__pyx_obj_7sklearn_12linear_model_8sgd_fast_Regression": 11, - "__pyx_k__f": 1, - "ff": 10, - "PyUnicode_KIND": 1, - "verbose": 2, - "__pyx_k_4": 1, - "WGLEW_NV_gpu_affinity": 1, - "WGL_MIPMAP_LEVEL_ARB": 1, - "server.el": 7, - "git_more_info_string": 2, - "UV_STREAM_WRITABLE": 2, - "OBJ_BLOB": 3, - "ino": 2, - "WGL_FLOAT_COMPONENTS_NV": 1, - "__wglew_h__": 2, - "yajl_bs_free": 1, - "cpu_notify": 5, - ".refcount": 1, - "__wglewSendPbufferToVideoNV": 2, - "wglGetGenlockSourceEdgeI3D": 1, - "F02": 1, - "cpu_hotplug.active_writer": 6, - "***argv": 2, - "__Pyx_TypeInfo*": 2, - "i_SELECT_RF_STRING_REMOVE0": 1, - "*da": 1, - "WGL_BIND_TO_VIDEO_RGBA_NV": 1, - "PFNWGLGETGENLOCKSOURCEEDGEI3DPROC": 2, - "WGL_ACCUM_BLUE_BITS_EXT": 1, - "WGL_SWAP_LAYER_BUFFERS_EXT": 1, - "many": 1, - "GFP_KERNEL": 1, - "": 1, - "PyStringObject": 2, - "PFNWGLQUERYFRAMETRACKINGI3DPROC": 2, - "WGL_NUMBER_OVERLAYS_EXT": 1, - "*settings": 2, - "as": 4, - "xFC0": 4, - "i_rfString_Init": 3, - "cast": 1, - "CALLBACK_DATA": 10, - "close": 13, - "*__pyx_ptype_7cpython_4type_type": 1, - "i_SELECT_RF_STRING_FIND3": 1, - "RF_SELECT_FUNC": 10, - "phDeviceList": 2, - "WGL_PBUFFER_HEIGHT_ARB": 1, - "__weak": 4, - "__Pyx_RefNannySetupContext": 12, - "*__pyx_vtabptr_7sklearn_5utils_11seq_dataset_CSRDataset": 1, - "GIT_ATTR_FNMATCH_ALLOWSPACE": 1, - "git_repository": 7, - "old_file.size": 1, - "wglewGetContext": 4, - "WGL_COVERAGE_SAMPLES_NV": 1, - "server.client_max_querybuf_len": 1, - "wants": 2, - "in": 11, - "rfString_PruneEnd": 2, - ".soft_limit_seconds": 3, - "wglGetGenlockSampleRateI3D": 1, - "*subValues": 2, - "*1000000": 1, - "http_method_str": 1, - "*__pyx_ptype_7sklearn_12linear_model_8sgd_fast_SquaredHinge": 1, - "ftello64": 1, - "*__pyx_ptype_7sklearn_12linear_model_8sgd_fast_LossFunction": 1, - "__pyx_base": 18, - "WGLEW_ARB_buffer_region": 1, - "data": 69, - "dtype": 1, - "memcpy": 34, - "REDIS_REPL_WAIT_BGSAVE_END": 1, - "for": 88, - "git_oid": 7, - "diff_delta__merge_like_cgit": 1, - "strncmp": 1, - "__WGLEW_EXT_multisample": 2, - "dictObjKeyCompare": 2, - "rfFgetc_UTF8": 3, - "lexer": 4, - "__pyx_k__intercept": 1, - "*pp": 4, - "cmd_unpack_objects": 1, - "cmd_diff_index": 1, - "*var": 1, - "WGL_VIDEO_OUT_FIELD_2": 1, - "cpow": 1, - "mkd_compile": 2, - "__PYX_BUF_FLAGS_PACKED_STRUCT": 1, - "cpu_hotplug.refcount": 3, - "jlong": 6, - "npy_longlong": 2, - "*cmd": 5, - "git_diff_options": 7, - "ob_type": 7, - "out_notify": 3, - "yajl_do_parse": 1, - "*__pyx_pw_7sklearn_12linear_model_8sgd_fast_12LossFunction_1loss": 3, - "and": 15, - "cmd_get_tar_commit_id": 1, - "object_array": 2, - "user": 2, - "PyNumber_Check": 2, - "WGL_OML_sync_control": 2, - "desc": 5, - "exitFromChild": 1, - "server.zset_max_ziplist_value": 1, - "cmd_cat_file": 1, - "CB": 1, - "WGL_TEXTURE_DEPTH_COMPONENT_NV": 1, - "__wglewGetPixelFormatAttribfvEXT": 2, - "WGL_EXT_framebuffer_sRGB": 2, - "anetUnixServer": 1, - "found": 20, - "uint16_t*": 11, - "Unicode": 1, - "wglLockVideoCaptureDeviceNV": 1, - "B6": 1, - "info": 64, - "*__pyx_vtabptr_7sklearn_5utils_11seq_dataset_SequentialDataset": 1, - "mutex_unlock": 6, - "__wglewGenlockSampleRateI3D": 2, - "SIGBUS": 1, - "__Pyx_PyUnicode_READ": 2, - "evalShaCommand": 1, - "LOG_NOWAIT": 1, - "i_SOURCE_": 2, - "__wglewGetExtensionsStringEXT": 2, - "CHECKOUT": 2, - "__pyx_k__verbose": 1, - "tp_as_mapping": 3, - "aofRewriteBufferReset": 1, - "utf8ByteLength": 34, - "lookup_commit_reference": 2, - "server.aof_child_pid": 10, - "selectCommand": 1, - "srcTarget": 1, - "WGLEW_ATI_render_texture_rectangle": 1, - "PFNWGLSETPBUFFERATTRIBARBPROC": 2, - "cpu": 57, - "getrusage": 2, - "**environ": 1, - "tag_len": 3, - "git_cached_obj_decref": 3, - "MS_WINDOWS": 2, - "pp_title_line": 1, - "F_SKIPBODY": 4, - "KEEP_ALIVE": 4, - "__pyx_k__w": 1, - "*__Pyx_GetName": 1, - "wglResetFrameCountNV": 1, - "bSize": 4, - "PyTypeObject": 25, - "REDIS_MULTI": 1, - "*ptr": 1, - "server.arch_bits": 3, - "bitopCommand": 1, - "REDIS_CLIENT_LIMIT_CLASS_SLAVE": 3, - "i_FILE_": 16, - "__WGLEW_I3D_genlock": 2, - "run_with_period": 6, - "CPU_POST_DEAD": 1, - "*entry": 2, - "wglSaveBufferRegionARB": 1, - "lookup_commit_reference_gently": 1, - "dictEntry": 2, - "CB_header_field": 1, - "dictVanillaFree": 1, - "manipulation": 1, - "WGL_COLOR_BITS_ARB": 1, - "i_rfString_Fwrite": 5, - "Memory": 4, - "upgrade": 3, - "cpu_present_bits": 5, - "TARGET_OS_IPHONE": 1, - "__wglewCreateAffinityDCNV": 2, - "__Pyx_PyInt_AsSignedInt": 1, - "header_field": 5, - "Java_jni_JniLayer_jni_1layer_1set_1analog": 1, - "firstkey": 1, - "use_pager": 8, - "cpu_hotplug": 1, - "server.maxidletime": 3, - "make": 3, - "i/2": 2, - "i_rfString_CreateLocal1": 3, - "__pyx_v_rho": 1, - "PY_FORMAT_SIZE_T": 1, - "*__pyx_n_s__plain_sgd": 1, - "free_commit_list": 1, - "__pyx_k__NotImplementedError": 1, - "i_SELECT_RF_STRING_BEFORE0": 1, - "cb.doc_header": 2, - "wglDeleteBufferRegionARB": 1, - "GIVEREF": 1, - "cpu_maps_update_begin": 9, - "result": 48, - "tp_name": 4, - "i_SELECT_RF_STRING_REPLACE5": 1, - "WGL_VIDEO_OUT_ALPHA_NV": 1, - "rb_respond_to": 1, - "url": 4, - "check": 8, - "cmd_commit": 1, - "__WGLEW_ARB_render_texture": 2, - "rfFgets_UTF16BE": 2, - "PyFloat_Check": 2, - "Java_jni_JniLayer_jni_1layer_1kill": 1, - "i_rfLMSX_WRAP14": 2, - "orSize": 5, - "npy_ulonglong": 2, - "get_sha1_hex": 2, - "*__pyx_n_s__n_iter": 1, - "slaveofCommand": 2, - "xD": 1, - "valid": 1, - "git_vector": 1, - "O_APPEND": 2, - "s_req_http_HTT": 3, - "sunionstoreCommand": 1, - "pubsub_channels": 2, - "setrangeCommand": 1, - "fline": 4, - "i_SELECT_RF_STRING_AFTERV11": 1, - "i_SELECT_RF_STRING_BEFOREV9": 1, - "SUNDOWN_VER_REVISION": 1, - "*subject": 1, - "RF_CASE_IGNORE": 2, - "__pyx_base.loss": 1, - "hsetCommand": 1, - "__pyx_pf_7sklearn_12linear_model_8sgd_fast_10Regression_loss": 1, - "server.lua_caller": 1, - "PyCFunction": 3, - "server.repl_serve_stale_data": 2, - "listLength": 14, - "cmd_gc": 1, - "__wglext_h_": 2, - "Local": 2, - "vsnprintf": 1, - "__pyx_t_5numpy_longdouble_t": 1, - "*__pyx_ptype_7sklearn_5utils_11seq_dataset_SequentialDataset": 1, - "server.ops_sec_samples": 4, - "peel_to_type": 1, - "hashDictType": 1, - "i_SELECT_RF_STRING_BEFOREV11": 1, - "keys": 4, - "_zonerefs": 1, - "pfd": 2, - "*oitem": 2, - "diff_delta__from_two": 2, - "git_buf_truncate": 1, - "*__pyx_pw_7sklearn_12linear_model_8sgd_fast_12LossFunction_3dloss": 3, - "s_res_http_major": 3, - "/": 9, - "tree": 3, - "USHORT": 4, - "WGL_ARB_render_texture": 2, - "numberP": 1, - "server.rdb_compression": 1, - "*__pyx_ptype_7sklearn_5utils_13weight_vector_WeightVector": 1, - "PFNWGLRELEASETEXIMAGEARBPROC": 2, - "dest": 7, - "run_builtin": 2, - "*piValues": 2, - "x": 57, - "__pyx_k_13": 1, - "WGL_IMAGE_BUFFER_MIN_ACCESS_I3D": 1, - "WGL_SWAP_EXCHANGE_ARB": 1, - "length": 58, - "UNKNOWN": 1, - "WGL_MAX_PBUFFER_WIDTH_EXT": 1, - "__Pyx_StructField": 2, - "endianess": 40, - "setup_git_directory_gently": 1, - "__wglewChoosePixelFormatARB": 2, - "typename": 2, - ".watched_keys": 1, - "Py_TYPE": 7, - "0x20": 1, - "diff_prefix_from_pathspec": 4, - "wglBeginFrameTrackingI3D": 1, - "WGL_MAX_PBUFFER_PIXELS_ARB": 1, - "PyBUF_SIMPLE": 1, - "debugCommand": 1, - "__wglewSetStereoEmitterState3DL": 2, - "String": 11, - "server.rdb_child_pid": 12, - "redisDb": 3, - "*output_encoding": 2, - "null": 4, - "srcX0": 1, - "on_body": 1, - "PPC_SHA1": 1, - "i_SELECT_RF_STRING_CREATE_NC": 1, - "cmd_ls_tree": 1, - "__wglewDXUnregisterObjectNV": 2, - "PFNWGLDXUNLOCKOBJECTSNVPROC": 2, - "REDIS_VERSION": 4, - "we": 10, - "shared.masterdownerr": 2, - "fields": 1, - "defvalue": 2, - "wglAllocateMemoryNV": 1, - "float*": 1, - "WGL_AMD_gpu_association": 2, - "server.repl_transfer_lastio": 1, - "F_CONNECTION_KEEP_ALIVE": 3, - "beforeSleep": 2, - "PyObject_TypeCheck": 3, - "HPE_INVALID_CONSTANT": 3, - "PFNWGLRELEASEVIDEODEVICENVPROC": 2, - "h_matching_proxy_connection": 3, - "*__pyx_self": 1, - "*__pyx_k_tuple_18": 1, - "err": 38, - "__Pyx_PyInt_AsUnsignedLong": 1, - "marked": 1, - "options.gid": 1, - "logging": 5, - "inside": 2, - "wglEnumGpuDevicesNV": 1, - "__pyx_obj_7sklearn_5utils_11seq_dataset_ArrayDataset": 2, - "s_req_host_v6": 7, - ".asize": 2, - "C7": 1, - "i_rfString_StripEnd": 3, - "sstr": 39, - "PySet_CheckExact": 2, - "expireatCommand": 1, - "rfFback_UTF16LE": 2, - "rcu_read_lock": 1, - "s_header_value": 5, - "long": 105, - "__GNUC__": 7, - "module": 3, - "git_pool_strcat": 1, - "wglGenlockSourceDelayI3D": 1, - "s_req_http_start": 3, - "SUBSCRIBE": 2, - "*__pyx_empty_bytes": 1, - "cmd_cherry_pick": 1, - "WGL_PBUFFER_WIDTH_EXT": 1, - "callbacks": 3, - "cell": 4, - "PFNWGLRESETFRAMECOUNTNVPROC": 2, - "format_commit_message": 1, - "npy_uintp": 1, - "*__pyx_kp_u_16": 1, - "shared.syntaxerr": 2, - "c.value": 3, - "WGL_SUPPORT_GDI_EXT": 1, - "pretty_print_commit": 1, - "syslogLevelMap": 2, - "alias_command": 4, - "SPAWN_WAIT_EXEC": 5, - "WGL_SAMPLE_BUFFERS_ARB": 1, - "WGL_GPU_OPENGL_VERSION_STRING_AMD": 1, - "*after_subject": 1, - "genRedisInfoString": 2, - "iterations": 4, - "__PYX_HAVE__sklearn__linear_model__sgd_fast": 1, - "RLIMIT_NOFILE": 2, - "*class_name": 1, - "i_RFI8_": 54, - "*delta": 6, - "srcX": 1, - "rev_info": 2, - "__pyx_k__intercept_decay": 1, - "*__pyx_builtin_ValueError": 1, - "fl": 8, - "PFNWGLDELETEDCNVPROC": 2, - "c_ru": 2, - "REDIS_BIO_AOF_FSYNC": 1, - "CPU_BITS_ALL": 2, - "__pyx_k__l": 1, - "loadServerConfig": 1, - "*__pyx_n_s__penalty_type": 1, - "SYS_restart_syscall": 1, - "i_SELECT_RF_STRING_CREATE_NC0": 1, - "full_path": 3, - "indexing": 1, - "last": 1, - "bytesN": 98, - "__pyx_n_s__loss": 2, - "operations": 1, - "REDIS_VERBOSE": 3, - "PyDict_GetItem": 6, - "*f": 2, - "__PYX_HAVE_API__sklearn__linear_model__sgd_fast": 1, - "SYSCALL_OR_NUM": 3, - "init_cpu_online": 1, - "WGL_DRAW_TO_BITMAP_EXT": 1, - "PyFloat_FromDouble": 9, - "eofReached": 4, - "**argnames": 1, - "i_OFFSET_": 4, - "off.": 1, - "header_flag": 3, - "different": 1, - "h_matching_connection": 3, - "PyLong_AS_LONG": 1, - "HTTP_METHOD_MAP": 3, - "iPixelFormat": 6, - "rfFtell": 2, - "lpushCommand": 1, - "REDIS_ZSET_MAX_ZIPLIST_VALUE": 1, - "get_sha1": 1, - "INVALID_CHUNK_SIZE": 1, - "__pyx_L3_error": 18, - "cpu_possible_bits": 6, - "i_SELECT_RF_STRING_CREATELOCAL1": 1, - "READ_VSNPRINTF_ARGS": 5, - "LF": 21, - "i_SELECT_RF_STRING_FWRITE2": 1, - "i_LIMSELECT_RF_STRING_AFTERV": 1, - "__wglewSwapBuffersMscOML": 2, - "RF_HEXGE_UI": 6, - "*1024*256": 1, - "it": 12, - "uv_process_t": 1, - "code_line": 4, - "WGL_NO_ACCELERATION_EXT": 1, - "freeClient": 1, - "zunionstoreCommand": 1, - "o2": 7, - "git_diff_merge": 1, - "git_odb__hashfd": 1, - "WGLEW_NV_copy_image": 1, - "endif": 6, - "inline": 3, - "*__pyx_ptype_7sklearn_5utils_11seq_dataset_CSRDataset": 1, - "std": 8, - "swap": 9, - "cmd_whatchanged": 1, - "uv_process_t*": 3, - "__WGLEW_EXT_swap_control": 2, - "ERROR_INVALID_PIXEL_TYPE_EXT": 1, - "F_CONNECTION_CLOSE": 3, - "*rcbuffer": 1, - "WGL_VIDEO_OUT_COLOR_AND_ALPHA_NV": 1, - "PFNWGLBINDVIDEOCAPTUREDEVICENVPROC": 2, - "__pyx_t_float_complex": 27, - "rdbSaveBackground": 1, - "__Pyx_Print": 1, - "clientsCron": 2, - "no": 4, - "HTTP_UNLOCK": 2, - "__Pyx_GetItemInt_List_Fast": 1, - "updateDictResizePolicy": 2, - "sflags": 1, - "parse_commit_date": 2, - "parse_table_header": 1, - "__wglewMakeAssociatedContextCurrentAMD": 2, - "...": 127, - "CALLBACK_DATA_": 4, - "jintArray": 1, - "__Pyx_SetAttrString": 2, - "AF_UNIX": 2, - "argList": 8, - "__pyx_t_float_complex_from_parts": 1, - "doc": 6, - "ZMALLOC_LIB": 2, - "mgetCommand": 1, - "cmd_bundle": 1, - "PFNWGLALLOCATEMEMORYNVPROC": 2, - "HTTP_SEARCH": 1, - "cpu_down": 2, - "server.logfile": 8, - "PyBuffer_Release": 1, - "*envchanged": 1, - "__wglewGetSyncValuesOML": 2, - "WGL_DIGITAL_VIDEO_CURSOR_INCLUDED_I3D": 1, - "__WGLEW_EXT_pbuffer": 2, - "does": 1, - "git_buf_vec": 1, - "*__pyx_ptype_7sklearn_12linear_model_8sgd_fast_Huber": 1, - "*__pyx_pf_7sklearn_12linear_model_8sgd_fast_5Huber_4dloss": 1, - "WGL_DEPTH_COMPONENT_NV": 1, - "Endian": 1, - "npy_uint8": 1, - "server.client_obuf_limits": 9, - "m": 8, - "num_online_cpus": 2, - "s_chunk_size_start": 4, - "pp_user_info": 1, - "http_minor": 11, - "zincrbyCommand": 1, - "megabytes": 1, - "prepareForShutdown": 2, - "real": 2, - "iBuffer": 2, - "A0": 3, - "function": 6, - "PM_HIBERNATION_PREPARE": 1, - "*tail": 2, - "__Pyx_XCLEAR": 1, - "cmd_rev_parse": 1, - "expand_tabs": 1, - "work.size": 5, - "DeviceName": 1, - "s_res_http_minor": 3, - "wglBindVideoImageNV": 1, - "WGL_STEREO_EXT": 1, - "WGL_PIXEL_TYPE_ARB": 1, - "keysCommand": 1, - "CPU_DYING": 1, - "shared.punsubscribebulk": 1, - "cmd_reset": 1, - "WGL_NV_video_capture": 2, - "iGpuIndex": 2, - "memory": 4, - "rfUTILS_SwapEndianUS": 10, - "srcY1": 1, - "list": 1, - "sstrP": 6, - "pgdat": 3, - "new_file.path": 6, - "*__pyx_n_s__update": 1, - "xf": 1, - "wglQueryFrameCountNV": 1, - "RF_BITFLAG_ON": 5, - "RF_UTF32_LE//": 2, - "__pyx_f_7sklearn_12linear_model_8sgd_fast_min": 1, - "PyComplex_Check": 1, - "CYTHON_REFNANNY": 3, - "functionality": 1, - "uv__handle_start": 1, - "__WGLEW_NV_gpu_affinity": 2, - "ids": 1, - "WGL_STEREO_POLARITY_NORMAL_3DL": 1, - "library": 3, - "de": 12, - "setup_work_tree": 1, - "uv__new_sys_error": 1, - "__WGLEW_I3D_digital_video_control": 2, - "HPBUFFERARB": 12, - "cpumask_empty": 1, - "*w": 2, - "is_connect": 4, - "WGL_ACCESS_READ_ONLY_NV": 1, - "commit_extra_header": 7, - "shared.queued": 2, - "Py_buffer*": 2, - "isinherited": 1, - "was_alias": 3, - "ev_child_start": 1, - "*ver_major": 2, - "__wglewAllocateMemoryNV": 2, - "determine": 1, - "HTTP_PARSER_ERRNO": 10, - "__Pyx_CodeObjectCache": 2, - "s_start_req": 6, - "passes": 1, - "*sample_weight_data": 2, - "fstat": 1, - "tag_end": 7, - "__pyx_refnanny": 8, - "on_message_complete": 1, - "GET": 2, - "s_header_field_start": 12, - "INVALID_HOST": 1, - "cmd_cherry": 1, - "hReadDC": 2, - "CMIT_FMT_USERFORMAT": 1, - "git_setup_gettext": 1, - "*argcp": 4, - "HANDLE*": 3, - "SHA_CTX": 3, - "copy": 4, - "__pyx_k__xnnz": 1, - "_strnicmp": 1, - "WGLEW_ARB_render_texture": 1, - "WGL_ARB_make_current_read": 2, - "*reencode_commit_message": 1, - "*oid": 2, - "rfUTF8_IsContinuationbyte": 1, - "decoded": 3, - "*configfile": 1, - "shared.roslaveerr": 2, - "GIT_DELTA_MODIFIED": 3, - "name": 28, - "i_SELECT_RF_STRING_FWRITE": 1, - "wglGetPbufferDCARB": 1, - "*o2": 2, - "rb_define_method": 2, - "on_headers_complete": 3, - "git_cache": 4, - "i_SELECT_RF_STRING_AFTERV17": 1, - "*repo": 7, - "__wglewCreateBufferRegionARB": 2, - "__pyx_t_5numpy_complex_t": 1, - "__pyx_L0": 18, - "server.rdb_checksum": 1, - "v2": 26, - "onto_pool": 7, - "*msc": 3, - "WGL_EXT_pbuffer": 2, - ".expires": 8, - "stack": 6, - "res": 4, - "__pyx_PyFloat_AsDouble": 12, - "die_errno": 3, - "wglReleaseVideoImageNV": 1, - "wglCreateContextAttribsARB": 1, - "INT": 3, - "MKD_TABSTOP": 1, - "yajl_status_to_string": 1, - "*__pyx_t_2": 3, - "i_SELECT_RF_STRING_BEFOREV17": 1, - "s_req_host": 8, - "get_online_cpus": 2, - "rb_rdiscount__get_flags": 3, - "*lookup_commit": 2, - "HTTP_CONNECT": 4, - "__pyx_v_flags": 1, - "getNodeByQuery": 1, - "5": 1, - "macros": 1, - "options.stdio_count": 4, - "__wglewDisableGenlockI3D": 2, - "#error": 4, - "listNodeValue": 3, - "server.delCommand": 1, - "IS_ALPHA": 5, - "WGL_ACCUM_BLUE_BITS_ARB": 1, - "WGL_SWAP_LAYER_BUFFERS_ARB": 1, - "__pyx_obj_7sklearn_12linear_model_8sgd_fast_LossFunction": 15, - "HTTP_SUBSCRIBE": 2, - "an": 2, - "sha1": 20, - "dictGetRandomKey": 4, - "byte": 6, - "PyLongObject": 2, - "*__pyx_n_s__threshold": 1, - "*state": 1, - "PFNWGLGETPIXELFORMATATTRIBFVEXTPROC": 2, - "wglReleasePbufferDCEXT": 1, - "WGL_NUMBER_OVERLAYS_ARB": 1, - "RF_String": 27, - "*__pyx_f": 1, - "NEW_MESSAGE": 6, - "*out": 3, - "handle_options": 2, - "wglGetGenlockSourceI3D": 1, - "ruby_obj": 11, - "*__pyx_n_s__isinf": 1, - "write_lock_irq": 1, - "__cpu_up": 1, - "__Pyx_PyInt_FromSize_t": 1, - "hObject": 2, - "PFNWGLGETFRAMEUSAGEI3DPROC": 2, - "WGL_I3D_image_buffer": 2, - "hdc": 16, - "server.monitors": 2, - "addReplySds": 3, - "goes": 1, - "server.syslog_enabled": 3, - "buf": 57, - "shared.wrongtypeerr": 1, - "__pyx_pw_7sklearn_12linear_model_8sgd_fast_12LossFunction_1loss": 1, - "PyString_FromStringAndSize": 1, - ".blocking_keys": 1, - "node_zonelists": 1, - "decrCommand": 1, - "c_ru.ru_stime.tv_usec/1000000": 1, - "cpu_all_bits": 2, - "__wglewResetFrameCountNV": 2, - "**encoding_p": 1, - "op": 8, - "execvp": 1, - "puRed": 2, - "sort_in_topological_order": 1, - "nd": 1, - "i_ARG2_": 56, - "__wglewCreateImageBufferI3D": 2, - "git_hash_ctx": 7, - "int16_t": 1, - "CALLBACK_NOTIFY_NOADVANCE": 2, - "git_iterator_free": 4, - "move": 12, - "redisServer": 1, - "PFNWGLGETVIDEOINFONVPROC": 2, - "just": 1, - "WGL_BIND_TO_TEXTURE_DEPTH_NV": 1, - "PFNWGLCREATEPBUFFEREXTPROC": 2, - "*slave": 2, - "*data": 12, - "save_our_env": 3, - "git__prefixcmp": 2, - "WGL_TEXTURE_RECTANGLE_NV": 1, - "Stack": 2, - "header_state": 42, - "INVALID_CONSTANT": 1, - "b": 66, - "B1": 1, - "WGL_BIND_TO_TEXTURE_RECTANGLE_FLOAT_R_NV": 1, - "WGLEW_EXT_pixel_format": 1, - "__pyx_module_is_main_sklearn__linear_model__sgd_fast": 1, - "yajl_get_error": 1, - "stateStack": 3, - "S_ISREG": 1, - "*view": 2, - "*X_data_ptr": 2, - "cabsf": 1, - "wglDXRegisterObjectNV": 1, - "__wglewGetPixelFormatAttribfvARB": 2, - "__Pyx_SET_CIMAG": 2, - "LOG_INFO": 1, - "server.aof_filename": 3, - "brpoplpushCommand": 1, - "__pyx_k__threshold": 1, - "uv__process_close": 1, - "*encoding": 2, - "rfUTF8_FromCodepoint": 1, - "argv0": 2, - "ops_sec": 3, - "*item": 10, - "WGL_TRANSPARENT_RED_VALUE_ARB": 1, - "hPbuffer": 14, - "__wglewGetExtensionsStringARB": 2, - "wglMakeAssociatedContextCurrentAMD": 1, - "WGL_SAMPLE_BUFFERS_3DFX": 1, - "s_req_fragment_start": 7, - "__Pyx_PyInt_AsUnsignedInt": 1, - "header_value_mark": 2, - "PyObject_HEAD": 3, - "repo": 23, - "DeviceString": 1, - "WGL_TEXTURE_FLOAT_RGBA_NV": 1, - "dstCtx": 1, - "jfloat": 1, - "yajl_lex_realloc": 1, - "": 1, - "put_online_cpus": 2, - "*desc": 1, - "46": 1, - "PyUnicode_IS_READY": 1, - "PyFloat_CheckExact": 1, - "wglQueryPbufferARB": 1, - "__pyx_k__isinf": 1, - "HVIDEOINPUTDEVICENV*": 1, - "hDc": 6, - "__WGLEW_EXT_depth_float": 2, - "dloss": 1, - "UF_QUERY": 2, - "i_SUBSTR_": 6, - "*l": 1, - "rfUTF16_Decode": 5, - "*dateptr": 1, - "setDictType": 1, - "PyFrozenSet_Check": 1, - "__pyx_vtabstruct_7sklearn_12linear_model_8sgd_fast_Huber": 2, - "i_NPSELECT_RF_STRING_AFTER": 1, - "pollfd": 1, - "UV_INHERIT_FD": 3, - "variable": 1, - "*__pyx_n_s__xnnz": 1, - "bytes": 225, - "rfString_Strip": 2, - "since": 5, - "PyLong_AsLong": 1, - "*__pyx_n_s__nonzero": 1, - "__Pyx_c_negf": 2, - "PyString_GET_SIZE": 1, - "F": 38, - "WGL_NV_gpu_affinity": 2, - "__WGLEW_ARB_pbuffer": 2, - "need_8bit_cte": 2, - "REDIS_AOF_OFF": 5, - "idle_thread_get": 1, - "i_SELECT_RF_STRING_AFTER2": 1, - "uv_spawn": 1, - "PFNWGLJOINSWAPGROUPNVPROC": 2, - "*obj": 9, - "__wglewEndFrameTrackingI3D": 2, - "": 3, - "PyDict_Size": 3, - "processInputBuffer": 1, - "WGL_TEXTURE_FLOAT_R_NV": 1, - "__pyx_doc_7sklearn_12linear_model_8sgd_fast_12LossFunction_loss": 1, - "i_SELECT_RF_STRING_REPLACE0": 1, - "name.machine": 1, - "MKD_NOIMAGE": 1, - "cpu_hotplug_enable_after_thaw": 2, - "HTTP_COPY": 1, - "dst": 15, - "VALUE": 13, - "s_req_http_H": 3, - "LOCK": 2, - "__Pyx_Owned_Py_None": 1, - "PyList_GET_ITEM": 3, - "rb_rdiscount_toc_content": 2, - "wglGetContextGPUIDAMD": 1, - "*__pyx_pf_7sklearn_12linear_model_8sgd_fast_5Hinge_4dloss": 1, - "__cpu_disable": 1, - "__Pyx_GetItemInt_Fast": 2, - "c_ru.ru_utime.tv_usec/1000000": 1, - "__pyx_v_verbose": 1, - "maybe_modified": 2, - "__pyx_t_5": 12, - "defsections": 11, - "WGLEW_I3D_gamma": 1, - "c2": 13, - "*__Pyx_ImportModule": 1, - "s_req_query_string": 7, - "server.stat_keyspace_misses": 2, - "GIT_DIFF_IGNORE_SUBMODULES": 1, - "PFNWGLQUERYVIDEOCAPTUREDEVICENVPROC": 2, - "mi": 5, - "CALLBACK_NOTIFY_": 3, - "REDIS_REPL_PING_SLAVE_PERIOD": 1, - "ll2string": 3, - "git_buf_joinpath": 1, - "WGLEW_ARB_pbuffer": 1, - "*": 259, - "__pyx_k__zeros": 1, - "proc": 14, - "s_req_schema_slash_slash": 6, - "*__pyx_pf_7sklearn_12linear_model_8sgd_fast_11SquaredLoss_loss": 1, - "cmd_checkout": 1, - "uv__handle_init": 1, - "INT32*": 1, - "WGL_FULL_ACCELERATION_ARB": 1, - "wglCreateAssociatedContextAMD": 1, - "get_commit_format": 1, - "MKD_NOPANTS": 1, - "__pyx_v_intercept": 1, - "zrangeCommand": 1, - "clientsCronHandleTimeout": 2, - "cmd_merge": 1, - "__WGLEW_NV_render_texture_rectangle": 2, - "PFNWGLCHOOSEPIXELFORMATARBPROC": 2, - "likely": 22, - "elapsed*remaining_bytes": 1, - "REDIS_CMD_WRITE": 2, - "lpGpuDevice": 1, - "s": 154, - "This": 1, - "dup": 15, - "*__pyx_pf_7sklearn_12linear_model_8sgd_fast_plain_sgd": 1, - "dictSize": 10, - "*retval": 1, - "A6": 2, - "how": 1, - "CYTHON_PEP393_ENABLED": 2, - "xrealloc": 2, - "*__pyx_builtin_range": 1, - "*commandTable": 1, - "imag": 2, - "INVALID_CONTENT_LENGTH": 1, - "i_NPSELECT_RF_STRING_REPLACE1": 1, - "rfString_Remove": 3, - "git_diff_tree_to_tree": 1, - "Flags": 1, - "BUG_ON": 4, - "ask": 3, - "HTTP_PARSER_VERSION_MAJOR": 1, - "s_header_value_lws": 3, - "little": 7, - "RF_MALLOC": 47, - "PyObject_GetBuffer": 1, - "list_common_cmds_help": 1, - "rfString_Tokenize": 2, - "*optionsP": 8, - "CB_message_complete": 1, - "rfFgetc_UTF16BE": 4, - "i_SELECT_RF_STRING_BETWEEN3": 1, - "trace_argv_printf": 3, - "WGL_BIND_TO_TEXTURE_RECTANGLE_FLOAT_RGB_NV": 1, - "WGL_BLUE_SHIFT_EXT": 1, - "appendServerSaveParams": 3, - "": 1, - "PyString_Concat": 1, - "__pyx_vtabstruct_7sklearn_12linear_model_8sgd_fast_EpsilonInsensitive": 2, - "i_rfLMSX_WRAP5": 9, - "child_watcher": 5, - "PFNWGLCHOOSEPIXELFORMATEXTPROC": 2, - "subP": 7, - "rfUTF8_Encode": 4, - "__Pyx_ErrFetch": 1, - "__Pyx_TypeInfo_nn___pyx_t_7sklearn_12linear_model_8sgd_fast_DOUBLE": 1, - "aeCreateEventLoop": 1, - "REDIS_AOF_REWRITE_MIN_SIZE": 1, - "#pragma": 1, - "PFNWGLBINDDISPLAYCOLORTABLEEXTPROC": 2, - "NOTIFY_DONE": 1, - "querybuf_peak": 2, - "__pyx_t_5numpy_ulonglong_t": 1, - "updateLRUClock": 3, - "i_NPSELECT_RF_STRING_AFTERV": 1, - "*__Pyx_GetItemInt_Generic": 1, - "false": 77, - "i_SELECT_RF_STRING_AFTERV6": 1, - "errno": 20, - "numcommands": 5, - "checkUTF8": 1, - "WGL_GPU_FASTEST_TARGET_GPUS_AMD": 1, - "new_count": 1, - "pulCounterOutputPbuffer": 1, - "PyBUF_C_CONTIGUOUS": 1, - "going": 1, - "cmd_show": 1, - "ctime.seconds": 2, - "C2": 1, - "__cplusplus": 20, - "*16": 2, - "IS_HEX": 2, - "to_read": 6, - "*result": 1, - "PyTuple_New": 3, - "cmd_count_objects": 1, - "s_req_query_string_start": 8, - "count": 17, - "rb_cRDiscount": 4, - "**next": 2, - "rb_str_cat": 4, - "dictResize": 2, - "tag_size": 3, - "diff_delta__dup": 3, - "git_diff_index_to_tree": 1, - "*nitem": 2, - "iEntries": 2, - "WGL_TYPE_COLORINDEX_EXT": 1, - "GLushort": 3, - "va_list": 3, - "notifier_block": 3, - "REDIS_REPL_ONLINE": 1, - "CB_url": 1, - "wglCopyImageSubDataNV": 1, - "commit_tree_extended": 1, - "__pyx_pf_7sklearn_12linear_model_8sgd_fast_5Huber___init__": 1, - "*__Pyx_GetItemInt_Tuple_Fast": 1, - "__pyx_t_5numpy_cfloat_t": 1, - "*__pyx_n_s__sumloss": 1, - "UF_PATH": 2, - "setbitCommand": 1, - "WGL_DEPTH_FLOAT_EXT": 1, - "WGL_PBUFFER_WIDTH_ARB": 1, - "RE_UTF8_INVALID_SEQUENCE": 2, - "F_TRAILING": 3, - "*commit_buffer": 2, - "PyUnicode_Decode": 1, - "UV_PROCESS_WINDOWS_VERBATIM_ARGUMENTS": 1, - "dxDevice": 1, - "PFNWGLENABLEFRAMELOCKI3DPROC": 2, - "dstY0": 1, - "*get_octopus_merge_bases": 1, - "notifier_to_errno": 1, - "cpu_present": 1, - "__pyx_v_self": 15, - "flag": 1, - "WGLEW_I3D_digital_video_control": 1, - "WGL_SUPPORT_GDI_ARB": 1, - "__pyx_k__g": 1, - "xF000": 2, - "check_for_tasks": 2, - "which": 1, - "PFNWGLRESTOREBUFFERREGIONARBPROC": 2, - "src": 16, - "__pyx_k__any": 1, - "*__pyx_kp_s_1": 1, - "*a": 9, - "*columns": 2, - "WGL_GENLOCK_SOURCE_EDGE_FALLING_I3D": 1, - "lifo": 1, - "i_NVrfString_CreateLocal": 3, - "__pyx_k__weight_pos": 1, - "shared.space": 1, - "INT_MAX": 1, - "i_SELECT_RF_STRING_REMOVE1": 1, - "Extended": 1, - "new_entry": 5, - "GLsizei": 4, - "keepstr": 5, - ".hcpu": 1, - "*db": 3, - "base": 1, - "ln": 8, - "__builtin_expect": 2, - "http_should_keep_alive": 2, - "HPE_INVALID_INTERNAL_STATE": 1, - "WGL_AUX9_ARB": 1, - "*piFormats": 2, - "nSize": 4, - "rfString_ToUTF16": 4, - "RF_FAILURE": 24, - ";": 5446, - "*__pyx_n_s__intercept_decay": 1, - "clineno": 1, - "cmd_status": 1, - "is_empty": 4, - "wglWaitForSbcOML": 1, - "REDIS_HT_MINFILL": 1, - "KERN_ERR": 5, - "pow": 2, - "st.st_mode": 2, - "GIT_OBJ_BLOB": 1, - "WGL_I3D_swap_frame_lock": 2, - "WGL_DRAW_TO_BITMAP_ARB": 1, - "at": 3, - "strerror": 4, - "definitions": 1, - "set_cpu_present": 1, - "FILE*": 64, - "cmd_repo_config": 1, - "c.want": 2, - "__WGLEW_EXT_create_context_es2_profile": 2, - "thisstrP": 32, - "UNLOCK": 2, - "CLOSE": 4, - "frozen_cpus": 9, - "UV_PROCESS_SETUID": 2, - "WGL_EXT_make_current_read": 2, - ".dict": 9, - "*sp": 1, - "PyObject_GetAttr": 3, - "getClientOutputBufferMemoryUsage": 1, - "WGL_ALPHA_SHIFT_ARB": 1, - "cover": 1, - "rfString_Copy_chars": 2, - "yajl_status_ok": 1, - "HPE_LF_EXPECTED": 1, - "self_ru.ru_utime.tv_usec/1000000": 1, - "RF_SELECT_FUNC_IF_NARGGT": 10, - "RUN_SILENT_EXEC_FAILURE": 1, - "run_command_v_opt": 1, - "cmd_pack_objects": 1, - "UV__O_CLOEXEC": 1, - "wglReleaseTexImageARB": 1, - "*pfAttribFList": 2, - "*keepLength": 1, - "__pyx_t_5numpy_int64_t": 1, - "foff_rft": 2, - "c_line": 1, - "ptr": 18, - "INT64": 18, - "them": 3, - "pid_t": 2, - "shared.pong": 2, - "replicationCron": 1, - "cmd_send_pack": 1, - "WGL_NO_ACCELERATION_ARB": 1, - "WGLEW_ARB_create_context_robustness": 1, - "getClientsMaxBuffers": 1, - "*header_value_mark": 1, - "MASK_DECLARE_4": 3, - "RF_SELECT_FUNC_IF_NARGGT2": 2, - "wglGetVideoDeviceNV": 1, - "__pyx_lineno": 58, - "git_diff_delta": 19, - "group": 3, - "__wglewGetDigitalVideoParametersI3D": 2, - "ERROR_INVALID_PIXEL_TYPE_ARB": 1, - "bytesN=": 1, - "rfString_ToUTF32": 4, - "GITERR_CHECK_ALLOC": 3, - "*__pyx_ptype_5numpy_dtype": 1, - "server.rdb_save_time_start": 2, - "*__pyx_pf_7sklearn_12linear_model_8sgd_fast_12SquaredHinge_6__reduce__": 1, - "HTTP_MAX_HEADER_SIZE": 2, - "PFNWGLBINDVIDEOIMAGENVPROC": 2, - "__pyx_k__plain_sgd": 1, - "server.aof_fsync": 1, - "*src": 3, - "wglIsEnabledFrameLockI3D": 1, - "RF_String*": 222, - "__cpu_notify": 6, - "__Pyx_PyIndex_Check": 3, - "HPE_PAUSED": 2, - "commit_buffer": 1, - "cp": 12, - "uses": 1, - "opening": 2, - "options.cwd": 2, - "PFNWGLDISABLEFRAMELOCKI3DPROC": 2, - "normally": 1, - "codepoints": 44, - "sdsnew": 27, - "s_req_port": 6, - "__pyx_v_power_t": 1, - "check_commit": 2, - "parse_object": 1, - "__Pyx_PyInt_AsLongDouble": 1, - "listRewind": 2, - "j_": 6, - "pulCounterPbuffer": 1, - "CC": 1, - "PFNWGLFREEMEMORYNVPROC": 2, - "WGLEW_ARB_create_context_profile": 1, - "INVALID_EOF_STATE": 1, - "double*": 1, - "B7": 1, - "fit": 3, - "due": 2, - "__pyx_k__loss": 1, - "WGL_AUX0_ARB": 1, - "": 1, - "server.masterport": 2, - "server.repl_state": 6, - "appendCommand": 1, - "rfString_Between": 3, - "what": 1, - "__WGLEW_I3D_swap_frame_usage": 2, - "strncpy": 3, - "HPE_INVALID_METHOD": 4, - "h_matching_upgrade": 3, - "__pyx_obj_7sklearn_12linear_model_8sgd_fast_Hinge": 6, - "": 1, - "data.fd": 1, - "strbuf": 12, - "REDIS_WARNING": 19, - "syncCommand": 1, - "syslog": 1, - "server.unixsocketperm": 2, - "WGL_DIGITAL_VIDEO_CURSOR_ALPHA_FRAMEBUFFER_I3D": 1, - "CMIT_FMT_RAW": 1, - "HTTP_PROPFIND": 2, - "ob_refcnt": 1, - "fseek": 19, - "Counts": 1, - "will": 3, - "environment": 3, - "validity": 2, - "commit_list_set_next": 1, - "*__Pyx_GetItemInt_List_Fast": 1, - "bgrewriteaofCommand": 1, - "*parser": 9, - "__Pyx_XDECREF": 20, - "WGLEW_NV_render_texture_rectangle": 1, - "WGL_ACCUM_RED_BITS_EXT": 1, - "hgetallCommand": 1, - "ops": 1, - "dictSdsCaseHash": 2, - "WGLEW_NV_present_video": 1, - "server.unixtime": 10, - "commandTableDictType": 2, - "abort": 1, - "": 1, - "yajl_state_start": 1, - "nosave": 2, - "PyNumber_InPlaceTrueDivide": 1, - "WGL_ATI_pixel_format_float": 2, - "macro": 2, - "*r": 7, - "TASK_UNINTERRUPTIBLE": 1, - "__Pyx_StringTabEntry": 2, - "rndr_popbuf": 2, - "__wglewCreateAssociatedContextAttribsAMD": 2, - "O_RDWR": 2, - "sigtermHandler": 2, - "idletime": 2, - "uint32_t*": 34, - "queueMultiCommand": 1, - "I_KEEPSTR_": 2, - "cmd_ls_files": 1, - "*list": 2, - "L": 1, - "setup_git_directory": 1, - "S_ISGITLINK": 1, - "": 1, - "*ln": 3, - "__pyx_L4_argument_unpacking_done": 6, - "__pyx_obj_7sklearn_5utils_11seq_dataset_SequentialDataset": 5, - "shared.oomerr": 2, - "npy_int64": 1, - "commit_list_insert": 2, - "WGL_SHARE_DEPTH_EXT": 1, - "most": 3, - "ANET_ERR": 2, - "REDIS_NOTICE": 13, - "cmd_merge_ours": 1, - "foundN": 10, - "properly": 2, - "git_hash_free_ctx": 1, - "__pyx_n_s__y": 6, - "values": 30, - "configfile": 2, - "HTTP_BOTH": 1, - "server.lastsave": 3, - "i_SELECT_RF_STRING_BEFORE1": 1, - "hglrc": 5, - "i_rfString_Before": 5, - "i_rfString_Assign": 3, - "shared.psubscribebulk": 1, - "sismemberCommand": 1, - "MAKE_UINT16": 3, - "Py_TPFLAGS_CHECKTYPES": 1, - "i_SELECT_RF_STRING_COUNT": 1, - "afterP": 2, - "PyObject_SetAttrString": 2, - "discardCommand": 2, - "PyBytes_FromString": 2, - "h_connection_close": 4, - "exit": 20, - "char": 529, - "i_NPSELECT_RF_STRING_BEFOREV": 1, - "i_RIGHTSTR_": 6, - "WGLEW_EXT_pixel_format_packed_float": 1, - "flushdbCommand": 1, - "cpu_online": 5, - "i_rfLMSX_WRAP15": 2, - "cmd_mktag": 1, - "cmd_commit_tree": 1, - "htmlblock_end_tag": 1, - "git_repository_workdir": 1, - "__wglewReleaseVideoCaptureDeviceNV": 2, - "xE": 2, - "might_sleep": 1 - }, - "edn": { - "db.part/tx": 2, - "db/ident": 3, - "}": 22, - "]": 24, - "#db/id": 22, - "db/id": 22, - "{": 22, - "[": 24, - "db/index": 3, - "data/source": 2, - "db.type/double": 1, - "object/meanRadius": 18, - "true": 3, - "db/cardinality": 3, - "db/valueType": 3, - "object/name": 18, - "db.part/db": 6, - "db.part/user": 17, - "db/doc": 4, - "db.install/_attribute": 3, - "db.cardinality/one": 3, - "db.type/string": 2 - }, - "Creole": { - "distribution.": 1, - "be": 1, - "Lars": 2, - "bug": 1, - ".": 1, - "in": 1, - "//travis": 1, - "Mendler": 1, - "free": 1, - "uses": 1, - "tracker": 1, - "converter": 2, - "Copyright": 1, - "LICENSE": 1, - "is": 3, - "Travis": 1, - "found": 1, - "install": 1, - "the": 5, - "//github.com/minad/creole/issues": 1, - "a": 2, - "(": 5, - "README": 1, - "software": 1, - "minad": 1, - "GitHub": 1, - "Creole": 6, - "https": 1, - "RDOC": 1, - "It": 1, - "Github": 1, - "for": 1, - "INSTALLATION": 1, - "files.": 1, - "specified": 1, - "under": 1, - "markup": 1, - "require": 1, - "-": 5, - "at": 1, - "BUGS": 1, - "AUTHORS": 1, - "lightweight": 1, - "report": 1, - "project": 1, - "to": 2, - "of": 1, - "c": 1, - "you": 1, - "If": 1, - "*": 5, - "render": 1, - "on": 2, - "ci.org/minad/creole": 1, - "http": 4, - "Creole.creolize": 1, - "language": 1, - "terms": 1, - "Mendler.": 1, - "larsch": 1, - "s": 1, - "Ruby": 1, - "and": 1, - "HTML": 1, - "creole": 1, - "page": 1, - "//github.com/minad/creole": 1, - "//rdoc.info/projects/minad/creole": 1, - "gem": 1, - "html": 1, - "{": 6, - "Christensen": 2, - "this": 1, - "Project": 1, - "*.creole": 1, - "redistributed": 1, - "may": 1, - "//wikicreole.org/": 1, - "file": 1, - "CI": 1, - "it": 1, - "github": 1, - "please": 1, - ")": 5, - "SYNOPSIS": 1, - "}": 6, - "Daniel": 2 - }, - "VHDL": { - "<": 1, - "rtl": 1, - ")": 1, - "b": 2, - "a": 2, - "(": 1, - ";": 7, - "-": 2, - "begin": 1, - "entity": 2, - "example": 1, - "std_logic": 2, - "ieee.std_logic_1164.all": 1, - "use": 1, - "library": 1, - "not": 1, - "inverter": 2, - "file": 1, - "VHDL": 1, - "architecture": 2, - "out": 1, - "end": 2, - "port": 1, - "ieee": 1, - "of": 1, - "in": 1, - "is": 2 - }, - "Pascal": { - ")": 1, - "(": 1, - "R": 1, - "}": 2, - "{": 2, - ";": 6, - "True": 1, - "Application.MainFormOnTaskbar": 1, - "begin": 1, - "Application.CreateForm": 1, - "TForm2": 1, - "end.": 1, - "program": 1, - "Application.Initialize": 1, - "*.res": 1, - "Form2": 2, - "Unit2": 1, - "Forms": 1, - "uses": 1, - "Application.Run": 1, - "in": 1, - "gmail": 1 - }, - "Lua": { - "in_8_list": 1, - "outname": 3, - "Hold": 1, - "Toggles": 1, - "new": 3, - "in_4_list": 1, - "ipairs": 2, - "given": 1, - "FLOAT": 1, - "whatever": 1, - "or": 2, - "get": 1, - "sloc": 3, - "randlimit": 4, - "which": 1, - "all": 1, - "]": 17, - "Currently": 1, - "#self.bytebuffer": 1, - "repeating": 1, - "whenever": 1, - "self.randrepeat": 5, - "batch": 2, - "self.outlets": 3, - "list": 1, - "trim": 1, - "extension": 2, - "counter": 1, - "self": 10, - "self.inlets": 3, - "in_6_float": 1, - "whether": 1, - "of": 9, - "files": 1, - "v": 4, - "converted": 1, - "are": 1, - "self.filedata": 4, - "function": 16, - "number": 3, - ")": 56, - "byte": 2, - "from": 3, - "s": 5, - "HelloCounter": 4, - "do": 8, - "within": 2, - "increments": 1, - "clear": 2, - "Minimum": 1, - "splice": 1, - "local": 11, - "currently": 1, - "Buffer": 1, - "namedata": 1, - "changes": 1, - "randomized": 1, - "FileModder": 10, - "register": 3, - "plen": 2, - "it": 2, - "write": 3, - "pd.Class": 3, - "times": 2, - "sel": 3, - "File": 2, - "d": 9, - "ints": 1, - "be": 1, - "pattern": 1, - "end": 26, - "a": 5, - "in": 7, - "range": 1, - "Number": 4, - "data": 2, - "bytes": 3, - "inlet": 2, - "schunksize": 2, - "[": 17, - "initialize": 3, - "}": 16, - "route": 1, - "bang": 3, - "self.glitchpoint": 6, - "buffer": 2, - "internal": 1, - "last": 1, - "-": 60, - "#patbuffer": 1, - "then": 4, - "active": 2, - "file": 8, - "counting": 1, - "the": 7, - "return": 3, - "Toggle": 1, - "elseif": 2, - "in_1_bang": 2, - "simple": 1, - "to": 8, - "Glitch": 3, - "object": 1, - "table.remove": 1, - "math.random": 8, - "self.batchlimit": 3, - "filename": 2, - "self.extension": 3, - "Object": 1, - "glitch": 2, - "in_1_symbol": 1, - "mechanisms": 1, - "self.buflength": 7, - "length": 1, - "random": 3, - "To": 3, - "type": 2, - "Shift": 1, - "splicebuffer": 3, - "self.num": 5, - "self.bytebuffer": 8, - "that": 1, - "binfile": 3, - "Total": 1, - "in_2_list": 1, - "atoms": 3, - "_": 2, - "modder": 1, - "on": 1, - "inlet.": 1, - "Active": 1, - "buflength": 1, - "if": 2, - "self.glitchtype": 5, - "for": 9, - "in_3_float": 1, - "indexed": 2, - "pd.post": 1, - "self.randtoggle": 3, - "should": 1, - "{": 16, - "FileListParser": 5, - "second": 1, - "Incoming": 1, - "in_7_list": 1, - "single": 1, - "+": 3, - "..": 7, - "in_3_list": 1, - "insertpoint": 2, - "else": 1, - "table.insert": 4, - "patbuffer": 3, - "bounds": 2, - "triggering": 1, - "glitches": 3, - "(": 56, - "receives": 2, - "first": 1, - "%": 1, - "repeat": 1, - "true": 3, - "next": 1, - "its": 2, - "outlet": 10, - "Base": 1, - "in_2_float": 2, - "in_5_float": 1, - "at": 2, - "image": 1, - "vidya": 1, - "i": 10, - "point": 2, - "an": 1, - "f": 12, - "A": 1 - }, - "Nginx": { - "seems": 1, - "//big_server_com": 1, - "load": 1, - "index": 1, - "be": 1, - "proxy": 1, - "worker_rlimit_nofile": 1, - ".php": 1, - "fastcgi_pass": 1, - "reverse": 1, - "log_format": 1, - "#": 4, - "d": 1, - "worker_connections": 1, - "logs/domain2.access.log": 1, - "//127.0.0.1": 1, - "index.php": 1, - "server_names_hash_bucket_size": 1, - "balancing": 1, - "upstream": 1, - "/etc/nginx/proxy.conf": 1, - "logs/error.log": 1, - "some": 1, - "tcp_nopush": 1, - ";": 35, - "(": 1, - "index.htm": 1, - "js": 1, - "/etc/nginx/fastcgi.conf": 1, - "www.domain1.com": 1, - "server_name": 3, - "|": 6, - "media": 1, - "for": 1, - "index.html": 1, - "proxy_pass": 2, - "domain1.com": 1, - "javascript": 1, - "-": 2, - "expires": 1, - "simple": 2, - "main": 5, - "www": 2, - "www.domain2.com": 1, - "worker_processes": 1, - "to": 1, - "logs/nginx.pid": 1, - "big_server_com": 1, - "css": 1, - "php/fastcgi": 1, - "flash": 1, - "on": 2, - "user": 1, - "http": 3, - "location": 4, - "include": 3, - "html": 1, - "{": 10, - "/": 4, - "images": 1, - "/var/www/virtual/big.server.com/htdocs": 1, - "this": 1, - "error_log": 1, - "stream": 1, - "server": 7, - "events": 1, - "conf/mime.types": 1, - "vhosts": 1, - "root": 2, - "sendfile": 1, - "big.server.com": 1, - "pid": 1, - "application/octet": 1, - "default_type": 1, - "listen": 3, - "logs/big.server.access.log": 1, - "weight": 2, - ")": 1, - "static": 1, - "domain2.com": 1, - "logs/domain1.access.log": 1, - "required": 1, - "logs/access.log": 1, - "}": 10, - "access_log": 4 - }, - "XSLT": { - "select=": 3, - "": 1, - "": 2, - "bgcolor=": 1, - "xmlns": 1, - "": 1, - "

": 1, - "": 1, - "": 1, - "": 1, - "": 2, - "": 1, - "": 1, - "": 2, - "border=": 1, - "My": 1, - "": 1, - "": 1, - "": 1, - "": 2, - "Collection": 1, - "xsl=": 1, - "version=": 2, - "Artist": 1, - "": 1, - "": 2, - "": 2, - "CD": 1, - "": 1 - }, - "Groovy Server Pages": { - "
": 2, - "": 4, - "Testing": 3, - "class=": 2, - "contentType=": 1, - "}": 1, - "{": 1, - "module=": 2, - "with": 3, - "": 4, - "<%@>": 1, - "": 4, - "equiv=": 3, - "<meta>": 4, - "</a>": 2, - "page": 2, - "": 4, - "Using": 1, - "example": 1, - "id=": 2, - "href=": 2, - "": 2, - "name=": 1, - "Download": 1, - "": 4, - "": 4, - "http": 3, - "alt=": 2, - "Resources": 2, - "and": 2, - "SiteMesh": 2, - "content=": 4, - "
": 2, - "": 2, - "": 4, - "Print": 1, - "tag": 1, - "directive": 1, - "": 4 - }, - "Clojure": { - "c2.maths": 2, - "not": 3, - "dom": 1, - "radians": 2, - "c2.svg": 2, - "exist": 1, - ";": 8, - "prime": 2, - "]": 41, - "ns": 2, - "and": 1, - "which": 1, - "into": 2, - "rem": 2, - "like": 1, - "meta": 1, - "cljs": 3, - "vals": 1, - "y": 1, - "Cat": 1, - "contains": 1, - "extend": 1, - "function": 1, - "count": 3, - "degree": 2, - "cond": 1, - "sin": 2, - ")": 84, - "do": 1, - "p": 1, - "Tau": 2, - "default": 1, - "#": 1, - "div.nav": 1, - "coordinates": 7, - "bar": 4, - "sound": 5, - "inc": 1, - "false": 2, - "<": 1, - "a": 3, - "body": 1, - "real": 1, - "cos": 2, - "range": 3, - "[": 41, - "float": 2, - "}": 8, - "c2.dom": 1, - "stops": 1, - "fn": 2, - "vector": 1, - "script": 1, - "Pi": 2, - "c2.core": 2, - "unify": 2, - "-": 14, - "evaluates": 1, - "the": 1, - "to": 1, - "per": 2, - "element": 1, - "n": 9, - "Stub": 1, - "clj": 1, - "make": 1, - "as": 1, - "collection": 1, - "tests": 1, - "defprotocol": 1, - "runtime": 1, - "nil": 1, - "deftype": 2, - "type": 2, - "zero": 1, - "random": 1, - "Dog": 1, - "array": 3, - "take": 1, - "that": 1, - "ISound": 4, - "link": 1, - "deftest": 1, - "_": 3, - "rel": 1, - "identity": 1, - "defn": 4, - "on": 1, - "loop": 1, - "for": 2, - "def": 1, - "while": 3, - "recur": 1, - "if": 1, - "{": 8, - "foo": 6, - "keys": 2, - "x": 6, - "scm*": 1, - "does": 1, - "mean": 2, - "src": 1, - "any": 1, - "(": 83, - "first": 2, - "aset": 1, - "let": 1, - "baz": 4, - "true": 2, - "next": 1, - "require": 1, - "%": 1, - "select": 1, - "aseq": 8, - "href": 1, - "head": 1, - "at": 1, - "use": 2, - "only": 4, - "seq": 1, - "i": 4, - "rand": 2, - "charset": 1, - "html": 1, - "filter": 1, - "is": 7, - "map": 2, - "xy": 1 - }, - "Processing": { - "}": 2, - "background": 1, - ";": 15, - "size": 1, - "{": 2, - ")": 17, - "(": 17, - "triangle": 2, - "quad": 1, - "setup": 1, - "PI": 1, - "rect": 1, - "arc": 1, - "void": 2, - "fill": 6, - "draw": 1, - "TWO_PI": 1, - "noStroke": 1, - "ellipse": 1 - }, - "Xtend": { - "": 1, - "new": 2, - "sumOfVotesOfTop2": 1, - "work": 1, - "example6": 1, - "Movies": 1, - "java.util.Set": 1, - "bd": 3, - "or": 1, - "]": 9, - "and": 1, - "which": 1, - "like": 1, - ".take": 1, - ".sortBy": 1, - "numerous": 1, - "|": 2, - "methods": 2, - "list": 1, - "extension": 2, - "counter": 8, - "list.map": 1, - "big": 1, - "never": 1, - "newHashSet": 1, - "convenient.": 1, - "newHashMap": 1, - "are": 1, - "@Test": 7, - "cascades.": 1, - "with": 2, - "number": 1, - "collections": 2, - "Integer": 1, - ")": 42, - "them": 1, - "s": 1, - "string": 1, - "iterator.hasNext": 1, - ".size": 2, - "someValue": 2, - "static": 4, - "year": 2, - ".iterator": 2, - "segments.next": 4, - "it": 2, - "bar": 1, - "toUpperCase": 1, - ".contains": 1, - "this": 1, - "false": 1, - "map.get": 1, - "a": 2, - "org.junit.Assert.*": 2, - "in": 2, - "Movie": 2, - "import": 7, - "Number": 1, - "numberOfVotes": 2, - "[": 9, - "class": 4, - "movies.sortBy": 1, - "}": 13, - "String": 2, - "happens": 3, - "void": 7, - ".map": 1, - "Never": 2, - "//": 11, - "package": 2, - "loops": 1, - "There": 1, - "-": 5, - "but": 1, - ".head": 1, - "Set": 1, - "Long": 1, - "return": 1, - "long": 2, - "text": 2, - "*": 1, - "various": 1, - "parseDouble": 1, - ".readLines.map": 1, - "to": 1, - "iterator.next": 1, - "line.split": 1, - "movies.filter": 2, - "parseInt": 1, - "make": 1, - "Object": 1, - "BasicExpressions": 2, - "segments.toSet": 1, - "org.junit.Test": 2, - "typeof": 1, - "b": 2, - "com.google.common.io.CharStreams.*": 1, - ".reduce": 1, - "movies": 3, - ".last.year": 1, - "example2": 1, - "parseLong": 1, - "boolean": 1, - ".length": 1, - "loop": 2, - "Double": 1, - "line": 1, - "quotes": 1, - "iterator": 1, - "def": 7, - "assertEquals": 14, - "for": 2, - "getClass": 1, - "while": 2, - "if": 1, - "create": 1, - "controlStructures": 1, - "{": 14, - "foo": 1, - "var": 1, - "double": 2, - "newArrayList": 2, - "java.io.FileReader": 1, - "decimals": 1, - "categories": 1, - "int": 1, - "segments": 1, - "single": 1, - "val": 9, - "+": 6, - "..": 1, - "working": 1, - "(": 42, - "title": 1, - "FileReader": 1, - "true": 1, - "literals": 5, - "set.filter": 1, - "case": 1, - "switch": 1, - "Java": 1, - "set": 1, - "yearOfBestMovieFrom80ies": 1, - "numberOfActionMovies": 1, - "@Data": 1, - "_229": 1, - "rating": 3, - "i": 4, - "categories.contains": 1, - "looks": 1, - "map": 1 - }, - "JSON": { - "]": 17, - "[": 17, - "}": 73, - "{": 73, - "true": 3 - }, - "NetLogo": { - "draw": 1, - "if": 2, - "cells": 2, - "xcor": 2, - "births": 1, - "in": 2, - "blank": 1, - "finish": 1, - "ask.": 1, - "indicates": 1, - "before": 1, - "own": 1, - "display": 1, - "while": 1, - "tick": 1, - "neighboring": 1, - "first": 1, - "This": 1, - "keeps": 1, - "birth": 4, - "initial": 1, - "Starting": 1, - "start": 1, - "ycor": 2, - "synch": 1, - "is": 1, - "the": 6, - ";": 12, - "a": 1, - "float": 1, - "ensures": 1, - "ifelse": 3, - "with": 2, - "patches": 7, - "generation": 1, - "live": 4, - "many": 1, - "second": 1, - "so": 1, - "other": 1, - "false": 1, - "executing": 2, - "-": 28, - "down": 1, - "at": 1, - "each": 2, - "how": 1, - "fgcolor": 1, - "[": 17, - "to": 6, - "living": 6, - "happen": 1, - "of": 2, - "end": 6, - "count": 1, - "random": 2, - "ask": 6, - "patch": 2, - "ticks": 2, - "erasing": 2, - "lockstep.": 1, - "go": 1, - "all": 5, - "set": 5, - "density": 1, - "and": 1, - "are": 1, - "new": 1, - "deaths": 1, - "cell": 10, - "alive": 1, - "them": 1, - "]": 17, - "here": 1, - "neighbors": 5, - "that": 1, - "true": 1, - "reset": 2, - "clear": 2, - "death": 5, - "let": 1, - "pcolor": 2, - "setup": 2, - "<": 1, - "bgcolor": 1, - "mouse": 5, - "any": 1, - "counts": 1 - }, - "PogoScript": { - "resolve": 2, - "replacement.url": 1, - "sort": 2, - "matching": 3, - ".resolve": 1, - "r": 1, - "index": 1, - ".concat": 1, - "script": 2, - "httpism": 1, - "/gi": 2, - "in": 11, - "rep": 1, - "get": 2, - "while": 1, - "tag": 3, - "+": 2, - "m.0.length": 1, - "replace": 2, - "(": 38, - "a": 1, - "length": 1, - "url": 5, - "requested": 2, - "async.map": 1, - "i": 3, - "|": 2, - "reg.exec": 1, - "": 1, - "for": 2, - "href": 1, - "require": 3, - "scripts": 2, - "reg": 5, - "@": 6, - "-": 1, - "each": 2, - "replacement.body": 1, - "elements": 5, - "[": 5, - "squash": 2, - "callback": 2, - "*href": 1, - "*": 2, - "links": 2, - "replacement": 2, - "exports.squash": 1, - "replacements": 6, - "async": 1, - "html.substr": 1, - "r.href": 1, - "parts": 3, - "r.url": 1, - "httpism.get": 2, - "html": 15, - "{": 3, - "/": 2, - "err": 2, - "link": 2, - "]": 7, - "replacements.sort": 1, - "b.index": 1, - "a.index": 1, - "rep.index": 1, - "m.index": 1, - "elements.push": 1, - "m": 1, - "*src": 1, - ".body": 2, - "as": 3, - "<\\/link\\>": 1, - "s*": 2, - ")": 38, - "b": 1, - "m.1": 1, - "<\\/script\\>": 1, - "r/": 2, - "rep.length": 1, - "": 1, - "}": 3 - }, - "Idris": { - "else": 2, - "isAlpha": 3, - "module": 1, - "]": 1, - "[": 1, - "elem": 1, - "+": 1, - ")": 7, - "9": 1, - "(": 8, - "z": 1, - "Z": 1, - "x": 36, - "-": 8, - "isSpace": 2, - "isDigit": 3, - "||": 9, - "<=>": 3, - "toUpper": 3, - "isHexDigit": 2, - "then": 2, - "hexChars": 3, - "isAlphaNum": 2, - "Bool": 8, - "import": 1, - "List": 1, - "&&": 3, - "where": 1, - "Char": 13, - "prim__charToInt": 2, - "prim__intToChar": 2, - "isNL": 2, - "Prelude.Char": 1, - "toLower": 2, - "if": 2, - "isLower": 4, - "isUpper": 4, - "Builtins": 1 - }, - "SuperCollider": { - "var": 2, - "*new": 1, - "this.createCCResponders": 1, - "//boot": 1, - "Saw.ar": 1, - "CCResponder": 1, - "SinOsc.kr": 1, - "scalarAt": 1, - "value": 1, - "resfreq": 3, - "a.test.plot": 1, - "Env": 1, - ".value": 1, - ".plot": 2, - "Array.fill": 1, - "LFNoise2.kr": 2, - "+": 4, - "Dictionary.new": 3, - "val": 4, - "controls": 2, - ";": 32, - "(": 34, - "a": 2, - "controlBuses.put": 1, - "e.next.postln": 1, - "rangedControlBuses": 2, - "**": 1, - "i": 5, - "|": 4, - "b.test.plot": 1, - "num": 3, - "SinOsc.ar": 1, - "SynthDef": 1, - ".play": 2, - ".fork": 1, - "createCCResponders": 1, - "-": 1, - "at": 1, - "do": 2, - "rrand": 2, - "[": 3, - "controls.at": 2, - "s.boot": 1, - "RLPF.ar": 1, - "*": 3, - ".range": 2, - "responders": 2, - "Env.sine.asStream": 1, - ".postln": 1, - "controlNum": 6, - "chan": 3, - "a.delay": 2, - "sig": 7, - "wait": 1, - "/": 2, - "Bus.control": 1, - "Out.ar": 1, - "{": 14, - "//": 4, - "controlBuses.at": 2, - "Server.default": 1, - "src": 3, - "rand2": 1, - "exprand": 1, - "]": 3, - "server": 1, - "controlBuses": 2, - "e": 1, - "busAt": 1, - "Env.perc": 1, - "super.new.init": 1, - "init": 1, - ")": 34, - "b": 1, - "nil": 4, - "Pan2.ar": 1, - "arg": 4, - "BCR2000": 1, - "}": 14, - "controls.put": 1 - }, - "Matlab": { - "t1": 6, - "also": 1, - "vx_f": 3, - "d": 12, - "minStates": 2, - "pzplot": 1, - "holder": 2, - "data": 27, - "suppresses": 2, - "phisically": 2, - "colors": 13, - "value2": 4, - "d./": 1, - "args.detrend": 1, - "resides": 2, - "validation": 2, - "box": 4, - "vx_0": 37, - "de": 4, - ".": 13, - "fix_ps_linestyle": 6, - "motion": 2, - "grid_width": 1, - "real": 3, - "identified": 1, - "plots/": 1, - "data/": 1, - "Energy": 4, - "end": 150, - "deltaDen": 2, - "loopNames": 4, - "@iirFilter": 1, - "aux.m": 3, - "@getState": 1, - ".handlingMetric.num": 1, - "Short": 1, - "results": 1, - "x_f": 3, - "AbsTol": 2, - "plot": 26, - "x": 46, - "change": 1, - "metricLine": 1, - "contourf": 2, - "numeric.StateName": 1, - "h2": 5, - "xLimits": 6, - "]": 311, - "vy": 2, - "denominatore": 1, - "x_0": 45, - "plantNum.plantTwo": 2, - "Runge": 1, - "dy": 5, - "B": 9, - "Bode": 1, - "while": 1, - "defaultSettings.outputs": 1, - "k1*h/2": 1, - "*e_0": 3, - "ci": 9, - "guessPlantOne": 4, - "phase_portraits": 2, - "yl2": 8, - "plotAxes": 22, - "max": 9, - "pints": 1, - "Parallel": 2, - "bikeData.modelPar.": 1, - "data.system.B": 1, - "closed": 1, - "c3": 3, - "InputName": 1, - "depends": 1, - "input": 14, - "dataPlantOne": 3, - "gainChanges": 2, - "type": 4, - "Metric": 2, - "goodness": 1, - "opts": 4, - "l1": 2, - "h*k3": 1, - ";": 909, - "loop": 1, - "rollData.speed": 1, - "dArrow1": 2, - "exist": 1, - "Units": 1, - ".vaf": 1, - "warning": 1, - "roots": 3, - "closedLoops.PhiDot.den": 1, - "k2*h/2": 1, - "squeeze": 1, - "ndgrid": 2, - "resultPlantTwo": 1, - "ne": 29, - "semicolon": 2, - "aux.timeDelay": 2, - "data.forceTF.PhiDot.den": 1, - "wnm": 11, - "gains.Browser.Fast": 1, - "parameter": 2, - "ye": 9, - "@f_reg": 1, - "maxLine": 7, - "ax": 15, - "linestyles": 15, - "Southwest": 1, - "cleaning": 1, - "EastOutside": 1, - "enumeration": 1, - "x_train": 2, - "nominalData.": 2, - "non": 2, - "Earth": 2, - "j": 242, - "openLoops.Y.num": 1, - "str": 2, - "elseif": 14, - "green": 1, - "x_res": 7, - "yShift": 16, - "Position": 6, - "analytic.A": 3, - "r2": 3, - "grid_min": 3, - "x_0_min": 8, - "find_structural_gains": 2, - "store": 4, - "repmat": 2, - "xlabel": 8, - "Kinetic": 2, - "on": 13, - "size": 11, - "mod": 3, - "vy0": 2, - "pcolor": 2, - "ny": 29, - "k2": 3, - "Moon": 2, - "tf": 18, - "minLine": 4, - "Xlabel": 1, - "vy_T": 12, - "pathToFile": 11, - "t0": 6, - "xl5": 8, - "*Omega": 5, - "gains.Fisher.Medium": 1, - "average": 1, - "difference": 2, - "and": 7, - "disp": 8, - "value1": 4, - "var": 3, - "nome": 2, - "Compute_FILE_gpu": 1, - "would": 2, - "Choice": 2, - "-": 673, - "e_0": 7, - "they": 2, - "result": 5, - "dello": 1, - "gains.Benchmark.Medium": 1, - "twentyPercent.modelPar.": 1, - "y_T": 17, - "ecc": 2, - "data.": 6, - "plantOneSlopeOffset": 3, - "t_integr": 1, - "coords": 2, - "overrideSettings": 3, - "Kutta": 1, - "options.": 1, - "integrated": 5, - "aux": 3, - "filtro_1": 12, - "cyan": 1, - "Level": 6, - "closedLoops.PhiDot.num": 1, - "Fontsize": 4, - "parser.addParamValue": 3, - "w": 6, - "data.forceTF.PhiDot.num": 1, - "data.bicycle.inputs": 1, - "feedback": 1, - "line.": 2, - "endOfSlope": 1, - "h1": 5, - "h_r/2": 4, - "inputs": 14, - "userSettings": 3, - "vx": 2, - "openBode": 3, - "std": 1, - "Ys.num": 1, - "Yc": 5, - "Call": 2, - "adapting_structural_model": 2, - "dx": 6, - "A": 11, - "aux.pars": 3, - "_e": 1, - "delta_e": 3, - "YTick": 1, - "like": 1, - "normalized": 1, - "dataPlantTwo": 3, - "&": 4, - "@f": 6, - "raw.theta_c": 1, - "E_0": 4, - "prod": 3, - "data.modelPar.D": 1, - "FIXME": 1, - "yl1": 12, - "ecc*cos": 1, - "phiDotNum": 2, - "inset": 3, - "log": 2, - "free": 1, - "Y_T": 4, - "not": 3, - "Linestyle": 6, - "resultPlantTwo.fit": 1, - "data.system.A": 1, - "train_idx": 3, - "c2": 5, - "defaultSettings": 3, - "p": 7, - "matrix": 3, - "number": 2, - "vx_0_max": 8, - "sum": 2, - "plotyy": 3, - "position": 2, - "command": 2, - "memory": 1, - "iddata": 1, - "twentyPercent": 1, - "output": 7, - "l0": 1, - "dataAdapting": 3, - "teoricamente": 1, - "y_a": 10, - "all": 15, - "definition": 2, - "neuroDen": 2, - "phi": 13, - "spiegarsi": 1, - "rectangle": 2, - "contents.data": 2, - "gainsInFile": 3, - "*E_L1": 1, - "dbstack": 1, - "unit": 1, - "ones": 6, - "x_r": 6, - "contents.colheaders": 1, - "y_max": 3, - "ftle_norm": 1, - "opts.Title.String": 2, - "Deviation": 1, - "bottomRow": 1, - "spostamento": 1, - "Back": 1, - "axis": 5, - "textscan": 1, - "vx_0.": 2, - "deltaNum": 2, - "py_0": 2, - "i": 338, - "Yp": 2, - "strtrim": 2, - "iirFilter": 1, - "ridotta": 1, - "col": 5, - "var_xvx_": 2, - "figHeight": 19, - "N": 9, - "result.": 2, - "r1": 3, - "gains.Benchmark.Slow": 1, - "figWidth": 24, - "v_y": 3, - "Distance": 1, - "nx": 32, - "uses": 1, - "double": 1, - "essere": 1, - "w_r/2": 4, - "options": 14, - "k1": 4, - "te": 2, - "speedsInFile": 5, - "gains.Fisher.Fast": 1, - "numeric.InputName": 1, - "system_state_space": 2, - "mai": 1, - "Dimensionless": 1, - "integrare": 2, - "blue": 1, - "}": 157, - "h_a": 5, - "Integrate_FILE": 1, - "In": 1, - "fit": 6, - "place": 2, - "wfs": 1, - "xl4": 10, - "b": 12, - "properties": 1, - "measure": 1, - "gains.Browserins.Slow": 1, - "floatSpec": 3, - "guessPlantTwo": 3, - "bicycle.StateName": 2, - "primary": 1, - "guess": 1, - "x2": 1, - "w_a": 7, - "G": 1, - "strcmp": 24, - "get": 11, - "Linewidth": 7, - "of": 35, - "matlab_function": 5, - "compare": 3, - "bodeoptions": 1, - "eye": 9, - "Saving": 4, - "xlim": 8, - "getoptions": 2, - "rollData": 8, - "come": 1, - "nominalData": 1, - "vOut": 2, - "openLoops.Phi.num": 1, - "Handling": 2, - "v": 12, - "which": 2, - "pathLength": 3, - "gray": 7, - "opts.PhaseMatchingValue": 2, - "startOfSlope": 3, - "grid_spacing": 5, - "[": 311, - "tempo": 4, - "guesses": 1, - "numeric.OutputName": 1, - "integrating": 1, - "twentyPercent.": 2, - "approach": 1, - "sense": 2, - "raw.theta": 1, - "@": 1, - "gains.Yellow.Slow": 1, - "distance": 6, - "start": 4, - "Elements": 1, - "openLoops.Y.den": 1, - "resultPlantOne.fit.par": 1, - "black": 1, - "io": 7, - "xAxis": 12, - "defaultNames": 2, - "h/6*": 1, - "%": 554, - "fopen": 2, - "ylabels": 2, - "par": 7, - "StateName": 1, - "Transforming": 1, - "closedLoops": 1, - "length": 49, - "numeric.D": 1, - "data.modelPar.C": 1, - "gains.Pista.Medium": 1, - "mu": 73, - "goldenRatio": 12, - "obj.R": 2, - "i/n": 1, - "grid": 1, - "tic": 7, - "deps2c": 3, - "solutions": 2, - ".2f": 5, - "Hands": 1, - "TODO": 1, - "gains.Browser.Medium": 1, - "PaperUnits": 3, - "fieldnames": 5, - "legWords": 3, - "c1": 5, - "parser.addRequired": 1, - "guess.plantOne": 3, - "eVals": 5, - "conservation": 2, - "plantTwoSlopeOffset": 3, - "T": 22, - "VX_T": 4, - "ismember": 15, - "randomGuess": 1, - "Hamiltonian": 1, - "PaperPosition": 3, - "Manual": 2, - "settings.inputs": 1, - "sections": 13, - "computation": 2, - "convert_variable": 1, - "filter_ftle": 11, - "regexp": 1, - "text": 11, - "location": 1, - "plots": 4, - "@cross_y": 1, - "resultPlantTwo.fit.par": 1, - "history": 7, - "ds_x": 1, - "Hill": 1, - "negative": 1, - "bode": 5, - "xn": 4, - "dim": 2, - "function": 34, - "gca": 8, - "ode45": 6, - "y_test": 3, - "downSlope": 3, - "rollData.path": 1, - "white": 1, - "fillColors": 1, - "*vx_0": 1, - "It": 1, - "ylim": 2, - "line": 15, - "h": 19, - "par_text_to_struct": 4, - "gpuArray": 4, - "x_test": 3, - "field": 2, - "Edgecolor": 1, - "*mu": 6, - "settings.states": 3, - "closeLeg": 2, - "train": 1, - "data.Browser": 1, - "else": 23, - "oneSpeed": 3, - "speeds": 21, - "sprintf": 11, - "keep": 1, - "*log": 2, - "find": 24, - "Ys.den": 1, - "direction": 2, - "direzione": 1, - "f_x_t": 2, - "pad": 10, - "PaperSize": 3, - "plot_io": 1, - "freq": 12, - "rad/sec": 1, - "with": 2, - "*ds": 4, - "magnitudes": 1, - "gains.Browser.Slow": 1, - "makeFilter": 1, - "|": 2, - "total": 6, - "obj": 2, - ".*": 2, - "leg2": 2, - "error": 16, - "calc_error": 2, - "ret": 3, - "RelTol": 2, - "write_gains": 1, - "xl3": 8, - "a": 17, - "pu": 1, - "EnergyH": 1, - "px_T": 4, - "gains.Browserins.Fast": 1, - "Location": 2, - "positions": 2, - "fileparts": 1, - "*phi": 2, - "min": 1, - "pathToParFile": 2, - "rollTorque": 4, - "textX": 3, - "+": 169, - "dphi": 12, - "Omega": 7, - "np": 8, - "filter": 14, - "linspace": 14, - "statefcn": 2, - "y_gpu": 3, - "vy_f": 3, - "gains.Yellow.Medium": 1, - "From": 1, - "paths.eps": 1, - "neuroNum": 2, - "u": 3, - "plantNum.plantOne": 2, - "vx_gpu": 3, - "plantNum": 1, - "states": 7, - "vy_0": 22, - "*k3": 1, - "visualize": 2, - "speed": 20, - "struct": 1, - "off": 10, - "m/s": 6, - "inches": 3, - "allGains": 4, - "defaultSettings.states": 1, - "@dg": 1, - "round": 1, - "Look": 2, - "y_f": 3, - "vals": 2, - "in": 8, - "_H": 1, - "ss2tf": 2, - "Double": 1, - "gains.Yellow.Fast": 1, - "gains.Pista.Fast": 1, - "Color": 13, - "numeric.C": 1, - "data.modelPar.B": 1, - "i/nx": 2, - "C/2": 1, - "settings.outputs": 1, - "this": 2, - "y_0": 29, - "clc": 1, - "time": 21, - "maxValue": 4, - "Integration": 2, - "create_ieee_paper_plots": 2, - "arg1": 1, - "n": 102, - "Selection": 1, - "plant": 4, - "figure": 17, - "tolerance": 2, - "none": 1, - "metricLines": 2, - "order": 11, - "normalize": 1, - "VAF": 2, - "Setting": 1, - "Latex": 1, - "S": 5, - "overwrite_settings": 2, - "parser.Results": 1, - "xShift": 3, - "compute": 2, - "same": 2, - "data.Benchmark.Medium": 2, - "equal": 2, - "gains": 12, - "errors": 4, - "raw": 1, - "toc": 5, - "one": 3, - "Check": 6, - "equations": 2, - "positive": 2, - "eigenValues": 1, - "oneSpeed.time": 2, - "pem": 1, - "aux.plantFirst": 2, - "currentGuess": 2, - "through": 1, - "meaningless": 2, - "Y_0": 4, - "load_data": 4, - "g": 5, - "bicycle.InputName": 2, - ".file": 1, - "LineStyle": 2, - "chil": 2, - "abs": 12, - "Computation": 9, - "variable": 10, - "odeset": 4, - "closedBode": 3, - "openLoops.Phi.den": 1, - "removeStates": 1, - "1": 1, - "rollAngle": 4, - "ok": 2, - "YTickLabel": 1, - "xData": 3, - "hold": 23, - "fclose": 2, - "x_max": 3, - "human": 1, - "get_variables": 2, - "d_mean": 3, - "mean": 2, - "mag": 4, - "bodeplot": 6, - "Potential": 1, - "generate_data": 5, - "rad/s": 4, - "{": 157, - "settings": 3, - "leg1": 2, - "back": 1, - "isterminal": 2, - "ds_vx": 1, - "xl2": 9, - "Path": 1, - "inf": 1, - "bicycle": 7, - "lane.": 1, - "x0": 4, - "E": 8, - "grid_y": 3, - "bicycle.OutputName": 4, - "index": 6, - "/length": 1, - "arg": 2, - "grid_max": 3, - "rollData.inputs": 1, - "flat": 3, - "sqrt": 14, - "it": 1, - "matlab_class": 2, - "oneSpeed.speed": 2, - "db2": 2, - "x_0_max": 8, - "*": 46, - "nvx": 32, - "gains.Yellowrev.Fast": 1, - "into": 1, - "transfer": 1, - "name": 4, - "yl5": 8, - "Integrate": 6, - "vx_0_min": 8, - "ode113": 2, - "bikeData.": 2, - "/2": 3, - "sg": 1, - "print": 6, - "legend": 7, - "Definition": 1, - "wShift": 5, - "ischar": 1, - "t": 32, - "outputs": 10, - ".fit.par": 1, - "plot.": 1, - "handling.eps": 1, - "*k2": 1, - "vy_gpu": 3, - "Y": 19, - "idnlgrey": 1, - "mine": 1, - "units": 3, - "bops.FreqUnits": 1, - "Inf": 1, - "steps": 2, - "mass": 2, - "meaningful": 6, - "row": 6, - "openLoops": 1, - "advected": 2, - "*ds_vx": 2, - "y_min": 3, - "prettyNames": 3, - "num_data": 2, - "cross_validation": 1, - "gainSlopeOffset": 6, - "clear": 13, - "point": 14, - "defaultSettings.inputs": 1, - "numeric.B": 1, - "data.modelPar.A": 1, - "legends": 3, - "yh": 2, - "C_L1/2": 1, - "eigenvalues": 2, - "OutputName": 1, - "load": 1, - "gcf": 17, - "aux.b": 3, - "Handling.eps": 1, - "interesting": 4, - "setting": 4, - "gather": 4, - "lane": 4, - "from": 2, - "maxEvals": 4, - "bicycle_state_space": 1, - "C_star": 1, - "par.": 1, - "m": 44, - "area": 1, - "needs": 1, - "lambda_max": 2, - "integration": 9, - "fid": 7, - "wc": 14, - "gains.Benchmark.Fast": 1, - "closedLoops.Delta.den": 1, - "sort": 1, - "vx_T": 22, - "R": 1, - "analytic.D": 1, - "manual": 3, - "Southeast": 1, - "x_gpu": 3, - "&&": 13, - "@RKF45_FILE_gpu": 1, - "magenta": 1, - "if": 52, - "ode00": 2, - "Offset": 2, - "ftle": 10, - "Plot": 1, - "bikeData.openLoops": 1, - "at": 3, - "findobj": 5, - "directory": 2, - "typ": 3, - "./": 1, - "methods": 1, - "t3": 1, - "x_T": 25, - "the": 14, - "single": 1, - "width": 3, - "f": 13, - "whipple_pull_force_abcd": 2, - "advected_y": 12, - "CURRENT_DIRECTORY": 2, - "@cr3bp_jac": 1, - "bikes": 24, - "K": 4, - "aux.plantSecond": 2, - "Range": 1, - "y_r": 6, - "PaperPositionMode": 3, - "names": 6, - "curPos2": 4, - "Lateral": 1, - "coordinates": 6, - "arrays": 1, - "contents": 1, - "str2num": 1, - "range": 2, - "nu": 2, - "args": 1, - "arrayfun": 2, - "laneLength": 4, - "d_std": 3, - "value": 2, - "Open": 1, - "obj.B": 2, - "settings.": 1, - "whichLines": 3, - "setoptions": 2, - "bikeData.handlingMetric.num": 1, - "guess.": 2, - "*ds_x": 2, - "varargin_to_structure": 2, - "legLines": 1, - "z": 3, - "opts.YLim": 3, - "classdef": 1, - "The": 6, - "*grid_width/": 4, - "energy": 8, - "true": 2, - "xl1": 13, - "_": 2, - "bikeData.closedLoops": 1, - "orbit": 1, - "appear": 2, - "X_T": 4, - "each": 2, - "YColor": 2, - "grid_x": 3, - "GPU": 3, - "D": 7, - "zeroIndices": 3, - "Lagrangian": 3, - "*T": 3, - "tspan": 7, - "deps2": 1, - "Loop": 1, - "La": 1, - "frontWheel": 3, - ")": 1380, - "filtro": 15, - "notGiven": 5, - "eig": 6, - "is": 7, - "closedLoops.Delta.num": 1, - "db1": 4, - "Y0": 6, - "data.Ts": 6, - "indices": 2, - "gains.Fisher.Slow": 1, - "yl4": 9, - "yn": 2, - "LineWidth": 2, - "vx0": 2, - "var_": 2, - "xy": 7, - "mandatory": 2, - "numbers": 2, - "x_a": 10, - "h_r": 5, - "choose_plant": 4, - "setxor": 1, - "kP2": 3, - "points": 11, - "data.system.D": 1, - "zetanm": 5, - "first": 3, - "for": 78, - "...": 162, - "s": 13, - "tau": 1, - "parallel": 2, - "*Potential": 5, - "||": 3, - "loop_shape_example": 3, - "subplot": 3, - "w_r": 5, - "X": 6, - "path": 3, - "delta_E0": 1, - "Diagrams": 1, - "Initial": 3, - "y_res": 7, - "secData.": 1, - "gains.Browserins.Medium": 1, - "grid_width/": 1, - "Integrate_FTLE_Gawlick_ell": 1, - "px_0": 2, - "parser": 1, - "il": 1, - "den": 15, - "parfor": 5, - "to": 9, - "numeric": 2, - "axes": 9, - "/abs": 3, - "h/2": 2, - "bops": 7, - "numeric.A": 2, - "gains.": 1, - "u.": 1, - "results.mat": 1, - "decide": 1, - "loc": 3, - "C_L1": 3, - "xySource": 7, - "per": 5, - "filesep": 14, - "Compute": 3, - "l": 64, - "parser.parse": 1, - "Ys": 1, - "Data": 2, - "test_idx": 4, - "y_0.": 2, - "red": 1, - "Conditions": 1, - "e_T": 7, - "analytic.C": 1, - "@fH": 1, - "xLab": 8, - "data.bicycle.outputs": 1, - "analytic": 3, - "xlabels": 2, - "variables": 2, - "inputParser": 1, - "@f_ell": 1, - "mkdir": 1, - "k4": 4, - "th": 1, - "ie": 2, - "ss": 3, - "open_loop_all_bikes": 1, - "resultPlantOne.fit": 1, - "<=>": 1, - "Szebehely": 1, - "because": 1, - "system": 2, - "VY_T": 3, - "as": 4, - "useful": 9, - "dphi*dphi": 1, - "mu./": 1, - "XColor": 1, - "initial": 5, - "t2": 6, - "integrator": 2, - "e": 14, - "advected_x": 12, - "overrideNames": 2, - "handling_all_bikes": 1, - "oneSpeed.": 3, - "t_integrazione": 3, - "_n": 2, - "steerAngle": 4, - "E_T": 11, - "curPos1": 4, - "sigma": 6, - "/": 59, - "Jacobian": 3, - "speedNames": 12, - "args.directory": 1, - "openLoops.Psi.den": 1, - "raise": 19, - "possible": 1, - "keepOutputs": 2, - "PaperOrientation": 3, - "portrait": 3, - "Lagr": 6, - "CPU": 1, - "Frequency": 2, - "num": 24, - "loose": 4, - "y": 25, - "columns": 4, - "stored": 1, - "both": 1, - "bad": 4, - "speedInd": 12, - "fprintf": 18, - "Consider": 1, - "self": 2, - "Quality": 2, - "yellow": 1, - "display": 10, - "waitbar": 6, - "*n": 2, - "load_bikes": 2, - "data.bicycle.states": 1, - "C": 13, - "calcolare": 2, - "defaultSettings.": 1, - "only": 7, - "are": 1, - "f.": 2, - "(": 1379, - "global": 6, - "isreal": 8, - "getState": 1, - "shading": 3, - "bikeData": 2, - "matrice": 1, - "ylabel": 4, - "dArrow": 2, - "yl3": 8, - "conditions": 3, - "task": 1, - "set": 43, - "py_T": 4, - "close": 4, - "kP1": 4, - "data.system.C": 1, - "r": 2, - "keepStates": 2, - "gain": 1, - "gains.Pista.Slow": 1, - "rollData.outputs": 3, - "benchmark": 1, - "calc_cost": 1, - "save": 2, - "num2str": 10, - "args.sampleTime": 1, - "many": 1, - "sameSpeedIndices": 5, - "l2": 2, - "ds": 1, - ".handlingMetric.den": 1, - "<": 9, - "guess.plantTwo": 2, - "ticks": 4, - "detrend": 1, - "dvx": 3, - "removeInputs": 2, - "dArrow2": 2, - "lane_change": 1, - "inline": 1, - "annotation": 13, - "delta_E": 7, - "lines": 17, - "y_train": 2, - "hyper_parameter": 3, - "tf2ss": 1, - "FTLE": 14, - "opts.PhaseMatching": 2, - "zeros": 61, - "gains.Yellowrev.Slow": 1, - "path_plots": 1, - "openLoops.Psi.num": 1, - "allSpeeds": 4, - "whipple_pull_force_ABCD": 1, - "slope": 3, - "la": 2, - "gains.Yellowrev.Medium": 1, - "k": 75, - "openBode.eps": 1, - "plot_io_roll": 3, - "y0": 2, - "RK4": 3, - "maxMag": 2, - "velocity": 2, - "resultPlantOne": 1, - "how": 1, - "analytic.B": 1, - "colorbar": 1, - "importdata": 1, - "bikeData.handlingMetric.den": 1, - "E_L1": 4, - "x_min": 3, - "RK4_par": 1, - "phiDotDen": 2, - "rollData.time": 1, - "largest": 1, - "filename": 21, - "Points": 2, - "*E": 2, - "filtfcn": 2, - "final": 2, - "k3": 3, - "Construction": 1, - ".png": 1, - "sr": 1, - "phase": 2, - "E_cin": 4, - "arguments": 7, - "obj.G": 2, - "crossvalind": 1, - "varargin": 25, - "energy_tol": 6, - "fun": 5, - "eigenvalue": 2 - }, - "Nu": { - "NSApplicationMain": 1, - "we": 1, - "when": 1, - "take": 1, - "window": 1, - "retain": 1, - "generation": 1, - "point": 1, - "t": 1, - "cocoa": 1, - "Inc.": 1, - "Technology": 1, - "c": 1, - "Nu": 1, - "a": 1, - ";": 22, - ")": 14, - "(": 14, - "Tim": 1, - "event": 1, - "delegate": 1, - "setDelegate": 1, - "menu": 1, - "main.nu": 1, - "puts": 1, - "main": 1, - "activateIgnoringOtherApps": 1, - "started": 1, - "ve": 1, - "the": 3, - "alloc": 1, - "load": 4, - "SHEBANG#!nush": 1, - "ApplicationDelegate": 1, - "set": 1, - "Hillegass": 1, - "Neon": 1, - "for": 1, - "Aaron": 1, - "definitions": 1, - "YES": 1, - "terminal": 1, - "Entry": 1, - "run": 1, - "init": 1, - "basics": 1, - "Burks": 1, - "nil": 1, - "Cocoa": 1, - "from": 1, - "focus": 1, - "application": 1, - "makes": 1, - "NSApplication": 2, - "Design": 1, - "Copyright": 1, - "loop": 1, - "it": 1, - "this": 1, - "sharedApplication": 2, - "it.": 1, - "program.": 1 - }, - "Forth": { - "true": 1, - "NOT": 3, - "s": 4, - "n2": 2, - "thru": 1, - "evaluate": 1, - "DUP": 14, - "type": 3, - "highest": 1, - "OVER": 2, - "with": 2, - "]": 15, - "swap": 12, - "R": 13, - "repeat": 2, - "TODO": 12, - "and": 3, - "INVERT": 1, - "<": 14, - "DROP": 5, - "tib": 1, - "forth": 2, - "BEGIN": 3, - "execute": 1, - "i": 5, - "DO": 2, - "LOOP": 2, - "orig": 5, - "MAXPOW2": 2, - "Lars": 3, - "rot": 2, - "begin": 2, - "state": 2, - "be": 2, - "uses": 1, - "ADJACENT": 3, - "can": 2, - "tuck": 2, - "do": 2, - "see": 1, - "test": 1, - "algorithm": 1, - "interpret": 1, - "resolve": 4, - "//www.codekata.com/2007/01/code_kata_fifte.html": 1, - "u": 3, - "orig1": 1, - "ok": 1, - "UNTIL": 3, - "while": 2, - "scr": 2, - "ahead": 2, - "value": 1, - "not": 1, - "until": 1, - "current": 5, - "emit": 2, - "number": 4, - "return": 5, - "unresolved": 4, - "dup": 10, - "false": 1, - "Block": 2, - "I": 5, - "save": 2, - "Kernel": 4, - "cell": 2, - "orig2": 1, - "have": 1, - "NB": 3, - "dodoes_code": 1, - "(": 88, - "semantics": 3, - "NIP": 4, - "editor": 1, - "power": 2, - "the": 7, - "postpone": 14, - "...": 4, - "body": 1, - "made": 2, - "undefined": 2, - "restore": 1, - "load": 2, - "cr": 3, - "in": 4, - "block": 8, - "#tib": 2, - "dictionary": 1, - "kernel": 1, - "bits": 3, - ")": 87, - "Forth": 1, - "allot": 2, - "word": 9, - "code": 3, - "SWAP": 8, - ".r": 1, - "EMPTY": 1, - "HOW": 1, - "LOG2": 1, - "flag": 4, - "@": 13, - "cs": 2, - "abort": 3, - "x": 10, - "has": 1, - "m": 2, - "": 1, - "Copyright": 3, - "If": 1, - "literal": 4, - "*": 9, - "u.r": 1, - "compute": 1, - "branch": 5, - "nip": 2, - "else": 6, - "create": 2, - "N.": 1, - "input": 2, - "bounds": 1, - "r@": 2, - ".s": 1, - "A": 5, - "bye": 1, - "find": 2, - "buffers": 2, - "x1": 5, - "utils": 1, - "adjacent": 2, - "blk": 3, - "y": 5, - "MAX": 2, - "+": 17, - "n": 22, - "e.g.": 2, - "MANY": 1, - "http": 1, - "synonym": 1, - "does": 5, - "char": 10, - "c": 3, - "compile": 2, - "X": 5, - "reveal": 1, - "query": 1, - "assembler": 1, - "IF": 10, - "chars": 1, - "action": 1, - "extension": 4, - "defined": 1, - "Undefined": 1, - "pick": 1, - "x2": 5, - "then": 5, - "ABORT": 1, - "list": 1, - "less": 1, - "if": 9, - "TWO": 3, - "immediate": 19, - "buffer": 2, - "keep": 1, - "lastxt": 4, - "empty": 2, - "N": 6, - "words.": 6, - "defer": 2, - "following": 1, - "cells": 1, - "recurse": 1, - "addr": 11, - "C": 9, - "align": 2, - "traverse": 1, - "flush": 1, - "Tools": 2, - "#source": 2, - "name": 1, - "bits.": 1, - "/cell": 2, - "BITS": 3, - "-": 473, - "HELLO": 4, - "**": 2, - "of": 3, - "negate": 1, - "given": 3, - "nr": 1, - "core": 1, - "bl": 4, - "dest": 5, - "parse": 5, - "over": 5, - "loop": 4, - "roll": 1, - "OR": 1, - "unused": 1, - "extended": 3, - "variable": 3, - "or": 1, - "source": 5, - "drop": 4, - "bool": 1, - "i*2": 1, - "|": 4, - ".": 5, - "Brinkhoff": 3, - "string": 3, - "kata": 1, - "ELSE": 7, - "two": 2, - "n1_pow_n2": 1, - "Forth2012": 2, - "SP": 1, - "numbers": 1, - "postponers": 1, - "[": 16, - "tools": 1, - "maximum": 1, - "c@": 2, - "within": 1, - "stack": 3, - "below": 1, - "pad": 3, - "**n": 1, - "r": 18, - "log2_n": 1, - "necessary": 1, - "parsing.": 1, - "cmove": 1, - "/": 3, - "which": 3, - "depth": 1, - "n1": 2, - "DEPTH": 2, - "here": 9, - "THEN": 10, - "KataDiversion": 1, - "end": 1, - "update": 1, - "invert": 1, - "caddr": 1, - "nonimmediate": 1, - "noname": 1, - "refill": 2, - "forget": 1, - ";": 61 - }, - "GAS": { - "__eh_frame": 1, - "LCFI1": 2, - "LCFI0": 3, - "LC0": 2, - ".": 1, - "LEFDE1": 2, - "LSFDE1": 1, - "-": 7, - "L": 10, - "+": 2, - ")": 1, - "(": 1, - "%": 6, - "LASFDE1": 3, - ".long": 6, - "LFE3": 2, - "leaq": 1, - ".text": 1, - ".subsections_via_symbols": 1, - "_main.eh": 2, - "_puts": 1, - "LFB3": 4, - ".ascii": 2, - ".quad": 2, - ".byte": 20, - "strip_static_syms": 1, - "no_toc": 1, - "ret": 1, - "leave": 1, - "pushq": 1, - "_main": 2, - "set": 10, - "rsp": 1, - "rbp": 2, - ".cstring": 1, - "LECIE1": 2, - "live_support": 1, - "eax": 1, - "movl": 1, - "movq": 1, - "xd": 1, - "xe": 1, - "xc": 1, - "coalesced": 1, - ".align": 2, - ".section": 1, - "rdi": 1, - "LSCIE1": 2, - ".set": 5, - "EH_frame1": 2, - "call": 1, - "__TEXT": 1, - "rip": 1, - ".globl": 2 - }, - "LiveScript": { - "til": 1, - "dashes": 1, - "read": 1, - "<": 1, - "data": 2, - "+": 1, - "|": 3, - "to": 2, - "]": 2, - "[": 2, - ")": 10, - "(": 9, - "e": 2, - "*": 1, - "d": 3, - "c": 3, - "b": 3, - "-": 25, - "a": 8, - "<~>": 1, - "error": 6, - "est": 1, - "underscores_i": 1, - "//regexp2//g": 1, - "/regexp1/": 1, - "extends": 1, - "identifiers": 1, - "file": 2, - "ms": 1, - "copy": 1, - "Class": 1, - "map": 1, - "and": 3, - "_000_000km": 1, - "from": 1, - "fold": 1, - "const": 1, - "write": 1, - "if": 2, - "return": 2, - "callback": 4, - "args": 1, - "Anc": 1, - "class": 1, - "filter": 1, - "or": 2, - "strings": 1, - "var": 1 - }, - "Parrot Assembly": { - ".pcc_sub": 1, - "main": 2, - "SHEBANG#!parrot": 1, - "end": 1, - "say": 1 - }, - "Literate Agda": { - "r": 26, - "Verbatim": 1, - "documentclass": 1, - "_": 6, - ".": 5, - "z": 18, - "if": 1, - "show": 1, - "Data.Nat": 1, - "english": 1, - "EasyCategory": 3, - "begin": 2, - "get": 1, - "w": 4, - "ever": 1, - "inhabitant": 5, - "autofe": 1, - "has": 1, - "free": 1, - "t": 6, - "Relation.Binary.PropositionalEquality": 1, - "can": 1, - "the": 1, - "usepackage": 7, - "a": 1, - "(": 36, - "cong": 1, - ".0": 2, - "relation": 1, - "obj": 4, - "babel": 1, - "fancyvrb": 1, - "Add": 1, - "for": 1, - "ensuremath": 3, - "options": 1, - "%": 1, - "trans": 5, - "y": 28, - "where": 2, - "like.": 1, - "-": 21, - ".n": 1, - "n": 14, - "fancy": 1, - "[": 2, - "utf8x": 1, - "document": 2, - "end": 2, - "zero": 1, - "refl": 6, - "you": 3, - "If": 1, - "overline": 1, - "laws": 1, - "open": 2, - "s": 29, - "amssymb": 1, - "category": 1, - "{": 35, - "bbm": 1, - "inputenc": 1, - "equiv": 1, - "DefineVerbatimEnvironment": 1, - "]": 2, - "DeclareUnicodeCharacter": 3, - "here": 1, - "Nat": 1, - "id": 9, - "x": 34, - "that": 1, - "article": 1, - "ucs": 1, - "one": 1, - "m": 6, - "same": 5, - "Set": 2, - "code": 3, - "greek": 1, - "ulcorner": 1, - "suc": 6, - "NatCat": 1, - ")": 36, - "assoc": 2, - "single": 4, - "only": 1, - "import": 2, - "urcorner": 1, - "}": 35, - "module": 3 - }, - "AsciiDoc": { - "lteren": 1, - "plugin": 2, - "test.": 1, - "NOTE": 1, - "Articles": 1, - "AsciiDoc": 3, - "]": 2, - "[": 2, - "management": 2, - "*": 4, - "B": 2, - "A": 2, - "Section": 3, - "a": 1, - "-": 4, - "project": 2, - "Redmine": 2, - "Gregory": 2, - "Subsection": 1, - "test": 1, - "application.": 2, - "B*": 1, - "This": 1, - "Preamble": 1, - "auf": 1, - "the": 2, - "list": 1, - "Ruby": 1, - "users/foo": 1, - "for": 2, - "Home": 1, - "Versionen": 1, - "vicmd": 1, - "id_": 1, - "Item": 6, - "verr": 1, - "has": 2, - "A*": 2, - "only": 1, - "Doc": 1, - "Example": 1, - "rom": 2, - "gif": 1, - "https": 1, - "*Section": 3, - "paragraph.": 4, - "idprefix": 1, - "Page": 1, - "von": 1, - "sind": 1, - "berschrift": 1, - "end": 1, - "an": 2, - "written": 2, - "Writer": 1, - "Title": 1, - "Document": 1, - "ckt": 1, - "Codierungen": 1, - "tag": 1, - "//github.com/foo": 1, - "Rom": 2, - ".Section": 1, - "is": 1, - "": 1 - }, - "M": { - "relative": 1, - "h=": 2, - "files": 4, - "Services": 2, - "NO_AUTO_CAPTURE": 2, - "deleteSessionArrayValue": 2, - "getSessionArrayErr": 1, - "ay": 2, - "": 2, - "Provider": 1, - "localization": 1, - "importCustomTags": 2, - "translationMode": 1, - "QUEUE": 1, - "F": 10, - "STAT": 8, - "getallsubscripts": 1, - "serverArray": 1, - "TRAN": 5, - "lc": 3, - ".buff": 2, - "*x": 1, - "SELECTING": 1, - "WHICH": 1, - "subx": 3, - "PRCADB_": 1, - "MERCHANTABILITY": 11, - "AttributeName.": 2, - "want": 1, - "xor": 4, - ".i": 2, - "IN": 4, - "valueErr": 1, - "bug": 1, - "ex": 5, - "release": 2, - "PXAK": 20, - "zd": 1, - "queryExpression=": 4, - "WebLink": 1, - "_queryExpression": 2, - "Domain": 1, - "modes": 1, - "printing": 1, - "deleteSession": 2, - "dh": 1, - "dw/2": 6, - "remove": 6, - "postconditionals": 1, - "buildDate": 1, - "newline": 1, - "primary": 1, - "gtm": 1, - "job": 1, - "edited": 1, - "a*": 1, - "specified": 4, - "VALM1": 1, - "mm_": 1, - "intro": 1, - "miles": 4, - "dpkg": 1, - "gloRef1_": 2, - "algorithms": 1, - "Perl5": 1, - "//en.wikipedia.org/wiki/MD5": 1, - "b": 64, - "namedonly=": 2, - "output": 49, - "queryget": 1, - "removeDocument": 1, - "MDBConfig": 1, - "relink": 1, - "_sessid_": 3, - "SORT": 3, - "ONLY": 1, - "..F": 2, - "buff": 10, - "systems": 3, - "_query": 1, - "can": 15, - "tree": 1, - "dataLength": 4, - "More": 1, - "@x": 4, - "class": 1, - "w*3": 1, - "WVLOOP": 1, - "U16384": 1, - "p": 84, - "getTokenExpiry": 2, - "numeric": 6, - "_pid_": 1, - "Filename": 1, - "c#4294967296": 1, - "U16417": 1, - "startTime": 21, - "utfConvert": 1, - "permissions": 2, - "clear": 6, - "UNICODE": 1, - "200": 1, - "<-->": 1, - "URL": 2, - "entering": 1, - "directory": 1, - "setSessionArray": 1, - "rotateVersion": 2, - "_crlf_response_crlf": 4, - "to": 73, - "add": 5, - "Electronic": 1, - "Return": 1, - "nextPage": 1, - "addUsername": 1, - "compiled": 1, - "on": 15, - "index": 1, - "flag": 1, - "Apache": 1, - "response_": 1, - "frees": 1, - "Protocol": 2, - "Always": 1, - "testField2": 1, - "HCIOFO/FT": 1, - "old": 3, - "halt": 3, - "always": 1, - "SETPASSWORD": 2, - "call": 1, - "U16405": 1, - "yy=": 1, - "RFC": 1, - "integers": 1, - "itemValue": 7, - "path": 4, - "compile": 14, - "st_": 1, - "props": 1, - "License.": 2, - "elements": 3, - "COPYGBL": 3, - "todrop": 2, - ".subst": 1, - "incorrectly": 1, - "indexLength": 10, - "NODE": 5, - "Wed": 1, - "PRVDR": 1, - "/": 2, - "could": 1, - "published": 11, - "POVARR": 1, - "HERE": 1, - "valueId": 16, - "alphabet": 2, - "WVIEN": 13, - "_count": 1, - "begin_": 1, - "passwords": 1, - "Parenteau": 2, - "htmlOutputEncode": 2, - "VA": 1, - "SSN#": 1, - "handled": 1, - "sessionArrayValueExists": 2, - "preview": 3, - "_GMRGSSW_": 1, - "Perl": 1, - "_gloRef1_key_": 1, - "ZLINK": 1, - "workaround": 1, - "orderall": 1, - "DomainName": 2, - "codes": 1, - "return": 7, - "crlf": 6, - "stripLeadingSpaces": 2, - "propertyValue": 5, - "closeSession": 2, - "y=": 3, - "authenticate": 1, - "don": 1, - "getSessid": 1, - "#16": 3, - "handler": 9, - "mx": 4, - "GMRD": 6, - "K": 5, - "pcreexamples.m": 2, - "className": 2, - "nnvp": 1, - "routines": 6, - "screen": 1, - "UK.": 4, - "userSecretKey": 6, - "scope": 1, - "illustrate": 1, - "Developer": 5, - "Record": 1, - "computes": 1, - "fun.": 1, - "IS": 3, - "U16420": 1, - ".n": 20, - "originally": 1, - "PXAERRF": 3, - "CLOSED.": 1, - "QUEUED.": 1, - "chown": 1, - "Y": 26, - "DR": 4, - "All": 4, - "WARNING3": 1, - "uses": 1, - "libicu": 2, - "in": 78, - "newString": 4, - "chars.": 1, - "lv": 5, - "due": 1, - "evaluation": 1, - "setup": 3, - "zewdSession": 39, - "tries": 1, - "reserved.": 4, - "GENERATOR": 1, - "Select": 2, - "setSessionObject": 3, - "/30/98": 1, - "WASH": 1, - "g": 228, - "PROVDRST": 1, - "itemNamex": 4, - "exception.": 1, - "CHAR": 1, - "payments": 1, - "setGlobal": 1, - "subscriptValue": 1, - "hl": 2, - "PRIMFND": 7, - "_db": 1, - "a=": 3, - "NAMEENTRYSIZE": 1, - "variable": 8, - "Locale": 5, - "mwireLogger": 3, - "ansi": 2, - "getRequestValue": 1, - "U16389": 1, - "u": 6, - "strings": 1, - "pointer": 4, - "WVPRIO": 5, - "RCY": 5, - "out": 2, - "elemId": 3, - "PRCAAPR1": 3, - "attribId": 36, - "j=": 4, - "libicu48": 2, - ".ref": 13, - "createDomain": 1, - "input_crlf": 1, - "setRedirect": 1, - "cy": 2, - "ec=": 7, - "<1))))>": 1, - "argument": 1, - "sessionNameExists": 1, - "p10": 2, - "filepath": 10, - "x*x": 1, - "Compile": 2, - "WVUTL1": 2, - "substring": 1, - "select": 3, - "DEBT": 10, - "any": 15, - "BACKREFMAX": 1, - "Build": 6, - "FOLLOWUP": 1, - "Primary": 3, - "indexes": 1, - "Install": 1, - "Fibonacci": 1, - "message": 8, - "openNewFile": 2, - "clearSessionArray": 1, - "PRI": 3, - "zmwire": 53, - "&": 27, - "reference.": 2, - "SUBSCRIPT": 5, - "cont.": 1, - "been": 4, - "byref": 5, - "GMRGSTAT": 8, - "p4": 2, - "TODO": 1, - "setCheckboxOn": 3, - "CALLED": 1, - ".I": 4, - "Implementation": 1, - "sequence": 1, - "parseJSON": 1, - "procedure": 2, - "properly": 1, - "4": 5, - "zwrite": 1, - "some": 1, - "WV": 8, - "NOMATCH": 2, - "Agent": 1, - "itemsAndAttrs": 2, - "token": 21, - "alg": 3, - "implied": 11, - "str": 15, - "SAVEFILE": 2, - "free": 15, - "append": 1, - "valquot_value_valquot": 1, - "only": 9, - "expected": 1, - ".match": 2, - "//en.wikipedia.org/wiki/Polish_code_pages": 1, - "stringified": 2, - "prePageScript": 2, - "MATCH_LIMIT_RECURSION": 1, - "install": 1, - "decodeBase64": 1, - "pcre.config": 1, - "getPhraseIndex": 1, - "STORE": 3, - "ENTRY": 2, - "start": 24, - "_action": 1, - "available": 1, - "begin": 18, - "IHS/ANMC/MWR": 1, - "ICD9": 2, - "engineering": 1, - "GMRGCSW": 2, - "P": 68, - "utf8=": 1, - "et": 4, - "matching": 4, - "ever": 1, - "address": 1, - "zewdCompiler5": 1, - "codeValueEsc": 7, - "PRCADB": 5, - "listDomains": 1, - "zzname": 1, - "dd": 4, - "setPassword": 1, - "Polish.": 1, - "apt": 1, - "U16392": 2, - ".serverArray": 1, - "U16425": 1, - "comprehensive": 1, - ".s": 5, - "Simple": 2, - "//www.mgateway.com": 4, - "enable": 1, - "check": 2, - "final": 1, - "escaping": 1, - "compute": 2, - "suppressBoxUsage": 1, - "WVENDDT1": 2, - "is": 81, - "_keyId_": 1, - "zewdAPI": 52, - "arguments": 1, - "recursion": 1, - "DIC": 6, - "governing": 1, - "file.": 1, - "Use": 1, - "called": 8, - "escaped": 1, - "limitations": 1, - "occurs": 1, - "@POVARR@": 6, - "If": 14, - "like": 4, - "based": 1, - "ONE": 2, - "_GMRGADD": 1, - "end=": 4, - "l": 84, - "zmwireDaemon": 2, - "PXACCNT": 2, - "textValueEsc": 7, - "WVCHRT": 1, - "DIQ": 3, - "r=": 3, - "PRIORITY": 1, - "here": 4, - "longrun": 3, - "caller": 1, - "getSessionArray": 1, - "The": 11, - "GMRGST": 6, - "prepared": 1, - "was": 5, - "It": 2, - "PXAERROR": 1, - "sumxy": 5, - "DIR_": 1, - "APIs": 1, - "Y_": 3, - "working": 1, - "Daemon": 2, - "letter": 1, - "metaData": 1, - "licensed": 1, - "t10m": 1, - "FLAT.": 1, - "Alternatively": 1, - "TEXT": 5, - "addUser": 2, - "literal": 2, - "parentheses": 1, - "timeout": 1, - "sudo": 1, - "U16401": 2, - "myexception3": 1, - "GT": 1, - "Directive": 1, - "Order": 1, - "second": 1, - "sha": 1, - "report": 1, - "matches": 10, - "NM": 1, - "runSelect": 3, - "d1": 7, - "EXTERNAL": 2, - "keyId": 108, - "prevent": 1, - "Query": 1, - "zco": 1, - "ISO": 3, - "well": 2, - "score": 5, - "Foundation": 11, - "requestId": 17, - "pos": 33, - "DTOUT": 2, - "monitor": 1, - "unknown": 1, - "RESJOB": 1, - "time": 9, - "rol": 1, - "GMRGRUT0": 3, - "EXIT": 1, - "+": 188, - "technology": 9, - "simple": 2, - "xx": 16, - "RCFN01": 1, - "PXAPKG": 9, - "help": 2, - "GMRGB0": 9, - "neither": 1, - "_x_": 1, - "p9": 2, - "newUsername_": 1, - "provide": 1, - "isolocale": 2, - "Unix": 1, - "_propertyName_": 2, - "Nov": 1, - "zsh": 1, - "domainMetadata": 1, - "": 3, - "_mm_": 1, - "will": 23, - "VSIT": 1, - "9": 1, - "valueNo": 6, - "them": 1, - "terminated": 1, - "createResponseStringToSign": 1, - "disallowJSONAccess": 1, - "GMRGSSW": 3, - "all": 8, - "requestArray": 2, - "EP": 4, - "needed": 1, - "zewdMgr": 1, - "utf8": 2, - "/mg": 2, - "char": 9, - "c=": 28, - "secretKey": 1, - "software": 12, - "computeoptimist": 1, - "zint": 1, - "match": 41, - "G": 40, - "change": 6, - "provider": 1, - "DTIME": 1, - "if1": 2, - "base64": 6, - "VISIT": 3, - ".methods": 1, - "fall": 5, - "_name_": 1, - "context": 1, - "cls": 6, - "WVBRNOT": 1, - "Ltd": 4, - "IO": 4, - "WARRANTY": 11, - "PARTICULAR": 11, - ".name": 1, - "auth": 2, - "Copyright": 12, - "tip": 1, - "dev": 1, - "logger": 17, - "description": 1, - "U": 14, - "##": 2, - "zewdDOM": 3, - ".value": 1, - "username": 8, - "PXASUB": 2, - "method": 2, - "ze": 8, - "Error": 1, - "optimize": 1, - "depends": 1, - "Free": 11, - "mytrap1": 2, - "startoffset": 3, - "parameters": 1, - "newUsername": 5, - "later": 11, - "GMRGNAR": 8, - "FOR": 15, - "/9/94": 1, - "c": 113, - "namespace": 1, - "getObjDetails": 1, - ".offset": 1, - "edit": 1, - "code.": 1, - "zs": 2, - "url": 2, - "dw": 1, - "WVBEGDT1": 1, - "**": 2, - "ENCOUNTER": 2, - "/tcp": 1, - "domainName": 38, - "nametable": 4, - "_i_": 5, - "hh": 4, - "GMRGSPC": 3, - "results.": 1, - "domainList": 3, - "OF": 2, - "LC_*": 1, - "xxyy": 2, - "subs_": 2, - "discover": 1, - "DEVICE": 1, - "limit": 14, - "GMRGPNB0": 1, - "PASSED": 4, - "circuit": 1, - "law": 1, - "program": 19, - "U16385": 1, - "nextToken": 7, - "q": 244, - "tetris": 1, - "U16418": 1, - "TMP": 26, - "http": 13, - "//www.openssl.org/docs/crypto/EVP_DigestInit.html": 1, - "____": 1, - "*8": 2, - "**198": 1, - "must": 7, - "stack": 8, - "reconfigure": 1, - "MDBAPI": 1, - "while": 3, - "PXAPROB": 15, - "n64": 2, - "buildItemNameIndex": 2, - "fill": 3, - "sub": 2, - "_gloRef": 1, - "FITNESS": 11, - "mwire": 2, - "zchar": 1, - "queryIndex": 1, - "_orderBy": 1, - ".boxUsage": 22, - "See": 15, - ".pattern": 3, - "Open": 1, - "post1": 1, - "prepare": 1, - "QueryExpression": 2, - "be": 32, - "service": 1, - "skip": 6, - "init": 6, - "JSON": 7, - ".startTime": 5, - "They": 1, - "Exception": 2, - "listName": 6, - "testField3": 3, - "protect": 11, - "U16406": 1, - "i*2": 3, - "CGIEVAR": 1, - "field3": 1, - ".metaData": 1, - "postconditional": 3, - "MDBSession": 1, - "libcrypto": 1, - "gt": 1, - "mergeArrayToSession": 1, - "ERR": 2, - "subs2_": 2, - "take": 1, - "CREATES": 1, - "Digest": 2, - "WVE": 2, - "defaults": 3, - "Just": 1, - "MaxNumberOfItems": 2, - "OPEN": 1, - "strx": 2, - "role=": 1, - "role": 3, - "0": 23, - "Software": 11, - ".backref": 1, - "group": 4, - "typex": 1, - "restart": 3, - "escVals": 1, - "_user": 1, - "given": 1, - "Time": 1, - "NOTICE": 1, - "numsub": 1, - ".S": 6, - "Decoded": 1, - "CacheTempBuffer": 2, - "PROFILE": 1, - "itemValuex": 3, - "depth": 1, - "encode": 1, - "avoid": 1, - "Action": 2, - "||": 1, - "NAME": 3, - "LIST": 1, - "maxNoOfDomains": 2, - "Per": 1, - "//192.168.1.xxx/mdb/test.mgwsi": 1, - "PXAVISIT": 8, - "time#3600": 1, - "....S": 1, - "warnings": 1, - ".a": 1, - "IF": 9, - "pcre_maketables": 2, - "templatePageName": 2, - "my": 5, - "cgi": 1, - "even": 11, - "use": 5, - "L": 1, - "selectExpression": 3, - "bottom": 1, - "setMultipleSelectOn": 2, - "POSIX": 1, - "INTERNAL": 2, - "prompt": 1, - ".ctx": 2, - "wldAppName": 1, - "app": 13, - "student": 14, - "__": 2, - "compilation": 2, - "editing": 2, - "information": 1, - "joke.": 1, - "known.": 1, - "IT": 1, - "DOESN": 1, - "Mar": 1, - "captured": 6, - "Koper": 7, - "lastWord=": 7, - "U16421": 1, - "details": 5, - "vno": 2, - "quoted": 1, - "createTextArea": 1, - "ewdDemo": 8, - "WVXREF": 1, - "ASK": 3, - "mwireDate": 2, - "meaning": 1, - "nextsubscript": 2, - "PCE": 2, - "before": 2, - "MANAGER": 1, - "first": 10, - "the": 217, - "_term": 3, - "wrapper.": 1, - "identifier": 1, - "FROM": 5, - "dn": 4, - "QueryWithAttributes": 1, - "_user_": 1, - "Piotr": 7, - "h_": 3, - "countDomains": 2, - "listing": 1, - "and/or": 11, - "h": 39, - "/etc/init.d/xinetd": 1, - "lock": 2, - "DEQUEUE": 1, - "KILL": 1, - "boolean": 2, - "sessionName": 30, - "exit": 3, - "GMRGD0": 7, - "For": 3, - "CONT": 1, - "action": 15, - "ERROR1": 1, - "pattern": 21, - "PXAIVST": 1, - "incrbr": 1, - "CISC/JH/RM": 1, - "step": 8, - "LASTLITERAL": 1, - "initialise": 3, - "OK": 6, - "PXKERROR": 2, - "cleardown": 2, - "choice": 1, - "putAttributes": 2, - "sha224": 1, - "p#f": 1, - "CASE": 1, - "_GMRGB0_": 2, - "force": 1, - "visit": 3, - "of": 80, - "M/Wire": 4, - "removeControlChars": 2, - "NOTIFICATION": 1, - "expected.": 1, - "PXAPIUTL": 2, - "hashing": 1, - "Edit": 1, - "empty": 7, - "key=": 2, - "wldSessid": 1, - "..": 28, - "useful": 11, - "ISC@ALTOONA": 1, - "e=": 1, - "MATCH_LIMIT": 1, - "unwind": 1, - "getAttributes": 2, - "params": 10, - "getDomainId": 3, - "p11": 2, - "x*y": 1, - "gloName": 1, - "fullName": 3, - "EN1": 1, - "form": 1, - "zascii": 1, - "Source": 1, - "Equal": 1, - "a#2": 1, - "pcredemo": 1, - "gtm_chset": 1, - "option": 12, - "_data": 2, - "depending": 1, - "appName": 4, - "exercise": 1, - "ref": 41, - "_action_": 2, - "json_": 2, - "ss": 4, - "bx": 2, - "required": 4, - "JIT": 1, - "NOW": 1, - "i.e.": 3, - "Inc.": 2, - "AM": 1, - "feel": 2, - "deleteFromSessionObject": 1, - "p5": 2, - "positioning.": 1, - "present": 1, - "Unless": 1, - ".itemList": 4, - "PATIENT": 5, - "parseSelect": 1, - "5": 1, - "JITSIZE": 1, - "runSelect.": 1, - "encodeBase64": 1, - "WVDFN": 6, - "Fidelity": 2, - "too": 1, - "availability": 1, - "createResponse": 4, - "back": 4, - "word": 3, - "long": 2, - "exportCustomTags": 2, - "echo": 1, - "start1": 2, - "Unescape": 1, - "stripTrailingSpaces": 2, - "deleteDomain": 2, - "signatureMethod": 2, - "system": 1, - "within": 1, - "there": 2, - "etc": 1, - "C": 9, - "itemStack": 3, - "By": 1, - "eg": 3, - "/20/03": 1, - "GlobalName": 3, - "FUNC": 1, - "ASCII": 1, - "existsInSession": 2, - "password": 8, - "spaces": 3, - "put": 1, - "begins": 1, - "hash": 1, - "ERRRET": 2, - "label1": 1, - "getItemId": 2, - "GT.M": 30, - "decr": 1, - "<=\">": 1, - "ctx": 4, - "using": 4, - "means": 2, - "why": 1, - "_codeValueEsc_": 1, - "Q": 58, - "...S": 5, - "except": 1, - "update": 1, - "digest.update": 2, - "methods": 2, - "if": 44, - "general": 1, - "autoTranslate": 2, - "displayed": 1, - "has": 6, - "contrasted": 1, - "lead": 1, - "ORDX": 14, - "U16393": 1, - "enableWLDAccess": 1, - "HTML": 1, - "FIRSTTABLE": 1, - "U16426": 1, - "one": 5, - "fl=": 1, - "_": 126, - "DX": 2, - "mode": 12, - "json": 9, - "//sourceforge.net/projects/fis": 2, - ".requestId": 7, - "DPTNOFZK": 2, - "it": 44, - "GMR": 6, - "limits": 6, - "see": 25, - "secret": 2, - "hd": 3, - "delays": 1, - "**n": 1, - "ASKFILE": 1, - "process": 3, - "cc": 1, - "dataValue": 1, - "getAttributeValueId": 3, - "PXAICPTV": 1, - "zewd": 17, - "DPTNOFZY": 2, - "m": 37, - "session": 1, - "p5lf": 1, - "AWSAcessKeyId": 1, - "U16414": 1, - "have": 17, - "Text": 1, - "Health": 1, - "submitted": 1, - "possible": 5, - "Setup": 1, - "json_value_": 1, - "length": 7, - "DIR": 3, - "INVOBJ": 1, - "ripemd160": 1, - "inetTime": 1, - "t10m=": 1, - "setMultipleSelectValues": 1, - "COMP1": 2, - "{": 4, - "ok": 14, - "disableWLDAccess": 1, - "hdate*86400": 1, - "_GMRGSPC_": 3, - "PXAPREDT": 2, - "read": 2, - "f*n": 1, - "NAM": 1, - "authNeeded": 6, - "Public": 33, - "OVECTOR": 2, - "AND": 3, - "orderBy": 1, - "DUZ": 3, - "where": 6, - "SET": 3, - "U16402": 1, - "command": 9, - "zewdForm": 1, - "textid": 1, - "_password": 1, - "caller.": 1, - "replace": 27, - ".err": 1, - "element": 1, - "name": 121, - "implied.": 1, - "endOfPage": 2, - "raised": 2, - "Those": 1, - "STAT1": 2, - "_token_": 1, - "WVA": 2, - "deeper": 1, - "might": 1, - "dss1": 1, - "cursor": 1, - "GMRGRUT1": 1, - "SNT": 1, - "your": 16, - "post": 1, - "would": 1, - "WVSTAT": 1, - "MINLENGTH": 1, - "version": 16, - "two": 2, - "dd=": 2, - "purposely": 4, - "noOfRecs/2": 1, - "grouped": 2, - "val": 5, - "_s_": 1, - "p5replace": 1, - "sha256": 1, - "am": 1, - "Thats": 1, - "visit.": 1, - "j_": 1, - "dh/2": 6, - "mumtris.": 1, - "name/value": 2, - "records": 2, - "executeSelect": 1, - "then": 2, - "from": 16, - "agreed": 1, - "ovector": 25, - "tot": 2, - "10": 1, - "JR": 1, - "DIALOG": 4, - "false": 5, - "write": 59, - "PXELAP": 1, - "secs": 2, - "closeDOM": 1, - "filesArray": 1, - "GMRGF0": 3, - "define": 2, - "character": 2, - "#64": 1, - "null": 6, - "H": 1, - "hd=": 1, - "initialiseCheckbox": 2, - "externalSelect": 2, - "corrected": 1, - "SET.": 1, - "kill": 3, - "DA": 4, - "invoked": 2, - "ACCESSION#": 1, - "NOTIFICATIONS": 1, - "NL_ANY": 1, - "different": 3, - "if2": 2, - "QUIT": 249, - "Get": 2, - "exec": 4, - "NDX": 7, - "build": 2, - "EVP_DigestInit": 1, - "": 3, - "NOVSIT": 1, - "DataBallet": 4, - "case": 7, - "item": 2, - "config": 3, - "IP": 1, - "deleteFromSession": 1, - "for": 77, - "_value_": 1, - "reverseorder": 1, - "crlf=": 3, - "local": 1, - "V": 2, - "**lv*sb": 1, - "ISL/JVS": 1, - ".digest": 1, - "setWLDSymbol": 1, - "calling": 2, - "globalName": 7, - ".attributes": 5, - "KEY": 36, - "convertSecondsToDate": 1, - "performance": 1, - "maxLines": 4, - "usage": 3, - "July": 1, - "result": 3, - "never": 4, - "writeLine": 2, - "pcre.exec": 2, - "#2": 1, - ".itemStack": 1, - "MDB": 60, - "d": 381, - "arr": 2, - "Run": 1, - "PRCA": 14, - "zt": 20, - "associated": 1, - "admin": 1, - "received": 11, - "Escape": 1, - "GMRGPNB1": 1, - "array": 22, - "Format": 1, - "randChar": 1, - "clearTextArea": 2, - "r": 88, - "stored": 1, - ".erropt": 3, - "applicable": 1, - "Save": 1, - "escape": 7, - "M/Gateway": 4, - "U16386": 1, - "CONDITIONS": 1, - "TASKMAN": 1, - "U16419": 1, - "Object": 1, - "code=": 4, - "special": 2, - "pair": 1, - "": 7, - "_selectExpression": 1, - "algorithm": 1, - "digest": 19, - "_m_": 1, - ".*": 1, - "HEX": 1, - "p2=": 1, - "others": 1, - "err": 4, - "occur": 1, - "way": 1, - "right": 3, - "nor": 1, - "createLanguageList": 1, - "reclimit": 19, - "frame": 1, - "post2": 1, - "prop": 6, - "STATUS": 2, - "wide": 1, - "Initial": 2, - "Examples": 4, - "Encoded": 1, - "_mm": 1, - "propertyName": 3, - "isNull": 1, - "especially": 1, - "already": 1, - "U16407": 1, - "store": 6, - "safechar": 3, - "getIP": 2, - "value_c": 1, - "#": 1, - ".domainName": 2, - "native": 1, - "direction": 1, - "_crlf": 22, - "userKeyId": 6, - "Set": 2, - "PXAIVSTV": 1, - "so": 4, - "miles/": 1, - "replaceAll": 11, - "SOURCE": 2, - "p1": 5, - "extended": 1, - "options": 45, - "codeValue": 7, - "saveSession": 2, - "shortrun": 2, - "controlled": 1, - ".F": 2, - "newString_c": 1, - "Non": 1, - "1": 74, - "lookup/create": 1, - "MSG": 2, - "zmwire_null_value": 1, - "Resize": 1, - "BILL": 11, - "Copy": 2, - "frames": 1, - "*c": 1, - "GMRGA0_": 1, - ".byref": 2, - "parseJSONObject": 2, - "probably": 1, - "string=": 1, - "hdate": 7, - "appendToList": 4, - "response": 29, - "host": 2, - "ec": 10, - "CHSET": 1, - "*w/2": 3, - "simply": 1, - "Pattern": 1, - "CONNECTION": 1, - "No": 17, - "other": 1, - "subscript": 7, - "zlength": 3, - "COPY": 1, - "NL_ANYCRLF": 1, - "ztrnlnm": 2, - "errors": 6, - "tokeniseURL": 2, - ".sessionArray": 3, - "named": 12, - "regular": 1, - "BADCHAR": 1, - "MDBUAF": 2, - ".b": 1, - "clearArray": 2, - ".selected": 1, - "quot": 2, - "via": 2, - "M": 24, - "o=": 12, - "SIZE": 1, - "s.": 1, - "library": 1, - "Decode": 1, - "sqrx": 3, - "ne=": 1, - "NextToken": 3, - "BUILDER": 1, - "version.": 11, - "WVCHRT_U_WVNAME_U_WVDATE_U_WVACC_U_WVSTAT_U_WVPRIO_U_WVIEN": 1, - "pcre_exec": 4, - "#100": 1, - "itemName": 16, - "none": 1, - "bit": 5, - "beginner": 1, - "expr=": 10, - ".p": 1, - "DT": 2, - "SSN": 1, - "string": 50, - "x=": 5, - "itself": 1, - "[": 53, - "part": 3, - "silently": 1, - "text": 6, - "subscripts": 8, - "zt=": 1, - "Come": 1, - "redraw": 3, - "ISA/KWP": 1, - "do": 15, - "transaction": 6, - "BASIS": 1, - "configuration": 1, - "displayOptions": 2, - "driver": 1, - "source": 3, - "raise": 3, - "signatureVersion": 3, - "REASON": 9, - "Item": 1, - "modify": 11, - "Invalid": 1, - "HASCRORLF": 1, - "i": 465, - "mt_": 2, - "SCREEN": 2, - "U16410": 1, - "related.": 1, - "space.": 1, - "initialiseSession": 1, - "Enterprise": 5, - "utf8support": 1, - "addition": 1, - "Enforced": 1, - "CR": 1, - "unmatched": 1, - "namedonly": 9, - "functions": 4, - "*2147483648": 2, - "runs": 2, - "additional": 5, - "octet": 4, - "_username_": 1, - "th": 3, - "n#256": 1, - "modulo": 1, - "DIRUT": 1, - "STUDYSIZE": 1, - "": 2, - "condition": 1, - "works": 1, - "errorResponse": 9, - "w": 127, - "/Xy/g": 6, - "len": 8, - "SOR": 1, - "usable": 1, - "@PXADATA@": 8, - "setRadioOn": 2, - "setting": 3, - "main": 1, - "BLD": 2, - "invalid": 4, - "starts": 1, - "filePath": 2, - ".queryExpression": 1, - "defined": 2, - "dangerous": 1, - "now": 1, - "/usr/local/gtm/zmwire": 1, - "isNextPageTokenValid": 2, - "being": 1, - "ORDXP": 3, - "contrasting": 1, - "zobj1": 1, - "nvp": 1, - "ne": 2, - "STOP": 1, - ".isstring": 1, - "@name": 4, - "sessionArray": 5, - "labels": 1, - "/etc/services": 1, - "getTextValue": 4, - "WVACC": 4, - "(": 2142, - "trap": 10, - "leave": 1, - "i=": 14, - "PXAUSER": 6, - "quit": 30, - "rewrite": 1, - "page": 12, - "st": 6, - "inValue": 6, - "by": 33, - "p1_c_p2": 1, - "p6": 2, - "800": 1, - "simplified": 1, - "factorial": 3, - "get": 2, - "rltKey": 2, - "verbose": 2, - "compatible": 1, - ".subject": 3, - "BUILDING": 1, - "testValue": 1, - "logine": 1, - "capture": 10, - "Match": 4, - "routine": 4, - "recompiled": 1, - "erroffset": 3, - "only.": 1, - "top": 1, - "Change": 2, - "getLanguage": 1, - "PCRE.": 1, - "requires": 1, - "VST": 2, - "DXS": 1, - "start2": 1, - "series": 1, - "pcreexamples": 32, - "subs2": 6, - "linkToParentSession": 2, - "xinetd": 2, - "exact": 1, - "internal": 3, - "...F": 1, - "LF": 1, - "D": 64, - "textarea": 2, - "specific": 3, - "b*": 7, - "zchset": 2, - "returned": 1, - "arrayName": 35, - "zewdAPI2": 5, - "conditions": 1, - "domainId": 53, - "inAttr=": 5, - "expressions": 1, - "allows": 1, - "zewdCompiler16": 5, - "<0&'d>": 1, - "run": 2, - "_appName": 1, - "game": 1, - "When": 2, - "GNU": 33, - "paths": 2, - "R": 2, - "adding": 1, - "same": 2, - "listCopy": 3, - "zwr": 17, - "PXAI": 1, - "isTokenExpired": 2, - "gr=": 1, - "zb": 2, - "e.g.": 2, - "ARRAY": 2, - "<0>": 2, - "than": 4, - "unexpected": 1, - "zewdSchemaForm": 1, - "ToStr": 4, - "LC_CTYPE": 1, - "Emulation": 1, - "myglobal": 1, - "b#2": 1, - "book": 1, - "done.": 2, - "exportAllCustomTags": 2, - "getPassword": 1, - "terms": 11, - "joined": 3, - "API": 7, - "U16427": 1, - "last": 4, - "getGloRef": 3, - "isSSOValid": 2, - "getSessionValue": 3, - "label": 4, - "string_spaces": 1, - "NAMECOUNT": 1, - "Handling": 1, - "CacheTempEWD": 16, - "ZDIOUT1": 1, - "RCD": 1, - "_FILE": 1, - "decoded_": 1, - "WVNAME": 4, - "options=": 4, - "passed.": 1, - "buf_c1_": 1, - "left": 5, - "replaced": 1, - "Functions": 1, - ".limit": 1, - "GMRGADD": 4, - "finished": 1, - "attribute": 14, - "diagnosis": 1, - "log": 1, - "dropped": 1, - ".array": 1, - "MAKE": 1, - "n": 197, - "RHS": 1, - "//pcre.org/": 1, - "Apr": 1, - "found": 7, - "hope": 11, - "U16415": 1, - "nodes": 1, - "DIROUT": 1, - "considering": 1, - "THIS": 3, - "set": 98, - "erropt": 6, - "and": 56, - "DIS": 1, - "XC": 1, - "failed": 1, - "n#16": 2, - ".orderBy": 1, - "MENU.": 1, - "Example": 1, - "status": 2, - "resp": 5, - "else": 7, - "WVPOP": 1, - "SimpleDB": 1, - "modified.": 1, - "COMP2": 2, - "count": 18, - "|": 170, - "NA": 1, - "non": 1, - "ajaxErrorRedirect": 2, - "db_": 1, - "installMDBM": 1, - "groups": 5, - "details.": 12, - "*lv": 1, - "_GMRGD0_": 1, - "InText": 4, - "line": 9, - "place": 9, - "AUPNVPRV": 2, - "userType": 4, - "PRCATY": 2, - "itemList": 12, - "U16403": 1, - "image": 1, - "_hh": 1, - ".ovector": 2, - "sum": 15, - "q=": 6, - "str_c": 2, - "end": 33, - "textValue": 6, - "compilePage": 2, - "zewdDemo": 1, - "copy": 13, - "HDR": 1, - "deliver": 1, - "exportToGTM": 1, - "draw": 3, - "WVB": 4, - "_TRAN": 1, - "rotate": 5, - "VALQUIET": 2, - "ERRORS": 4, - "environment": 7, - "size": 3, - ".msg": 1, - ".tagList": 1, - "dateTime": 1, - "executed": 1, - "TEST": 16, - "DATA2PCE": 1, - "_STAT": 1, - "ISO8859": 1, - "isstring": 5, - "FileMan": 1, - "JCHANGED": 1, - "amp": 1, - "Web": 5, - "running": 1, - "division.": 1, - "-": 1604, - "rel": 2, - "print": 8, - "pid": 36, - "Missing": 5, - "FILE": 5, - "_propertyName": 2, - "very": 2, - "np=": 1, - "Aug": 1, - "dataStatus": 1, - "rights": 4, - "smaller": 3, - "Objects": 1, - "FIRSTBYTE": 1, - "express": 1, - "an": 11, - "c1": 4, - "checked.": 1, - "enforcedlimit": 2, - ";": 1275, - "allowJSONAccess": 1, - "location": 5, - "getAttributeId": 2, - ".exists": 1, - "coordinate": 1, - "GENERAL": 2, - "/etc/xinetd.d/mwire": 1, - "gloRef": 15, - "value": 72, - "GMRGA0": 11, - "occurred": 2, - "lower": 1, - "decrby": 1, - "I": 43, - "Support": 1, - "time#60": 1, - "if3": 1, - "key": 22, - "zextract": 3, - "COMPILE": 2, - "boffset": 1, - "N.N": 12, - "digest.final": 2, - "lowerCase": 2, - ".options": 1, - "mwireVersion": 4, - "<\",\"<\")>": 1, - "selected": 4, - "server": 1, - "PRVIEN": 14, - "language": 6, - "writing": 4, - "MD5": 6, - "W": 4, - "Try": 2, - ".erroffset": 1, - "existsInSessionArray": 2, - "are": 11, - "b=": 4, - "zg": 2, - "Date": 2, - "mytrap3": 1, - "callout": 1, - "Licensed": 1, - "mergeToSession": 1, - "Fri": 1, - "_data_": 3, - "completely": 3, - "object": 4, - "GMRGPLVL": 6, - "attributesJSON": 1, - "_propertyValue_": 1, - "ABOVE.": 1, - "domain": 1, - "e": 210, - "assigned": 1, - "octets": 2, - "dnx": 3, - "stackusage": 3, - ".filesArray": 1, - "k=": 1, - "statements": 1, - "Debian": 2, - "newrole": 4, - "PXAERR": 7, - "..I": 2, - "monitoroutput": 1, - "noOfRecs": 6, - "hex": 1, - "backref": 1, - "situation": 1, - "DATE": 1, - "OKPARTIAL": 1, - "s": 775, - "/opt/gtm": 1, - "execution": 2, - "U16387": 1, - "CPU": 1, - "complete": 1, - "subject": 24, - "Amazon": 1, - "gstore": 3, - "Jan": 1, - "Generator": 1, - "commands": 1, - "TMPSOURC": 1, - "PCRE": 23, - "SEL": 1, - "POINT": 1, - "Limits": 1, - "indentation": 1, - "WITH": 1, - "tr": 13, - "questions": 2, - "safe": 3, - "stores": 1, - "drop": 2, - "zch": 7, - "after": 2, - "obtaining": 1, - "window": 1, - "U16408": 1, - "msg": 6, - "PKG2IEN": 1, - "Tutorial": 1, - "ZCHSET": 2, - "_PRCATY_": 1, - "integer": 1, - "RTSLOC": 2, - "gtm_icu_version": 1, - "NOT": 1, - "Developments": 4, - "Reigate": 4, - "decode": 1, - "short": 1, - "subNo": 1, - "no": 53, - "DETS": 7, - "p2": 10, - "Handler": 1, - "**15": 1, - "statement": 3, - "debugging": 1, - "2": 14, - "parameter": 1, - "M/DB": 2, - "getSelectValue": 3, - "KIND": 1, - "memory": 1, - "unescName": 5, - "true": 2, - "Accounts": 1, - "Surrey": 4, - "mm=": 3, - "token_": 1, - "as": 22, - "substitution": 2, - "no2": 1, - "mm": 7, - "single": 2, - "executable": 1, - "WITHOUT": 12, - "when": 11, - "Initialise": 2, - "@": 8, - "convertDateToSeconds": 1, - "PXANOT": 3, - "under": 14, - "access": 21, - "isCSP": 1, - "changeApp": 1, - "STORETXT": 1, - "format": 2, - "document": 6, - "subscripts1": 2, - "handling": 2, - "_ss": 2, - "determine": 1, - "PXADATA": 7, - "triangle1": 1, - ".c": 2, - "instanceName": 2, - "multilingual": 4, - "_GMRGE0": 1, - "FromStr": 6, - "<10>": 1, - "HDR2": 1, - "MERGETO": 1, - "N.N1": 4, - "N": 19, - "Version": 1, - "number": 5, - "Product": 2, - "s/": 6, - "attrNo": 9, - "aaa": 1, - "Note": 2, - "General": 33, - "known": 2, - "dd_": 1, - "context.": 1, - "this": 38, - "At": 2, - "db": 9, - "errors.": 1, - "U16390": 1, - "Service": 1, - "either": 13, - "GMRGPAR_": 2, - "names": 3, - "substitute": 1, - "examples": 4, - "U16423": 1, - "Offset": 1, - "zewdCompiler": 6, - "gallons": 4, - "_error_": 1, - "s=": 4, - "GLOBAL": 1, - "zl": 7, - "DIQ1": 1, - "miles/gallons": 1, - "processed": 1, - "specification.": 1, - "maximize": 1, - "j": 67, - "sumx": 3, - "WVBRNOT1": 2, - "U16411": 1, - "zz": 2, - "bodies": 1, - "WOMEN": 1, - "Global": 8, - "OpenSSL": 3, - "VHA": 1, - "Security": 1, - "NEWLINE": 1, - "mergeFromSession": 1, - "compileAll": 2, - "file": 10, - "FILENAME": 1, - "input": 41, - "distributed": 13, - "Stop": 1, - "pcre.version": 1, - "x": 96, - "@ref": 2, - "paramValue": 5, - "itemId": 41, - "begin=": 3, - "License": 48, - "PURPOSE.": 11, - "small": 1, - "myexception1": 3, - "reference": 2, - "subst": 3, - "ticks": 2, - "zcvt": 11, - "mergeto": 1, - "_STAT_": 1, - "GMRGPDA": 9, - "mergeGlobalFromSession": 2, - "SETVARS": 2, - "zl_": 2, - "tab": 1, - "lineNo": 19, - "zewdMgrAjax2": 1, - "getRootURL": 1, - "WVUTL4": 1, - "CARE": 1, - "noOfDomains": 12, - "xvalue": 4, - "***": 2, - "md4": 1, - "makeTokenString": 1, - "ALIST": 1, - "inAttr": 2, - "look": 1, - ")": 2150, - "SETECODE": 1, - "substituted": 2, - "obj": 6, - "isNotNull": 1, - "d=": 1, - "over": 2, - "global": 26, - "msg_": 1, - "p7": 2, - "getSessionArrayValue": 2, - "NEW": 3, - "compliance": 1, - "re": 2, - "cleared.": 1, - "Not": 1, - "what": 2, - "makeString": 3, - "getPasswordValue": 2, - "terminating": 1, - "#4294967296": 6, - "ends": 1, - "diffNames": 6, - "try": 1, - "100": 2, - "point": 2, - "expr": 18, - "*i": 3, - "EN": 2, - "FGR": 4, - "ax": 2, - "asc": 1, - "NOTES": 1, - "double": 1, - "You": 13, - "E": 12, - "located": 1, - "Restart": 1, - "needs": 1, - "p5nl": 1, - "date": 1, - "h/2": 3, - "Enabling": 1, - "query": 4, - "utflocale": 2, - "POVPRM": 1, - "FIELD": 2, - "toPage": 1, - "PROCEDURE": 1, - "hello": 1, - "api": 1, - "WVENDDT": 1, - "PFSS": 2, - "installed": 1, - "foo": 2, - "nbb": 1, - "MUMPS": 1, - "PRINTOUT.": 1, - "interface": 1, - "ref=": 3, - "DataBallet.": 4, - "S": 99, - "PXASOURC": 10, - "buf": 4, - "exists": 6, - "gtm/": 2, - "uniqueId": 1, - "zc": 1, - "pcre": 59, - "clearList": 2, - "with": 43, - "_capture_": 2, - "_db_": 1, - "_GMRGRM": 2, - "DISV": 2, - "exception": 12, - "namex": 8, - "thisWord=": 7, - "passed": 4, - "classExport": 2, - "mechanism.": 1, - "a": 112, - "but": 17, - "allocated": 1, - "GMT": 1, - "zewdPHP": 8, - "This": 26, - "_end": 1, - "Secondary": 2, - "..E": 1, - "up": 1, - "decoded": 3, - "GTM": 8, - "moment": 1, - "its": 1, - "getVersion": 1, - "middle": 1, - "along": 11, - "": 1, - "undefined": 1, - "SAVES": 1, - "o": 51, - "getJSON": 2, - "RTN": 1, - "_pid": 1, - "U16416": 1, - "START": 1, - "updates": 1, - "collision": 6, - "": 2, - "between": 2, - "..S": 7, - "*6": 1, - "matrix": 2, - "boxUsage": 11, - "Extension": 9, - "SEND": 1, - "OR": 2, - "wldName": 1, - "expr_": 1, - "chars": 3, - "CAPTURECOUNT": 1, - "}": 4, - "rotateVersions": 1, - "DRIVING": 1, - "ACCOUNT": 1, - "cases": 1, - "stripSpaces": 6, - "Laurent": 2, - ".round": 2, - "Test": 1, - "fieldName": 5, - "pcre.m": 1, - "U16404": 1, - "occurrences": 1, - "#39": 1, - "getDate": 1, - "terminal": 2, - "runQuery": 2, - "dotted": 1, - "gr": 1, - "setSessionValue": 6, - "called.": 1, - "mergeArrayToSessionObject": 2, - "COUNT": 2, - "l=": 2, - "mergeArrayFromSession": 1, - "WVC": 4, - "byref=": 2, - "To": 2, - "PA/RGY": 1, - "ignore": 12, - "Email": 4, - "On": 1, - "aa": 9, - "Serves": 1, - "loop": 7, - "Systems": 1, - ".": 814, - "digest.init": 3, - "zewdCompiler20": 1, - "uncommon": 1, - "doesn": 1, - "GMRGPDT": 2, - "Execute": 1, - "comments": 4, - "AT": 1, - "GROUPED": 1, - "encoded_": 2, - "Lynch": 1, - ".Q": 1, - "m_apache": 3, - "openFile": 2, - "<": 19, - "program.": 9, - "recursion.": 1, - "GT.M.": 1, - "port": 4, - "note": 2, - "I18N": 2, - "NARRATIVE": 1, - "_nextPage": 1, - "arrays": 1, - "comment": 1, - "setJSON": 4, - "PRCAAPR": 1, - "isTemp": 11, - "DETAILS": 1, - "*n": 1, - "pass": 24, - "providing": 1, - "PRCAATR": 1, - "BAT": 8, - "zsy": 2, - "DFN": 1, - "default": 6, - "UTF": 17, - "outputPath": 4, - "LL": 1, - "J": 38, - "MGWSI": 1, - "if4": 1, - "Cannot": 1, - "Polish": 1, - "used": 6, - "d1=": 1, - "...": 6, - "world": 4, - "obtain": 2, - "": 1, - "objectName_": 2, - "mergeGlobalToSession": 2, - "code": 28, - "": 11, - "image.": 1, - ".m": 11, - "These": 2, - "PXADI": 4, - "pkoper": 2, - "X": 18, - "GMRGE0": 11, - "WARNING2": 1, - "FOLLOW": 1, - "GMRGI0": 6, - "should": 16, - "built": 1, - "user": 27, - "tips": 1, - "UPPER": 1, - "LPXAK": 4, - "itemExists": 1, - "that": 17, - "Duplicate": 1, - "incr": 1, - "trademark": 2, - ".textarea": 1, - "insensitive": 7, - "nsp": 1, - "encoded_c": 1, - "JSONAccess": 1, - "PuTTY": 1, - "f": 93, - "Reference": 2, - ".04": 1, - "sha512": 1, - "zv": 6, - "ovector=": 2, - "_crlf_": 1, - "stop": 20, - "error": 62, - "Cache": 3, - "handlers.": 1, - "which": 4, - "car": 14, - "//regex.info/": 1, - "shining": 1, - "redistribute": 11, - "sha1": 1, - "PCE.": 1, - ".start": 1, - "In": 1, - "also": 4, - "lc=": 1, - "paramName": 8, - "t": 11, - "order": 11, - "PROBLEM": 1, - "U16388": 2, - "WANT": 1, - "LANG": 4, - "problem.": 1, - "Returned": 1, - "CHECK": 1, - "name.": 1, - "indexed": 4, - "tested": 1, - "Instructions": 1, - "": 1, - "ESW": 1, - "cx": 2, - "COMP": 2, - "Populate": 1, - "reverse": 1, - "term": 10, - "DTC": 1, - "or": 46, - "not": 37, - "addToSession": 2, - "sc": 3, - ".PXAERR": 3, - "_response_": 4, - "unless": 1, - "info": 1, - "OUT": 2, - "nb": 2, - "envlocale": 2, - "prevName": 1, - "values": 4, - "optional": 16, - "support": 3, - ".requestArray": 2, - "clearscreen": 1, - "harddrop": 1, - "sessid": 146, - "U16409": 1, - "correct": 1, - "Startup": 1, - "%": 203, - "contact": 2, - "you": 16, - "Anyway": 1, - "manual": 2, - "usually": 1, - "p1=": 1, - "extcErr": 1, - "these": 1, - "WARRANTIES": 1, - "create": 6, - "p3": 3, - "Mumps": 1, - "VPTR": 1, - "characters": 4, - "Low": 1, - "np": 17, - "OPTIONS": 2, - "mdbKey": 2, - "Internet": 1, - "ANY": 12, - "mlimit": 20, - "PRV": 1, - "3": 6, - "disableEwdMgr": 1, - "h*86400": 1, - "errorMessage": 1, - "pcreccp": 1, - "entry": 5, - "clearXMLIndex": 1, - "startSession": 2, - "variables": 2, - "NAMED_ONLY": 2, - "_crlf_data_crlf": 2, - "PRVPRIM": 2, - "function": 6, - "clause": 2, - "/gallons": 1, - "warranty": 11, - "returns": 7, - "nolocale": 2, - "Mumtris": 3, - "at": 21, - "nodeOID": 2, - "Keith": 1, - "gloRef1": 2, - "NL_CRLF": 1, - "A": 12, - "type": 2, - "may": 3, - "exceptions": 1, - "own": 2, - "without": 11, - "pcre.compile": 1, - "data": 43, - "zewdCompiler13": 10, - "*s": 4, - "offset": 6, - "urlDecode": 2, - "locale": 24, - "subs": 8, - "triangle2": 1, - ".d": 1, - "sso": 2, - "initial": 1, - "level": 5, - "ovecsize": 5, - "add/edit/delete": 1, - "DH": 1, - "/20/91": 1, - "AUPNVSIT": 1, - "_P_": 1, - "O": 24, - "comma": 3, - "id": 33, - "main2": 1, - "trace": 24, - "setpassword": 1, - "rtweed@mgateway.com": 4, - "ASKDIR": 1, - "startup": 1, - "written": 3, - "U16391": 1, - "fail.": 1, - "U16424": 1, - "more": 13, - "calls": 1, - "Returns": 2, - "AUPNVPOV": 2, - "attributes": 32, - "]": 14, - "dynamic": 1, - "Check": 1, - "n=": 1, - "existing": 2, - "round": 12, - "_p": 1, - "making": 1, - "login": 1, - "PXADEC": 1, - "CRLF": 1, - "k": 122, - "references": 1, - "normaliseTextValue": 1, - "That": 1, - "WVBRNOT2": 1, - "U16412": 1, - "*2": 1, - "example": 5, - "test": 6, - "TO": 6, - "ERROR4": 1, - "openDOM": 2, - "advance": 1, - "patterns": 3, - "Notes": 1, - "noOfRecs#2": 1, - "Account": 2, - "1000000000": 1, - "computepesimist": 1, - "allowed": 17, - "GMRGA": 1, - "y": 33, - "WARNINGS": 2, - "matched": 1, - "hh_": 1, - "secs#86400": 1, - "WVBEGDT": 1, - "ALREADY": 1, - "increment": 11, - "ECODE": 1, - "fullinfo": 3, - "queryExpression": 16, - "pairs": 2, - "used.": 2, - "VARIABLES": 1, - "32": 1, - "nohandler": 4, - "n32h": 5, - "myexception2": 2, - "Also": 1, - "yy": 19, - "mess": 3, - "releaseLock": 2, - "setTextValue": 4, - "engine": 1, - "SERVICE": 1, - "above.": 1, - "objectName": 13, - "NL": 1, - "valid": 1, - "UTF8": 2, - "tagList": 1, - "direct": 3, - "Information": 2, - "WVUTL5": 2, - "WVDATE": 8, - "p5global": 1, - "Please": 2, - "valuex": 13, - "it.": 1, - "contains": 2, - "new": 15, - "filename": 2, - "maxNoOfItems": 3, - "keyLength": 6, - "_crlf_resp_crlf": 2, - "please": 1, - "md5": 2, - "locales": 2, - "_IO_": 1, - "*": 5, - "extension": 3, - "best": 2, - "Match.": 1, - "stringToSign": 2, - "setWarning": 2, - "jobbed": 1, - "p8": 2, - "fl": 2, - "ANSI": 1, - "Experimental": 1, - "//www.apache.org/licenses/LICENSE": 1, - "Caller": 1, - "above": 2, - "PROVIDER": 1, - "Affero": 33, - "DUOUT": 1, - "Receivable": 1, - "me": 2, - "8": 1, - "delete": 2, - "enableEwdMgr": 1, - "zewdGTMRuntime": 1, - "encoded": 8, - "BROWSE": 1, - "SelectExpression": 1, - "data.": 1 - }, - "VimL": { - "smartcase": 1, - "toolbar": 1, - "incsearch": 1, - "T": 1, - "-": 1, - "ignorecase": 1, - "no": 1, - "nocompatible": 1, - "syntax": 1, - "set": 7, - "showcmd": 1, - "guioptions": 1, - "showmatch": 1, - "on": 1 - }, - "Haml": { - "p": 1, - "%": 1, - "World": 1, - "Hello": 1 - }, - "Kotlin": { - "phonenums": 1, - "": 1, - "Contact": 1, - "package": 1, - ".lines": 1, - "Long": 1, - "Int": 1, - "PhoneNumber": 1, - "}": 6, - "]": 3, - "[": 3, - "{": 6, - "zip": 1, - "city": 1, - "streetAddress": 1, - ")": 15, - "": 1, - "String": 7, - "(": 15, - "line": 3, - "": 2, - "get": 2, - "PostalAddress": 1, - "stripWhiteSpace": 1, - "number": 1, - "true": 1, - "HashMap": 1, - "CountryID": 1, - "country": 3, - "": 1, - "emails": 1, - "for": 1, - "countryTable": 2, - "fun": 1, - "Country": 7, - "EmailAddress": 1, - "addressbook": 1, - "private": 2, - "null": 3, - "state": 2, - "Countries": 2, - "addresses": 1, - "List": 3, - "areaCode": 1, - "name": 2, - "object": 1, - "USState": 1, - "user": 1, - "return": 1, - "TextFile": 1, - "in": 1, - "if": 1, - "Map": 2, - "table": 5, - "var": 1, - "id": 2, - "xor": 1, - "assert": 1, - "host": 1, - "val": 16, - "class": 5 - }, - "Brightscript": { - "true": 1, - "getmessageport": 1, - "style": 6, - "example": 1, - "s": 1, - "%": 8, - "you": 1, - "type": 2, - ".Title": 1, - "specific": 1, - "**********************************************************": 1, - "categoryList": 4, - "with": 2, - "Perform": 1, - "]": 4, - "work": 1, - "posters": 3, - "started": 1, - "For": 1, - "and": 4, - "msg": 3, - "getGridControlButtons": 1, - "theme.GridScreenOverhangHeightSD": 1, - "<": 1, - "App": 1, - "//upload.wikimedia.org/wikipedia/commons/4/43/Gold_star_on_blue.gif": 2, - "Return": 1, - "day": 1, - "stuff": 1, - "i": 3, - "getCategoryList": 1, - "theme.GridScreenDescriptionOffsetHD": 1, - "giant": 1, - "overhang": 1, - "theme.GridScreenLogoHD": 1, - "Screens": 1, - "be": 2, - "we": 3, - "The": 1, - "//upload.wikimedia.org/wikipedia/commons/9/9f/Kane_George_Gurnett.jpg": 2, - "offsets": 1, - "can": 2, - "do": 1, - "are": 2, - "Flat": 6, - "ContentMetaData": 1, - "As": 3, - "//upload.wikimedia.org/wikipedia/commons/thumb/d/de/SQUARE_SHAPE.svg/536px": 2, - "Dunkery_Hill.jpg": 2, - "that": 1, - "showGridScreen": 2, - "dream": 1, - "Simple": 1, - "Netflix": 1, - "these": 1, - "categories": 1, - "while": 4, - "ideally": 1, - "Demonstration": 1, - "step": 1, - "data": 2, - "category.": 1, - "not": 2, - "StyleButtons": 3, - "******************************************************": 4, - "return": 5, - "x9": 1, - "for": 10, - "Object": 2, - "I": 2, - "Rights": 1, - "display": 2, - "Logo": 1, - "slight": 1, - "yes": 1, - "prior": 1, - "Reserved.": 1, - "time": 1, - "app": 1, - "************************************************************": 2, - "theme.GridScreenRetrievingColor": 1, - "mankind.": 1, - "(": 32, - "have": 2, - "attributes": 2, - "cran_TV_plat.svg/200px": 2, - "the": 17, - "theme.CounterSeparator": 1, - "this": 3, - "nation": 1, - "Portrait": 1, - "msg.isListItemFocused": 1, - "my": 1, - "as": 2, - "Set": 1, - "go": 1, - "startup/initialization": 1, - "springboard": 2, - "screen.SetListNames": 1, - "Grid": 2, - "back": 1, - "in": 3, - "custom": 1, - "HD": 6, - "theme.GridScreenFocusBorderSD": 1, - "dynamic": 1, - "little": 1, - "selection": 3, - "shows": 1, - "row": 2, - "print": 7, - ")": 31, - "categories.": 1, - "attributes.": 1, - "a": 4, - "code": 1, - "gridstyle": 7, - "Sub": 2, - "//upload.wikimedia.org/wikipedia/commons/8/81/Martin_Luther_King_": 2, - "character.": 1, - "screen.SetContentList": 2, - "msg.isListItemSelected": 1, - "msg.GetIndex": 3, - "your": 1, - "categoryList.count": 2, - "on": 1, - "come": 1, - "function": 1, - "live": 1, - "Copyright": 1, - "add": 1, - "now": 1, - "All": 3, - "artwork": 2, - "adjustments": 1, - "skin": 1, - "roAssociativeArray": 2, - "set": 2, - "else": 1, - "create": 1, - "theme.CounterTextLeft": 1, - "CreateObject": 2, - "preShowGridScreen": 2, - "where": 1, - "configurable": 1, - "Dream": 1, - "retreiving": 1, - "theme.GridScreenDescriptionOffsetSD": 1, - "x1": 1, - "endif": 1, - "theme.GridScreenLogoSD": 1, - "Configure": 1, - "C3": 4, - "objects": 1, - "theme.GridScreenBackgroundColor": 1, - "children": 1, - "just": 2, - "+": 1, - "gridscreen": 1, - "application": 1, - "does": 1, - "http": 14, - "c": 1, - "getShowsForCategoryItem": 1, - "//upload.wikimedia.org/wikipedia/commons/1/1e/Apollo_11_first_step.jpg": 2, - "they": 1, - "m.port": 3, - "x2": 4, - "then": 3, - "nothing": 1, - "static": 1, - "list": 1, - "theme.GridScreenLogoOffsetSD_X": 1, - "if": 3, - "but": 2, - "msg.GetMessage": 1, - "dynamically": 1, - "content": 2, - "screen.": 1, - "theme.GridScreenLogoOffsetHD_X": 1, - "wait": 1, - "small": 1, - "background": 1, - "all": 1, - "use": 1, - "example.": 1, - "each": 1, - "category": 1, - "//upload.wikimedia.org/wikipedia/commons/thumb/2/22/": 2, - "x3": 6, - "Screen": 2, - "msg.getData": 2, - "_March_on_Washington.jpg": 2, - "Function": 5, - "theme.GridScreenLogoOffsetSD_Y": 1, - "filter": 1, - "-": 15, - "**": 17, - "of": 5, - "their": 2, - "greyscales": 1, - "make": 1, - "theme.GridScreenLogoOffsetHD_Y": 1, - "show": 1, - "SD": 5, - "screen.SetMessagePort": 1, - "sufficient": 1, - "End": 4, - "screen.setupLists": 1, - "leap": 1, - "so": 2, - "used": 1, - "x4": 1, - "is": 1, - "four": 1, - "one": 3, - "description": 1, - "passing": 1, - "individual": 1, - "get": 1, - "cran_TV_plat.svg.png": 2, - "Channel": 1, - "Movie": 2, - "cheat": 1, - "string": 3, - "theme": 3, - "//upload.wikimedia.org/wikipedia/commons/thumb/9/96/Dunkery_Hill.jpg/800px": 2, - "screen": 5, - "to": 10, - "theme.GridScreenListNameColor": 1, - "buttons": 1, - "PG": 1, - "[": 3, - "Landscape": 1, - "an": 1, - "colors": 1, - "man": 1, - "own": 1, - "theme.GridScreenMessageColor": 1, - "default": 1, - "new": 1, - "}": 1, - "color": 1, - "judged": 1, - "by": 2, - "theme.GridScreenOverhangHeightHD": 1, - "will": 3, - "Store": 1, - "any": 1, - "Inc.": 1, - "end": 2, - "theme.CounterTextRight": 1, - "theme.GridScreenFocusBorderHD": 1, - "Square": 1, - "Main": 1, - "screen.Show": 1, - "Roku": 1, - "SQUARE_SHAPE.svg.png": 2, - "********************************************************************": 1, - ";": 10 - }, - "XML": { - "organisation=": 3, - "step": 1, - "plug": 1, - "cache.": 5, - "": 120, - "rebroadcast": 2, - "next": 1, - "test": 7, - "clean": 1, - "normally": 6, - "i.e.": 23, - "still": 1, - "": 1, - "work": 2, - "RxApp.GetFieldNameForPropertyNameFunc.": 2, - "without": 1, - "spamming": 2, - "defined": 1, - "value": 44, - "target.": 1, - "naming": 1, - "would": 2, - "calculationFunc": 2, - "access": 3, - "pass": 2, - "mathematical": 2, - "synchronous": 1, - "enabled": 8, - "to": 164, - "allow": 1, - "True.": 2, - "called": 5, - "RxApp.DeferredScheduler": 2, - "maintain": 1, - "": 2, - "Creates": 3, - "stream.": 3, - "similar": 3, - "web": 6, - "subsequent": 1, - "IEnableLogger": 1, - "registered.": 2, - "ObservableToProperty": 1, - "code": 4, - "changes": 13, - "": 1, - "custom": 4, - "which": 12, - "each": 7, - "disposed.": 3, - "have": 17, - "value.": 2, - "gets": 1, - "on.": 6, - "Consider": 2, - "using": 9, - "entire": 1, - "automatically": 3, - "TPL": 1, - "Selector": 1, - "services": 2, - "queues": 2, - "your": 8, - "then": 3, - "property.": 12, - "module.ant": 1, - "removed": 4, - "fire": 11, - "Dispatcher": 3, - "collection": 27, - "arbitrarily": 2, - "reenables": 3, - "": 12, - "cache": 14, - "determine": 1, - "suffice.": 1, - "cannot": 1, - "completes": 4, - "module.ivy": 1, - "usually": 1, - "newly": 2, - "almost": 2, - "monitor": 1, - "ReactiveCollection.": 1, - "generic": 3, - "changes.": 2, - "identical": 11, - "running.": 1, - "last": 1, - "property": 74, - "useful": 2, - "typed": 2, - "conf=": 1, - "background": 1, - "mock": 4, - "extension": 2, - "": 36, - "*after*": 2, - "convert": 2, - "up": 25, - "operations": 6, - "s": 1, - "unit": 3, - "doesn": 1, - "concurrently": 2, - "where": 4, - "object.": 3, - "Changed": 4, - "calls.": 2, - "async": 3, - "go": 2, - "": 1, - "": 2, - "rest.": 2, - "convenient.": 1, - "post": 2, - "posted": 3, - "purpose": 10, - "single": 2, - "base": 3, - "needs": 1, - "onto": 1, - "ObservableAsyncMRUCache.": 1, - "defaults": 1, - "directly": 1, - "times.": 4, - "method.": 2, - "key": 12, - "already": 1, - "memoizes": 2, - "Log": 2, - "subscribed": 2, - "global": 1, - "framework.": 1, - "collections": 1, - "are": 13, - "varables": 1, - "Observables.": 2, - "RxApp": 1, - "found.": 1, - "list": 1, - "selector.": 2, - "regardless": 2, - "actual": 2, - "action": 2, - "add": 2, - "Test": 1, - "optionally": 2, - "": 3, - "Fires": 14, - "added": 6, - "represents": 4, - "simpler": 1, - "": 1, - "designed": 1, - "new": 10, - "coupled": 2, - "be": 57, - "setup.": 12, - "provider": 1, - "write": 2, - "applies": 1, - "flight": 2, - "complete": 1, - "*before*": 2, - "It": 1, - "old": 1, - "True": 6, - "only": 18, - "memoizing": 2, - "takes": 1, - "Observable.Return": 1, - "ensure": 3, - "Type": 9, - "contract.": 2, - "another": 3, - "number": 9, - "": 83, - "writing": 1, - "expression": 3, - "immediately": 3, - "Evaluates": 1, - "Return": 1, - "does": 1, - "whenever": 18, - "IObservedChange": 5, - "results": 6, - "i": 2, - "Registers": 3, - "helper": 5, - "Returns": 5, - "from": 12, - "PropertyChangedEventArgs.": 1, - "love": 1, - "override": 1, - "otherwise": 1, - "expensive": 2, - "Sends": 2, - "change": 26, - "raiseAndSetIfChanged": 1, - "can": 11, - "multiple": 6, - "build": 1, - "Change": 2, - "sense.": 1, - "mean": 1, - "ViewModels": 3, - "function": 13, - "raised": 1, - "schedule": 2, - "item.": 3, - "paths": 1, - "notification.": 2, - "Determins": 2, - "Represents": 4, - "version=": 4, - "combination": 2, - "In": 6, - "": 1, - "MessageBus.Current.": 1, - "GetFieldNameForPropertyNameFunc.": 1, - "framework": 1, - "x.SomeProperty": 1, - "logger": 2, - "one.": 1, - "Setter": 2, - "checks.": 1, - "WebRequest": 1, - "two": 1, - "guarantees": 6, - "equivalent": 2, - "way.": 2, - "and": 44, - "reasons": 1, - "CPU": 1, - "onChanged": 2, - "sent": 2, - "the": 260, - "rev=": 1, - "DeferredScheduler": 1, - "filled": 1, - "fully": 3, - "traditional": 3, - "structure": 1, - "call": 5, - "its": 4, - "pre": 1, - "GetFieldNameForProperty": 1, - "BindTo": 1, - "is": 123, - "version": 3, - "mirror": 1, - "ensuring": 2, - "*must*": 1, - "further": 1, - "change.": 12, - "same": 8, - "Enables": 2, - "xmlns": 2, - "normal": 2, - "invoke": 4, - "unlike": 13, - "recently": 3, - "a": 127, - "ea=": 2, - "replaces": 1, - "but": 7, - "help": 1, - "": 120, - "whose": 7, - "allows": 15, - "standard": 1, - "constructors": 12, - "backing": 9, - "fail.": 1, - "returned": 2, - "IReactiveNotifyPropertyChanged": 6, - "ItemChanging": 2, - "OAPH": 2, - "current": 10, - "no": 4, - "maxConcurrent": 1, - "client.": 2, - "IMessageBus": 1, - "Specifying": 2, - "when": 38, - "value=": 1, - "revision=": 3, - "SelectMany.": 1, - "If": 6, - "manage": 1, - "representing": 20, - "both": 2, - "provided": 14, - "MakeObjectReactiveHelper.": 1, - "anything": 2, - "thrown": 1, - "result": 3, - "cached": 2, - "after": 1, - "junit": 2, - "respective": 1, - "creating": 2, - "always": 4, - "target.property": 1, - "act": 2, - "An": 26, - "SendMessage.": 2, - "attaching": 1, - "particular": 2, - "": 2, - "attached.": 1, - "RegisterMessageSource": 4, - "stream": 7, - "returning": 1, - "ReactiveObject.": 1, - "ObservableAsyncMRUCache.AsyncGet": 1, - "returned.": 2, - "file": 3, - "methods.": 2, - "Message": 2, - "backed": 1, - "entry": 1, - "child": 2, - "operation.": 1, - ".": 20, - "so": 1, - "returns": 5, - "visibility=": 2, - "INotifyPropertyChanged.": 1, - "Concurrency": 1, - "": 1, - "ToProperty": 2, - "": 1, - "To": 4, - "as": 25, - "": 1, - "status=": 1, - "initialize": 1, - "overload": 2, - "or": 24, - "sending": 2, - "parameter": 6, - "explicitly": 1, - "types": 10, - "you": 20, - "TaskpoolScheduler": 2, - "maximum": 2, - "never": 3, - "string": 13, - "default.": 2, - "size": 1, - "*always*": 1, - "must": 2, - "available.": 1, - "added/removed": 1, - "additional": 3, - "more": 16, - "description=": 2, - "DispatcherScheduler": 1, - "assumption": 4, - "list.": 2, - "too": 1, - "fixed": 1, - "notify": 3, - "data": 1, - "collection.": 6, - "NOTE": 1, - "": 1, - "need": 12, - "determined": 1, - "scenarios": 4, - "intended": 5, - "notification": 6, - "AddRange": 2, - "INotifyPropertyChanged": 1, - "give": 1, - "leave": 10, - "out.": 1, - "out": 4, - "Set": 3, - "put": 2, - "UI": 2, - "Tracking": 2, - "resulting": 1, - "reached": 2, - "bus.": 1, - "registered": 1, - "log": 2, - "WhenAny": 12, - "on": 35, - "(": 52, - "semantically": 3, - "initial": 28, - "TSender": 1, - "Constructor": 2, - "send": 3, - "Given": 3, - "Converts": 2, - "scheduler": 11, - "properties": 29, - "other": 9, - "events.": 2, - "disposed": 4, - "": 1, - "Immediate": 1, - "Reference": 1, - "AsyncGet": 1, - "also": 17, - "start": 1, - "IMPORTANT": 1, - "extensionOf=": 1, - "awesome": 1, - "Attempts": 1, - "flattened": 2, - "asyncronous": 1, - "Note": 7, - "class": 11, - "folder": 1, - "loosely": 2, - "until": 7, - "exposes": 1, - "": 1, - "": 1, - "common": 1, - "equivalently": 1, - "result.": 2, - "performs": 1, - "requested": 1, - "": 2, - "Pool": 1, - "RaisePropertyChanged": 2, - "faking": 4, - "faster": 2, - "thread.": 3, - "false": 2, - "issue": 2, - "Current": 1, - "important": 6, - "": 1, - "": 1, - "private": 1, - "ObservableForProperty": 14, - "typically": 1, - "When": 5, - "contents": 2, - "type": 23, - "easyant": 3, - "requests": 4, - "any": 11, - "neither": 3, - "run": 7, - "MRU": 1, - "field": 10, - "chained": 2, - "instance": 2, - "time": 3, - "created": 2, - "": 84, - "name.": 1, - "heuristically": 1, - "x": 1, - "dummy": 1, - "Threadpool": 1, - "them": 1, - "provide": 2, - "memoization": 2, - "of": 75, - "": 1, - "Collection.Select": 1, - "service": 1, - "specified": 7, - "empty": 1, - "asynchronous": 4, - "simple": 2, - "read": 3, - "send.": 4, - "optionnal": 1, - "simplify": 1, - "Conceptually": 1, - "adds": 2, - "possible": 1, - "Observables": 4, - "ItemChanged": 2, - "based": 9, - "followed": 1, - "implements": 8, - "that": 94, - "additionnal": 1, - "distinguish": 12, - "notifications.": 5, - "t": 2, - "able": 1, - "input": 2, - "receives": 1, - "This": 21, - "Observable": 56, - "Listen": 4, - "messages": 22, - "startup.": 1, - "existing": 3, - "queried": 1, - "my": 2, - "Silverlight": 2, - "image": 1, - "between": 15, - "": 121, - "bindings": 13, - "Item": 4, - "declare": 1, - "before": 8, - "Count.": 4, - "observe": 12, - "leak": 2, - "hundreds": 2, - "many": 1, - "concurrent": 5, - "duplicate": 2, - "through": 3, - "Provides": 4, - "itself": 2, - "should": 10, - "tests.": 1, - "Use": 13, - "apply": 3, - "ReactiveObject": 11, - "versions": 2, - "listen": 6, - "InUnitTestRunner": 1, - "derive": 1, - "evicted": 2, - "places": 1, - "Works": 2, - "than": 5, - "": 36, - "response": 2, - "corresponding": 2, - "ReactiveCollection": 1, - "request": 3, - "Changed.": 1, - "evaluate": 1, - "compute": 1, - "Tag": 1, - "Ensure": 1, - "implement": 5, - "example": 2, - "convention": 2, - "compatible": 1, - "given": 11, - "provides": 6, - "A": 19, - "": 1, - "": 120, - "caches": 2, - "to.": 7, - "changed": 18, - "unique": 12, - "with": 23, - "implementing": 2, - "customize": 1, - "fake": 4, - "RaisePropertyChanging": 2, - "reflection": 1, - "progress": 1, - "initialized": 2, - "Constructs": 4, - "properties/methods": 1, - "selector": 5, - "delete": 1, - "may": 1, - "": 1, - "type.": 3, - "sense": 1, - "about": 5, - "observed": 1, - "queued": 1, - "fires": 6, - "IReactiveNotifyPropertyChanged.": 4, - "well": 2, - "compile": 1, - "target": 6, - "several": 1, - "very": 2, - "representation": 1, - "withDelay": 2, - "finishes.": 1, - "retrieve": 3, - "has": 16, - "take": 2, - "values": 4, - "parameter.": 1, - "": 1, - "own": 2, - "Task": 1, - "fetch": 1, - "": 2, - "": 2, - "set.": 3, - "Issues": 1, - ";": 10, - "user": 2, - "module=": 3, - "RaiseAndSetIfChanged": 2, - "Model": 1, - "operation": 2, - "limited": 1, - "wait": 3, - "taken": 1, - "will": 65, - "providing": 20, - "provided.": 5, - "Changing": 5, - "per": 2, - "modes": 1, - "object": 42, - "set": 41, - "for": 59, - "mode": 2, - "populated": 4, - "requests.": 2, - "casting": 1, - "specific": 8, - "easily": 1, - "Rx.Net.": 1, - "it": 16, - "Value": 3, - "optional": 2, - "ReactiveUI": 2, - "previous": 2, - "": 12, - "Unit": 1, - "updated.": 1, - "x.Foo.Bar.Baz": 1, - "running": 4, - "disk": 1, - "ObservableAsPropertyHelper": 6, - "Exception": 1, - "delay.": 2, - "discarded.": 4, - "Functions": 2, - "going": 4, - "Type.": 2, - "removed.": 4, - "updated": 1, - "disconnects": 1, - "steps": 1, - "want": 2, - "way": 2, - "instead": 2, - "future": 2, - "": 1, - "This.GetValue": 1, - "memoized": 1, - "WP7": 1, - "filters": 1, - "null.": 10, - "objects": 4, - "not": 9, - "delay": 2, - "performance": 1, - "keyword.": 2, - "output": 1, - "ChangeTrackingEnabled": 2, - "SelectMany": 2, - "like": 2, - "return": 11, - "nor": 3, - "": 1, - "classes": 2, - "in": 45, - "org=": 1, - "temporary": 1, - "first": 1, - "Covariant": 1, - "ObservableForProperty.": 1, - "sample": 2, - "upon": 1, - "done": 2, - "message": 30, - "keep": 1, - "Observable.": 6, - "java": 1, - "raisePropertyChanging": 4, - "expression.": 1, - "selectors": 2, - "Since": 1, - "name=": 223, - "part": 2, - "communicate": 2, - "was": 6, - "Another": 2, - "could": 1, - "application": 2, - "addition": 3, - "/": 6, - "Expression": 7, - "called.": 1, - "currently": 2, - "": 1, - "": 2, - "configured": 1, - "subscribing": 1, - "raise": 2, - "null": 4, - "name": 7, - "non": 1, - "message.": 1, - "default": 9, - "ViewModel": 8, - "one": 27, - "function.": 6, - "at": 2, - "attempts": 1, - "manually": 4, - "binding.": 1, - "SetValueToProperty": 1, - "server": 2, - "avoid": 2, - "save": 1, - "evaluated": 1, - "method": 34, - "used": 19, - "because": 2, - "-": 49, - "been": 5, - "such": 5, - "ItemChanging/ItemChanged.": 2, - "": 1, - "helps": 1, - "download": 1, - "depends": 1, - "ObservableAsyncMRUCache": 2, - "often": 3, - "IReactiveCollection": 3, - "calculation": 8, - "make": 2, - "Select": 3, - "making": 3, - "server.": 2, - "limit": 5, - "maps": 1, - "full": 1, - "once": 4, - "MessageBus": 3, - "named": 2, - "similarly": 1, - "this": 77, - "adding": 2, - "unpredictable.": 1, - "parameters.": 1, - "item": 19, - "unless": 1, - "if": 27, - "added.": 4, - "we": 1, - "ValueIfNotDefault": 1, - "potentially": 2, - "file.": 1, - "onRelease": 1, - "via": 8, - "by": 13, - "use": 5, - ")": 45, - "": 1, - "being": 1, - "slot": 1, - "either": 1, - "extended": 1, - "Sender.": 1, - "all": 4, - "T": 1, - "field.": 1, - "into": 2, - "Timer.": 2, - "populate": 1, - "passed": 1, - "an": 88, - "notifications": 22, - "Invalidate": 2, - "Changing/Changed": 1, - "items": 27, - "changed.": 9, - "The": 74, - "interface": 4 - }, - "Monkey": { - "&": 1, - "lessStuff": 1, - "boolVariable2": 1, - "shorttype": 1, - "updateCount*1.1": 1, - "oss": 1, - "Local": 3, - "DrawRect": 1, - "Field": 2, - "string5": 1, - "in": 1, - "sequence": 1, - "Class": 3, - "Function": 2, - "clock": 3, - "i*Sin": 1, - "Next": 1, - "Die": 1, - "Bool": 2, - "documentation": 1, - "w": 3, - "+": 5, - "i*3": 1, - "#If": 1, - "worstCase": 1, - "oneStuff": 1, - "OnRender": 1, - "Cls": 1, - "Until": 1, - "prints": 1, - "strings": 1, - "a": 3, - "class": 1, - "DrawSpiral": 3, - "Method": 4, - "Step": 1, - "event.pos": 1, - "generics": 1, - "VectorNode": 1, - "the": 1, - "(": 12, - "|": 2, - "#End": 1, - "escape": 1, - "array": 1, - "Game": 1, - "with": 1, - "separated": 1, - "Global": 14, - "": 1, - "w*1.5": 1, - "he": 2, - "False": 1, - "boolVariable1": 1, - "OnCreate": 1, - "y": 2, - "-": 2, - "killed": 1, - "string4": 1, - "[": 6, - "listOfStuff": 3, - "sample": 1, - "c": 1, - "DoOtherStuff": 1, - "Boolean": 1, - "field": 1, - "hitbox.Collide": 1, - "i*2": 1, - "DoStuff": 1, - "text": 1, - ".2": 1, - "For": 1, - "Abstract": 1, - "App": 1, - "OnUpdate": 1, - "True": 2, - "Strict": 1, - "worst.List": 1, - "Print": 2, - "Enemy": 1, - "characers": 1, - "x#": 1, - "operators": 1, - "preprocessor": 1, - "string6": 1, - "]": 6, - "i#": 1, - "y#": 1, - "End": 8, - ".ToUpper": 1, - "comma": 1, - "syntax": 1, - "from": 1, - "me": 1, - "x": 2, - "TARGET": 2, - "string3": 1, - "": 1, - "SetUpdateRate": 1, - "DeviceWidth/2": 1, - "keywords": 1, - "Node": 1, - "i*Cos": 1, - "New": 1, - "extending": 1, - ")": 12, - "b": 6, - "Extends": 2, - "#ElseIf": 1, - "String": 4, - "updateCount": 3, - "testField": 1 - }, - "Scheme": { - "char": 1, - "<=>": 3, - "bullet.vel": 1, - "c": 4, - "inexact": 16, - "radians": 8, - "cons": 1, - "a.radius": 1, - "procedure": 1, - "integer": 25, - "milli": 1, - "vel": 4, - "radius": 6, - "dharmalab": 2, - ";": 1684, - "compat": 1, - "math": 1, - "size": 1, - "level": 5, - "5": 1, - "glutWireCone": 1, - "background": 1, - "base": 2, - "birth": 2, - "2": 1, - "begin": 1, - "system": 2, - "gl": 12, - "list": 6, - "s19": 1, - "/": 7, - "utilities": 1, - "#f": 5, - "of": 3, - "glamour": 2, - "y": 3, - "s1": 1, - "force": 1, - "display": 4, - "cond": 2, - "ammo": 9, - "geometry": 1, - "lifetime": 1, - "number": 3, - "sin": 1, - "s": 1, - "ship.pos": 5, - ")": 373, - "ship": 8, - "define": 27, - "p": 6, - "default": 1, - "starting": 3, - "glut": 2, - "#": 6, - "mod": 2, - "100": 6, - "when": 5, - "lambda": 12, - "glTranslated": 1, - "each": 7, - "width": 8, - "seconds": 12, - "asteroid": 14, - "d": 1, - "par.vel": 1, - "pack.vel": 1, - "update": 2, - "glutKeyboardFunc": 1, - "append": 4, - "<": 1, - "a.vel": 1, - "glutWireCube": 1, - "par": 6, - "say": 9, - "a": 19, - "in": 14, - "10": 1, - "ship.vel": 5, - "glRotated": 2, - "import": 1, - "score": 5, - "cos": 1, - "lists": 1, - "glutPostRedisplay": 1, - "bullet.pos": 2, - "nanoseconds": 2, - "pi": 2, - "initialize": 1, - "translate": 6, - "newline": 2, - "glu": 1, - "current": 15, - "0": 7, - "vector": 6, - "rnrs": 1, - "wrap": 4, - "w": 1, - "last": 3, - "matrix": 5, - "record": 5, - "agave": 4, - "nanosecond": 1, - "-": 188, - "glutMainLoop": 1, - "distance": 3, - "basic": 1, - "angle": 6, - "bits": 1, - "particle": 8, - "par.birth": 1, - "pt*n": 8, - "args": 2, - "comprehensions": 1, - "time": 24, - "n": 2, - "50": 4, - "micro": 1, - "ec": 6, - "make": 11, - "fields": 4, - "type": 5, - "random": 27, - "randomize": 1, - "color": 2, - "mutable": 14, - "glutIdleFunc": 1, - "b": 4, - "contact": 2, - "bullet.birth": 1, - "bullets": 7, - "surfage": 4, - "space": 1, - "degrees": 2, - "reshape": 1, - "a.pos": 2, - "par.pos": 2, - "ship.theta": 10, - "buffered": 1, - "s42": 1, - "misc": 1, - "pack": 12, - "4": 1, - "if": 1, - "glutWireSphere": 3, - "s27": 1, - "for": 7, - "source": 2, - "1": 2, - "ref": 3, - "dt": 7, - "x": 8, - "height": 8, - "second": 1, - ".": 1, - "asteroids": 15, - "pos": 16, - "val": 3, - "+": 28, - "else": 2, - "glColor3f": 5, - "ships": 1, - "theta": 1, - "(": 359, - "excursion": 5, - "let": 2, - "step": 1, - "window": 2, - "records": 1, - "title": 1, - "case": 1, - "null": 1, - "particles": 11, - "set": 19, - "bullet": 16, - "key": 2, - "par.lifetime": 1, - "pack.pos": 3, - "only": 1, - "spaceship": 5, - "i": 6, - "f": 1, - "pt": 49, - "eager": 1, - "filter": 4, - "is": 8, - "map": 4 - }, - "Less": { - "border": 2, - "/": 2, - "}": 2, - ")": 1, - "%": 1, - "(": 1, - "{": 2, - "-": 3, - ";": 7, - "@margin": 3, - "padding": 1, - ".border": 1, - "color": 3, - "navigation": 1, - "margin": 1, - ".content": 1, - "px": 1, - "darken": 1, - "#3bbfce": 1, - "@blue": 4 - }, - "Tea": { - "foo": 1, - "<%>": 1, - "template": 1 - }, - "Java": { - "isPrimitive": 1, - ".hasheq": 1, - "finally": 2, - "d": 10, - "bs.toStringUtf8": 1, - "list": 1, - "xmlElementDecl": 3, - "to_bitField0_": 3, - "transient": 2, - "data": 8, - "hasName": 5, - "byte": 4, - "XmlDtd": 5, - "internal_static_persons_Person_descriptor": 3, - ".mergeFrom": 2, - "defaultInstance": 4, - "extends": 10, - "elementDecl": 1, - "o.hashCode": 2, - "LONG_TYPE": 3, - "@Override": 6, - "org.apache.xerces.xni.Augmentations": 1, - "nokogiriClassCache.put": 26, - "ThreadContext": 2, - "isInteger": 1, - "super.clear": 1, - "XML_READER_ALLOCATOR": 2, - ".compareTo": 1, - ".getDescriptor": 1, - "NokogiriService": 1, - "ConcurrentHashMap": 1, - "mergeFrom": 5, - "java.lang.reflect.Constructor": 1, - "end": 4, - "xpathContext": 1, - "ProtocolBuffer": 2, - "nokogiri.internals": 1, - "XmlCdata.class": 1, - "xsltModule.defineAnnotatedMethod": 1, - "errorHandler": 6, - "org.apache.xerces.xni.parser.XMLDocumentFilter": 1, - "Number": 9, - "x": 8, - "onChanged": 4, - "nokogiri": 6, - "attrDecl.defineAnnotatedMethods": 1, - "any": 1, - "build": 1, - "//a": 1, - "]": 54, - "htmlDocument.setEncoding": 1, - "com.google.protobuf.ExtensionRegistry": 2, - "x.getClass": 1, - "root": 6, - "xsltStylesheet.clone": 1, - "xmlElement": 3, - "xmlNode": 5, - "fixEmpty": 8, - "Util": 1, - "val": 3, - "BYTE_TYPE": 3, - "Exception": 1, - "this.off": 1, - "XML_ELEMENT_CONTENT_ALLOCATOR": 2, - "java.io.ObjectStreamException": 1, - "while": 10, - "parameters": 4, - "XmlText.class": 1, - "super.mergeFrom": 1, - "long": 5, - "org.w3c.dom.NodeList": 1, - "//": 16, - "classes.length": 2, - "slaves": 3, - "java.lang.String": 15, - "CloudList": 3, - "java.lang.Object": 7, - "mutable_bitField0_": 1, - "element.uri": 1, - "xmlNamespace.clone": 1, - "org.w3c.dom.NamedNodeMap": 1, - ".getName": 1, - "NumberFormat.getInstance": 2, - "com.google.protobuf.GeneratedMessage": 1, - "input": 18, - "d.getComponentType": 1, - "HtmlElementDescription.class": 1, - "type": 3, - "persons.ProtocolBuffer.Person.getDefaultInstance": 2, - "method.getParameterTypes": 1, - "xsltStylesheet": 3, - "xmlText": 3, - "isNamespace": 1, - "XML_TEXT_ALLOCATOR": 2, - "com.google.protobuf.UnknownFieldSet.Builder": 1, - "XmlComment.class": 1, - "XmlEntityDecl": 1, - "XsltStylesheet.class": 2, - "hashCombine": 1, - ";": 891, - "Numbers.hasheq": 1, - "itemListeners": 2, - "nokogiri.defineClassUnder": 2, - "memoizedIsInitialized": 4, - "ItemListener.class": 1, - "this.len": 2, - "org.jruby.runtime.ObjectAllocator": 1, - "xmlSaxParserContext.clone": 1, - "stylesheet": 1, - "nodeSet": 1, - "HtmlDocument": 7, - "attrs.removeAttributeAt": 1, - "xmlDocumentFragment.clone": 1, - "hashCode": 1, - "INT": 6, - "XSLT_STYLESHEET_ALLOCATOR": 2, - "j": 9, - "CopyOnWriteList": 4, - "package": 6, - "qs": 3, - "cache.entrySet": 1, - "nokogiri.XmlDocument": 1, - "XML_ATTR_ALLOCATOR": 2, - "initErrorHandler": 1, - "Type.ARRAY": 2, - "enableDocumentFragment": 1, - "htmlSaxModule": 3, - "Jenkins.MasterComputer": 1, - "HTML_DOCUMENT_ALLOCATOR": 2, - "size": 16, - "ElementValidityCheckFilter": 3, - "createXmlModule": 2, - "augs": 4, - "java.io.IOException": 10, - "klazz": 107, - "Stapler.getCurrentRequest": 1, - "descriptorData": 2, - "typeDescriptor": 1, - "bs.isValidUtf8": 1, - "RubyArray.newEmptyArray": 1, - "XmlElementDecl": 5, - "xmlDocument": 5, - "rsp.sendRedirect2": 1, - "k2": 38, - "com.google.protobuf.Descriptors.FileDescriptor.InternalDescriptorAssigner": 2, - "ret1": 2, - "new": 131, - "b.toString": 1, - "instanceof": 19, - "getJobCaseInsensitive": 1, - "java.util.Collections": 2, - "parsedMessage": 5, - "Hudson_NotAPositiveNumber": 1, - "getItems": 1, - "descriptor": 3, - "xmlNode.clone": 1, - "Jenkins": 2, - "nodeMap.item": 2, - "EncodingHandler": 1, - "XmlEntityDecl.EXTERNAL_GENERAL_PARSED": 1, - "": 3, - "XmlDocument.class": 1, - "SHORT_TYPE": 3, - "throws": 26, - "startElement": 2, - "c": 21, - "name.getChars": 1, - "XML_NODE_ALLOCATOR": 2, - "XmlAttributeDecl.class": 1, - "-": 15, - "result": 5, - "xmlAttr.clone": 1, - "HTMLConfiguration": 1, - "headers.item": 2, - "Type.OBJECT": 2, - "XMLParserConfiguration": 1, - "RubyClass": 92, - "htmlElemDesc.defineAnnotatedMethods": 1, - "m.getParameterTypes": 1, - "IRubyObject": 35, - "BasicLibraryService": 1, - "void": 25, - "entityDecl.defineAnnotatedMethods": 1, - "hudson.util.CopyOnWriteList": 1, - ".getSerializedSize": 1, - "NumberFormat": 1, - "xsltModule.defineClassUnder": 1, - "BOOLEAN_TYPE": 3, - "xmlSchema": 3, - "htmlDocument.defineAnnotatedMethods": 1, - "dtd": 1, - "w": 1, - "entref": 1, - "getNameBytes": 5, - "input.readBytes": 1, - "hudson.Platform": 1, - "setNameBytes": 1, - "namespace.defineAnnotatedMethods": 1, - "serialVersionUID": 1, - "XmlSaxPushParser": 1, - "unknownFields": 3, - "PARSER": 2, - "VOID_TYPE": 3, - "com.google.protobuf.ExtensionRegistryLite": 8, - "&": 7, - "EncodingHandler.class": 1, - "XmlComment": 5, - "this.mergeUnknownFields": 1, - "element_names": 3, - "Character.TYPE": 2, - "bs": 1, - "getDimensions": 3, - "com.google.protobuf.Parser": 2, - "HTML_ELEMENT_DESCRIPTION_ALLOCATOR": 2, - ".length": 1, - "File": 2, - ".getNodeValue": 1, - "c2": 2, - "nil": 2, - "number": 1, - "getType": 10, - "xmlSaxParserContext": 5, - "xmlNamespace": 3, - "java.math.BigInteger": 1, - "MasterComputer": 1, - "Slave": 3, - "XmlXpathContext": 5, - "pi": 1, - "org.kohsuke.stapler.StaplerResponse": 1, - "getConstructorDescriptor": 1, - "xmlRelaxng": 3, - "XmlEntityReference.class": 1, - "context": 8, - "output": 2, - "PersonOrBuilder": 2, - "initParser": 1, - "PARSER.parseFrom": 8, - "clearName": 1, - "runtime": 88, - "XML_ENTITY_DECL_ALLOCATOR": 2, - "errorText": 3, - ".ensureFieldAccessorsInitialized": 2, - "getJob": 1, - "getParserForType": 1, - "cdata.defineAnnotatedMethods": 1, - "nodeSet.defineAnnotatedMethods": 1, - "XmlNamespace.class": 1, - "getComputerListeners": 1, - "@CLIResolver": 1, - "com.google.protobuf.ByteString.copyFromUtf8": 2, - "argumentTypes.length": 1, - "HTML_SAXPARSER_CONTEXT_ALLOCATOR": 2, - "XML_RELAXNG_ALLOCATOR": 2, - "relaxng": 1, - "errorHandler.getErrors": 1, - "java.io.File": 1, - "create": 2, - "BYTE": 6, - "java.io.InputStream": 4, - "writeTo": 1, - "XML_ELEMENT_DECL_ALLOCATOR": 2, - "i": 54, - "XmlDomParserContext": 1, - "htmlDocument.setDocumentNode": 1, - "methodDescriptor": 2, - "java.lang.reflect.Method": 1, - "XmlProcessingInstruction": 5, - "c.isPrimitive": 2, - "FLOAT": 6, - "getSize": 1, - "config.setErrorHandler": 1, - "persons.ProtocolBuffer.PersonOrBuilder": 1, - "Builder.create": 1, - "e.getKey": 1, - "xmlEntityRef.clone": 1, - "htmlSaxParserContext.defineAnnotatedMethods": 1, - "clojure.lang": 1, - "sneakyThrow0": 2, - "org.cyberneko.html.HTMLConfiguration": 1, - "com.google.protobuf.CodedInputStream": 5, - "getInternalName": 2, - "public": 214, - "double": 4, - "options": 4, - "org.cyberneko.html.filters.DefaultFilter": 1, - "nokogiri.defineModuleUnder": 3, - "k1": 40, - "car": 18, - "isDarwin": 1, - "java.lang.ref.SoftReference": 1, - "XSTREAM.alias": 1, - "registerAllExtensions": 1, - "other.getUnknownFields": 1, - "Map": 1, - "}": 434, - "XmlNode": 5, - "b": 7, - "class": 12, - "classes": 2, - "setFeature": 4, - "Util.": 1, - "allocate": 30, - "import": 66, - "HtmlEntityLookup.class": 1, - "buf": 43, - "LONG": 7, - "XmlAttr.class": 1, - "org.jruby.runtime.ThreadContext": 1, - "super.writeReplace": 1, - ".generateResponse": 2, - ".equalsIgnoreCase": 5, - "compare": 1, - "getSlave": 1, - "XML_COMMENT_ALLOCATOR": 2, - "com.google.protobuf.GeneratedMessage.FieldAccessorTable": 4, - "xmlDtd.clone": 1, - "": 2, - "XMLDocumentFilter": 3, - "createNokogiriClassCahce": 2, - "hudson.Util.fixEmpty": 1, - ".computeBytesSize": 1, - "boolean": 36, - "Jenkins.CloudList": 1, - "reader.defineAnnotatedMethods": 1, - "b.append": 1, - "hudson.slaves.ComputerListener": 1, - "req.getQueryString": 1, - "htmlDocument": 6, - "PARSER.parsePartialFrom": 1, - "stringOrNil": 1, - "[": 54, - "XmlText": 6, - "schema": 2, - "ADMINISTER": 1, - "File.pathSeparatorChar": 1, - "OBJECT": 7, - "persons": 1, - "filters": 3, - "t.buf": 1, - "com.google.protobuf.Descriptors.Descriptor": 4, - "encHandler": 1, - "htmlSaxParserContext.clone": 1, - ".internalBuildGeneratedFileFrom": 1, - "buf.toString": 4, - "bitField0_": 15, - ".writeTo": 1, - "getDescriptor": 15, - "StaplerResponse": 4, - "RubyModule": 18, - "XmlSaxPushParser.class": 1, - "XmlNodeSet.class": 1, - "isWindows": 1, - ".toStringUtf8": 1, - "IHashEq": 2, - "floatValue": 1, - "from_bitField0_": 2, - "org.apache.xerces.xni.XNIException": 1, - "xmlModule.defineModuleUnder": 1, - "xmlSaxPushParser.defineAnnotatedMethods": 1, - "type.equalsIgnoreCase": 2, - "basicLoad": 1, - "c1": 2, - "Stapler.getCurrentResponse": 1, - "xmlSyntaxError.defineAnnotatedMethods": 1, - "o": 12, - "xmlReader.clone": 1, - "newUninitializedMessageException": 1, - "java.text.ParseException": 1, - "createNokogiriModule": 2, - "unknownFields.build": 1, - "xmlProcessingInstruction": 3, - "T": 2, - "persons.ProtocolBuffer.Person": 22, - "options.noError": 2, - "@SuppressWarnings": 1, - "entityDecl.defineConstant": 6, - "XmlSyntaxError.class": 1, - "context.getRuntime": 3, - "parseDelimitedFrom": 2, - "com.google.protobuf.InvalidProtocolBufferException": 9, - "HtmlSaxParserContext.class": 1, - "builder.getUnknownFields": 1, - "getSlaves": 1, - "text": 2, - "prototype": 2, - "options.strict": 1, - "xmlSchema.clone": 1, - "name.charAt": 1, - "negative": 1, - "getDescriptorForType": 1, - "dead": 1, - "DOUBLE_TYPE": 3, - ".setUnfinishedMessage": 1, - "buf.append": 21, - "XmlSaxParserContext": 5, - "xmlElementDecl.clone": 1, - "equiv": 17, - "output.writeBytes": 1, - "h": 2, - "registry": 1, - "htmlEntityLookup": 1, - "XML_SCHEMA_ALLOCATOR": 2, - "name.length": 2, - "jenkins.model.Jenkins": 1, - "maybeForceBuilderInitialization": 3, - "d.isPrimitive": 1, - "java.util.List": 1, - "Opcodes.IALOAD": 1, - ".getChildNodes": 2, - "ruby.getClassFromPath": 26, - "VOID": 5, - "else": 33, - "element": 3, - "": 1, - "XmlElementContent.class": 1, - "org.jvnet.hudson.reactor.ReactorException": 1, - "static": 141, - "defaultInstance.initFields": 1, - "m.getReturnType": 1, - "encoding": 2, - "return": 267, - "//cleanup": 1, - "|": 5, - "Method": 3, - "error": 1, - "org.jruby.RubyModule": 1, - "nokogiri.NokogiriService": 1, - "doFieldCheck": 3, - "Messages.Hudson_NotANegativeNumber": 1, - "RubyFixnum.newFixnum": 6, - "hudson.ExtensionListView": 1, - "javax.servlet.ServletContext": 1, - "ret": 4, - "opcode": 17, - "implements": 3, - "document.getDocumentElement": 2, - ".hasPermission": 1, - "methodDescriptor.indexOf": 1, - "org.jruby.runtime.builtin.IRubyObject": 2, - "com.google.protobuf.CodedOutputStream": 2, - "htmlDoc": 1, - "XML_ELEMENT_ALLOCATOR": 2, - "+": 83, - "com.google.protobuf.ByteString": 13, - ".get": 1, - "switch": 6, - "ISeq": 2, - "XmlDocumentFragment": 5, - "default": 6, - "xmlRelaxng.clone": 1, - "htmlSaxModule.defineClassUnder": 1, - "XmlElement.class": 1, - "Void.TYPE": 3, - "onBuilt": 1, - "rsp.sendError": 1, - "isInitialized": 5, - "XML_DTD_ALLOCATOR": 2, - "XmlDocument.rbNew": 1, - "newBuilderForType": 2, - ".getAttributes": 1, - "XNIException": 2, - "parseFrom": 8, - "off": 25, - "protected": 8, - "NullPointerException": 3, - ".getACL": 1, - "XmlEntityDecl.class": 1, - "equalsIgnoreCase": 1, - "needed": 1, - "": 2, - "nokogiri.internals.NokogiriHelpers.isNamespace": 1, - "k1.equals": 2, - "": 3, - "java.util.HashMap": 1, - "documentFragment.defineAnnotatedMethods": 1, - "computerListeners": 2, - "config": 2, - ".getClassName": 1, - "pluginManager": 2, - "org.jruby.RubyArray": 1, - "xmlProcessingInstruction.clone": 1, - "XML_DOCUMENT_ALLOCATOR": 2, - "XmlEntityDecl.EXTERNAL_GENERAL_UNPARSED": 1, - "this": 16, - "createSyntaxErrors": 2, - "makeExtensionsImmutable": 1, - "hasheq": 1, - "XmlAttributeDecl": 1, - "XmlXpathContext.class": 1, - "newBuilder": 5, - "n": 3, - "PluginManager": 1, - "dtd.defineAnnotatedMethods": 1, - "int": 62, - "removeNSAttrsFilter": 2, - "warningText": 3, - "ref": 16, - "persons.ProtocolBuffer.internal_static_persons_Person_descriptor": 3, - "XmlEntityDecl.EXTERNAL_PARAMETER": 1, - "e.setUnfinishedMessage": 1, - "xmlModule.defineClassUnder": 23, - "RuntimeException": 5, - "NokogiriStrictErrorHandler": 1, - "org.apache.xerces.xni.XMLAttributes": 1, - "len": 24, - "xmlNodeSet.setNodes": 1, - "XML_SAXPUSHPARSER_ALLOCATOR": 2, - "xmlSaxParserContext.defineAnnotatedMethods": 1, - "Integer": 2, - "wrapDocument": 1, - "XML_SAXPARSER_CONTEXT_ALLOCATOR": 2, - "//RubyModule": 1, - "HtmlDomParserContext": 3, - "hudson.util.FormValidation": 1, - "xmlDocumentFragment": 3, - "BOOLEAN": 6, - "Augmentations": 2, - "getSerializedSize": 2, - "INT_TYPE": 3, - "XmlEntityDecl.INTERNAL_PARAMETER": 1, - "hudson.model.listeners.ItemListener": 1, - "doLogRss": 1, - "other": 6, - "g": 1, - "null": 80, - "java.lang.ref.ReferenceQueue": 1, - "returnType.getDescriptor": 1, - "xmlComment.clone": 1, - "TopLevelItem": 3, - "htmlModule": 5, - "toBuilder": 1, - "L": 1, - "Double.TYPE": 2, - "t.len": 1, - "Person": 10, - "XML_PROCESSING_INSTRUCTION_ALLOCATOR": 2, - "ruby_encoding.isNil": 1, - "super": 7, - "": 1, - "": 2, - "xmlEntityRef": 3, - "entref.defineAnnotatedMethods": 1, - "req.getParameter": 4, - "testee": 1, - "Node": 1, - "rsp": 6, - "Short.TYPE": 2, - "identical": 1, - "parse": 1, - "catch": 27, - "Jenkins.getInstance": 2, - "XmlSchema.class": 1, - "CHAR_TYPE": 3, - "attrDecl": 1, - "xmlXpathContext": 3, - "val.get": 1, - "types": 3, - "": 1, - "{": 434, - "XmlReader.class": 1, - "rq.poll": 2, - "com.google.protobuf.GeneratedMessage.BuilderParent": 2, - "sneakyThrow": 1, - "other.name_": 1, - "htmlElemDesc": 1, - "Builder": 20, - "clearCache": 1, - "clojure.asm": 1, - "org.jruby.Ruby": 2, - "relaxng.defineAnnotatedMethods": 1, - "index": 4, - "persons.ProtocolBuffer.Person.Builder.class": 2, - "elementValidityCheckFilter": 3, - "Long": 1, - "Boolean.TYPE": 2, - "NokogiriService.HTML_DOCUMENT_ALLOCATOR.allocate": 1, - "*": 2, - "Byte.TYPE": 2, - "InterruptedException": 2, - "org.apache.xerces.parsers.DOMParser": 1, - "result.bitField0_": 1, - "Constructor": 1, - "NamedNodeMap": 1, - "name": 10, - "ObjectAllocator": 60, - "noInit": 1, - "org.kohsuke.stapler.Stapler": 1, - "name.rawname": 2, - "t": 6, - "memoizedSerializedSize": 3, - "argumentTypes": 2, - ".toString": 1, - "syntaxError": 2, - "xmlNodeSet": 5, - "HtmlEntityLookup": 1, - "document": 5, - "builder": 4, - "BigInteger": 1, - "attrs.getQName": 1, - "char": 13, - "DefaultFilter": 2, - "ServletContext": 2, - "seed": 5, - "other.hasName": 1, - "elementDecl.defineAnnotatedMethods": 1, - "SHORT": 6, - "clear": 1, - "StaplerResponse.SC_FORBIDDEN": 1, - "Platform.isDarwin": 1, - "attr": 1, - "com.google.protobuf.Descriptors.FileDescriptor": 5, - "XML_SYNTAXERROR_ALLOCATOR": 2, - "XmlCdata": 5, - "xmlDocument.defineAnnotatedMethods": 1, - "schema.defineAnnotatedMethods": 1, - "d.isArray": 1, - "setName": 1, - "runtime.newNotImplementedError": 1, - "clone.setMetaClass": 23, - "XMLAttributes": 2, - "StaplerRequest": 4, - "Reference": 3, - "ruby.defineModule": 1, - "org.w3c.dom.Document": 1, - "XmlDocument": 8, - "m": 1, - "parent": 4, - "t.off": 1, - "XmlElementDecl.class": 1, - ".add": 1, - "private": 77, - "element.defineAnnotatedMethods": 1, - "classOf": 1, - "sort": 18, - "org.jruby.RubyFixnum": 1, - "com.google.protobuf.Message": 1, - "item.getName": 1, - "d.getName": 1, - "ParseException": 1, - "isValid": 2, - "xmlDtd": 3, - ".parse": 2, - "&&": 6, - "name_": 18, - "options.noWarning": 2, - "htmlModule.defineClassUnder": 3, - ".getMessageTypes": 1, - "if": 116, - "RemoveNSAttrsFilter": 2, - "org.apache.xerces.xni.parser.XMLParserConfiguration": 1, - ".len": 1, - "IOException": 8, - "e.getValue": 1, - "com.google.protobuf.UnknownFieldSet.newBuilder": 1, - "entityDecl": 1, - "com.google.protobuf.UnknownFieldSet": 2, - "testee.toCharArray": 1, - "result.isInitialized": 1, - "persons.ProtocolBuffer.Person.class": 2, - "XML_ENTITY_REFERENCE_ALLOCATOR": 2, - "getUnknownFields": 3, - "@java.lang.Override": 4, - "namespace": 1, - "com.google.protobuf.GeneratedMessage.alwaysUseFieldBuilders": 1, - "XmlElement": 5, - "node.defineAnnotatedMethods": 1, - "this.errorHandler": 2, - "getNewEmptyDocument": 1, - "org.apache.xerces.xni.QName": 1, - "XmlEntityReference": 5, - "t.sort": 1, - "NokogiriNonStrictErrorHandler4NekoHtml": 1, - "K": 2, - "break": 4, - "c.getName": 1, - "XML_CDATA_ALLOCATOR": 2, - "elementContent": 1, - "getOpcode": 1, - "org.jruby.runtime.load.BasicLibraryService": 1, - "typeDescriptor.toCharArray": 1, - "String": 33, - "0": 1, - "comment": 1, - "CloneNotSupportedException": 23, - "FormValidation.ok": 1, - "args": 6, - "Hudson.class": 1, - "XmlEntityDecl.INTERNAL_PREDEFINED": 1, - "XmlNode.class": 1, - "list.item": 2, - "Messages": 1, - "com.google.protobuf.MessageOrBuilder": 1, - "createHtmlModule": 2, - "testee.equals": 1, - "throw": 9, - "value": 11, - "z": 1, - "ARRAY": 6, - "getNokogiriClass": 1, - "XmlSchema": 5, - "Ruby": 43, - "Type": 42, - "XmlRelaxng.class": 1, - "assigner": 2, - "true": 21, - "createSaxModule": 2, - "Object": 31, - ".floatValue": 1, - "result.name_": 1, - "Hudson": 5, - "deserialization": 1, - "nokogiriClassCache": 2, - ")": 1097, - "@QueryParameter": 4, - "getName": 3, - "hudson.Functions": 1, - "false": 12, - ".replace": 2, - "documentFragment": 1, - "synchronized": 1, - "HtmlSaxParserContext": 5, - "org.kohsuke.stapler.QueryParameter": 1, - "node": 14, - "hc": 4, - "done": 4, - "": 1, - "rq": 1, - "Messages.Hudson_NotANumber": 1, - "Opcodes.IASTORE": 1, - "for": 16, - "hudson.model": 1, - "s": 10, - "XML_XPATHCONTEXT_ALLOCATOR": 2, - "detected_encoding.isNil": 1, - "DOUBLE": 7, - "||": 8, - "xmlAttr": 3, - "HTML_ENTITY_LOOKUP_ALLOCATOR": 2, - "XmlProcessingInstruction.class": 1, - "HashMap": 1, - "cache.remove": 1, - "getReturnType": 2, - "parsePartialFrom": 1, - "XML_ATTRIBUTE_DECL_ALLOCATOR": 2, - "xmlText.clone": 1, - "xmlSaxPushParser": 1, - "//XMLDocumentFilter": 1, - "xmlReader": 5, - "XmlSaxParserContext.class": 1, - "parser": 1, - "getElementType": 2, - "Collections.synchronizedMap": 1, - "ComputerListener.class": 1, - "boost": 1, - "ruby.getStandardError": 2, - "writeReplace": 1, - "XsltStylesheet": 4, - "ruby.getObject": 13, - "getDefaultInstance": 2, - "hudson.PluginManager": 1, - "List": 3, - "nokogiri.HtmlDocument": 1, - "htmlDocument.clone": 1, - "attrs.getLength": 1, - "xmlXpathContext.clone": 1, - "Class": 10, - "item": 2, - "l": 5, - "getSort": 1, - "try": 26, - "NAME_FIELD_NUMBER": 1, - "FormValidation.warning": 1, - "internalGetFieldAccessorTable": 2, - "text.defineAnnotatedMethods": 1, - "NodeList": 2, - "getInstance": 2, - "xmlSyntaxError": 4, - "detected_encoding": 2, - "getClassName": 1, - "parameters.length": 2, - "ExtensionListView.createCopyOnWriteList": 2, - "xpathContext.defineAnnotatedMethods": 1, - "XML_NAMESPACE_ALLOCATOR": 2, - "e3779b9": 1, - "parseUnknownField": 1, - "QName": 2, - "XmlSyntaxError": 5, - "<=>": 1, - ".getAllocator": 1, - "javax.servlet.ServletException": 1, - "xmlDocument.clone": 1, - "FormValidation": 2, - "c.getParameterTypes": 1, - "com.google.protobuf.UnknownFieldSet.getDefaultInstance": 1, - "buildPartial": 3, - "getObjectType": 1, - "hudson.cli.declarative.CLIResolver": 1, - "e": 31, - "xmlNodeSet.clone": 1, - "xmlComment": 3, - "match": 2, - "tag": 3, - "XStream": 1, - "htmlDocument.setParsedEncoding": 1, - "toString": 1, - "xmlElement.clone": 1, - "super.startElement": 2, - "headers.getLength": 1, - "Comparable": 1, - "setSlaves": 1, - "init": 2, - "ReactorException": 2, - "xmlCdata.clone": 1, - "Functions.toEmailSafeString": 2, - "XmlNodeSet": 5, - "PARSER.parseDelimitedFrom": 2, - "this.buf": 2, - "Integer.TYPE": 2, - "initFields": 2, - "elementContent.defineAnnotatedMethods": 1, - "java.lang.ref.Reference": 1, - "persons.ProtocolBuffer.internal_static_persons_Person_fieldAccessorTable": 2, - "Document": 2, - "setNodes": 1, - "headers": 1, - "nodeMap.getLength": 1, - "y": 1, - "StringBuffer": 14, - "Float.TYPE": 2, - "pi.defineAnnotatedMethods": 1, - "assignDescriptors": 1, - "": 1, - "req": 6, - ".getNodeName": 4, - "": 2, - "e.getMessage": 1, - "CHAR": 6, - "htmlEntityLookup.defineAnnotatedMethods": 1, - "reader": 1, - "isAdmin": 4, - "Map.Entry": 1, - "cache": 1, - "xmlSyntaxError.clone": 1, - "cdata": 1, - "attrs": 4, - "(": 1097, - "DOMParser": 1, - "list.getLength": 1, - "getNode": 1, - "xmlCdata": 3, - "HtmlElementDescription": 1, - "interface": 1, - "XML_NODESET_ALLOCATOR": 2, - "method": 2, - "tryGetCharsetFromHtml5MetaTag": 2, - "nokogiri.internals.NokogiriHelpers.stringOrNil": 1, - "characterData": 3, - "XmlDocumentFragment.class": 1, - "BigInt": 1, - "XmlAttr": 5, - "org.kohsuke.stapler.StaplerRequest": 1, - "equals": 2, - "this.sort": 2, - "createDocuments": 2, - "entries": 1, - "r": 1, - "NokogiriErrorHandler": 2, - "nokogiri.internals.NokogiriHelpers.getNokogiriClass": 1, - ".equiv": 2, - "xmlSaxModule": 3, - "charset": 2, - "stylesheet.defineAnnotatedMethods": 1, - "ruby": 25, - "XmlRelaxng": 5, - "doQuietDown": 2, - "<": 13, - "xmlModule": 7, - "getDefaultInstanceForType": 2, - "org.jruby.RubyClass": 2, - "e.getUnfinishedMessage": 1, - "com.google.protobuf.AbstractParser": 1, - "pcequiv": 2, - "FormValidation.error": 4, - "Numbers.compare": 1, - "Throwable": 4, - "htmlSaxParserContext": 4, - "xmlSaxModule.defineClassUnder": 2, - "ENCODING_HANDLER_ALLOCATOR": 2, - "getArgumentTypes": 2, - "getItem": 1, - "methodDescriptor.toCharArray": 2, - "Numbers.equal": 1, - "HtmlDocument.class": 1, - "IPersistentCollection": 5, - "getMethodDescriptor": 2, - "java.util.Map": 3, - "getJobListeners": 1, - "htmlModule.defineModuleUnder": 1, - "internal_static_persons_Person_fieldAccessorTable": 2, - "la": 1, - "k": 5, - "ReferenceQueue": 1, - "xsltModule": 3, - "XML_DOCUMENT_FRAGMENT_ALLOCATOR": 2, - "case": 56, - "runtimeException": 2, - "java.text.NumberFormat": 1, - "comment.defineAnnotatedMethods": 1, - "ruby_encoding": 3, - "java.util.concurrent.ConcurrentHashMap": 1, - "adminCheck": 3, - "method.getReturnType": 1, - "extensionRegistry": 16, - "FLOAT_TYPE": 3, - "java_encoding": 2, - "nokogiriClassCacheGvarName": 1, - "createXsltModule": 2, - "setProperty": 4, - "XmlReader": 5, - "XmlEntityDecl.INTERNAL_GENERAL": 1, - "<<": 1, - "final": 78, - "hash": 3, - "input.readTag": 1, - "clone": 47, - "ServletException": 3, - "XmlNamespace": 5, - "XmlDtd.class": 1, - "com.google.protobuf.GeneratedMessage.Builder": 2, - "returnType": 1, - "attr.defineAnnotatedMethods": 1, - "this.unknownFields": 4, - "html.defineOrGetClassUnder": 1, - "encHandler.defineAnnotatedMethods": 1, - "nodeMap": 1 - }, - "Lasso": { - "#rest": 1, - "also": 5, - "d": 2, - "html.": 2, - "list": 4, - "provided": 1, - "data": 12, - "@#output": 2, - "#cryptvalue": 10, - "that": 18, - "I": 4, - "JSON_RPCCall": 1, - "up": 4, - "#t": 2, - "Introduced": 2, - "action_statement": 2, - "internal": 2, - ".": 5, - "Seed": 2, - "knop_lang": 8, - "_temp": 1, - "works": 4, - "..onCreate": 1, - "end": 2, - "_records": 1, - "#custom_string": 4, - "@#errorcodes": 2, - "current_record": 2, - "duration": 4, - "locking": 4, - "Second": 1, - "/inline": 2, - "most": 2, - "string_IsNumeric": 1, - "onassign": 2, - "object": 7, - "any": 14, - "check": 6, - "Google": 2, - "]": 23, - "root": 2, - "#session": 10, - "readunlock": 2, - "knop_databaserow": 2, - "writing": 6, - "returnfield": 1, - "values.": 2, - "delimit": 7, - "val": 1, - "__lassoservice_ip__": 2, - "CHANGE": 4, - "searchresult": 2, - "14": 4, - "while": 9, - "message": 6, - "whitespace": 3, - "#error_code": 10, - "lockfield": 2, - "page": 14, - "exists.": 2, - "request": 2, - "statement": 4, - "well": 2, - "long": 2, - "#charlist": 6, - "//": 169, - "json_serialize": 18, - "#host": 4, - "variable.": 2, - "work": 6, - "Contains": 2, - "knop_user": 4, - "#doctype": 4, - "remains": 2, - "tag_name": 2, - "found.": 2, - "input": 2, - "debug": 2, - "transparently": 2, - "incorrect": 2, - "type": 63, - "accurate": 2, - "Knop": 6, - "Else": 7, - "condition": 4, - "Base": 2, - ";": 573, - "//fail_if": 6, - "pointer": 8, - "loop": 2, - "Find": 3, - "priority=": 2, - "warning": 2, - "still": 2, - "#endslash": 10, - "knoptype": 2, - "//bugs.mysql.com/bug.php": 2, - "inaccurate": 2, - "parameter": 8, - "knop_unique": 2, - "rows": 1, - "nParameters": 2, - "//##################################################################": 4, - "Max": 2, - "documentation": 2, - "records": 4, - "Loop_Abort": 1, - "capturesearchvars": 2, - "First": 4, - "define_tag": 48, - "help": 10, - "specific": 2, - "store": 4, - "on": 1, - "size": 24, - "never": 2, - "improved": 4, - "local": 116, - "Discard": 1, - "over": 2, - "loop_abort": 2, - "Return": 7, - "new": 14, - "01": 4, - "usually": 2, - "known": 2, - "thread": 6, - "client_address": 1, - "knop_cachestore": 4, - "params": 11, - "see": 16, - "contains": 2, - "generated": 2, - "array": 20, - "occurrence": 2, - "Replace": 19, - "getrecord.": 2, - "//www.lassosoft.com/json": 1, - "support": 6, - "option": 2, - "#params": 5, - "and": 52, - "Parameters": 4, - "local_defined": 26, - "2010": 4, - "var": 38, - "improve": 2, - "reset": 2, - "honors": 2, - "bug": 2, - "-": 2248, - "boilerplate": 2, - "exit": 2, - "result": 6, - "#custom_language": 10, - "export8bits": 6, - "This": 5, - "found_count": 11, - "touble": 2, - "returning": 2, - "Returns": 2, - "Looking": 2, - "#eol": 8, - "Lewis": 2, - "#temp": 19, - "unless": 2, - "exists": 2, - "Fields": 1, - "String_IsAlphaNumeric": 2, - "MySQL": 2, - "getrecord": 8, - "http": 6, - "correctly": 2, - "query.": 2, - "reached.": 2, - "Addedd": 2, - "decrypt_blowfish": 2, - "zero": 2, - "after": 2, - "keyfield": 4, - "&": 21, - "next.": 2, - "merge": 2, - "read": 1, - "json_object": 2, - "#id": 2, - "define_type": 14, - "error_lang": 2, - "cached": 8, - "not": 10, - "Useful": 2, - "#value": 14, - "gmt": 1, - "p": 2, - "EndsWith": 1, - "excludefield": 1, - "identify": 2, - "iterated.": 2, - "touch": 2, - "#cache_name": 72, - "Looks": 2, - "suppressed": 2, - "#numericValue": 4, - "output": 30, - "html": 4, - "Corrected": 8, - "but": 2, - "all": 6, - "incorporated": 1, - "returned": 6, - "ignorecase": 12, - "_date_msec": 4, - "#maxage": 4, - "#e": 13, - "07": 6, - "*/": 2, - "__html_reply__": 4, - "map": 23, - "unescape": 1, - "#type": 26, - "queries": 2, - "@#_output": 1, - "datatype": 2, - "cache_name": 2, - "create": 6, - "last": 4, - "response_filepath": 8, - "slower": 2, - "Internal.": 2, - "caching": 2, - "/resultset": 2, - "#anyChar": 2, - "public": 1, - "Optional": 1, - "double": 2, - "options": 2, - "All": 4, - "below": 2, - "Lasso_TagExists": 1, - "isknoptype": 2, - "be": 38, - "second": 8, - "Map": 3, - "}": 18, - "knop_seed": 2, - "parameter.": 2, - "Inc.": 1, - "": 3, - "timestamp": 4, - "#key": 12, - "iterate": 12, - "b": 2, - "properties": 4, - "string_replaceregexp": 8, - "**/": 1, - "yyyyMMdd": 2, - "JSON_": 1, - "adjustments": 4, - "entire": 4, - "access": 2, - "serialization_reader": 1, - "optional": 36, - "hoping": 2, - "xhtml": 28, - "String_Remove": 2, - "get": 12, - "relevant": 2, - "of": 24, - "When": 2, - "out": 2, - "join": 5, - "Used": 2, - "/If": 3, - "#item": 10, - "by": 12, - "causes": 4, - "#ibytes": 17, - "query": 4, - "boolean": 4, - "which": 2, - "except": 2, - "[": 22, - "Lasso": 15, - "client_ip": 1, - "bytes": 8, - "sense": 2, - "compatibility": 4, - "@": 8, - "lock": 24, - "12": 8, - "millisecond": 2, - "xml": 1, - "precision": 2, - "Make": 2, - "start": 5, - "nicely": 2, - "Get": 2, - "math_random": 2, - "%": 14, - "form": 2, - "length": 8, - "such": 2, - "conversion": 4, - "reaching": 2, - "Added": 40, - "returns": 4, - "grid": 2, - "tags": 14, - "knop_base": 8, - "TODO": 2, - "convert": 4, - "lang": 2, - "general": 2, - "uselimit": 2, - "we": 2, - "Thanks": 2, - "until": 2, - "#_records": 1, - "Adding": 2, - "ReturnField": 1, - "upper": 2, - "PostParams": 1, - "T": 3, - "literal": 3, - "keys": 6, - "example.": 2, - "NOTES": 4, - "error_msg": 15, - "#base": 8, - "9": 2, - "strings": 6, - "regexp": 1, - "BeginsWith": 1, - "objects.": 2, - "queue": 2, - "prototype": 4, - "between": 2, - "06": 2, - "_return": 1, - "knop": 6, - "token": 1, - "instead": 4, - "iterating": 2, - "fastest.": 2, - "localized": 2, - "handling": 2, - "atbegin": 2, - "newoptions": 1, - "It": 2, - "No": 1, - "performance.": 2, - "seconds": 4, - "field": 26, - "FileMaker": 2, - "date": 23, - "While": 1, - "24": 2, - "UTF": 4, - "writelock": 4, - "HHmmssZ": 1, - "/Protect": 1, - "lasso_tagexists": 4, - "there": 2, - "database": 14, - "inserting": 2, - "base": 6, - "else": 32, - "user": 4, - "#errorcodes": 4, - "RW": 6, - "find": 57, - "keyvalues": 4, - "so": 16, - "earlier": 2, - "with": 25, - "key": 3, - "return": 75, - "|": 13, - "misplaced": 2, - "onCreate": 1, - "Decoding": 1, - "error": 22, - "required=": 2, - "a": 52, - "case.": 2, - "copy": 4, - "#sql": 42, - "test": 2, - "json_consume_token": 2, - "2009": 14, - "db": 2, - "+": 146, - "later": 2, - "since": 4, - "json_literal": 1, - "codes": 2, - "keeplock": 4, - "default": 4, - "Ric": 2, - "properly": 4, - "native": 2, - "incremented": 2, - "different": 2, - "supports": 2, - "session_id": 6, - "sql": 2, - "Protect": 1, - "was": 6, - "knop_cachefetch": 4, - "RPCCall": 1, - "before": 4, - "knop_knoptype": 2, - "instance": 8, - "addlanguage": 4, - "u": 1, - "lower": 2, - "tagtime": 4, - "interact": 2, - "If": 4, - "scratch.": 2, - "thought": 2, - "Z": 1, - "Copyright": 1, - "response_localpath": 8, - "#error_lang": 12, - "includes": 2, - "Changed": 6, - "Debug": 2, - "11": 8, - "Min": 2, - "in": 46, - "lve": 2, - "SQL": 2, - "gets": 2, - "used": 12, - "when": 10, - "QT": 4, - "knop_stripbackticks": 2, - "this": 14, - "time": 8, - "consume_array": 1, - "_knop_data": 10, - "Literal": 2, - "add": 12, - "mixed": 2, - "n": 30, - "#lock": 12, - "//tagswap.net/found_rows": 2, - "/if": 53, - "have": 6, - "Default": 2, - "normalize": 4, - "S": 2, - "ID": 1, - "": 1, - "shortcut": 2, - "construction": 2, - "trait": 1, - "it.": 2, - "or": 6, - "8": 6, - "False": 1, - "flag": 2, - "same": 4, - "05": 4, - "Lasso_UniqueID": 1, - "#varname": 6, - "errors": 12, - "insert": 18, - "caused": 2, - "/Define_Tag": 1, - "json_deserialize": 1, - "one": 2, - "shown_first": 2, - "ORDER": 2, - "LIMIT": 2, - "Is": 1, - "content_body": 14, - "optionally": 2, - "Add": 2, - "_record": 1, - "through": 2, - "other": 4, - "session": 4, - "adding": 2, - "null": 26, - "knop_databaserows": 2, - "Removed": 2, - "settable": 4, - "internally": 2, - "creating": 4, - "23": 4, - "L": 2, - "variable": 8, - "current": 10, - "Thread_RWLock": 6, - "Centralized": 2, - "buffer.": 2, - "1": 2, - "_index": 1, - "trace": 2, - "specified": 8, - "Encrypt_Blowfish": 2, - "eachPair": 1, - "Done": 2, - "Moved": 6, - "removetrailing": 8, - "dummy": 2, - "inlinename.": 4, - "SQL_CALC_FOUND_ROWS": 2, - "StartPosition": 2, - "an": 8, - "recorddata": 6, - "increments": 2, - "types": 10, - "plain": 2, - "{": 18, - "maxrecords_value": 2, - "/while": 7, - "once": 4, - "session_addvar": 4, - "REALLY": 2, - "isa": 25, - "provide": 2, - "run": 2, - "called": 2, - "knop_base.": 2, - "2008": 6, - "index": 4, - "messages": 6, - "progress.": 2, - "server_name": 6, - "record": 20, - "it": 20, - "language": 10, - "use": 10, - "no": 2, - "name": 32, - "#timer": 2, - "JSON": 2, - "/define_tag": 36, - "existing": 2, - "initiate": 10, - "automatically": 2, - "/iterate": 12, - "normally": 2, - "t": 8, - "knop_cache": 2, - "always": 2, - "JSON_Records": 3, - "errors.": 2, - "Namespace": 1, - "Format": 1, - "Required": 1, - "foreachpair": 1, - "row": 2, - "reading": 2, - "corrected": 2, - "select": 1, - "seed": 6, - "10": 2, - "//Replace": 1, - "verification": 2, - "expression": 6, - "deprecation": 2, - "deserialize": 2, - "ms": 2, - "description": 34, - "#data": 14, - "//............................................................................": 2, - "readlock": 2, - "_keyfield": 4, - "COUNT": 2, - "updates": 2, - "json_consume_array": 3, - "#error_lang_custom": 2, - "JS": 126, - "used.": 2, - "paren...": 2, - "from": 6, - "level": 2, - "even": 2, - "parent": 5, - "captured": 2, - "aliases": 2, - "knop_timer": 2, - "_output": 1, - "Reset": 1, - "serialize": 1, - "Implemented": 2, - "/define_type": 4, - "longer": 2, - "unescapes": 1, - "#pr": 2, - "renderfooter": 2, - "much": 2, - "getstring": 2, - "&&": 30, - "working": 2, - "explicitly": 2, - "#tags": 2, - "_field": 1, - "if": 76, - "04": 8, - "available": 2, - "": 6, - "operations": 2, - "at": 10, - "handler": 2, - "priorityqueue": 2, - "the": 86, - "oncreate": 2, - "deleterecord": 4, - "f": 2, - "namespace": 16, - "sure": 2, - "corresponding": 2, - "resultset": 2, - "TZ": 2, - "": 1, - "Johan": 2, - "break": 2, - "ibytes": 9, - "removeleading": 2, - "oops": 4, - "update": 2, - "names": 4, - "Custom": 2, - "String": 1, - "0": 2, - "comment": 2, - "doctype": 6, - "#expires": 4, - "field_names": 2, - "value": 14, - "without": 4, - "#trace": 4, - "ExcludeField": 1, - "fixed": 4, - "#output": 50, - "datasources": 2, - "The": 6, - "been": 2, - "Fix": 2, - "example": 2, - "true": 12, - "_unknowntag": 6, - "error_code": 11, - "Object": 2, - "version": 4, - "define": 20, - "Code": 2, - "#obytes": 5, - "host": 6, - "separate": 2, - "Decode_": 1, - "": 3, - "each": 8, - "Include_URL": 1, - "compatibility.": 2, - "2007": 6, - ")": 639, - "is": 35, - "HHmmss": 1, - "#RandChars": 4, - "false": 8, - "//localhost/lassoapps.8/rpc/rpc.lasso": 1, - "Define_Tag": 1, - "too": 4, - "debug_trace": 2, - "should": 4, - "again": 2, - "numbers": 2, - "now": 23, - "doesn": 4, - "databases": 2, - "first": 12, - "obytes": 3, - "for": 65, - "...": 3, - "Faster": 2, - "around": 2, - "#xhtmlparam": 4, - "s": 2, - "replace": 8, - "unlock": 6, - "||": 8, - "json_consume_object": 2, - "foreach": 1, - "records.": 2, - "reference": 10, - "substring": 6, - "stack": 2, - "removed": 2, - "vars": 8, - "to": 98, - "knop_debug": 4, - "consume_object": 1, - "common": 4, - "_fields": 1, - "normal": 2, - "string": 59, - "Finds": 2, - "sql.": 2, - "For": 2, - "ctype": 2, - "knop_foundrows": 2, - "error_data": 12, - "format": 7, - "28": 2, - "Wiki": 2, - "reporting": 2, - "site": 4, - "standard": 2, - "nav": 4, - "consume_token": 1, - "SP": 4, - "variables": 2, - "simple": 2, - "KeyField": 1, - "6": 2, - "calling": 2, - "avoid": 2, - "look": 2, - "/While": 1, - "registered": 2, - "namespace=": 12, - "03": 2, - "objects": 2, - "split": 2, - "must": 4, - "__jsonclass__": 6, - "asString": 3, - "documentation.": 2, - "table": 6, - "keyvalue": 10, - "as": 26, - "better": 2, - "decimal": 5, - "added": 10, - "#seed": 36, - "string_findregexp": 8, - "e": 13, - "fields": 2, - "pair": 1, - "tag": 11, - "2012": 4, - "temp": 12, - "matches": 1, - "formatted": 2, - "BY": 6, - "resets": 2, - "backwards": 2, - "/": 6, - "output.": 2, - "member": 10, - "LassoScript": 1, - "can": 14, - "already": 2, - "import8bits": 4, - "writeunlock": 4, - "Created": 4, - "storage": 8, - "knop_cachedelete": 2, - "GROUP": 4, - "stored": 2, - "found": 5, - "both": 2, - "bad": 2, - "Escape": 1, - "#delimit": 7, - "pr": 1, - "Syntax": 4, - "more": 2, - "self": 72, - "bom_utf8": 1, - "than": 2, - "cache": 4, - "15": 2, - "Local": 7, - "only": 2, - "varname": 4, - "are": 4, - "locked": 2, - "retreive": 2, - "in.": 2, - "(": 640, - "global": 40, - "saverecord": 8, - "Supports": 4, - "pre": 4, - "supported": 2, - "Can": 2, - "method": 7, - "set": 10, - "FROM": 2, - "ignored": 2, - "#method": 1, - "json_rpccall": 1, - "removeLeading": 1, - "r": 8, - "required": 10, - "LassoSoft": 1, - "Decode_JSON": 2, - "description=": 2, - "framework": 2, - "priority": 8, - "save": 2, - "specifying": 2, - "will": 12, - "recursion": 2, - "here": 2, - "Size": 2, - "_exclude": 1, - "": 1, - "code": 2, - "require": 1, - "<": 7, - "resultset_count": 6, - "maxage": 2, - "inline": 4, - "problems": 2, - "09": 10, - "json_consume_string": 3, - "asstring": 4, - "querys": 2, - "marker": 4, - "onconvert": 2, - "ReplaceOnlyOne": 2, - "Extended": 2, - "Encode_JSON": 1, - "#1": 3, - "trait_forEach": 1, - "array.": 2, - "chunk": 2, - "EndPosition": 2, - "recordindex": 4, - "nextrecord": 12, - "integer": 30, - "recordpointer": 2, - "releasing": 2, - "trait_json_serialize": 2, - "how": 2, - "old": 4, - "remove": 6, - "Encoding": 1, - "5": 4, - "lasso": 2, - "addrecord": 4, - "mysteriously": 2, - "custom": 8, - "consume_string": 1, - "stripbackticks": 2, - "Math_Random": 2, - "fallback": 4, - "using": 8, - "defined": 4, - "id": 7, - "proper": 2, - "versions": 2, - "Cache": 2, - "able": 14 - }, - "OpenEdge ABL": { - "not": 3, - "vbuffer": 9, - "mptrPostBase64Data.": 1, - "WIDGET": 2, - ";": 5, - "Sensitivity": 2, - "Subject": 2, - "ttReadReceiptRecipients": 1, - "._MIME_BOUNDARY_.": 1, - "SCOPED": 1, - "DAY": 1, - "send": 1, - "lcReturnData.": 1, - "ttBCCRecipients": 1, - "ttToRecipients": 1, - "non": 1, - "VIEW": 1, - "]": 2, - "email.Email": 2, - "cNewLine.": 1, - "Cc": 2, - "INTEGER.": 1, - "confidential": 2, - "lcPreBase64Data": 4, - "objSendEmailAlg": 2, - "UNFORMATTED": 1, - "/": 2, - "DATETIME": 3, - "iplcNonEncodedData": 2, - "LOGICAL": 1, - "ENCODE": 1, - "email.SendEmailSocket": 1, - "Date": 4, - "v": 1, - "cHostname": 1, - "sendEmail": 2, - "from": 3, - "Cannot": 3, - "MESSAGE": 2, - ")": 44, - "SIZE": 5, - "THROUGH": 1, - "FUNCTION.": 1, - "VARIABLE": 12, - "CLASS": 2, - "newState": 2, - "attachment": 2, - "application/octet": 1, - "&": 3, - "ipiTimeZone": 3, - "vstate": 1, - "SET": 5, - "Expiry": 2, - "H": 1, - "Disposition": 3, - "locate": 3, - "AVAILABLE": 2, - "SELF": 4, - "TO": 2, - "TRUNCATE": 2, - "USE": 2, - "STATIC": 5, - "BOX.": 1, - "CHR": 2, - "newState.": 1, - "INTERFACE": 1, - "DEFINE": 16, - "Importance": 3, - "MODULO": 1, - "USING": 3, - "FROM": 1, - "cHostname.": 2, - "ipobjEmail": 1, - "AS": 21, - "CLOSE.": 1, - "bit": 2, - "base64": 2, - "File": 3, - "Personal": 1, - "BCC": 2, - "GET": 3, - "str": 3, - "CLASS.": 2, - "LOB": 1, - "ABLDateTimeToEmail": 3, - "ttReplyToRecipients": 1, - "ttSenders": 2, - "in": 3, - "ABSOLUTE": 1, - "Content": 10, - "<\">": 8, - "END.": 2, - "vstatus": 1, - "hostname": 1, - "BASE64": 1, - "THIS": 1, - "Type": 4, - "Receipt": 1, - "ReadSocketResponse": 1, - "WRITE": 1, - "YEAR": 1, - "ConvertDataToBase64": 1, - "MTIME": 1, - "[": 2, - "pstring.": 1, - "ttAttachments.cFileName": 2, - "Low": 1, - "@#": 1, - "INPUT": 11, - "lcPostBase64Data": 3, - "EXTENT": 1, - "filesystem": 3, - "BYTES": 2, - "INITIAL": 1, - "NO": 13, - "POOL": 2, - "IF": 2, - "ABLTimeZoneToString": 2, - "IMPORT": 1, - "Transfer": 4, - "but": 3, - "R": 3, - "Private": 1, - "email.Util": 1, - "-": 73, - "the": 3, - "file": 6, - "*": 2, - "ipdtDateTime": 2, - "TIMEZONE": 1, - "objSendEmailAlgorithm": 1, - "L": 1, - "BY": 1, - "FUNCTION": 1, - "filename": 2, - "Mime": 1, - "n": 13, - "Error": 3, - "MEMPTR": 2, - "copying": 3, - "METHOD.": 6, - "ipdttzDateTime": 6, - "FINAL": 1, - "RETURN": 7, - "THEN": 2, - "Bcc": 2, - "To": 8, - "pstring": 4, - "OBJECT": 2, - "email.SendEmailAlgorithm": 1, - "INTEGER": 6, - "PROCEDURE": 2, - "Company": 2, - "From": 4, - "SUBSTRING": 1, - "PRIVATE": 1, - "END": 12, - "Notification": 1, - "handleResponse": 1, - "ALERT": 1, - "COPY": 1, - "cMonthMap": 2, - "multipart/mixed": 1, - "cEmailAddress": 8, - "normal": 1, - "CC": 2, - "QUOTES": 1, - "LENGTH": 3, - "vState": 2, - "CHARACTER": 9, - "UNDO.": 12, - "readable": 3, - "PROCEDURE.": 2, - "Priority": 2, - "High": 1, - "WIN": 1, - "LONGCHAR": 4, - "boundary": 1, - "#@": 1, - "TZ": 2, - ".": 14, - "Version": 1, - "Reply": 3, - "exists": 3, - "urgent": 2, - "STRING": 7, - "ASSIGN": 2, - "METHOD": 6, - "CHARACTER.": 1, - "PUT": 1, - "+": 21, - "lcPostBase64Data.": 1, - "PARAMETER": 3, - "PUBLIC": 6, - "(": 44, - "ECHO.": 1, - "Encoding": 4, - "Return": 1, - "%": 2, - "vlength": 5, - "DO": 2, - "By": 1, - "READ": 1, - "RETURN.": 1, - "RETURNS": 1, - "ttDeliveryReceiptRecipients": 1, - "ttCCRecipients": 1, - "MONTH": 1, - "i": 3, - "stream": 1, - "charset": 2, - "text/plain": 2, - "is": 3, - "getHostname": 1, - "Progress.Lang.*.": 3, - "mptrPostBase64Data": 3, - "INTERFACE.": 1 - }, - "AppleScript": { - "true": 8, - "item": 13, - "space": 1, - "s": 3, - "type": 6, - "h": 4, - "random": 4, - "tell": 40, - "pane": 4, - "URL": 1, - "hour": 1, - "eachAccount": 3, - "with": 11, - "convertCommand": 4, - "repeat": 19, - "clicked": 2, - "userInput": 4, - "subject": 1, - "and": 7, - "theString": 4, - "<": 2, - "day": 1, - "handler": 2, - "theMailboxes": 2, - "mailboxes": 1, - "Terminal": 1, - "i": 10, - "passed": 2, - "&": 63, - "desktop": 1, - "amPM": 4, - "be": 2, - "activate": 3, - "these_items": 18, - "do": 4, - "theText": 3, - "sound": 1, - "document": 2, - "invisibles": 2, - "desktopLeft": 1, - "from": 9, - "thesefiles": 2, - "whose": 1, - "double": 2, - "Ideally": 2, - "value": 1, - "highFontSize": 6, - "current": 3, - "not": 5, - "paddedString": 5, - "length": 1, - "return": 16, - "could": 2, - "false": 9, - "number": 6, - "thePOSIXFilePath": 8, - "frontmost": 1, - "ensure": 1, - "for": 5, - "accountMailboxes": 3, - "I": 2, - "mailbox": 2, - "display": 4, - "time": 1, - "outputMessage": 2, - "isRunning": 3, - "size": 5, - "(": 89, - "screen_width": 2, - "isVoiceOverRunningWithAppleScript": 3, - "folders": 2, - "account": 1, - "the": 56, - "this": 2, - "everyAccount": 2, - "myFrontMost": 3, - "pass": 1, - "my": 3, - "as": 27, - "processes": 2, - "without": 2, - "UI": 1, - "equal": 3, - "in": 13, - "type_list": 6, - "field": 1, - "minutes": 2, - "first": 1, - "w": 5, - "messageText": 4, - "isRunningWithAppleScript": 3, - "selection": 2, - ")": 88, - "nn": 2, - "windowWidth": 3, - "path": 6, - "a": 4, - "eachCharacter": 4, - "nice": 1, - "character": 2, - "info": 4, - "displayString": 4, - "FinderSelection": 4, - "AppleScript": 2, - "button": 4, - "try": 10, - "unreadCount": 2, - "x": 1, - "on": 18, - "visible": 2, - "currently": 2, - "If": 2, - "getMessageCountsForMailboxes": 4, - "m": 2, - "cursor": 1, - "property": 7, - "currentMinutes": 4, - "set": 108, - "else": 14, - "stringLength": 4, - "file": 6, - "bounds": 2, - "lowFontSize": 9, - "item_info": 24, - "extension_list": 6, - "messageCountDisplay": 5, - "delimiters": 1, - "position": 1, - "me": 2, - "need": 1, - "result": 2, - "processFile": 8, - "integer": 3, - "open": 8, - "application": 16, - "date": 1, - "FS": 10, - "eachMailbox": 4, - "characters": 1, - "desktopTop": 2, - "extension": 4, - "shell": 2, - "then": 28, - "tab": 1, - "processFolder": 8, - "messages": 1, - "list": 9, - "window": 5, - "click": 1, - "if": 50, - "than": 6, - "less": 1, - "greater": 5, - "returned": 5, - "userPicksFolder": 6, - "messageCount": 2, - "group": 1, - "content": 2, - "minimumFontSize": 4, - "process": 5, - "run": 4, - "this_item": 14, - "every": 3, - "VoiceOver": 1, - "desktopBottom": 1, - "say": 1, - "returns": 2, - "fontList": 2, - "{": 32, - "theFilePath": 8, - "name": 8, - "paddingLength": 2, - "-": 57, - "of": 72, - "localMailboxes": 3, - "currentTime": 3, - "AM": 1, - "folder": 10, - "prompt": 2, - "MyPath": 4, - "message": 2, - "make": 3, - "times": 1, - "properties": 2, - "droplet": 2, - "radio": 1, - "count": 10, - "is": 40, - "html": 2, - "alias": 8, - "thePOSIXFileName": 6, - "currentDate": 3, - "font": 2, - "or": 6, - "desktopRight": 1, - "get": 1, - "terminalCommand": 6, - "some": 1, - "windowHeight": 3, - "string": 17, - "JavaScript": 2, - "readjust": 1, - "to": 128, - "handled": 2, - "outgoing": 2, - "buttons": 3, - "contains": 1, - "choose": 2, - "dialog": 4, - "below": 1, - "newFileName": 4, - "screen_height": 2, - "default": 4, - "new": 2, - "color": 1, - "}": 32, - "unread": 1, - "drawer": 2, - "delay": 3, - "/": 2, - "currentHour": 9, - "exit": 1, - "elements": 1, - "script": 2, - "enabled": 2, - "SelectionCount": 6, - "POSIX": 4, - "theFolder": 6, - "mailboxName": 2, - "error": 3, - "output": 1, - "gets": 1, - "text": 13, - "padString": 3, - "fieldLength": 5, - "end": 67, - "vo": 1, - "crazyTextMessage": 2, - "newFontSize": 6, - "isVoiceOverRunning": 3, - "answer": 3 - }, - "UnrealScript": { - "settings": 1, - ".default.DamageRadius": 4, - "byte": 4, - "ReplacedWeaponPickupClasses": 1, - ".default.Spread": 1, - "L.Weapons": 2, - "still": 1, - "}": 27, - "replaced": 8, - "Mine.": 1, - "work": 1, - "to": 4, - "What": 7, - "U2AmmoPickupClassNames": 2, - "{": 28, - "InventoryClassName": 3, - "ShieldPack": 7, - "U2Weapons.U2WeaponPistol": 1, - "have": 1, - "U2WeaponDescText": 1, - "bSuperRelevant": 3, - "ReplacedWeaponClasses": 3, - "GetDescriptionText": 1, - "PreBeginPlay": 1, - "Opposite": 1, - "projectile": 1, - ".default.myDamage": 4, - "damage": 1, - "Reward": 2, - "bConfigUseU2Weapon11": 1, - "fire": 1, - ".WeaponPickupClassName": 1, - "UNUSED": 1, - "break": 1, - "L": 2, - "else": 1, - "StaticMesh": 1, - "U2WeaponClasses": 2, - "nothing": 1, - "games": 1, - "U2Weapons.U2AssaultRifleAltFire": 1, - "AmmoPickupClassName": 1, - "U2WeaponPickupClassNames": 1, - "Launcher": 1, - "ReplacedWeaponClassName.": 2, - "DamageMultiplier": 28, - "Magnum": 2, - "Enable": 5, - "Super.CheckReplacement": 1, - "match": 1, - "filtering.": 1, - "Shotgun.": 1, - "s": 7, - "turrets": 1, - "Actor": 1, - "": 1, - ".bIsVehicle": 2, - "Gun": 2, - "deployable": 1, - "bool": 18, - "ReplacedWeaponClassNames8": 1, - "CheckReplacement": 1, - "already": 1, - "Shark": 2, - "Should": 1, - ".RequiredEquipment": 3, - "//local": 3, - "Recs.Length": 1, - "are": 1, - "checked": 1, - "Sniper": 3, - "local": 8, - "vehicles.": 1, - "ReplacedWeaponClassNames6": 1, - "int": 10, - "Shock": 1, - "works": 1, - "struct": 1, - "II": 4, - ".default.MaxSpeed": 5, - "//Sets": 1, - "be": 8, - "L.Weapons.Length": 1, - "US3HelloWorld": 1, - "InitGame": 1, - "default.U2WeaponDisplayText": 33, - "ReplacedWeaponClassNames4": 1, - "True": 2, - "only": 2, - "Multiplier.": 1, - ".ReplacedAmmoPickupClass": 2, - "k": 29, - "Generated": 4, - "Rocket": 4, - "Flak": 1, - "": 7, - "XMP": 4, - "//STARTING": 1, - "ReplacedWeaponClassNames2": 1, - "WeaponLocker": 3, - ".PickupSound": 1, - "FirePowerMode": 1, - "weapon": 10, - "U2": 3, - "from": 6, - "i": 12, - "Shader": 2, - ".ReplacedWeaponClass.default.FireModeClass": 4, - "pickups.": 1, - "Lightning": 1, - ".WeaponType": 2, - "ReplacedWeaponClassNames0": 1, - "Trip": 2, - "needed": 1, - "<": 9, - "Fully": 1, - ".default.DamageMin": 12, - "can": 2, - "lets": 1, - "function": 5, - "He": 1, - "WeaponClass": 1, - "U2Weapons.U2WeaponLandMine": 1, - "FM_DistanceBased": 1, - ".default.VehicleDamageScaling": 2, - "ArrayCount": 2, - "Other": 23, - "Weapon": 1, - "two": 1, - "require": 1, - "bEnabled": 1, - "shield": 1, - "and": 3, - "the": 31, - "Bio": 1, - "U2Weapons.U2WeaponGrenadeLauncher": 1, - "is": 6, - "IterationNum": 8, - ".default.DamageMax": 12, - "@k": 1, - "vehicle": 3, - "ReplacedWeaponClassNames11": 1, - "barrels": 1, - "U2Weapons.U2WeaponRocketTurret": 1, - "Recs": 4, - "U2Weapons.U2WeaponSniper": 2, - "a": 2, - ".SetDrawScale": 1, - "mutator": 1, - "produces": 1, - "Level.Game.bAllowVehicles": 4, - "//IterationNum": 1, - "deployable.": 1, - "event": 3, - ".default.MaxAmmo": 7, - ".default.Damage": 27, - "ONLY": 3, - "//Experimental": 1, - "no": 2, - "Special": 1, - "Cannon.": 1, - "/100.0": 1, - "If": 1, - "default.RulesGroup": 33, - "By": 7, - "]": 125, - "Energy": 2, - "thus": 1, - "bConfigUseU2Weapon9": 1, - "world.": 1, - "player": 2, - "var": 30, - "Crowd": 1, - "[": 125, - "Structs": 1, - "number.": 1, - "//General": 2, - "bConfigUseU2Weapon7": 1, - "choose": 1, - ".": 2, - "config": 18, - "Unreal": 4, - "DamagePercentage": 3, - "Ammo": 1, - "ReplacedAmmoPickupClass": 1, - "bConfigUseU2Weapon5": 1, - ".ClassName": 1, - "Pleaser": 1, - "compensate": 1, - ".default.FireLastReloadTime": 3, - ".default.MomentumTransfer": 4, - "or": 2, - "Turret": 2, - "you": 2, - "depending": 2, - "string": 25, - "behaviour.": 1, - "bConfigUseU2Weapon3": 1, - "too": 1, - "*": 54, - "bNotVehicle": 3, - "U2Weapons.U2WeaponLaserTripMine": 1, - "rewrite": 1, - "Minigun.": 1, - "need": 1, - "out": 2, - "U2Weapons": 1, - ".ReplacedWeaponClass": 5, - "bConfigUseU2Weapon1": 1, - "put": 1, - "log": 1, - "For": 3, - "on": 2, - "Widowmaker": 2, - "EMPimp": 1, - "gametypes": 1, - "(": 189, - "xPawn": 6, - "other": 1, - "properties": 3, - "localized": 2, - "U2ProjectileConcussionGrenade": 1, - ".static.GetWeaponList": 1, - "overlay": 3, - "class": 18, - "//GE": 17, - ".default.Speed": 8, - "//": 5, - "weapons": 1, - "WeaponOptions": 17, - ".WeaponClass.default.PickupClass": 1, - ".SetStaticMesh": 1, - "WEAPON": 1, - "false": 3, - "Laser": 2, - "bConfigUseU2WeaponX": 1, - "WeaponPickupClassName": 1, - "bIntegrateShieldReward": 2, - "//ReplacedWeaponPickupClassName": 1, - "different": 1, - ".RepSkin": 1, - "matches": 1, - ".FriendlyName": 1, - "bConfigUseU2Weapon12": 1, - "bUseFieldGenerator": 2, - ".default.PickupClass": 1, - "Weapons": 31, - "U2Weapons.U2AutoTurretDeploy": 1, - "float": 3, - "division": 1, - "here.": 1, - "x": 65, - "ReplacedAmmoPickupClasses": 1, - ".default.DamagePercentage": 1, - "of": 1, - "ValidReplacement": 6, - "ReplacedWeaponClass": 1, - "bConfigUseU2Weapon10": 1, - "Think": 1, - ".default.LifeSpan": 4, - "DynamicLoadObject": 2, - "delpoyable": 1, - "Super.FillPlayInfo": 1, - "that": 3, - "WeponClass.": 1, - "U2Weapons.U2WeaponFlameThrower": 1, - "Rifle.": 3, - "These": 1, - "t": 2, - "inside": 1, - "MutU2Weapons": 1, - "//Dampened": 1, - "This": 3, - "Classic": 1, - "Mine": 1, - "//3200": 1, - "replace.": 1, - ".default.ReloadTime": 3, - "//bUseU2Weapon": 1, - "between": 2, - "//CAR": 1, - "PostBeginPlay": 1, - "U2Weapons.U2WeaponRocketLauncher": 1, - "true": 5, - "customisable": 1, - ".default.AmmoClass": 1, - ".WeaponClass": 7, - "bUseProximitySensor": 2, - "Super.PreBeginPlay": 1, - "variables": 1, - "FillPlayInfo": 1, - "ReplacedWeaponClassNames9": 1, - "//Original": 1, - "Options": 1, - "": 3, - "should": 7, - "Super.PostBeginPlay": 1, - "Shield": 2, - "get": 1, - "ReplacedWeaponClassNames7": 1, - "Pistol": 1, - "&&": 15, - "CAR": 1, - "": 2, - "defaultproperties": 1, - "errors": 1, - "ReplaceWith": 1, - "//ReplacedWeaponClasses": 1, - "ReplacedWeaponClassNames5": 1, - "with": 9, - "static": 2, - "default.U2WeaponDescText": 33, - "bUseXMPFeel": 4, - "much": 1, - "Unuse": 1, - "ReplacedWeaponClassNames3": 1, - "style": 1, - "ReplacedWeaponPickupClass": 1, - "FlashbangModeString": 1, - "ReplacedWeaponClassNames1": 1, - "spawns": 1, - "Super.GetInventoryClassOverride": 1, - "view": 1, - "handling": 1, - "array": 2, - ";": 295, - "PlayInfo.AddSetting": 33, - "bIsVehicle": 4, - "shields": 1, - "*k": 28, - "options": 1, - "Choose": 1, - "FireMode": 8, - ".default.ClipSize": 4, - "WeaponClass.": 1, - "for": 11, - ".PickupMessage": 1, - "d": 1, - "Error": 1, - "it": 7, - "Launcher.": 2, - "Link": 1, - "Onslaught": 1, - "ReplacedWeaponClassNames12": 1, - "bUseU2Weapon": 1, - "U2Weapons.U2AssaultRifleInv": 1, - "PropName": 35, - "going": 1, - "foolproof": 1, - "GetPropertyText": 5, - "U2Weapons.U2AssaultRifleFire": 1, - "way": 1, - "Other.Class": 2, - "ReplacedWeaponClassNames10": 1, - "None": 10, - "neat": 1, - ".bEnabled": 3, - "what": 1, - "integration": 1, - "U2Weapons.U2WeaponEnergyRifle": 1, - "distance": 1, - "Mutator": 1, - "ReplacedWeaponPickupClassName": 1, - "//var": 8, - "Sound": 1, - "he": 1, - "GUISelectOptions": 1, - "like": 1, - "return": 47, - "replace": 1, - "Add": 1, - "U2WeaponDisplayText": 1, - "in": 4, - "fashion.": 1, - "bExperimental": 3, - "Weapons.Length": 1, - "indicates": 1, - "//log": 1, - "GameInfo": 1, - ".default.ShakeMagnitude": 1, - "bConfigUseU2Weapon8": 1, - "Arena": 1, - "white": 1, - "required": 1, - ".default.AmmoClass.default.PickupClass": 2, - ".default.FireRate": 3, - "non": 1, - "Redeemer.": 1, - "Other.IsA": 2, - "GetInventoryClassOverride": 1, - "bConfigUseU2Weapon6": 1, - "default": 12, - "xWeaponBase": 3, - "duh.": 1, - "Grenade": 1, - "PlayInfo": 3, - "-": 220, - ".default.ShakeRadius": 1, - "Super.GetDescriptionText": 1, - "U2Weapons.U2WeaponShotgun": 1, - "const": 1, - ".AmmoPickupClassName": 2, - "gametypes.": 2, - "bConfigUseU2Weapon4": 1, - ".bNotVehicle": 2, - "extends": 2, - ".Skins": 1, - "+": 18, - "Rifle": 3, - "various": 1, - "Lance": 1, - "if": 55, - "bConfigUseU2Weapon2": 1, - "WeaponInfo": 2, - ".SetCollisionSize": 1, - "use": 1, - ")": 189, - "shotgun.": 1, - "we": 3, - "an": 1, - "Pistol.": 1, - "bConfigUseU2Weapon0": 1, - "Class": 105 - }, - "BlitzBasic": { - "backward": 1, - "GetIterator": 3, - "bank": 8, - "s": 12, - "F#5#A#10#18#2A#32#3E#47#4C#58#66#6F#78#8F#9B#A9#B7#BD#C5#CC": 1, - "why": 1, - "aft": 7, - "ListRemoveFirst": 1, - "ListFindNode.ListNode": 1, - "n2": 6, - "order": 1, - "%": 6, - "h": 4, - "Print": 13, - "library": 2, - "class": 1, - "WaitKey": 2, - "moment": 1, - "DoubleDiv": 1, - ".label": 1, - "iterate": 2, - "Sum3_": 2, - "with": 3, - "]": 2, - "Handle": 2, - "IDEal": 3, - "after": 1, - "ListToBank": 1, - "True": 4, - "Else": 7, - "ClearList": 2, - "HalfDiv": 1, - "For": 6, - "and": 9, - "tval": 3, - "ListLength": 2, - "ListAddLast": 2, - "<": 18, - "Count": 1, - "t": 1, - "CopyList.LList": 1, - "Return": 36, - "HalfSub": 1, - "SefToDouble": 1, - "ListLast": 1, - "ListNodeAtIndex.ListNode": 1, - "i": 49, - "Insert": 3, - "Read": 1, - "be": 1, - "there": 1, - "ListFirst": 1, - "EachIn": 5, - "ListFromBank.LList": 1, - "ReplaceValueAtIndex": 1, - "Next": 7, - "HalfMul": 1, - "cn_.ListNode": 1, - "available": 1, - "that": 1, - "InsertBeforeNode.ListNode": 1, - "negative": 2, - "bit": 2, - "from": 15, - "Iterator": 2, - "aft.ListNode": 1, - "ValueAtIndex": 1, - "F#1A#20#2F": 1, - "Retrieve": 2, - "same": 1, - "Global": 2, - "value": 16, - "DoubleGT": 1, - "l1.LList": 1, - "fast": 2, - "Search": 1, - "FreeList": 1, - "fraction": 9, - "not": 4, - "return": 7, - "HalfAdd": 1, - "FloatToHalf": 3, - "thanks": 1, - "number": 1, - "reason": 1, - "iterator": 4, - "ListAddLast.ListNode": 1, - "for": 3, - "Half": 1, - "caps": 1, - "DoubleLT": 1, - "F800000": 1, - "items": 1, - "Negative": 1, - "tempH": 1, - "Last": 1, - "First": 1, - "isActive": 4, - "ListRemoveLast": 1, - "ln": 2, - "HalfToFloat#": 1, - "DoubleOut": 1, - "FToI": 2, - "size": 4, - "values": 4, - "(": 125, - "These": 1, - "nx": 1, - "out": 1, - "this": 2, - "its": 2, - "node": 8, - "Before": 3, - "MakeSum3Obj": 2, - "HalfToFloat": 1, - "more": 1, - "the": 52, - "No": 1, - "InsertAfterNode.ListNode": 1, - "as": 2, - "Shr": 3, - "Beyond": 1, - "tempT": 1, - "Half_CBank_": 13, - "start": 13, - "F#E3#E9#EF#F4#F9#103#10D#11B#12B#13F#152#163": 1, - "Still": 1, - "in": 4, - "FloatToDouble": 1, - "pointed": 1, - "Reverse": 1, - "lo": 1, - "first": 5, - "Attach": 1, - "head_": 35, - "l": 84, - ")": 126, - "freely": 1, - "IteratorRemove": 1, - "a": 46, - "temp.ListNode": 1, - "at": 5, - "Create": 4, - "Then": 18, - "DoubleToFloat#": 1, - "Object.Sum3Obj": 1, - "Append": 1, - "FF": 2, - "Delete": 6, - "temp": 1, - "reached": 1, - "RemoveNodeAtIndex": 1, - "contents": 1, - "currently": 1, - "has": 1, - "won": 1, - "function": 1, - "val": 6, - "index": 13, - "backwards": 2, - "Bin": 4, - "ff": 1, - "s.Sum3Obj": 2, - "ListFindNode": 2, - "f#": 3, - "pv_": 27, - "means": 1, - "PeekFloat": 1, - "If": 25, - "*": 2, - "l_.LList": 1, - "Exit": 1, - "b": 7, - "Use": 1, - "create": 1, - "occurence": 1, - "tempH.ListNode": 1, - "position": 4, - "Abs": 1, - "object": 2, - "SwapLists": 1, - "especial": 1, - "ReverseList": 1, - "tempT.ListNode": 1, - "PokeFloat": 3, - "PokeInt": 2, - "a_": 2, - "objects": 1, - "result": 4, - "+": 11, - "nx.ListNode": 1, - "DoubleSub": 1, - "n": 54, - "Type": 8, - "arithmetic": 2, - "meh": 1, - "cn_": 12, - "lo.LList": 1, - "does": 1, - "exponent": 22, - "c": 7, - "tmp": 4, - "Remove": 7, - "While": 7, - "ln.LList": 1, - "tail_": 34, - "Restore": 1, - "Swap": 1, - "IteratorBreak": 1, - "then": 1, - "n2.ListNode": 1, - "Parameters": 3, - "Local": 34, - "nx_": 33, - "DoubleMul": 1, - "list": 32, - "but": 1, - "Get": 1, - "n1.ListNode": 1, - "i.Iterator": 6, - "if": 2, - "less": 1, - "BankSize": 1, - "slow": 3, - "Sum3": 2, - "ListNode": 8, - "Or": 4, - "precision": 2, - "disconnect": 1, - "specified": 2, - "added": 2, - "d": 1, - "bk": 3, - "all": 3, - "use": 1, - "bef": 7, - "before": 2, - "Data": 1, - "To": 6, - "HalfLT": 1, - "RemoveListNode": 6, - "intvalues": 1, - "Double_CBank_": 1, - "cni_": 8, - "DoubleAdd": 1, - "most": 1, - "New": 11, - "Null": 15, - "ListContains": 1, - "members": 1, - "wasn": 1, - "LList": 3, - "Function": 101, - "ElseIf": 1, - "EndIf": 7, - "Disconnect": 1, - "tmp.ListNode": 1, - "-": 24, - "p": 7, - "of": 16, - "given": 7, - "over": 1, - "argument": 1, - "Field": 10, - "e": 4, - "make": 1, - "having": 1, - "loop": 2, - "fBits": 8, - "fixes": 1, - "count": 1, - "End": 58, - "Shl": 7, - "safe": 1, - "Value": 37, - "issue": 1, - "one": 1, - "ListRemove": 1, - "pv_.ListNode": 1, - "Free": 1, - "last": 2, - "l1": 4, - "or": 4, - "ListNodeAtIndex": 3, - "MilliSecs": 4, - "breaking": 1, - "Call": 1, - "This": 1, - "f": 5, - "two": 1, - "to": 11, - "CreateList": 2, - "CreateList.LList": 1, - "MusicianKool": 3, - "IntToDouble": 1, - "linked": 2, - "free": 1, - "[": 2, - "CreateBank": 5, - "contains": 1, - "an": 4, - "HalfGT": 1, - "False": 3, - "Editor": 3, - "programs": 1, - "valid": 2, - "And": 8, - "containing": 3, - "it": 1, - "Wend": 6, - "FFFFF": 1, - "new": 4, - "l2": 4, - "l2.LList": 1, - "PeekInt": 4, - "Sgn": 1, - "anything": 1, - "bef.ListNode": 1, - "by": 3, - "Replace": 1, - "invalid": 1, - "element": 4, - "retrieve": 1, - "elems": 4, - "r": 12, - "Step": 2, - "label": 1, - "return_": 2, - "l_": 7, - "n1": 5, - "Double": 2, - "elements": 4, - "any": 1, - "C#Blitz3D": 3, - "n.ListNode": 12, - "signBit": 6, - "end": 5, - "tail_.ListNode": 1, - "Hex": 2, - "Sum3Obj": 6, - "foo": 1, - "container": 1, - "F": 3, - "a.Sum3Obj": 1, - "into": 2, - "ListAddFirst.ListNode": 1, - "l.LList": 20, - "nx_.ListNode": 1, - "concept": 1, - "head_.ListNode": 1, - ";": 57 - }, - "ECL": { - "END": 1, - "FLAT": 2, - "sort": 1, - "r": 1, - "output": 9, - "forename": 1, - "before": 1, - "dadAge": 1, - "#option": 1, - "done": 1, - "sliding.": 1, - "+": 16, - "should": 1, - "string20": 1, - "left.age": 8, - "l": 1, - "join": 11, - "self": 1, - "a": 1, - "is": 1, - "RECORD": 1, - "but": 1, - "(": 32, - ";": 23, - "l.mumAge": 1, - "r.dadAge": 1, - "generate": 1, - "not": 1, - "namesTable": 11, - "mumAge": 1, - "r.mumAge": 1, - "examples": 1, - "sliding": 2, - "extra": 1, - "strings.": 1, - "right": 3, - "includes": 1, - "-": 5, - "//Several": 1, - "[": 4, - "right.surname": 4, - "simple": 1, - "string10": 2, - "left": 2, - "left.surname": 2, - "to": 1, - "namesRecord": 4, - "of": 1, - "end": 1, - "//Same": 1, - "non": 1, - "dataset": 2, - "on": 1, - "ensure": 1, - "all": 1, - "aveAgeR": 4, - "between": 7, - "/2": 2, - "//This": 1, - "surname": 1, - "and": 10, - "by": 1, - "integer2": 5, - "]": 4, - "l.dadAge": 1, - "right.age": 12, - "syntax": 1, - "true": 1, - "namesRecord2": 3, - "aveAgeL": 3, - "namesTable2": 9, - ")": 32, - "<": 1, - "record": 1, - "Also": 1, - "age": 2 - }, - "Standard ML": { - "LAZY": 1, - "sig": 2, - "else": 1, - "toString": 2, - "Done": 1, - "fn": 3, - "delay": 3, - "b": 2, - "*": 1, - "string": 1, - "LazyMemo": 1, - "y": 6, - "p": 4, - ";": 1, - "isUndefined": 2, - "x": 15, - "B": 1, - "-": 13, - "|": 1, - ")": 23, - "(": 22, - "f": 9, - "a": 18, - "signature": 2, - "unit": 1, - "datatype": 1, - "bool": 4, - "open": 1, - "let": 1, - "exception": 1, - "eq": 2, - "then": 1, - "true": 1, - "struct": 4, - "eqBy": 3, - "force": 9, - "fun": 9, - "LazyBase": 2, - "LazyFn": 2, - "Ops": 2, - "handle": 1, - "false": 1, - "inject": 3, - "lazy": 12, - "Undefined": 3, - "structure": 6, - "LAZY_BASE": 3, - "order": 2, - "map": 2, - "type": 2, - "LazyMemoBase": 2, - "end": 6, - "raise": 1, - "undefined": 1, - "Lazy": 1, - "compare": 2, - "op": 1, - "if": 1, - "ignore": 1, - "of": 1, - "val": 12 - }, - "Volt": { - ".ptr": 14, - "return": 2, - "cmdGroup.waitAll": 1, - "else": 3, - "if": 7, - "printf": 6, - "fflush": 2, - "cmdGroup": 2, - "rate": 2, - "fopen": 1, - "size_t": 3, - "+": 14, - "fprintf": 2, - "auto": 6, - "@todo": 1, - "is": 2, - "Result": 2, - ";": 53, - "(": 37, - "float": 2, - "ret.ok": 1, - "cast": 5, - "i": 14, - "files": 1, - "null": 3, - "for": 4, - "f": 1, - "&&": 2, - "-": 3, - "int": 8, - "Scan": 1, - "tests.length": 3, - "main": 2, - "watt.path": 1, - "string": 1, - "passed": 5, - "[": 6, - ".runTest": 1, - "*": 1, - "total": 5, - "compiler": 3, - "rets.length": 1, - "cmd": 1, - "printFailing": 2, - "double": 1, - "ret": 1, - "regressed": 6, - "tests": 2, - "/": 1, - "ret.msg.ptr": 4, - "list": 1, - "new": 3, - "{": 12, - "testList": 1, - "]": 6, - "fclose": 1, - ".xmlLog": 1, - "xml": 8, - "///": 1, - "true": 4, - "ret.test.ptr": 4, - "bool": 4, - "printOk": 2, - "ret.hasPassed": 4, - "printImprovments": 2, - "rets": 5, - "results": 1, - "core.stdc.stdio": 1, - "watt.process": 1, - "printRegressions": 2, - "improved": 3, - "CmdGroup": 1, - ")": 37, - "<": 3, - "stdout": 1, - "getEnv": 1, - "import": 7, - "core.stdc.stdlib": 1, - "failed": 5, - "}": 12, - "module": 1 - }, - "Ceylon": { - "actual": 2, - "": 1, - "string": 1, - "String": 2, - "}": 3, - ";": 4, - "{": 3, - ")": 4, - "(": 4, - "<=>": 1, - "test": 1, - "other": 1, - "print": 1, - "other.name": 1, - "shared": 5, - "by": 1, - "doc": 2, - "Comparison": 1, - "void": 1, - "Comparable": 1, - "Test": 2, - "name": 4, - "return": 1, - "compare": 1, - "satisfies": 1, - "class": 1 - } - }, - "tokens_total": 431485, - "md5": "6cbdac20af088e38df661f51f6c7c742", - "language_tokens": { - "TypeScript": 109, - "TeX": 1155, - "Julia": 247, - "JavaScript": 76934, - "Logos": 93, - "OCaml": 382, - "Prolog": 4040, - "PHP": 20724, - "MoonScript": 1718, - "Verilog": 3778, - "Diff": 16, - "Objective-C": 26518, - "Gosu": 413, - "Nemerle": 17, - "GLSL": 3766, - "ABAP": 1500, - "Shell": 3744, - "PowerShell": 12, - "AutoHotkey": 3, - "Max": 714, - "Protocol Buffer": 63, - "Erlang": 2928, - "Literate CoffeeScript": 275, - "Common Lisp": 103, - "fish": 636, - "Awk": 544, - "Nimrod": 1, - "Apex": 4408, - "Python": 5715, - "XQuery": 801, - "DM": 169, - "Frege": 5564, - "Jade": 3, - "Elm": 628, - "Perl": 17497, - "Logtalk": 36, - "Agda": 376, - "ApacheConf": 1449, - "Opa": 28, - "Cuda": 290, - "Coq": 18259, - "RobotFramework": 483, - "CoffeeScript": 2951, - "Slash": 187, - "Omgrofl": 57, - "SCSS": 39, - "Groovy": 69, - "COBOL": 90, - "Oxygene": 555, - "XProc": 22, - "Markdown": 1, - "Handlebars": 69, - "Arduino": 20, - "Emacs Lisp": 1756, - "Dart": 68, - "TXL": 213, - "Squirrel": 130, - "Org": 358, - "Scaml": 4, - "Bluespec": 1298, - "Visual Basic": 345, - "wisp": 1363, - "RDoc": 279, - "CSS": 43867, - "NSIS": 725, - "Rebol": 11, - "Ioke": 2, - "R": 175, - "Racket": 331, - "Turing": 44, - "KRL": 25, - "Ragel in Ruby Host": 593, - "Makefile": 50, - "YAML": 30, - "Ruby": 3862, - "XC": 24, - "Scilab": 69, - "Parrot Internal Representation": 5, - "MediaWiki": 766, - "Rust": 3566, - "INI": 27, - "Scala": 420, - "Sass": 56, - "OpenCL": 144, - "C++": 21308, - "LFE": 1711, - "C": 58858, - "edn": 227, - "Creole": 134, - "VHDL": 42, - "Pascal": 30, - "Lua": 724, - "Nginx": 179, - "XSLT": 44, - "Groovy Server Pages": 91, - "Clojure": 510, - "Processing": 74, - "Xtend": 399, - "JSON": 183, - "NetLogo": 243, - "PogoScript": 250, - "Idris": 148, - "SuperCollider": 268, - "Matlab": 11942, - "Nu": 116, - "Forth": 1516, - "GAS": 133, - "LiveScript": 123, - "Parrot Assembly": 6, - "Literate Agda": 478, - "AsciiDoc": 103, - "M": 23373, - "VimL": 20, - "Haml": 4, - "Kotlin": 155, - "Brightscript": 579, - "XML": 5622, - "Monkey": 207, - "Scheme": 3478, - "Less": 39, - "Tea": 3, - "Java": 8987, - "Lasso": 9849, - "OpenEdge ABL": 762, - "AppleScript": 1862, - "UnrealScript": 2873, - "BlitzBasic": 2065, - "ECL": 281, - "Standard ML": 243, - "Volt": 388, - "Ceylon": 50 - }, - "languages_total": 500, "filenames": { "ApacheConf": [ ".htaccess", "apache2.conf", "httpd.conf" ], + "INI": [ + ".editorconfig", + ".gitconfig" + ], "Makefile": [ "Makefile" ], - "VimL": [ - ".gvimrc", - ".vimrc" + "Nginx": [ + "nginx.conf" ], - "YAML": [ - ".gemrc" + "Perl": [ + "ack" ], "Ruby": [ "Appraisals", "Capfile", "Rakefile" ], - "Perl": [ - "ack" - ], - "Nginx": [ - "nginx.conf" - ], - "INI": [ - ".editorconfig", - ".gitconfig" - ], "Shell": [ ".bash_logout", ".bash_profile", @@ -44910,582 +572,51632 @@ "zprofile", "zshenv", "zshrc" + ], + "VimL": [ + ".gvimrc", + ".vimrc" + ], + "YAML": [ + ".gemrc" ] }, + "tokens_total": 475564, + "languages_total": 586, + "tokens": { + "ABAP": { + "*/**": 1, + "*": 56, + "The": 2, + "MIT": 2, + "License": 1, + "(": 8, + ")": 8, + "Copyright": 1, + "c": 3, + "Ren": 1, + "van": 1, + "Mil": 1, + "Permission": 1, + "is": 2, + "hereby": 1, + "granted": 1, + "free": 1, + "of": 6, + "charge": 1, + "to": 10, + "any": 1, + "person": 1, + "obtaining": 1, + "a": 1, + "copy": 2, + "this": 2, + "software": 1, + "and": 3, + "associated": 1, + "documentation": 1, + "files": 4, + "the": 10, + "deal": 1, + "in": 3, + "Software": 3, + "without": 2, + "restriction": 1, + "including": 1, + "limitation": 1, + "rights": 1, + "use": 1, + "modify": 1, + "merge": 1, + "publish": 1, + "distribute": 1, + "sublicense": 1, + "and/or": 1, + "sell": 1, + "copies": 2, + "permit": 1, + "persons": 1, + "whom": 1, + "furnished": 1, + "do": 4, + "so": 1, + "subject": 1, + "following": 1, + "conditions": 1, + "above": 1, + "copyright": 1, + "notice": 2, + "permission": 1, + "shall": 1, + "be": 1, + "included": 1, + "all": 1, + "or": 1, + "substantial": 1, + "portions": 1, + "Software.": 1, + "THE": 6, + "SOFTWARE": 2, + "IS": 1, + "PROVIDED": 1, + "WITHOUT": 1, + "WARRANTY": 1, + "OF": 4, + "ANY": 2, + "KIND": 1, + "EXPRESS": 1, + "OR": 7, + "IMPLIED": 1, + "INCLUDING": 1, + "BUT": 1, + "NOT": 1, + "LIMITED": 1, + "TO": 2, + "WARRANTIES": 1, + "MERCHANTABILITY": 1, + "FITNESS": 1, + "FOR": 2, + "A": 1, + "PARTICULAR": 1, + "PURPOSE": 1, + "AND": 1, + "NONINFRINGEMENT.": 1, + "IN": 4, + "NO": 1, + "EVENT": 1, + "SHALL": 1, + "AUTHORS": 1, + "COPYRIGHT": 1, + "HOLDERS": 1, + "BE": 1, + "LIABLE": 1, + "CLAIM": 1, + "DAMAGES": 1, + "OTHER": 2, + "LIABILITY": 1, + "WHETHER": 1, + "AN": 1, + "ACTION": 1, + "CONTRACT": 1, + "TORT": 1, + "OTHERWISE": 1, + "ARISING": 1, + "FROM": 1, + "OUT": 1, + "CONNECTION": 1, + "WITH": 1, + "USE": 1, + "DEALINGS": 1, + "SOFTWARE.": 1, + "*/": 1, + "-": 978, + "CLASS": 2, + "CL_CSV_PARSER": 6, + "DEFINITION": 2, + "class": 2, + "cl_csv_parser": 2, + "definition": 1, + "public": 3, + "inheriting": 1, + "from": 1, + "cl_object": 1, + "final": 1, + "create": 1, + ".": 9, + "section.": 3, + "not": 3, + "include": 3, + "other": 3, + "source": 3, + "here": 3, + "type": 11, + "pools": 1, + "abap": 1, + "methods": 2, + "constructor": 2, + "importing": 1, + "delegate": 1, + "ref": 1, + "if_csv_parser_delegate": 1, + "csvstring": 1, + "string": 1, + "separator": 1, + "skip_first_line": 1, + "abap_bool": 2, + "parse": 2, + "raising": 1, + "cx_csv_parse_error": 2, + "protected": 1, + "private": 1, + "constants": 1, + "_textindicator": 1, + "value": 2, + "IMPLEMENTATION": 2, + "implementation.": 1, + "": 2, + "+": 9, + "|": 7, + "Instance": 2, + "Public": 1, + "Method": 2, + "CONSTRUCTOR": 1, + "[": 5, + "]": 5, + "DELEGATE": 1, + "TYPE": 5, + "REF": 1, + "IF_CSV_PARSER_DELEGATE": 1, + "CSVSTRING": 1, + "STRING": 1, + "SEPARATOR": 1, + "C": 1, + "SKIP_FIRST_LINE": 1, + "ABAP_BOOL": 1, + "": 2, + "method": 2, + "constructor.": 1, + "super": 1, + "_delegate": 1, + "delegate.": 1, + "_csvstring": 2, + "csvstring.": 1, + "_separator": 1, + "separator.": 1, + "_skip_first_line": 1, + "skip_first_line.": 1, + "endmethod.": 2, + "Get": 1, + "lines": 4, + "data": 3, + "is_first_line": 1, + "abap_true.": 2, + "standard": 2, + "table": 3, + "string.": 3, + "_lines": 1, + "field": 1, + "symbols": 1, + "": 3, + "loop": 1, + "at": 2, + "assigning": 1, + "Parse": 1, + "line": 1, + "values": 2, + "_parse_line": 2, + "Private": 1, + "_LINES": 1, + "<": 1, + "RETURNING": 1, + "STRINGTAB": 1, + "_lines.": 1, + "split": 1, + "cl_abap_char_utilities": 1, + "cr_lf": 1, + "into": 6, + "returning.": 1, + "Space": 2, + "concatenate": 4, + "csvvalue": 6, + "csvvalue.": 5, + "else.": 4, + "char": 2, + "endif.": 6, + "This": 1, + "indicates": 1, + "an": 1, + "error": 1, + "CSV": 1, + "formatting": 1, + "text_ended": 1, + "message": 2, + "e003": 1, + "csv": 1, + "msg.": 2, + "raise": 1, + "exception": 1, + "exporting": 1, + "endwhile.": 2, + "append": 2, + "csvvalues.": 2, + "clear": 1, + "pos": 2, + "endclass.": 1 + }, + "Agda": { + "module": 3, + "NatCat": 1, + "where": 2, + "open": 2, + "import": 2, + "Relation.Binary.PropositionalEquality": 1, + "-": 21, + "If": 1, + "you": 2, + "can": 1, + "show": 1, + "that": 1, + "a": 1, + "relation": 1, + "only": 1, + "ever": 1, + "has": 1, + "one": 1, + "inhabitant": 5, + "get": 1, + "the": 1, + "category": 1, + "laws": 1, + "for": 1, + "free": 1, + "EasyCategory": 3, + "(": 36, + "obj": 4, + "Set": 2, + ")": 36, + "_": 6, + "{": 10, + "x": 34, + "y": 28, + "z": 18, + "}": 10, + "id": 9, + "single": 4, + "r": 26, + "s": 29, + "assoc": 2, + "w": 4, + "t": 6, + "Data.Nat": 1, + "same": 5, + ".0": 2, + "n": 14, + "refl": 6, + ".": 5, + "suc": 6, + "m": 6, + "cong": 1, + "trans": 5, + ".n": 1, + "zero": 1, + "Nat": 1 + }, + "ApacheConf": { + "ServerSignature": 1, + "Off": 1, + "RewriteCond": 15, + "%": 48, + "{": 16, + "REQUEST_METHOD": 1, + "}": 16, + "(": 16, + "HEAD": 1, + "|": 80, + "TRACE": 1, + "DELETE": 1, + "TRACK": 1, + ")": 17, + "[": 17, + "NC": 13, + "OR": 14, + "]": 17, + "THE_REQUEST": 1, + "r": 1, + "n": 1, + "A": 6, + "D": 6, + "HTTP_REFERER": 1, + "<|>": 6, + "C": 5, + "E": 5, + "HTTP_COOKIE": 1, + "REQUEST_URI": 1, + "/": 3, + ";": 2, + "<": 1, + ".": 7, + "HTTP_USER_AGENT": 5, + "java": 1, + "curl": 2, + "wget": 2, + "winhttp": 1, + "HTTrack": 1, + "clshttp": 1, + "archiver": 1, + "loader": 1, + "email": 1, + "harvest": 1, + "extract": 1, + "grab": 1, + "miner": 1, + "libwww": 1, + "-": 43, + "perl": 1, + "python": 1, + "nikto": 1, + "scan": 1, + "#Block": 1, + "mySQL": 1, + "injects": 1, + "QUERY_STRING": 5, + ".*": 3, + "*": 1, + "union": 1, + "select": 1, + "insert": 1, + "cast": 1, + "set": 1, + "declare": 1, + "drop": 1, + "update": 1, + "md5": 1, + "benchmark": 1, + "./": 1, + "localhost": 1, + "loopback": 1, + ".0": 2, + ".1": 1, + "a": 1, + "z0": 1, + "RewriteRule": 1, + "index.php": 1, + "F": 1, + "#": 182, + "ServerRoot": 2, + "#Listen": 2, + "Listen": 2, + "LoadModule": 126, + "authn_file_module": 2, + "/usr/lib/apache2/modules/mod_authn_file.so": 1, + "authn_dbm_module": 2, + "/usr/lib/apache2/modules/mod_authn_dbm.so": 1, + "authn_anon_module": 2, + "/usr/lib/apache2/modules/mod_authn_anon.so": 1, + "authn_dbd_module": 2, + "/usr/lib/apache2/modules/mod_authn_dbd.so": 1, + "authn_default_module": 2, + "/usr/lib/apache2/modules/mod_authn_default.so": 1, + "authn_alias_module": 1, + "/usr/lib/apache2/modules/mod_authn_alias.so": 1, + "authz_host_module": 2, + "/usr/lib/apache2/modules/mod_authz_host.so": 1, + "authz_groupfile_module": 2, + "/usr/lib/apache2/modules/mod_authz_groupfile.so": 1, + "authz_user_module": 2, + "/usr/lib/apache2/modules/mod_authz_user.so": 1, + "authz_dbm_module": 2, + "/usr/lib/apache2/modules/mod_authz_dbm.so": 1, + "authz_owner_module": 2, + "/usr/lib/apache2/modules/mod_authz_owner.so": 1, + "authnz_ldap_module": 1, + "/usr/lib/apache2/modules/mod_authnz_ldap.so": 1, + "authz_default_module": 2, + "/usr/lib/apache2/modules/mod_authz_default.so": 1, + "auth_basic_module": 2, + "/usr/lib/apache2/modules/mod_auth_basic.so": 1, + "auth_digest_module": 2, + "/usr/lib/apache2/modules/mod_auth_digest.so": 1, + "file_cache_module": 1, + "/usr/lib/apache2/modules/mod_file_cache.so": 1, + "cache_module": 2, + "/usr/lib/apache2/modules/mod_cache.so": 1, + "disk_cache_module": 2, + "/usr/lib/apache2/modules/mod_disk_cache.so": 1, + "mem_cache_module": 2, + "/usr/lib/apache2/modules/mod_mem_cache.so": 1, + "dbd_module": 2, + "/usr/lib/apache2/modules/mod_dbd.so": 1, + "dumpio_module": 2, + "/usr/lib/apache2/modules/mod_dumpio.so": 1, + "ext_filter_module": 2, + "/usr/lib/apache2/modules/mod_ext_filter.so": 1, + "include_module": 2, + "/usr/lib/apache2/modules/mod_include.so": 1, + "filter_module": 2, + "/usr/lib/apache2/modules/mod_filter.so": 1, + "charset_lite_module": 1, + "/usr/lib/apache2/modules/mod_charset_lite.so": 1, + "deflate_module": 2, + "/usr/lib/apache2/modules/mod_deflate.so": 1, + "ldap_module": 1, + "/usr/lib/apache2/modules/mod_ldap.so": 1, + "log_forensic_module": 2, + "/usr/lib/apache2/modules/mod_log_forensic.so": 1, + "env_module": 2, + "/usr/lib/apache2/modules/mod_env.so": 1, + "mime_magic_module": 2, + "/usr/lib/apache2/modules/mod_mime_magic.so": 1, + "cern_meta_module": 2, + "/usr/lib/apache2/modules/mod_cern_meta.so": 1, + "expires_module": 2, + "/usr/lib/apache2/modules/mod_expires.so": 1, + "headers_module": 2, + "/usr/lib/apache2/modules/mod_headers.so": 1, + "ident_module": 2, + "/usr/lib/apache2/modules/mod_ident.so": 1, + "usertrack_module": 2, + "/usr/lib/apache2/modules/mod_usertrack.so": 1, + "unique_id_module": 2, + "/usr/lib/apache2/modules/mod_unique_id.so": 1, + "setenvif_module": 2, + "/usr/lib/apache2/modules/mod_setenvif.so": 1, + "version_module": 2, + "/usr/lib/apache2/modules/mod_version.so": 1, + "proxy_module": 2, + "/usr/lib/apache2/modules/mod_proxy.so": 1, + "proxy_connect_module": 2, + "/usr/lib/apache2/modules/mod_proxy_connect.so": 1, + "proxy_ftp_module": 2, + "/usr/lib/apache2/modules/mod_proxy_ftp.so": 1, + "proxy_http_module": 2, + "/usr/lib/apache2/modules/mod_proxy_http.so": 1, + "proxy_ajp_module": 2, + "/usr/lib/apache2/modules/mod_proxy_ajp.so": 1, + "proxy_balancer_module": 2, + "/usr/lib/apache2/modules/mod_proxy_balancer.so": 1, + "ssl_module": 4, + "/usr/lib/apache2/modules/mod_ssl.so": 1, + "mime_module": 4, + "/usr/lib/apache2/modules/mod_mime.so": 1, + "dav_module": 2, + "/usr/lib/apache2/modules/mod_dav.so": 1, + "status_module": 2, + "/usr/lib/apache2/modules/mod_status.so": 1, + "autoindex_module": 2, + "/usr/lib/apache2/modules/mod_autoindex.so": 1, + "asis_module": 2, + "/usr/lib/apache2/modules/mod_asis.so": 1, + "info_module": 2, + "/usr/lib/apache2/modules/mod_info.so": 1, + "suexec_module": 1, + "/usr/lib/apache2/modules/mod_suexec.so": 1, + "cgid_module": 3, + "/usr/lib/apache2/modules/mod_cgid.so": 1, + "cgi_module": 2, + "/usr/lib/apache2/modules/mod_cgi.so": 1, + "dav_fs_module": 2, + "/usr/lib/apache2/modules/mod_dav_fs.so": 1, + "dav_lock_module": 1, + "/usr/lib/apache2/modules/mod_dav_lock.so": 1, + "vhost_alias_module": 2, + "/usr/lib/apache2/modules/mod_vhost_alias.so": 1, + "negotiation_module": 2, + "/usr/lib/apache2/modules/mod_negotiation.so": 1, + "dir_module": 4, + "/usr/lib/apache2/modules/mod_dir.so": 1, + "imagemap_module": 2, + "/usr/lib/apache2/modules/mod_imagemap.so": 1, + "actions_module": 2, + "/usr/lib/apache2/modules/mod_actions.so": 1, + "speling_module": 2, + "/usr/lib/apache2/modules/mod_speling.so": 1, + "userdir_module": 2, + "/usr/lib/apache2/modules/mod_userdir.so": 1, + "alias_module": 4, + "/usr/lib/apache2/modules/mod_alias.so": 1, + "rewrite_module": 2, + "/usr/lib/apache2/modules/mod_rewrite.so": 1, + "": 17, + "mpm_netware_module": 2, + "User": 2, + "daemon": 2, + "Group": 2, + "": 17, + "ServerAdmin": 2, + "you@example.com": 2, + "#ServerName": 2, + "www.example.com": 2, + "DocumentRoot": 2, + "": 6, + "Options": 6, + "FollowSymLinks": 4, + "AllowOverride": 6, + "None": 8, + "Order": 10, + "deny": 10, + "allow": 10, + "Deny": 6, + "from": 10, + "all": 10, + "": 6, + "usr": 2, + "share": 1, + "apache2": 1, + "default": 1, + "site": 1, + "htdocs": 1, + "Indexes": 2, + "Allow": 4, + "DirectoryIndex": 2, + "index.html": 2, + "": 2, + "ht": 1, + "Satisfy": 4, + "All": 4, + "": 2, + "ErrorLog": 2, + "/var/log/apache2/error_log": 1, + "LogLevel": 2, + "warn": 2, + "log_config_module": 3, + "LogFormat": 6, + "combined": 4, + "common": 4, + "logio_module": 3, + "combinedio": 2, + "CustomLog": 2, + "/var/log/apache2/access_log": 2, + "#CustomLog": 2, + "ScriptAlias": 1, + "/cgi": 2, + "bin/": 2, + "#Scriptsock": 2, + "/var/run/apache2/cgisock": 1, + "lib": 1, + "cgi": 3, + "bin": 1, + "DefaultType": 2, + "text/plain": 2, + "TypesConfig": 2, + "/etc/apache2/mime.types": 1, + "#AddType": 4, + "application/x": 6, + "gzip": 6, + ".tgz": 6, + "#AddEncoding": 4, + "x": 4, + "compress": 4, + ".Z": 4, + ".gz": 4, + "AddType": 4, + "#AddHandler": 4, + "script": 2, + ".cgi": 2, + "type": 2, + "map": 2, + "var": 2, + "text/html": 2, + ".shtml": 4, + "#AddOutputFilter": 2, + "INCLUDES": 2, + "#MIMEMagicFile": 2, + "/etc/apache2/magic": 1, + "#ErrorDocument": 8, + "/missing.html": 2, + "http": 2, + "//www.example.com/subscription_info.html": 2, + "#EnableMMAP": 2, + "off": 5, + "#EnableSendfile": 2, + "#Include": 17, + "/etc/apache2/extra/httpd": 11, + "mpm.conf": 2, + "multilang": 2, + "errordoc.conf": 2, + "autoindex.conf": 2, + "languages.conf": 2, + "userdir.conf": 2, + "info.conf": 2, + "vhosts.conf": 2, + "manual.conf": 2, + "dav.conf": 2, + "default.conf": 2, + "ssl.conf": 2, + "SSLRandomSeed": 4, + "startup": 2, + "builtin": 4, + "connect": 2, + "libexec/apache2/mod_authn_file.so": 1, + "libexec/apache2/mod_authn_dbm.so": 1, + "libexec/apache2/mod_authn_anon.so": 1, + "libexec/apache2/mod_authn_dbd.so": 1, + "libexec/apache2/mod_authn_default.so": 1, + "libexec/apache2/mod_authz_host.so": 1, + "libexec/apache2/mod_authz_groupfile.so": 1, + "libexec/apache2/mod_authz_user.so": 1, + "libexec/apache2/mod_authz_dbm.so": 1, + "libexec/apache2/mod_authz_owner.so": 1, + "libexec/apache2/mod_authz_default.so": 1, + "libexec/apache2/mod_auth_basic.so": 1, + "libexec/apache2/mod_auth_digest.so": 1, + "libexec/apache2/mod_cache.so": 1, + "libexec/apache2/mod_disk_cache.so": 1, + "libexec/apache2/mod_mem_cache.so": 1, + "libexec/apache2/mod_dbd.so": 1, + "libexec/apache2/mod_dumpio.so": 1, + "reqtimeout_module": 1, + "libexec/apache2/mod_reqtimeout.so": 1, + "libexec/apache2/mod_ext_filter.so": 1, + "libexec/apache2/mod_include.so": 1, + "libexec/apache2/mod_filter.so": 1, + "substitute_module": 1, + "libexec/apache2/mod_substitute.so": 1, + "libexec/apache2/mod_deflate.so": 1, + "libexec/apache2/mod_log_config.so": 1, + "libexec/apache2/mod_log_forensic.so": 1, + "libexec/apache2/mod_logio.so": 1, + "libexec/apache2/mod_env.so": 1, + "libexec/apache2/mod_mime_magic.so": 1, + "libexec/apache2/mod_cern_meta.so": 1, + "libexec/apache2/mod_expires.so": 1, + "libexec/apache2/mod_headers.so": 1, + "libexec/apache2/mod_ident.so": 1, + "libexec/apache2/mod_usertrack.so": 1, + "#LoadModule": 4, + "libexec/apache2/mod_unique_id.so": 1, + "libexec/apache2/mod_setenvif.so": 1, + "libexec/apache2/mod_version.so": 1, + "libexec/apache2/mod_proxy.so": 1, + "libexec/apache2/mod_proxy_connect.so": 1, + "libexec/apache2/mod_proxy_ftp.so": 1, + "libexec/apache2/mod_proxy_http.so": 1, + "proxy_scgi_module": 1, + "libexec/apache2/mod_proxy_scgi.so": 1, + "libexec/apache2/mod_proxy_ajp.so": 1, + "libexec/apache2/mod_proxy_balancer.so": 1, + "libexec/apache2/mod_ssl.so": 1, + "libexec/apache2/mod_mime.so": 1, + "libexec/apache2/mod_dav.so": 1, + "libexec/apache2/mod_status.so": 1, + "libexec/apache2/mod_autoindex.so": 1, + "libexec/apache2/mod_asis.so": 1, + "libexec/apache2/mod_info.so": 1, + "libexec/apache2/mod_cgi.so": 1, + "libexec/apache2/mod_dav_fs.so": 1, + "libexec/apache2/mod_vhost_alias.so": 1, + "libexec/apache2/mod_negotiation.so": 1, + "libexec/apache2/mod_dir.so": 1, + "libexec/apache2/mod_imagemap.so": 1, + "libexec/apache2/mod_actions.so": 1, + "libexec/apache2/mod_speling.so": 1, + "libexec/apache2/mod_userdir.so": 1, + "libexec/apache2/mod_alias.so": 1, + "libexec/apache2/mod_rewrite.so": 1, + "perl_module": 1, + "libexec/apache2/mod_perl.so": 1, + "php5_module": 1, + "libexec/apache2/libphp5.so": 1, + "hfs_apple_module": 1, + "libexec/apache2/mod_hfs_apple.so": 1, + "mpm_winnt_module": 1, + "_www": 2, + "Library": 2, + "WebServer": 2, + "Documents": 1, + "MultiViews": 1, + "Hh": 1, + "Tt": 1, + "Dd": 1, + "Ss": 2, + "_": 1, + "": 1, + "rsrc": 1, + "": 1, + "": 1, + "namedfork": 1, + "": 1, + "ScriptAliasMatch": 1, + "i": 1, + "webobjects": 1, + "/private/var/run/cgisock": 1, + "CGI": 1, + "Executables": 1, + "/private/etc/apache2/mime.types": 1, + "/private/etc/apache2/magic": 1, + "#MaxRanges": 1, + "unlimited": 1, + "TraceEnable": 1, + "Include": 6, + "/private/etc/apache2/extra/httpd": 11, + "/private/etc/apache2/other/*.conf": 1 + }, + "Apex": { + "global": 70, + "class": 7, + "ArrayUtils": 1, + "{": 219, + "static": 83, + "String": 60, + "[": 102, + "]": 102, + "EMPTY_STRING_ARRAY": 1, + "new": 60, + "}": 219, + ";": 308, + "Integer": 34, + "MAX_NUMBER_OF_ELEMENTS_IN_LIST": 5, + "get": 4, + "return": 106, + "List": 71, + "": 30, + "objectToString": 1, + "(": 481, + "": 22, + "objects": 3, + ")": 481, + "strings": 3, + "null": 92, + "if": 91, + "objects.size": 1, + "for": 24, + "Object": 23, + "obj": 3, + "instanceof": 1, + "strings.add": 1, + "reverse": 2, + "anArray": 14, + "i": 55, + "j": 10, + "anArray.size": 2, + "-": 18, + "tmp": 6, + "while": 8, + "+": 75, + "SObject": 19, + "lowerCase": 1, + "strs": 9, + "returnValue": 22, + "strs.size": 3, + "str": 10, + "returnValue.add": 3, + "str.toLowerCase": 1, + "upperCase": 1, + "str.toUpperCase": 1, + "trim": 1, + "str.trim": 3, + "mergex": 2, + "array1": 8, + "array2": 9, + "merged": 6, + "array1.size": 4, + "array2.size": 2, + "<": 32, + "": 19, + "sObj": 4, + "merged.add": 2, + "Boolean": 38, + "isEmpty": 7, + "objectArray": 17, + "true": 12, + "objectArray.size": 6, + "isNotEmpty": 4, + "pluck": 1, + "fieldName": 3, + "||": 12, + "fieldName.trim": 2, + ".length": 2, + "plucked": 3, + ".get": 4, + "toString": 3, + "void": 9, + "assertArraysAreEqual": 2, + "expected": 16, + "actual": 16, + "//check": 2, + "to": 4, + "see": 2, + "one": 2, + "param": 2, + "is": 5, + "but": 2, + "the": 4, + "other": 2, + "not": 3, + "System.assert": 6, + "&&": 46, + "ArrayUtils.toString": 12, + "expected.size": 4, + "actual.size": 2, + "merg": 2, + "list1": 15, + "list2": 9, + "returnList": 11, + "list1.size": 6, + "list2.size": 2, + "throw": 6, + "IllegalArgumentException": 5, + "elmt": 8, + "returnList.add": 8, + "subset": 6, + "aList": 4, + "count": 10, + "startIndex": 9, + "<=>": 2, + "size": 2, + "1": 2, + "list1.get": 2, + "//": 11, + "//LIST/ARRAY": 1, + "SORTING": 1, + "//FOR": 2, + "FORCE.COM": 1, + "PRIMITIVES": 1, + "Double": 1, + "ID": 1, + "etc.": 1, + "qsort": 18, + "theList": 72, + "PrimitiveComparator": 2, + "sortAsc": 24, + "ObjectComparator": 3, + "comparator": 14, + "theList.size": 2, + "SALESFORCE": 1, + "OBJECTS": 1, + "sObjects": 1, + "ISObjectComparator": 3, + "private": 10, + "lo0": 6, + "hi0": 8, + "lo": 42, + "hi": 50, + "else": 25, + "comparator.compare": 12, + "prs": 8, + "pivot": 14, + "/": 4, + "BooleanUtils": 1, + "isFalse": 1, + "bool": 32, + "false": 13, + "isNotFalse": 1, + "isNotTrue": 1, + "isTrue": 1, + "negate": 1, + "toBooleanDefaultIfNull": 1, + "defaultVal": 2, + "toBoolean": 2, + "value": 10, + "strToBoolean": 1, + "StringUtils.equalsIgnoreCase": 1, + "//Converts": 1, + "an": 4, + "int": 1, + "a": 6, + "boolean": 1, + "specifying": 1, + "//the": 2, + "conversion": 1, + "values.": 1, + "//Returns": 1, + "//Throws": 1, + "trueValue": 2, + "falseValue": 2, + "toInteger": 1, + "toStringYesNo": 1, + "toStringYN": 1, + "trueString": 2, + "falseString": 2, + "xor": 1, + "boolArray": 4, + "boolArray.size": 1, + "firstItem": 2, + "EmailUtils": 1, + "sendEmailWithStandardAttachments": 3, + "recipients": 11, + "emailSubject": 10, + "body": 8, + "useHTML": 6, + "": 1, + "attachmentIDs": 2, + "": 2, + "stdAttachments": 4, + "SELECT": 1, + "id": 1, + "name": 2, + "FROM": 1, + "Attachment": 2, + "WHERE": 1, + "Id": 1, + "IN": 1, + "": 3, + "fileAttachments": 5, + "attachment": 1, + "Messaging.EmailFileAttachment": 2, + "fileAttachment": 2, + "fileAttachment.setFileName": 1, + "attachment.Name": 1, + "fileAttachment.setBody": 1, + "attachment.Body": 1, + "fileAttachments.add": 1, + "sendEmail": 4, + "sendTextEmail": 1, + "textBody": 2, + "sendHTMLEmail": 1, + "htmlBody": 2, + "recipients.size": 1, + "Messaging.SingleEmailMessage": 3, + "mail": 2, + "email": 1, + "saved": 1, + "as": 1, + "activity.": 1, + "mail.setSaveAsActivity": 1, + "mail.setToAddresses": 1, + "mail.setSubject": 1, + "mail.setBccSender": 1, + "mail.setUseSignature": 1, + "mail.setHtmlBody": 1, + "mail.setPlainTextBody": 1, + "fileAttachments.size": 1, + "mail.setFileAttachments": 1, + "Messaging.sendEmail": 1, + "isValidEmailAddress": 2, + "split": 5, + "str.split": 1, + "split.size": 2, + ".split": 1, + "isNotValidEmailAddress": 1, + "public": 10, + "GeoUtils": 1, + "generate": 1, + "KML": 1, + "string": 7, + "given": 2, + "page": 1, + "reference": 1, + "call": 1, + "getContent": 1, + "then": 1, + "cleanup": 1, + "output.": 1, + "generateFromContent": 1, + "PageReference": 2, + "pr": 1, + "ret": 7, + "try": 1, + "pr.getContent": 1, + ".toString": 1, + "ret.replaceAll": 4, + "content": 1, + "produces": 1, + "quote": 1, + "chars": 1, + "we": 1, + "need": 1, + "escape": 1, + "these": 2, + "in": 1, + "node": 1, + "catch": 1, + "exception": 1, + "e": 2, + "system.debug": 2, + "must": 1, + "use": 1, + "ALL": 1, + "since": 1, + "many": 1, + "line": 1, + "may": 1, + "also": 1, + "Map": 33, + "": 2, + "geo_response": 1, + "accountAddressString": 2, + "account": 2, + "acct": 1, + "form": 1, + "address": 1, + "object": 1, + "adr": 9, + "acct.billingstreet": 1, + "acct.billingcity": 1, + "acct.billingstate": 1, + "acct.billingpostalcode": 2, + "acct.billingcountry": 2, + "adr.replaceAll": 4, + "testmethod": 1, + "t1": 1, + "pageRef": 3, + "Page.kmlPreviewTemplate": 1, + "Test.setCurrentPage": 1, + "system.assert": 1, + "GeoUtils.generateFromContent": 1, + "Account": 2, + "billingstreet": 1, + "billingcity": 1, + "billingstate": 1, + "billingpostalcode": 1, + "billingcountry": 1, + "insert": 1, + "system.assertEquals": 1, + "LanguageUtils": 1, + "final": 6, + "HTTP_LANGUAGE_CODE_PARAMETER_KEY": 2, + "DEFAULT_LANGUAGE_CODE": 3, + "Set": 6, + "SUPPORTED_LANGUAGE_CODES": 2, + "//Chinese": 2, + "Simplified": 1, + "Traditional": 1, + "//Dutch": 1, + "//English": 1, + "//Finnish": 1, + "//French": 1, + "//German": 1, + "//Italian": 1, + "//Japanese": 1, + "//Korean": 1, + "//Polish": 1, + "//Portuguese": 1, + "Brazilian": 1, + "//Russian": 1, + "//Spanish": 1, + "//Swedish": 1, + "//Thai": 1, + "//Czech": 1, + "//Danish": 1, + "//Hungarian": 1, + "//Indonesian": 1, + "//Turkish": 1, + "": 29, + "DEFAULTS": 1, + "getLangCodeByHttpParam": 4, + "LANGUAGE_CODE_SET": 1, + "getSuppLangCodeSet": 2, + "ApexPages.currentPage": 4, + ".getParameters": 2, + "LANGUAGE_HTTP_PARAMETER": 7, + "StringUtils.lowerCase": 3, + "StringUtils.replaceChars": 2, + "//underscore": 1, + "//dash": 1, + "DEFAULTS.containsKey": 3, + "DEFAULTS.get": 3, + "StringUtils.isNotBlank": 1, + "SUPPORTED_LANGUAGE_CODES.contains": 2, + "getLangCodeByBrowser": 4, + "LANGUAGES_FROM_BROWSER_AS_STRING": 2, + ".getHeaders": 1, + "LANGUAGES_FROM_BROWSER_AS_LIST": 3, + "splitAndFilterAcceptLanguageHeader": 2, + "LANGUAGES_FROM_BROWSER_AS_LIST.size": 1, + "languageFromBrowser": 6, + "getLangCodeByUser": 3, + "UserInfo.getLanguage": 1, + "getLangCodeByHttpParamOrIfNullThenBrowser": 1, + "StringUtils.defaultString": 4, + "getLangCodeByHttpParamOrIfNullThenUser": 1, + "getLangCodeByBrowserOrIfNullThenHttpParam": 1, + "getLangCodeByBrowserOrIfNullThenUser": 1, + "header": 2, + "tokens": 3, + "StringUtils.split": 1, + "token": 7, + "token.contains": 1, + "token.substring": 1, + "token.indexOf": 1, + "StringUtils.length": 1, + "StringUtils.substring": 1, + "langCodes": 2, + "langCode": 3, + "langCodes.add": 1, + "getLanguageName": 1, + "displayLanguageCode": 13, + "languageCode": 2, + "translatedLanguageNames.get": 2, + "filterLanguageCode": 4, + "getAllLanguages": 3, + "translatedLanguageNames.containsKey": 1, + "translatedLanguageNames": 1, + "TwilioAPI": 2, + "MissingTwilioConfigCustomSettingsException": 2, + "extends": 1, + "Exception": 1, + "TwilioRestClient": 5, + "client": 2, + "getDefaultClient": 2, + "TwilioConfig__c": 5, + "twilioCfg": 7, + "getTwilioConfig": 3, + "TwilioAPI.client": 2, + "twilioCfg.AccountSid__c": 3, + "twilioCfg.AuthToken__c": 3, + "TwilioAccount": 1, + "getDefaultAccount": 1, + ".getAccount": 2, + "TwilioCapability": 2, + "createCapability": 1, + "createClient": 1, + "accountSid": 2, + "authToken": 2, + "Test.isRunningTest": 1, + "dummy": 2, + "sid": 1, + "TwilioConfig__c.getOrgDefaults": 1, + "@isTest": 1, + "test_TwilioAPI": 1, + "System.assertEquals": 5, + "TwilioAPI.getTwilioConfig": 2, + ".AccountSid__c": 1, + ".AuthToken__c": 1, + "TwilioAPI.getDefaultClient": 2, + ".getAccountSid": 1, + ".getSid": 2, + "TwilioAPI.getDefaultAccount": 1 + }, + "AppleScript": { + "set": 108, + "windowWidth": 3, + "to": 128, + "windowHeight": 3, + "delay": 3, + "AppleScript": 2, + "s": 3, + "text": 13, + "item": 13, + "delimiters": 1, + "tell": 40, + "application": 16, + "screen_width": 2, + "(": 89, + "do": 4, + "JavaScript": 2, + "in": 13, + "document": 2, + ")": 88, + "screen_height": 2, + "end": 67, + "myFrontMost": 3, + "name": 8, + "of": 72, + "first": 1, + "processes": 2, + "whose": 1, + "frontmost": 1, + "is": 40, + "true": 8, + "{": 32, + "desktopTop": 2, + "desktopLeft": 1, + "desktopRight": 1, + "desktopBottom": 1, + "}": 32, + "bounds": 2, + "desktop": 1, + "try": 10, + "process": 5, + "w": 5, + "h": 4, + "size": 5, + "drawer": 2, + "window": 5, + "on": 18, + "error": 3, + "position": 1, + "-": 57, + "/": 2, + "property": 7, + "type_list": 6, + "extension_list": 6, + "html": 2, + "not": 5, + "currently": 2, + "handled": 2, + "run": 4, + "FinderSelection": 4, + "the": 56, + "selection": 2, + "as": 27, + "alias": 8, + "list": 9, + "FS": 10, + "Ideally": 2, + "this": 2, + "could": 2, + "be": 2, + "passed": 2, + "open": 8, + "handler": 2, + "SelectionCount": 6, + "number": 6, + "count": 10, + "if": 50, + "then": 28, + "userPicksFolder": 6, + "else": 14, + "MyPath": 4, + "path": 6, + "me": 2, + "If": 2, + "I": 2, + "m": 2, + "a": 4, + "double": 2, + "clicked": 2, + "droplet": 2, + "these_items": 18, + "choose": 2, + "file": 6, + "with": 11, + "prompt": 2, + "type": 6, + "thesefiles": 2, + "item_info": 24, + "repeat": 19, + "i": 10, + "from": 9, + "this_item": 14, + "info": 4, + "for": 5, + "folder": 10, + "processFolder": 8, + "false": 9, + "and": 7, + "or": 6, + "extension": 4, + "theFilePath": 8, + "string": 17, + "thePOSIXFilePath": 8, + "POSIX": 4, + "processFile": 8, + "folders": 2, + "theFolder": 6, + "without": 2, + "invisibles": 2, + "&": 63, + "thePOSIXFileName": 6, + "terminalCommand": 6, + "convertCommand": 4, + "newFileName": 4, + "shell": 2, + "script": 2, + "need": 1, + "pass": 1, + "URL": 1, + "Terminal": 1, + "localMailboxes": 3, + "every": 3, + "mailbox": 2, + "greater": 5, + "than": 6, + "messageCountDisplay": 5, + "return": 16, + "my": 3, + "getMessageCountsForMailboxes": 4, + "everyAccount": 2, + "account": 1, + "eachAccount": 3, + "accountMailboxes": 3, + "outputMessage": 2, + "make": 3, + "new": 2, + "outgoing": 2, + "message": 2, + "properties": 2, + "content": 2, + "subject": 1, + "visible": 2, + "font": 2, + "theMailboxes": 2, + "mailboxes": 1, + "returns": 2, + "displayString": 4, + "eachMailbox": 4, + "mailboxName": 2, + "messageCount": 2, + "messages": 1, + "unreadCount": 2, + "unread": 1, + "padString": 3, + "theString": 4, + "fieldLength": 5, + "integer": 3, + "stringLength": 4, + "length": 1, + "paddedString": 5, + "character": 2, + "less": 1, + "equal": 3, + "paddingLength": 2, + "times": 1, + "space": 1, + "lowFontSize": 9, + "highFontSize": 6, + "messageText": 4, + "userInput": 4, + "display": 4, + "dialog": 4, + "default": 4, + "answer": 3, + "buttons": 3, + "button": 4, + "returned": 5, + "minimumFontSize": 4, + "newFontSize": 6, + "result": 2, + "theText": 3, + "exit": 1, + "fontList": 2, + "activate": 3, + "crazyTextMessage": 2, + "eachCharacter": 4, + "characters": 1, + "some": 1, + "random": 4, + "color": 1, + "current": 3, + "pane": 4, + "UI": 1, + "elements": 1, + "enabled": 2, + "tab": 1, + "group": 1, + "click": 1, + "radio": 1, + "get": 1, + "value": 1, + "field": 1, + "isVoiceOverRunning": 3, + "isRunning": 3, + "contains": 1, + "isVoiceOverRunningWithAppleScript": 3, + "isRunningWithAppleScript": 3, + "VoiceOver": 1, + "x": 1, + "vo": 1, + "cursor": 1, + "currentDate": 3, + "date": 1, + "amPM": 4, + "currentHour": 9, + "minutes": 2, + "<": 2, + "below": 1, + "sound": 1, + "nice": 1, + "currentMinutes": 4, + "ensure": 1, + "nn": 2, + "gets": 1, + "AM": 1, + "readjust": 1, + "hour": 1, + "time": 1, + "currentTime": 3, + "day": 1, + "output": 1, + "say": 1 + }, + "Arduino": { + "void": 2, + "setup": 1, + "(": 4, + ")": 4, + "{": 2, + "Serial.begin": 1, + ";": 2, + "}": 2, + "loop": 1, + "Serial.print": 1 + }, + "AsciiDoc": { + "Gregory": 2, + "Rom": 2, + "has": 2, + "written": 2, + "an": 2, + "AsciiDoc": 3, + "plugin": 2, + "for": 2, + "the": 2, + "Redmine": 2, + "project": 2, + "management": 2, + "application.": 2, + "https": 1, + "//github.com/foo": 1, + "-": 4, + "users/foo": 1, + "vicmd": 1, + "gif": 1, + "tag": 1, + "rom": 2, + "[": 2, + "]": 2, + "end": 1, + "berschrift": 1, + "*": 4, + "Codierungen": 1, + "sind": 1, + "verr": 1, + "ckt": 1, + "auf": 1, + "lteren": 1, + "Versionen": 1, + "von": 1, + "Ruby": 1, + "Home": 1, + "Page": 1, + "Example": 1, + "Articles": 1, + "Item": 6, + "Document": 1, + "Title": 1, + "Doc": 1, + "Writer": 1, + "": 1, + "idprefix": 1, + "id_": 1, + "Preamble": 1, + "paragraph.": 4, + "NOTE": 1, + "This": 1, + "is": 1, + "test": 1, + "only": 1, + "a": 1, + "test.": 1, + "Section": 3, + "A": 2, + "*Section": 3, + "A*": 2, + "Subsection": 1, + "B": 2, + "B*": 1, + ".Section": 1, + "list": 1 + }, + "AspectJ": { + "package": 2, + "com.blogspot.miguelinlas3.aspectj.cache": 1, + ";": 29, + "import": 5, + "java.util.Map": 2, + "java.util.WeakHashMap": 1, + "org.aspectj.lang.JoinPoint": 1, + "com.blogspot.miguelinlas3.aspectj.cache.marker.Cachable": 1, + "public": 6, + "aspect": 2, + "CacheAspect": 1, + "{": 11, + "pointcut": 3, + "cache": 3, + "(": 46, + "Cachable": 2, + "cachable": 5, + ")": 46, + "execution": 1, + "@Cachable": 2, + "*": 2, + "..": 1, + "&&": 2, + "@annotation": 1, + "Object": 15, + "around": 2, + "String": 3, + "evaluatedKey": 6, + "this.evaluateKey": 1, + "cachable.scriptKey": 1, + "thisJoinPoint": 1, + "if": 2, + "cache.containsKey": 1, + "System.out.println": 5, + "+": 7, + "return": 5, + "this.cache.get": 1, + "}": 11, + "value": 3, + "proceed": 2, + "cache.put": 1, + "protected": 2, + "evaluateKey": 1, + "key": 2, + "JoinPoint": 1, + "joinPoint": 1, + "//": 1, + "TODO": 1, + "add": 1, + "some": 1, + "smart": 1, + "staff": 1, + "to": 1, + "allow": 1, + "simple": 1, + "scripting": 1, + "in": 1, + "annotation": 1, + "Map": 3, + "": 2, + "new": 1, + "WeakHashMap": 1, + "aspects.caching": 1, + "abstract": 3, + "OptimizeRecursionCache": 2, + "@SuppressWarnings": 3, + "private": 1, + "_cache": 2, + "getCache": 2, + "operation": 4, + "o": 16, + "topLevelOperation": 4, + "cflowbelow": 1, + "before": 1, + "cachedValue": 4, + "_cache.get": 1, + "null": 1, + "after": 2, + "returning": 2, + "result": 3, + "_cache.put": 1, + "_cache.size": 1 + }, + "ATS": { + "//": 211, + "#include": 16, + "staload": 25, + "_": 25, + "sortdef": 2, + "ftype": 13, + "type": 30, + "-": 49, + "infixr": 2, + "(": 562, + ")": 567, + "typedef": 10, + "a": 200, + "b": 26, + "": 2, + "functor": 12, + "F": 34, + "{": 142, + "}": 141, + "list0": 9, + "extern": 13, + "val": 95, + "functor_list0": 7, + "implement": 55, + "f": 22, + "lam": 20, + "xs": 82, + "list0_map": 2, + "": 14, + "": 3, + "datatype": 4, + "CoYoneda": 7, + "r": 25, + "of": 59, + "fun": 56, + "CoYoneda_phi": 2, + "CoYoneda_psi": 3, + "ftor": 9, + "fx": 8, + "x": 48, + "int0": 4, + "I": 8, + "int": 2, + "bool": 27, + "True": 7, + "|": 22, + "False": 8, + "boxed": 2, + "boolean": 2, + "bool2string": 4, + "string": 2, + "case": 9, + "+": 20, + "fprint_val": 2, + "": 2, + "out": 8, + "fprint": 3, + "int2bool": 2, + "i": 6, + "let": 34, + "in": 48, + "if": 7, + "then": 11, + "else": 7, + "end": 73, + "myintlist0": 2, + "g0ofg1": 1, + "list": 1, + "myboolist0": 9, + "fprintln": 3, + "stdout_ref": 4, + "main0": 3, + "UN": 3, + "phil_left": 3, + "n": 51, + "phil_right": 3, + "nmod": 1, + "NPHIL": 6, + "randsleep": 6, + "intGte": 1, + "void": 14, + "ignoret": 2, + "sleep": 2, + "UN.cast": 2, + "uInt": 1, + "rand": 1, + "mod": 1, + "phil_think": 3, + "println": 9, + "phil_dine": 3, + "lf": 5, + "rf": 5, + "phil_loop": 10, + "nl": 2, + "nr": 2, + "ch_lfork": 2, + "fork_changet": 5, + "ch_rfork": 2, + "channel_takeout": 4, + "HX": 1, + "try": 1, + "to": 16, + "actively": 1, + "induce": 1, + "deadlock": 2, + "ch_forktray": 3, + "forktray_changet": 4, + "channel_insert": 5, + "[": 49, + "]": 48, + "cleaner_wash": 3, + "fork_get_num": 4, + "cleaner_return": 4, + "ch": 7, + "cleaner_loop": 6, + "f0": 3, + "dynload": 3, + "local": 10, + "mythread_create_cloptr": 6, + "llam": 6, + "while": 1, + "true": 5, + "%": 7, + "#": 7, + "#define": 4, + "nphil": 13, + "natLt": 2, + "absvtype": 2, + "fork_vtype": 3, + "ptr": 2, + "vtypedef": 2, + "fork": 16, + "channel": 11, + "datavtype": 1, + "FORK": 3, + "assume": 2, + "the_forkarray": 2, + "t": 1, + "array_tabulate": 1, + "fopr": 1, + "": 2, + "where": 6, + "channel_create_exn": 2, + "": 2, + "i2sz": 4, + "arrayref_tabulate": 1, + "the_forktray": 2, + "set_vtype": 3, + "t@ype": 2, + "set": 34, + "t0p": 31, + "compare_elt_elt": 4, + "x1": 1, + "x2": 1, + "<": 14, + "linset_nil": 2, + "linset_make_nil": 2, + "linset_sing": 2, + "": 16, + "linset_make_sing": 2, + "linset_make_list": 1, + "List": 1, + "INV": 24, + "linset_is_nil": 2, + "linset_isnot_nil": 2, + "linset_size": 2, + "size_t": 1, + "linset_is_member": 3, + "x0": 22, + "linset_isnot_member": 1, + "linset_copy": 2, + "linset_free": 2, + "linset_insert": 3, + "&": 17, + "linset_takeout": 1, + "res": 9, + "opt": 6, + "endfun": 1, + "linset_takeout_opt": 1, + "Option_vt": 4, + "linset_remove": 2, + "linset_choose": 3, + "linset_choose_opt": 1, + "linset_takeoutmax": 1, + "linset_takeoutmax_opt": 1, + "linset_takeoutmin": 1, + "linset_takeoutmin_opt": 1, + "fprint_linset": 3, + "sep": 1, + "FILEref": 2, + "overload": 1, + "with": 1, + "env": 11, + "vt0p": 2, + "linset_foreach": 3, + "fwork": 3, + "linset_foreach_env": 3, + "linset_listize": 2, + "List0_vt": 5, + "linset_listize1": 2, + "code": 6, + "reuse": 2, + "elt": 2, + "list_vt_nil": 16, + "list_vt_cons": 17, + "list_vt_is_nil": 1, + "list_vt_is_cons": 1, + "list_vt_length": 1, + "aux": 4, + "nat": 4, + ".": 14, + "": 3, + "list_vt": 7, + "sgn": 9, + "false": 6, + "list_vt_copy": 2, + "list_vt_free": 1, + "mynode_cons": 4, + "nx": 22, + "mynode1": 6, + "xs1": 15, + "UN.castvwtp0": 8, + "List1_vt": 5, + "@list_vt_cons": 5, + "xs2": 3, + "prval": 20, + "UN.cast2void": 5, + ";": 4, + "fold@": 8, + "ins": 3, + "tail": 1, + "recursive": 1, + "n1": 4, + "<=>": 1, + "1": 3, + "mynode_make_elt": 4, + "ans": 2, + "is": 26, + "found": 1, + "effmask_all": 3, + "free@": 1, + "xs1_": 3, + "rem": 1, + "*": 2, + "opt_some": 1, + "opt_none": 1, + "list_vt_foreach": 1, + "": 3, + "list_vt_foreach_env": 1, + "mynode_null": 5, + "mynode": 3, + "null": 1, + "the_null_ptr": 1, + "mynode_free": 1, + "nx2": 4, + "mynode_get_elt": 1, + "nx1": 7, + "UN.castvwtp1": 2, + "mynode_set_elt": 1, + "l": 3, + "__assert": 2, + "praxi": 1, + "mynode_getfree_elt": 1, + "linset_takeout_ngc": 2, + "takeout": 3, + "mynode0": 1, + "pf_x": 6, + "view@x": 3, + "pf_xs1": 6, + "view@xs1": 3, + "linset_takeoutmax_ngc": 2, + "xs_": 4, + "@list_vt_nil": 1, + "linset_takeoutmin_ngc": 2, + "unsnoc": 4, + "pos": 1, + "and": 10, + "fold@xs": 1, + "ATS_PACKNAME": 1, + "ATS_STALOADFLAG": 1, + "no": 2, + "static": 1, + "loading": 1, + "at": 2, + "run": 1, + "time": 1, + "castfn": 1, + "linset2list": 1, + "": 1, + "html": 1, + "PUBLIC": 1, + "W3C": 1, + "DTD": 2, + "XHTML": 1, + "EN": 1, + "http": 2, + "www": 1, + "w3": 1, + "org": 1, + "TR": 1, + "xhtml11": 2, + "dtd": 1, + "": 1, + "xmlns=": 1, + "": 1, + "": 1, + "equiv=": 1, + "content=": 1, + "": 1, + "EFFECTIVATS": 1, + "DiningPhil2": 1, + "": 1, + "#patscode_style": 1, + "": 1, + "": 1, + "

": 1, + "Effective": 1, + "ATS": 2, + "Dining": 2, + "Philosophers": 2, + "

": 1, + "In": 2, + "this": 2, + "article": 2, + "present": 1, + "an": 6, + "implementation": 3, + "slight": 1, + "variant": 1, + "the": 30, + "famous": 1, + "problem": 1, + "by": 4, + "Dijkstra": 1, + "that": 8, + "makes": 1, + "simple": 1, + "but": 1, + "convincing": 1, + "use": 1, + "linear": 2, + "types.": 1, + "

": 8, + "The": 8, + "Original": 2, + "Problem": 2, + "

": 8, + "There": 3, + "are": 7, + "five": 1, + "philosophers": 1, + "sitting": 1, + "around": 1, + "table": 3, + "there": 3, + "also": 3, + "forks": 7, + "placed": 1, + "on": 8, + "such": 1, + "each": 2, + "located": 2, + "between": 1, + "left": 3, + "hand": 6, + "philosopher": 5, + "right": 3, + "another": 1, + "philosopher.": 1, + "Each": 4, + "does": 1, + "following": 6, + "routine": 1, + "repeatedly": 1, + "thinking": 1, + "dining.": 1, + "order": 1, + "dine": 1, + "needs": 2, + "first": 2, + "acquire": 1, + "two": 3, + "one": 3, + "his": 4, + "side": 2, + "other": 2, + "side.": 2, + "After": 2, + "finishing": 1, + "dining": 1, + "puts": 2, + "acquired": 1, + "onto": 1, + "A": 6, + "Variant": 1, + "twist": 1, + "added": 1, + "original": 1, + "version": 1, + "

": 1, + "used": 1, + "it": 2, + "becomes": 1, + "be": 9, + "put": 1, + "tray": 2, + "for": 15, + "dirty": 2, + "forks.": 1, + "cleaner": 2, + "who": 1, + "cleans": 1, + "them": 2, + "back": 1, + "table.": 1, + "Channels": 1, + "Communication": 1, + "just": 1, + "shared": 1, + "queue": 1, + "fixed": 1, + "capacity.": 1, + "functions": 1, + "inserting": 1, + "element": 5, + "into": 3, + "taking": 1, + "given": 4, + "

": 7,
+      "class=": 6,
+      "#pats2xhtml_sats": 3,
+      "
": 7, + "If": 2, + "called": 2, + "full": 4, + "caller": 2, + "blocked": 3, + "until": 2, + "taken": 1, + "channel.": 2, + "empty": 1, + "inserted": 1, + "Channel": 2, + "Fork": 3, + "Forks": 1, + "resources": 1, + "type.": 1, + "initially": 1, + "stored": 2, + "which": 2, + "can": 4, + "obtained": 2, + "calling": 2, + "function": 3, + "defined": 1, + "natural": 1, + "numbers": 1, + "less": 1, + "than": 1, + "channels": 4, + "storing": 3, + "chosen": 3, + "capacity": 3, + "reason": 1, + "store": 1, + "most": 1, + "guarantee": 1, + "these": 1, + "never": 2, + "so": 2, + "attempt": 1, + "made": 1, + "send": 1, + "signals": 1, + "awake": 1, + "callers": 1, + "supposedly": 1, + "being": 2, + "due": 1, + "Tray": 1, + "instead": 1, + "become": 1, + "as": 4, + "only": 1, + "total": 1, + "Philosopher": 1, + "Loop": 2, + "implemented": 2, + "loop": 2, + "#pats2xhtml_dats": 3, + "It": 2, + "should": 3, + "straighforward": 2, + "follow": 2, + "Cleaner": 1, + "finds": 1, + "number": 2, + "uses": 1, + "locate": 1, + "fork.": 1, + "Its": 1, + "actual": 1, + "follows": 1, + "now": 1, + "Testing": 1, + "entire": 1, + "files": 1, + "DiningPhil2.sats": 1, + "DiningPhil2.dats": 1, + "DiningPhil2_fork.dats": 1, + "DiningPhil2_thread.dats": 1, + "Makefile": 1, + "available": 1, + "compiling": 1, + "source": 1, + "excutable": 1, + "testing.": 1, + "One": 1, + "able": 1, + "encounter": 1, + "after": 1, + "running": 1, + "simulation": 1, + "while.": 1, + "
": 1, + "size=": 1, + "This": 1, + "written": 1, + "href=": 1, + "Hongwei": 1, + "Xi": 1, + "
": 1, + "": 1, + "": 1, + "main": 1, + "fprint_filsub": 1, + "option0": 3, + "functor_option0": 2, + "option0_map": 1, + "functor_homres": 2, + "c": 3, + "Yoneda_phi": 3, + "Yoneda_psi": 3, + "m": 4, + "mf": 4, + "natrans": 3, + "G": 2, + "Yoneda_phi_nat": 2, + "Yoneda_psi_nat": 2, + "list_t": 1, + "g0ofg1_list": 1, + "Yoneda_bool_list0": 3, + "myboolist1": 2 + }, + "AutoHotkey": { + "MsgBox": 1, + "Hello": 1, + "World": 1 + }, + "Awk": { + "SHEBANG#!awk": 1, + "BEGIN": 1, + "{": 17, + "n": 13, + ";": 55, + "printf": 1, + "network_max_bandwidth_in_byte": 3, + "network_max_packet_per_second": 3, + "last3": 3, + "last4": 3, + "last5": 3, + "last6": 3, + "}": 17, + "if": 14, + "(": 14, + "/Average/": 1, + ")": 14, + "#": 48, + "Skip": 1, + "the": 12, + "Average": 1, + "values": 1, + "next": 1, + "/all/": 1, + "This": 8, + "is": 7, + "cpu": 1, + "info": 7, + "print": 35, + "FILENAME": 35, + "-": 2, + "/eth0/": 1, + "eth0": 1, + "network": 1, + "Total": 9, + "number": 9, + "of": 22, + "packets": 4, + "received": 4, + "per": 14, + "second.": 8, + "else": 4, + "transmitted": 4, + "bytes": 4, + "/proc": 1, + "|": 4, + "cswch": 1, + "tps": 1, + "kbmemfree": 1, + "totsck/": 1, + "/": 2, + "[": 1, + "]": 1, + "proc/s": 1, + "context": 1, + "switches": 1, + "second": 6, + "disk": 1, + "total": 1, + "transfers": 1, + "read": 1, + "requests": 2, + "write": 1, + "block": 2, + "reads": 1, + "writes": 1, + "mem": 1, + "Amount": 7, + "free": 2, + "memory": 6, + "available": 1, + "in": 11, + "kilobytes.": 7, + "used": 8, + "does": 1, + "not": 1, + "take": 1, + "into": 1, + "account": 1, + "by": 4, + "kernel": 3, + "itself.": 1, + "Percentage": 2, + "memory.": 1, + "X": 1, + "shared": 1, + "system": 1, + "Always": 1, + "zero": 1, + "with": 1, + "kernels.": 1, + "as": 1, + "buffers": 1, + "to": 1, + "cache": 1, + "data": 1, + "swap": 3, + "space": 2, + "space.": 1, + "socket": 1, + "sockets.": 1, + "Number": 4, + "TCP": 1, + "sockets": 3, + "currently": 4, + "use.": 4, + "UDP": 1, + "RAW": 1, + "IP": 1, + "fragments": 1, + "END": 1 + }, + "BlitzBasic": { + "Local": 34, + "bk": 3, + "CreateBank": 5, + "(": 125, + ")": 126, + "PokeFloat": 3, + "-": 24, + "Print": 13, + "Bin": 4, + "PeekInt": 4, + "%": 6, + "Shl": 7, + "f": 5, + "ff": 1, + "+": 11, + "Hex": 2, + "FloatToHalf": 3, + "HalfToFloat": 1, + "FToI": 2, + "WaitKey": 2, + "End": 58, + ";": 57, + "Half": 1, + "precision": 2, + "bit": 2, + "arithmetic": 2, + "library": 2, + "Global": 2, + "Half_CBank_": 13, + "Function": 101, + "f#": 3, + "If": 25, + "Then": 18, + "Return": 36, + "HalfToFloat#": 1, + "h": 4, + "signBit": 6, + "exponent": 22, + "fraction": 9, + "fBits": 8, + "And": 8, + "<": 18, + "Shr": 3, + "F": 3, + "FF": 2, + "ElseIf": 1, + "Or": 4, + "PokeInt": 2, + "PeekFloat": 1, + "F800000": 1, + "FFFFF": 1, + "Abs": 1, + "*": 2, + "Sgn": 1, + "Else": 7, + "EndIf": 7, + "HalfAdd": 1, + "l": 84, + "r": 12, + "HalfSub": 1, + "HalfMul": 1, + "HalfDiv": 1, + "HalfLT": 1, + "HalfGT": 1, + "Double": 2, + "DoubleOut": 1, + "[": 2, + "]": 2, + "Double_CBank_": 1, + "DoubleToFloat#": 1, + "d": 1, + "FloatToDouble": 1, + "IntToDouble": 1, + "i": 49, + "SefToDouble": 1, + "s": 12, + "e": 4, + "DoubleAdd": 1, + "DoubleSub": 1, + "DoubleMul": 1, + "DoubleDiv": 1, + "DoubleLT": 1, + "DoubleGT": 1, + "IDEal": 3, + "Editor": 3, + "Parameters": 3, + "F#1A#20#2F": 1, + "C#Blitz3D": 3, + "linked": 2, + "list": 32, + "container": 1, + "class": 1, + "with": 3, + "thanks": 1, + "to": 11, + "MusicianKool": 3, + "for": 3, + "concept": 1, + "and": 9, + "issue": 1, + "fixes": 1, + "Type": 8, + "LList": 3, + "Field": 10, + "head_.ListNode": 1, + "tail_.ListNode": 1, + "ListNode": 8, + "pv_.ListNode": 1, + "nx_.ListNode": 1, + "Value": 37, + "Iterator": 2, + "l_.LList": 1, + "cn_.ListNode": 1, + "cni_": 8, + "Create": 4, + "a": 46, + "new": 4, + "object": 2, + "CreateList.LList": 1, + "l.LList": 20, + "New": 11, + "head_": 35, + "tail_": 34, + "nx_": 33, + "caps": 1, + "pv_": 27, + "These": 1, + "make": 1, + "it": 1, + "more": 1, + "or": 4, + "less": 1, + "safe": 1, + "iterate": 2, + "freely": 1, + "Free": 1, + "all": 3, + "elements": 4, + "not": 4, + "any": 1, + "values": 4, + "FreeList": 1, + "ClearList": 2, + "Delete": 6, + "Remove": 7, + "the": 52, + "from": 15, + "does": 1, + "free": 1, + "n.ListNode": 12, + "While": 7, + "n": 54, + "nx.ListNode": 1, + "nx": 1, + "Wend": 6, + "Count": 1, + "number": 1, + "of": 16, + "in": 4, + "slow": 3, + "ListLength": 2, + "i.Iterator": 6, + "GetIterator": 3, + "elems": 4, + "EachIn": 5, + "True": 4, + "if": 2, + "contains": 1, + "given": 7, + "value": 16, + "ListContains": 1, + "ListFindNode": 2, + "Null": 15, + "intvalues": 1, + "bank": 8, + "ListFromBank.LList": 1, + "CreateList": 2, + "size": 4, + "BankSize": 1, + "p": 7, + "For": 6, + "To": 6, + "Step": 2, + "ListAddLast": 2, + "Next": 7, + "containing": 3, + "ListToBank": 1, + "Swap": 1, + "contents": 1, + "two": 1, + "objects": 1, + "SwapLists": 1, + "l1.LList": 1, + "l2.LList": 1, + "tempH.ListNode": 1, + "l1": 4, + "tempT.ListNode": 1, + "l2": 4, + "tempH": 1, + "tempT": 1, + "same": 1, + "as": 2, + "first": 5, + "CopyList.LList": 1, + "lo.LList": 1, + "ln.LList": 1, + "lo": 1, + "ln": 2, + "Reverse": 1, + "order": 1, + "ReverseList": 1, + "n1.ListNode": 1, + "n2.ListNode": 1, + "tmp.ListNode": 1, + "n1": 5, + "n2": 6, + "tmp": 4, + "Search": 1, + "retrieve": 1, + "node": 8, + "ListFindNode.ListNode": 1, + "Append": 1, + "end": 5, + "fast": 2, + "return": 7, + "ListAddLast.ListNode": 1, + "Attach": 1, + "start": 13, + "ListAddFirst.ListNode": 1, + "occurence": 1, + "ListRemove": 1, + "RemoveListNode": 6, + "element": 4, + "at": 5, + "position": 4, + "backwards": 2, + "negative": 2, + "index": 13, + "ValueAtIndex": 1, + "ListNodeAtIndex": 3, + "invalid": 1, + "ListNodeAtIndex.ListNode": 1, + "Beyond": 1, + "valid": 2, + "Negative": 1, + "count": 1, + "backward": 1, + "Before": 3, + "Replace": 1, + "added": 2, + "by": 3, + "ReplaceValueAtIndex": 1, + "RemoveNodeAtIndex": 1, + "tval": 3, + "Retrieve": 2, + "ListFirst": 1, + "last": 2, + "ListLast": 1, + "its": 2, + "ListRemoveFirst": 1, + "val": 6, + "ListRemoveLast": 1, + "Insert": 3, + "into": 2, + "before": 2, + "specified": 2, + "InsertBeforeNode.ListNode": 1, + "bef.ListNode": 1, + "bef": 7, + "after": 1, + "then": 1, + "InsertAfterNode.ListNode": 1, + "aft.ListNode": 1, + "aft": 7, + "Get": 1, + "an": 4, + "iterator": 4, + "use": 1, + "loop": 2, + "This": 1, + "function": 1, + "means": 1, + "that": 1, + "most": 1, + "programs": 1, + "won": 1, + "available": 1, + "moment": 1, + "l_": 7, + "Exit": 1, + "there": 1, + "wasn": 1, + "t": 1, + "create": 1, + "one": 1, + "cn_": 12, + "No": 1, + "especial": 1, + "reason": 1, + "why": 1, + "this": 2, + "has": 1, + "be": 1, + "anything": 1, + "but": 1, + "meh": 1, + "Use": 1, + "argument": 1, + "over": 1, + "members": 1, + "Still": 1, + "items": 1, + "Disconnect": 1, + "having": 1, + "reached": 1, + "False": 3, + "currently": 1, + "pointed": 1, + "IteratorRemove": 1, + "temp.ListNode": 1, + "temp": 1, + "Call": 1, + "breaking": 1, + "out": 1, + "disconnect": 1, + "IteratorBreak": 1, + "F#5#A#10#18#2A#32#3E#47#4C#58#66#6F#78#8F#9B#A9#B7#BD#C5#CC": 1, + "F#E3#E9#EF#F4#F9#103#10D#11B#12B#13F#152#163": 1, + "result": 4, + "s.Sum3Obj": 2, + "Sum3Obj": 6, + "Handle": 2, + "MilliSecs": 4, + "Sum3_": 2, + "MakeSum3Obj": 2, + "Sum3": 2, + "b": 7, + "c": 7, + "isActive": 4, + "Last": 1, + "Restore": 1, + "label": 1, + "Read": 1, + "foo": 1, + ".label": 1, + "Data": 1, + "a_": 2, + "a.Sum3Obj": 1, + "Object.Sum3Obj": 1, + "return_": 2, + "First": 1 + }, + "Bluespec": { + "package": 2, + "TbTL": 1, + ";": 156, + "import": 1, + "TL": 6, + "*": 1, + "interface": 2, + "Lamp": 3, + "method": 42, + "Bool": 32, + "changed": 2, + "Action": 17, + "show_offs": 2, + "show_ons": 2, + "reset": 2, + "endinterface": 2, + "module": 3, + "mkLamp#": 1, + "(": 158, + "String": 1, + "name": 3, + "lamp": 5, + ")": 163, + "Reg#": 15, + "prev": 5, + "<": 44, + "-": 29, + "mkReg": 15, + "False": 9, + "if": 9, + "&&": 3, + "write": 2, + "+": 7, + "endmethod": 8, + "endmodule": 3, + "mkTest": 1, + "let": 1, + "dut": 2, + "sysTL": 3, + "Bit#": 1, + "ctr": 8, + "carN": 4, + "carS": 2, + "carE": 2, + "carW": 2, + "lamps": 15, + "[": 17, + "]": 17, + "mkLamp": 12, + "dut.lampRedNS": 1, + "dut.lampAmberNS": 1, + "dut.lampGreenNS": 1, + "dut.lampRedE": 1, + "dut.lampAmberE": 1, + "dut.lampGreenE": 1, + "dut.lampRedW": 1, + "dut.lampAmberW": 1, + "dut.lampGreenW": 1, + "dut.lampRedPed": 1, + "dut.lampAmberPed": 1, + "dut.lampGreenPed": 1, + "rule": 10, + "start": 1, + "dumpvars": 1, + "endrule": 10, + "detect_cars": 1, + "dut.set_car_state_N": 1, + "dut.set_car_state_S": 1, + "dut.set_car_state_E": 1, + "dut.set_car_state_W": 1, + "go": 1, + "True": 6, + "<=>": 3, + "12_000": 1, + "ped_button_push": 4, + "stop": 1, + "display": 2, + "finish": 1, + "function": 10, + "do_offs": 2, + "l": 3, + "l.show_offs": 1, + "do_ons": 2, + "l.show_ons": 1, + "do_reset": 2, + "l.reset": 1, + "do_it": 4, + "f": 2, + "action": 3, + "for": 3, + "Integer": 3, + "i": 15, + "endaction": 3, + "endfunction": 7, + "any_changes": 2, + "b": 12, + "||": 7, + ".changed": 1, + "return": 9, + "show": 1, + "time": 1, + "endpackage": 2, + "set_car_state_N": 2, + "x": 8, + "set_car_state_S": 2, + "set_car_state_E": 2, + "set_car_state_W": 2, + "lampRedNS": 2, + "lampAmberNS": 2, + "lampGreenNS": 2, + "lampRedE": 2, + "lampAmberE": 2, + "lampGreenE": 2, + "lampRedW": 2, + "lampAmberW": 2, + "lampGreenW": 2, + "lampRedPed": 2, + "lampAmberPed": 2, + "lampGreenPed": 2, + "typedef": 3, + "enum": 1, + "{": 1, + "AllRed": 4, + "GreenNS": 9, + "AmberNS": 5, + "GreenE": 8, + "AmberE": 5, + "GreenW": 8, + "AmberW": 5, + "GreenPed": 4, + "AmberPed": 3, + "}": 1, + "TLstates": 11, + "deriving": 1, + "Eq": 1, + "Bits": 1, + "UInt#": 2, + "Time32": 9, + "CtrSize": 3, + "allRedDelay": 2, + "amberDelay": 2, + "nsGreenDelay": 2, + "ewGreenDelay": 3, + "pedGreenDelay": 1, + "pedAmberDelay": 1, + "clocks_per_sec": 2, + "state": 21, + "next_green": 8, + "secs": 7, + "ped_button_pushed": 4, + "car_present_N": 3, + "car_present_S": 3, + "car_present_E": 4, + "car_present_W": 4, + "car_present_NS": 3, + "cycle_ctr": 6, + "dec_cycle_ctr": 1, + "Rules": 5, + "low_priority_rule": 2, + "rules": 4, + "inc_sec": 1, + "endrules": 4, + "next_state": 8, + "ns": 4, + "0": 2, + "green_seq": 7, + "case": 2, + "endcase": 2, + "car_present": 4, + "make_from_green_rule": 5, + "green_state": 2, + "delay": 2, + "car_is_present": 2, + "from_green": 1, + "make_from_amber_rule": 5, + "amber_state": 2, + "ng": 2, + "from_amber": 1, + "hprs": 10, + "7": 1, + "1": 1, + "2": 1, + "3": 1, + "4": 1, + "5": 1, + "6": 1, + "fromAllRed": 2, + "else": 4, + "noAction": 1, + "high_priority_rules": 4, + "rJoin": 1, + "addRules": 1, + "preempts": 1 + }, + "Brightscript": { + "**": 17, + "Simple": 1, + "Grid": 2, + "Screen": 2, + "Demonstration": 1, + "App": 1, + "Copyright": 1, + "(": 32, + "c": 1, + ")": 31, + "Roku": 1, + "Inc.": 1, + "All": 3, + "Rights": 1, + "Reserved.": 1, + "************************************************************": 2, + "Sub": 2, + "Main": 1, + "set": 2, + "to": 10, + "go": 1, + "time": 1, + "get": 1, + "started": 1, + "while": 4, + "gridstyle": 7, + "<": 1, + "print": 7, + ";": 10, + "screen": 5, + "preShowGridScreen": 2, + "showGridScreen": 2, + "end": 2, + "End": 4, + "Set": 1, + "the": 17, + "configurable": 1, + "theme": 3, + "attributes": 2, + "for": 10, + "application": 1, + "Configure": 1, + "custom": 1, + "overhang": 1, + "and": 4, + "Logo": 1, + "are": 2, + "artwork": 2, + "colors": 1, + "offsets": 1, + "specific": 1, + "app": 1, + "******************************************************": 4, + "Screens": 1, + "can": 2, + "make": 1, + "slight": 1, + "adjustments": 1, + "default": 1, + "individual": 1, + "attributes.": 1, + "these": 1, + "greyscales": 1, + "theme.GridScreenBackgroundColor": 1, + "theme.GridScreenMessageColor": 1, + "theme.GridScreenRetrievingColor": 1, + "theme.GridScreenListNameColor": 1, + "used": 1, + "in": 3, + "theme.CounterTextLeft": 1, + "theme.CounterSeparator": 1, + "theme.CounterTextRight": 1, + "theme.GridScreenLogoHD": 1, + "theme.GridScreenLogoOffsetHD_X": 1, + "theme.GridScreenLogoOffsetHD_Y": 1, + "theme.GridScreenOverhangHeightHD": 1, + "theme.GridScreenLogoSD": 1, + "theme.GridScreenOverhangHeightSD": 1, + "theme.GridScreenLogoOffsetSD_X": 1, + "theme.GridScreenLogoOffsetSD_Y": 1, + "theme.GridScreenFocusBorderSD": 1, + "theme.GridScreenFocusBorderHD": 1, + "use": 1, + "your": 1, + "own": 1, + "description": 1, + "background": 1, + "theme.GridScreenDescriptionOffsetSD": 1, + "theme.GridScreenDescriptionOffsetHD": 1, + "return": 5, + "Function": 5, + "Perform": 1, + "any": 1, + "startup/initialization": 1, + "stuff": 1, + "prior": 1, + "style": 6, + "as": 2, + "string": 3, + "As": 3, + "Object": 2, + "m.port": 3, + "CreateObject": 2, + "screen.SetMessagePort": 1, + "screen.": 1, + "The": 1, + "will": 3, + "show": 1, + "retreiving": 1, + "categoryList": 4, + "getCategoryList": 1, + "[": 3, + "]": 4, + "+": 1, + "screen.setupLists": 1, + "categoryList.count": 2, + "screen.SetListNames": 1, + "StyleButtons": 3, + "getGridControlButtons": 1, + "screen.SetContentList": 2, + "i": 3, + "-": 15, + "getShowsForCategoryItem": 1, + "screen.Show": 1, + "true": 1, + "msg": 3, + "wait": 1, + "getmessageport": 1, + "does": 1, + "not": 2, + "work": 1, + "on": 1, + "gridscreen": 1, + "type": 2, + "if": 3, + "then": 3, + "msg.GetMessage": 1, + "msg.GetIndex": 3, + "msg.getData": 2, + "msg.isListItemFocused": 1, + "else": 1, + "msg.isListItemSelected": 1, + "row": 2, + "selection": 3, + "yes": 1, + "so": 2, + "we": 3, + "come": 1, + "back": 1, + "with": 2, + "new": 1, + ".Title": 1, + "endif": 1, + "**********************************************************": 1, + "this": 3, + "function": 1, + "passing": 1, + "an": 1, + "roAssociativeArray": 2, + "be": 2, + "sufficient": 1, + "springboard": 2, + "display": 2, + "add": 1, + "code": 1, + "create": 1, + "now": 1, + "do": 1, + "nothing": 1, + "Return": 1, + "list": 1, + "of": 5, + "categories": 1, + "filter": 1, + "all": 1, + "categories.": 1, + "just": 2, + "static": 1, + "data": 2, + "example.": 1, + "********************************************************************": 1, + "ContentMetaData": 1, + "objects": 1, + "shows": 1, + "category.": 1, + "For": 1, + "example": 1, + "cheat": 1, + "but": 2, + "ideally": 1, + "you": 1, + "dynamically": 1, + "content": 2, + "each": 1, + "category": 1, + "is": 1, + "dynamic": 1, + "s": 1, + "one": 3, + "small": 1, + "step": 1, + "a": 4, + "man": 1, + "giant": 1, + "leap": 1, + "mankind.": 1, + "http": 14, + "//upload.wikimedia.org/wikipedia/commons/1/1e/Apollo_11_first_step.jpg": 2, + "I": 2, + "have": 2, + "Dream": 1, + "PG": 1, + "dream": 1, + "that": 1, + "my": 1, + "four": 1, + "little": 1, + "children": 1, + "day": 1, + "live": 1, + "nation": 1, + "where": 1, + "they": 1, + "judged": 1, + "by": 2, + "color": 1, + "their": 2, + "skin": 1, + "character.": 1, + "//upload.wikimedia.org/wikipedia/commons/8/81/Martin_Luther_King_": 2, + "_March_on_Washington.jpg": 2, + "Flat": 6, + "Movie": 2, + "HD": 6, + "x2": 4, + "SD": 5, + "Netflix": 1, + "//upload.wikimedia.org/wikipedia/commons/4/43/Gold_star_on_blue.gif": 2, + "Landscape": 1, + "x3": 6, + "Channel": 1, + "Store": 1, + "//upload.wikimedia.org/wikipedia/commons/thumb/9/96/Dunkery_Hill.jpg/800px": 2, + "Dunkery_Hill.jpg": 2, + "Portrait": 1, + "x4": 1, + "posters": 3, + "//upload.wikimedia.org/wikipedia/commons/9/9f/Kane_George_Gurnett.jpg": 2, + "Square": 1, + "x1": 1, + "//upload.wikimedia.org/wikipedia/commons/thumb/d/de/SQUARE_SHAPE.svg/536px": 2, + "SQUARE_SHAPE.svg.png": 2, + "x9": 1, + "//upload.wikimedia.org/wikipedia/commons/thumb/2/22/": 2, + "%": 8, + "C3": 4, + "cran_TV_plat.svg/200px": 2, + "cran_TV_plat.svg.png": 2, + "}": 1, + "buttons": 1 + }, + "C": { + "#include": 154, + "const": 358, + "char": 530, + "*blob_type": 2, + ";": 5465, + "struct": 360, + "blob": 6, + "*lookup_blob": 2, + "(": 6243, + "unsigned": 140, + "*sha1": 16, + ")": 6245, + "{": 1531, + "object": 41, + "*obj": 9, + "lookup_object": 2, + "sha1": 20, + "if": 1015, + "obj": 48, + "return": 529, + "create_object": 2, + "OBJ_BLOB": 3, + "alloc_blob_node": 1, + "-": 1803, + "type": 36, + "error": 96, + "sha1_to_hex": 8, + "typename": 2, + "NULL": 330, + "}": 1547, + "*": 261, + "int": 446, + "parse_blob_buffer": 2, + "*item": 10, + "void": 288, + "*buffer": 6, + "long": 105, + "size": 120, + "item": 24, + "object.parsed": 4, + "#ifndef": 89, + "BLOB_H": 2, + "#define": 920, + "extern": 38, + "#endif": 243, + "BOOTSTRAP_H": 2, + "": 8, + "__GNUC__": 8, + "typedef": 191, + "*true": 1, + "*false": 1, + "*eof": 1, + "*empty_list": 1, + "*global_enviroment": 1, + "enum": 30, + "obj_type": 1, + "scm_bool": 1, + "scm_empty_list": 1, + "scm_eof": 1, + "scm_char": 1, + "scm_int": 1, + "scm_pair": 1, + "scm_symbol": 1, + "scm_prim_fun": 1, + "scm_lambda": 1, + "scm_str": 1, + "scm_file": 1, + "*eval_proc": 1, + "*maybe_add_begin": 1, + "*code": 2, + "init_enviroment": 1, + "*env": 4, + "eval_err": 1, + "*msg": 7, + "__attribute__": 1, + "noreturn": 1, + "define_var": 1, + "*var": 4, + "*val": 6, + "set_var": 1, + "*get_var": 1, + "*cond2nested_if": 1, + "*cond": 1, + "*let2lambda": 1, + "*let": 1, + "*and2nested_if": 1, + "*and": 1, + "*or2nested_if": 1, + "*or": 1, + "git_cache_init": 1, + "git_cache": 4, + "*cache": 4, + "size_t": 52, + "git_cached_obj_freeptr": 1, + "free_ptr": 2, + "<": 219, + "git__size_t_powerof2": 1, + "cache": 26, + "size_mask": 6, + "lru_count": 1, + "free_obj": 4, + "git_mutex_init": 1, + "&": 442, + "lock": 6, + "nodes": 10, + "git__malloc": 3, + "sizeof": 71, + "git_cached_obj": 5, + "GITERR_CHECK_ALLOC": 3, + "memset": 4, + "git_cache_free": 1, + "i": 410, + "for": 88, + "+": 551, + "[": 601, + "]": 601, + "git_cached_obj_decref": 3, + "git__free": 15, + "*git_cache_get": 1, + "git_oid": 7, + "*oid": 2, + "uint32_t": 144, + "hash": 12, + "*node": 2, + "*result": 1, + "memcpy": 35, + "oid": 17, + "id": 13, + "git_mutex_lock": 2, + "node": 9, + "&&": 248, + "git_oid_cmp": 6, + "git_cached_obj_incref": 3, + "result": 48, + "git_mutex_unlock": 2, + "*git_cache_try_store": 1, + "*_entry": 1, + "*entry": 2, + "_entry": 1, + "entry": 17, + "else": 190, + "save_commit_buffer": 3, + "*commit_type": 2, + "static": 455, + "commit": 59, + "*check_commit": 1, + "quiet": 5, + "OBJ_COMMIT": 5, + "*lookup_commit_reference_gently": 2, + "deref_tag": 1, + "parse_object": 1, + "check_commit": 2, + "*lookup_commit_reference": 2, + "lookup_commit_reference_gently": 1, + "*lookup_commit_or_die": 2, + "*ref_name": 2, + "*c": 69, + "lookup_commit_reference": 2, + "c": 252, + "die": 5, + "_": 3, + "ref_name": 2, + "hashcmp": 2, + "object.sha1": 8, + "warning": 1, + "*lookup_commit": 2, + "alloc_commit_node": 1, + "*lookup_commit_reference_by_name": 2, + "*name": 12, + "*commit": 10, + "get_sha1": 1, + "name": 28, + "||": 141, + "parse_commit": 3, + "parse_commit_date": 2, + "*buf": 10, + "*tail": 2, + "*dateptr": 1, + "buf": 57, + "tail": 12, + "memcmp": 6, + "while": 70, + "dateptr": 2, + "strtoul": 2, + "commit_graft": 13, + "**commit_graft": 1, + "commit_graft_alloc": 4, + "commit_graft_nr": 5, + "commit_graft_pos": 2, + "lo": 6, + "hi": 5, + "mi": 5, + "/": 9, + "*graft": 3, + "cmp": 9, + "graft": 10, + "register_commit_graft": 2, + "ignore_dups": 2, + "pos": 7, + "free": 62, + "alloc_nr": 1, + "xrealloc": 2, + "parse_commit_buffer": 3, + "buffer": 10, + "*bufptr": 1, + "parent": 7, + "commit_list": 35, + "**pptr": 1, + "<=>": 16, + "bufptr": 12, + "46": 1, + "tree": 3, + "5": 1, + "45": 1, + "n": 70, + "bogus": 1, + "s": 154, + "get_sha1_hex": 2, + "lookup_tree": 1, + "pptr": 5, + "parents": 4, + "lookup_commit_graft": 1, + "*new_parent": 2, + "48": 1, + "7": 1, + "47": 1, + "bad": 1, + "in": 11, + "nr_parent": 3, + "grafts_replace_parents": 1, + "continue": 20, + "new_parent": 6, + "lookup_commit": 2, + "commit_list_insert": 2, + "next": 8, + "date": 5, + "object_type": 1, + "ret": 142, + "read_sha1_file": 1, + "find_commit_subject": 2, + "*commit_buffer": 2, + "**subject": 2, + "*eol": 1, + "*p": 9, + "commit_buffer": 1, + "a": 80, + "b_date": 3, + "b": 66, + "a_date": 2, + "*commit_list_get_next": 1, + "*a": 9, + "commit_list_set_next": 1, + "*next": 6, + "commit_list_sort_by_date": 2, + "**list": 5, + "*list": 2, + "llist_mergesort": 1, + "peel_to_type": 1, + "util": 3, + "merge_remote_desc": 3, + "*desc": 1, + "desc": 5, + "xmalloc": 2, + "strdup": 1, + "**commit_list_append": 2, + "**next": 2, + "*new": 1, + "new": 4, + "COMMIT_H": 2, + "*util": 1, + "indegree": 1, + "*parents": 4, + "*tree": 3, + "decoration": 1, + "name_decoration": 3, + "*commit_list_insert": 1, + "commit_list_count": 1, + "*l": 1, + "*commit_list_insert_by_date": 1, + "free_commit_list": 1, + "cmit_fmt": 3, + "CMIT_FMT_RAW": 1, + "CMIT_FMT_MEDIUM": 2, + "CMIT_FMT_DEFAULT": 1, + "CMIT_FMT_SHORT": 1, + "CMIT_FMT_FULL": 1, + "CMIT_FMT_FULLER": 1, + "CMIT_FMT_ONELINE": 1, + "CMIT_FMT_EMAIL": 1, + "CMIT_FMT_USERFORMAT": 1, + "CMIT_FMT_UNSPECIFIED": 1, + "pretty_print_context": 6, + "fmt": 4, + "abbrev": 1, + "*subject": 1, + "*after_subject": 1, + "preserve_subject": 1, + "date_mode": 2, + "date_mode_explicit": 1, + "need_8bit_cte": 2, + "show_notes": 1, + "reflog_walk_info": 1, + "*reflog_info": 1, + "*output_encoding": 2, + "userformat_want": 2, + "notes": 1, + "has_non_ascii": 1, + "*text": 1, + "rev_info": 2, + "*logmsg_reencode": 1, + "*reencode_commit_message": 1, + "**encoding_p": 1, + "get_commit_format": 1, + "*arg": 1, + "*format_subject": 1, + "strbuf": 12, + "*sb": 7, + "*line_separator": 1, + "userformat_find_requirements": 1, + "*fmt": 2, + "*w": 2, + "format_commit_message": 1, + "*format": 2, + "*context": 1, + "pretty_print_commit": 1, + "*pp": 4, + "pp_commit_easy": 1, + "pp_user_info": 1, + "*what": 1, + "*line": 1, + "*encoding": 2, + "pp_title_line": 1, + "**msg_p": 2, + "pp_remainder": 1, + "indent": 1, + "*pop_most_recent_commit": 1, + "mark": 3, + "*pop_commit": 1, + "**stack": 1, + "clear_commit_marks": 1, + "clear_commit_marks_for_object_array": 1, + "object_array": 2, + "sort_in_topological_order": 1, + "**": 6, + "list": 1, + "lifo": 1, + "FLEX_ARRAY": 1, + "*read_graft_line": 1, + "len": 30, + "*lookup_commit_graft": 1, + "*get_merge_bases": 1, + "*rev1": 1, + "*rev2": 1, + "cleanup": 12, + "*get_merge_bases_many": 1, + "*one": 1, + "**twos": 1, + "*get_octopus_merge_bases": 1, + "*in": 1, + "register_shallow": 1, + "unregister_shallow": 1, + "for_each_commit_graft": 1, + "each_commit_graft_fn": 1, + "is_repository_shallow": 1, + "*get_shallow_commits": 1, + "*heads": 2, + "depth": 2, + "shallow_flag": 1, + "not_shallow_flag": 1, + "is_descendant_of": 1, + "in_merge_bases": 1, + "interactive_add": 1, + "argc": 26, + "**argv": 6, + "*prefix": 7, + "patch": 1, + "run_add_interactive": 1, + "*revision": 1, + "*patch_mode": 1, + "**pathspec": 1, + "inline": 3, + "single_parent": 1, + "*reduce_heads": 1, + "commit_extra_header": 7, + "*key": 5, + "*value": 5, + "append_merge_tag_headers": 1, + "***tail": 1, + "commit_tree": 1, + "*ret": 20, + "*author": 2, + "*sign_commit": 2, + "commit_tree_extended": 1, + "*read_commit_extra_headers": 1, + "*read_commit_extra_header_lines": 1, + "free_commit_extra_headers": 1, + "*extra": 1, + "merge_remote_util": 1, + "*get_merge_parent": 1, + "parse_signed_commit": 1, + "*message": 1, + "*signature": 1, + "": 1, + "": 1, + "": 1, + "": 1, + "": 1, + "": 1, + "": 1, + "": 1, + "": 1, + "": 1, + "": 1, + "": 1, + "": 1, + "": 1, + "": 1, + "": 1, + "#ifdef": 66, + "CONFIG_SMP": 1, + "DEFINE_MUTEX": 1, + "cpu_add_remove_lock": 3, + "cpu_maps_update_begin": 9, + "mutex_lock": 5, + "cpu_maps_update_done": 9, + "mutex_unlock": 6, + "RAW_NOTIFIER_HEAD": 1, + "cpu_chain": 4, + "cpu_hotplug_disabled": 7, + "CONFIG_HOTPLUG_CPU": 2, + "task_struct": 5, + "*active_writer": 1, + "mutex": 1, + "refcount": 2, + "cpu_hotplug": 1, + ".active_writer": 1, + ".lock": 1, + "__MUTEX_INITIALIZER": 1, + "cpu_hotplug.lock": 8, + ".refcount": 1, + "get_online_cpus": 2, + "might_sleep": 1, + "cpu_hotplug.active_writer": 6, + "current": 5, + "cpu_hotplug.refcount": 3, + "EXPORT_SYMBOL_GPL": 4, + "put_online_cpus": 2, + "unlikely": 54, + "wake_up_process": 1, + "cpu_hotplug_begin": 4, + "likely": 22, + "break": 244, + "__set_current_state": 1, + "TASK_UNINTERRUPTIBLE": 1, + "schedule": 1, + "cpu_hotplug_done": 4, + "#else": 94, + "__ref": 6, + "register_cpu_notifier": 2, + "notifier_block": 3, + "*nb": 3, + "raw_notifier_chain_register": 1, + "nb": 2, + "__cpu_notify": 6, + "val": 20, + "*v": 3, + "nr_to_call": 2, + "*nr_calls": 1, + "__raw_notifier_call_chain": 1, + "v": 11, + "nr_calls": 9, + "notifier_to_errno": 1, + "cpu_notify": 5, + "cpu_notify_nofail": 4, + "BUG_ON": 4, + "EXPORT_SYMBOL": 8, + "unregister_cpu_notifier": 2, + "raw_notifier_chain_unregister": 1, + "clear_tasks_mm_cpumask": 1, + "cpu": 57, + "WARN_ON": 1, + "cpu_online": 5, + "rcu_read_lock": 1, + "for_each_process": 2, + "p": 60, + "*t": 2, + "t": 32, + "find_lock_task_mm": 1, + "cpumask_clear_cpu": 5, + "mm_cpumask": 1, + "mm": 1, + "task_unlock": 1, + "rcu_read_unlock": 1, + "check_for_tasks": 2, + "write_lock_irq": 1, + "tasklist_lock": 2, + "task_cpu": 1, + "state": 104, + "TASK_RUNNING": 1, + "utime": 1, + "stime": 1, + "printk": 12, + "KERN_WARNING": 3, + "comm": 1, + "task_pid_nr": 1, + "flags": 89, + "write_unlock_irq": 1, + "take_cpu_down_param": 3, + "mod": 13, + "*hcpu": 3, + "take_cpu_down": 2, + "*_param": 1, + "*param": 1, + "_param": 1, + "err": 38, + "__cpu_disable": 1, + "CPU_DYING": 1, + "|": 132, + "param": 2, + "hcpu": 10, + "_cpu_down": 3, + "tasks_frozen": 4, + "CPU_TASKS_FROZEN": 2, + "tcd_param": 2, + ".mod": 1, + ".hcpu": 1, + "num_online_cpus": 2, + "EBUSY": 3, + "EINVAL": 6, + "CPU_DOWN_PREPARE": 1, + "CPU_DOWN_FAILED": 2, + "__func__": 2, + "goto": 159, + "out_release": 3, + "__stop_machine": 1, + "cpumask_of": 1, + "idle_cpu": 1, + "cpu_relax": 1, + "__cpu_die": 1, + "CPU_DEAD": 1, + "CPU_POST_DEAD": 1, + "cpu_down": 2, + "out": 18, + "__cpuinit": 3, + "_cpu_up": 3, + "*idle": 1, + "cpu_present": 1, + "idle": 4, + "idle_thread_get": 1, + "IS_ERR": 1, + "PTR_ERR": 1, + "CPU_UP_PREPARE": 1, + "out_notify": 3, + "__cpu_up": 1, + "CPU_ONLINE": 1, + "CPU_UP_CANCELED": 1, + "cpu_up": 2, + "CONFIG_MEMORY_HOTPLUG": 2, + "nid": 5, + "pg_data_t": 1, + "*pgdat": 1, + "cpu_possible": 1, + "KERN_ERR": 5, + "#if": 92, + "defined": 42, + "CONFIG_IA64": 1, + "cpu_to_node": 1, + "node_online": 1, + "mem_online_node": 1, + "pgdat": 3, + "NODE_DATA": 1, + "ENOMEM": 4, + "node_zonelists": 1, + "_zonerefs": 1, + "zone": 1, + "zonelists_mutex": 2, + "build_all_zonelists": 1, + "CONFIG_PM_SLEEP_SMP": 2, + "cpumask_var_t": 1, + "frozen_cpus": 9, + "__weak": 4, + "arch_disable_nonboot_cpus_begin": 2, + "arch_disable_nonboot_cpus_end": 2, + "disable_nonboot_cpus": 1, + "first_cpu": 3, + "cpumask_first": 1, + "cpu_online_mask": 3, + "cpumask_clear": 2, + "for_each_online_cpu": 1, + "cpumask_set_cpu": 5, + "arch_enable_nonboot_cpus_begin": 2, + "arch_enable_nonboot_cpus_end": 2, + "enable_nonboot_cpus": 1, + "cpumask_empty": 1, + "KERN_INFO": 2, + "for_each_cpu": 1, + "__init": 2, + "alloc_frozen_cpus": 2, + "alloc_cpumask_var": 1, + "GFP_KERNEL": 1, + "__GFP_ZERO": 1, + "core_initcall": 2, + "cpu_hotplug_disable_before_freeze": 2, + "cpu_hotplug_enable_after_thaw": 2, + "cpu_hotplug_pm_callback": 2, + "action": 2, + "*ptr": 1, + "switch": 46, + "case": 273, + "PM_SUSPEND_PREPARE": 1, + "PM_HIBERNATION_PREPARE": 1, + "PM_POST_SUSPEND": 1, + "PM_POST_HIBERNATION": 1, + "default": 33, + "NOTIFY_DONE": 1, + "NOTIFY_OK": 1, + "cpu_hotplug_pm_sync_init": 2, + "pm_notifier": 1, + "notify_cpu_starting": 1, + "CPU_STARTING": 1, + "cpumask_test_cpu": 1, + "CPU_STARTING_FROZEN": 1, + "MASK_DECLARE_1": 3, + "x": 57, + "UL": 1, + "<<": 56, + "MASK_DECLARE_2": 3, + "MASK_DECLARE_4": 3, + "MASK_DECLARE_8": 9, + "cpu_bit_bitmap": 2, + "BITS_PER_LONG": 2, + "BITS_TO_LONGS": 1, + "NR_CPUS": 2, + "DECLARE_BITMAP": 6, + "cpu_all_bits": 2, + "CPU_BITS_ALL": 2, + "CONFIG_INIT_ALL_POSSIBLE": 1, + "cpu_possible_bits": 6, + "CONFIG_NR_CPUS": 5, + "__read_mostly": 5, + "cpumask": 7, + "*const": 4, + "cpu_possible_mask": 2, + "to_cpumask": 15, + "cpu_online_bits": 5, + "cpu_present_bits": 5, + "cpu_present_mask": 2, + "cpu_active_bits": 4, + "cpu_active_mask": 2, + "set_cpu_possible": 1, + "bool": 6, + "possible": 2, + "set_cpu_present": 1, + "present": 2, + "set_cpu_online": 1, + "online": 2, + "set_cpu_active": 1, + "active": 2, + "init_cpu_present": 1, + "*src": 3, + "cpumask_copy": 3, + "src": 16, + "init_cpu_possible": 1, + "init_cpu_online": 1, + "*diff_prefix_from_pathspec": 1, + "git_strarray": 2, + "*pathspec": 2, + "git_buf": 3, + "prefix": 34, + "GIT_BUF_INIT": 3, + "*scan": 2, + "git_buf_common_prefix": 1, + "pathspec": 15, + "scan": 4, + "prefix.ptr": 2, + "git__iswildcard": 1, + "git_buf_truncate": 1, + "prefix.size": 1, + "git_buf_detach": 1, + "git_buf_free": 4, + "diff_pathspec_is_interesting": 2, + "*str": 1, + "count": 17, + "false": 77, + "true": 73, + "str": 162, + "strings": 5, + "diff_path_matches_pathspec": 3, + "git_diff_list": 17, + "*diff": 8, + "*path": 2, + "git_attr_fnmatch": 4, + "*match": 3, + "diff": 93, + "pathspec.length": 1, + "git_vector_foreach": 4, + "match": 16, + "p_fnmatch": 1, + "pattern": 3, + "path": 20, + "FNM_NOMATCH": 1, + "GIT_ATTR_FNMATCH_HASWILD": 1, + "strncmp": 1, + "length": 58, + "GIT_ATTR_FNMATCH_NEGATIVE": 1, + "git_diff_delta": 19, + "*diff_delta__alloc": 1, + "git_delta_t": 5, + "status": 57, + "*delta": 6, + "git__calloc": 3, + "delta": 54, + "old_file.path": 12, + "git_pool_strdup": 3, + "pool": 12, + "new_file.path": 6, + "opts.flags": 8, + "GIT_DIFF_REVERSE": 3, + "GIT_DELTA_ADDED": 4, + "GIT_DELTA_DELETED": 7, + "*diff_delta__dup": 1, + "*d": 1, + "git_pool": 4, + "*pool": 3, + "d": 16, + "fail": 19, + "*diff_delta__merge_like_cgit": 1, + "*b": 6, + "*dup": 1, + "diff_delta__dup": 3, + "dup": 15, + "new_file.oid": 7, + "git_oid_cpy": 5, + "new_file.mode": 4, + "new_file.size": 3, + "new_file.flags": 4, + "old_file.oid": 3, + "GIT_DELTA_UNTRACKED": 5, + "GIT_DELTA_IGNORED": 5, + "GIT_DELTA_UNMODIFIED": 11, + "diff_delta__from_one": 5, + "git_index_entry": 8, + "GIT_DIFF_INCLUDE_IGNORED": 1, + "GIT_DIFF_INCLUDE_UNTRACKED": 1, + "diff_delta__alloc": 2, + "assert": 41, + "GIT_DELTA_MODIFIED": 3, + "old_file.mode": 2, + "mode": 11, + "old_file.size": 1, + "file_size": 6, + "old_file.flags": 2, + "GIT_DIFF_FILE_VALID_OID": 4, + "git_vector_insert": 4, + "deltas": 8, + "diff_delta__from_two": 2, + "*old_entry": 1, + "*new_entry": 1, + "*new_oid": 1, + "GIT_DIFF_INCLUDE_UNMODIFIED": 1, + "*temp": 1, + "old_entry": 5, + "new_entry": 5, + "temp": 11, + "new_oid": 3, + "git_oid_iszero": 2, + "*diff_strdup_prefix": 1, + "strlen": 17, + "git_pool_strcat": 1, + "git_pool_strndup": 1, + "diff_delta__cmp": 3, + "*da": 1, + "*db": 3, + "strcmp": 20, + "da": 2, + "db": 10, + "config_bool": 5, + "git_config": 3, + "*cfg": 2, + "defvalue": 2, + "git_config_get_bool": 1, + "cfg": 6, + "giterr_clear": 1, + "*git_diff_list_alloc": 1, + "git_repository": 7, + "*repo": 7, + "git_diff_options": 7, + "*opts": 6, + "repo": 23, + "git_vector_init": 3, + "git_pool_init": 2, + "git_repository_config__weakptr": 1, + "diffcaps": 13, + "GIT_DIFFCAPS_HAS_SYMLINKS": 2, + "GIT_DIFFCAPS_ASSUME_UNCHANGED": 2, + "GIT_DIFFCAPS_TRUST_EXEC_BIT": 2, + "GIT_DIFFCAPS_TRUST_CTIME": 2, + "opts": 24, + "opts.pathspec": 2, + "opts.old_prefix": 4, + "diff_strdup_prefix": 2, + "old_prefix": 2, + "DIFF_OLD_PREFIX_DEFAULT": 1, + "opts.new_prefix": 4, + "new_prefix": 2, + "DIFF_NEW_PREFIX_DEFAULT": 1, + "*swap": 1, + "swap": 9, + "pathspec.count": 2, + "*pattern": 1, + "pathspec.strings": 1, + "GIT_ATTR_FNMATCH_ALLOWSPACE": 1, + "git_attr_fnmatch__parse": 1, + "GIT_ENOTFOUND": 1, + "git_diff_list_free": 3, + "deltas.contents": 1, + "git_vector_free": 3, + "pathspec.contents": 1, + "git_pool_clear": 2, + "oid_for_workdir_item": 2, + "full_path": 3, + "git_buf_joinpath": 1, + "git_repository_workdir": 1, + "S_ISLNK": 2, + "git_odb__hashlink": 1, + "full_path.ptr": 2, + "git__is_sizet": 1, + "giterr_set": 1, + "GITERR_OS": 1, + "fd": 34, + "git_futils_open_ro": 1, + "git_odb__hashfd": 1, + "GIT_OBJ_BLOB": 1, + "p_close": 1, + "EXEC_BIT_MASK": 3, + "maybe_modified": 2, + "git_iterator": 8, + "*old_iter": 2, + "*oitem": 2, + "*new_iter": 2, + "*nitem": 2, + "noid": 4, + "*use_noid": 1, + "omode": 8, + "oitem": 29, + "nmode": 10, + "nitem": 32, + "GIT_UNUSED": 1, + "old_iter": 8, + "S_ISREG": 1, + "GIT_MODE_TYPE": 3, + "GIT_MODE_PERMS_MASK": 1, + "flags_extended": 2, + "GIT_IDXENTRY_INTENT_TO_ADD": 1, + "GIT_IDXENTRY_SKIP_WORKTREE": 1, + "new_iter": 13, + "GIT_ITERATOR_WORKDIR": 2, + "ctime.seconds": 2, + "mtime.seconds": 2, + "GIT_DIFFCAPS_USE_DEV": 1, + "dev": 2, + "ino": 2, + "uid": 2, + "gid": 2, + "S_ISGITLINK": 1, + "git_submodule": 1, + "*sub": 1, + "GIT_DIFF_IGNORE_SUBMODULES": 1, + "git_submodule_lookup": 1, + "sub": 12, + "ignore": 1, + "GIT_SUBMODULE_IGNORE_ALL": 1, + "use_noid": 2, + "diff_from_iterators": 5, + "**diff_ptr": 1, + "ignore_prefix": 6, + "git_diff_list_alloc": 1, + "old_src": 1, + "new_src": 3, + "git_iterator_current": 2, + "git_iterator_advance": 5, + "delta_type": 8, + "git_buf_len": 1, + "git__prefixcmp": 2, + "git_buf_cstr": 1, + "S_ISDIR": 1, + "GIT_DIFF_RECURSE_UNTRACKED_DIRS": 1, + "git_iterator_current_is_ignored": 2, + "git_buf_sets": 1, + "git_iterator_advance_into_directory": 1, + "git_iterator_free": 4, + "*diff_ptr": 2, + "git_diff_tree_to_tree": 1, + "git_tree": 4, + "*old_tree": 3, + "*new_tree": 1, + "**diff": 4, + "diff_prefix_from_pathspec": 4, + "old_tree": 5, + "new_tree": 2, + "git_iterator_for_tree_range": 4, + "git_diff_index_to_tree": 1, + "git_iterator_for_index_range": 2, + "git_diff_workdir_to_index": 1, + "git_iterator_for_workdir_range": 2, + "git_diff_workdir_to_tree": 1, + "git_diff_merge": 1, + "*onto": 1, + "*from": 1, + "onto_pool": 7, + "git_vector": 1, + "onto_new": 6, + "j": 206, + "onto": 7, + "from": 16, + "deltas.length": 4, + "*o": 8, + "GIT_VECTOR_GET": 2, + "*f": 2, + "f": 184, + "o": 80, + "diff_delta__merge_like_cgit": 1, + "git_vector_swap": 1, + "git_pool_swap": 1, + "ATSHOME_LIBATS_DYNARRAY_CATS": 3, + "": 5, + "atslib_dynarray_memcpy": 1, + "atslib_dynarray_memmove": 1, + "memmove": 2, + "//": 262, + "ifndef": 2, + "git_usage_string": 2, + "git_more_info_string": 2, + "N_": 1, + "startup_info": 3, + "git_startup_info": 2, + "use_pager": 8, + "pager_config": 3, + "*cmd": 5, + "want": 3, + "pager_command_config": 2, + "*data": 12, + "data": 69, + "prefixcmp": 3, + "var": 7, + "cmd": 46, + "git_config_maybe_bool": 1, + "value": 9, + "xstrdup": 2, + "check_pager_config": 3, + "c.cmd": 1, + "c.want": 2, + "c.value": 3, + "pager_program": 1, + "commit_pager_choice": 4, + "setenv": 1, + "setup_pager": 1, + "handle_options": 2, + "***argv": 2, + "*argc": 1, + "*envchanged": 1, + "**orig_argv": 1, + "*argv": 6, + "new_argv": 7, + "option_count": 1, + "alias_command": 4, + "trace_argv_printf": 3, + "*argcp": 4, + "subdir": 3, + "chdir": 2, + "die_errno": 3, + "errno": 20, + "saved_errno": 1, + "git_version_string": 1, + "GIT_VERSION": 1, + "RUN_SETUP": 81, + "RUN_SETUP_GENTLY": 16, + "USE_PAGER": 3, + "NEED_WORK_TREE": 18, + "cmd_struct": 4, + "option": 9, + "run_builtin": 2, + "help": 4, + "stat": 3, + "st": 2, + "argv": 54, + "setup_git_directory": 1, + "nongit_ok": 2, + "setup_git_directory_gently": 1, + "have_repository": 1, + "trace_repo_setup": 1, + "setup_work_tree": 1, + "fn": 5, + "fstat": 1, + "fileno": 1, + "stdout": 5, + "S_ISFIFO": 1, + "st.st_mode": 2, + "S_ISSOCK": 1, + "fflush": 2, + "ferror": 2, + "fclose": 5, + "handle_internal_command": 3, + "commands": 3, + "cmd_add": 2, + "cmd_annotate": 1, + "cmd_apply": 1, + "cmd_archive": 1, + "cmd_bisect__helper": 1, + "cmd_blame": 2, + "cmd_branch": 1, + "cmd_bundle": 1, + "cmd_cat_file": 1, + "cmd_check_attr": 1, + "cmd_check_ref_format": 1, + "cmd_checkout": 1, + "cmd_checkout_index": 1, + "cmd_cherry": 1, + "cmd_cherry_pick": 1, + "cmd_clean": 1, + "cmd_clone": 1, + "cmd_column": 1, + "cmd_commit": 1, + "cmd_commit_tree": 1, + "cmd_config": 1, + "cmd_count_objects": 1, + "cmd_describe": 1, + "cmd_diff": 1, + "cmd_diff_files": 1, + "cmd_diff_index": 1, + "cmd_diff_tree": 1, + "cmd_fast_export": 1, + "cmd_fetch": 1, + "cmd_fetch_pack": 1, + "cmd_fmt_merge_msg": 1, + "cmd_for_each_ref": 1, + "cmd_format_patch": 1, + "cmd_fsck": 2, + "cmd_gc": 1, + "cmd_get_tar_commit_id": 1, + "cmd_grep": 1, + "cmd_hash_object": 1, + "cmd_help": 1, + "cmd_index_pack": 1, + "cmd_init_db": 2, + "cmd_log": 1, + "cmd_ls_files": 1, + "cmd_ls_remote": 2, + "cmd_ls_tree": 1, + "cmd_mailinfo": 1, + "cmd_mailsplit": 1, + "cmd_merge": 1, + "cmd_merge_base": 1, + "cmd_merge_file": 1, + "cmd_merge_index": 1, + "cmd_merge_ours": 1, + "cmd_merge_recursive": 4, + "cmd_merge_tree": 1, + "cmd_mktag": 1, + "cmd_mktree": 1, + "cmd_mv": 1, + "cmd_name_rev": 1, + "cmd_notes": 1, + "cmd_pack_objects": 1, + "cmd_pack_redundant": 1, + "cmd_pack_refs": 1, + "cmd_patch_id": 1, + "cmd_prune": 1, + "cmd_prune_packed": 1, + "cmd_push": 1, + "cmd_read_tree": 1, + "cmd_receive_pack": 1, + "cmd_reflog": 1, + "cmd_remote": 1, + "cmd_remote_ext": 1, + "cmd_remote_fd": 1, + "cmd_replace": 1, + "cmd_repo_config": 1, + "cmd_rerere": 1, + "cmd_reset": 1, + "cmd_rev_list": 1, + "cmd_rev_parse": 1, + "cmd_revert": 1, + "cmd_rm": 1, + "cmd_send_pack": 1, + "cmd_shortlog": 1, + "cmd_show": 1, + "cmd_show_branch": 1, + "cmd_show_ref": 1, + "cmd_status": 1, + "cmd_stripspace": 1, + "cmd_symbolic_ref": 1, + "cmd_tag": 1, + "cmd_tar_tree": 1, + "cmd_unpack_file": 1, + "cmd_unpack_objects": 1, + "cmd_update_index": 1, + "cmd_update_ref": 1, + "cmd_update_server_info": 1, + "cmd_upload_archive": 1, + "cmd_upload_archive_writer": 1, + "cmd_var": 1, + "cmd_verify_pack": 1, + "cmd_verify_tag": 1, + "cmd_version": 1, + "cmd_whatchanged": 1, + "cmd_write_tree": 1, + "ext": 4, + "STRIP_EXTENSION": 1, + "*argv0": 1, + "argv0": 2, + "ARRAY_SIZE": 1, + "exit": 20, + "execv_dashed_external": 2, + "STRBUF_INIT": 1, + "*tmp": 1, + "strbuf_addf": 1, + "tmp": 6, + "cmd.buf": 1, + "run_command_v_opt": 1, + "RUN_SILENT_EXEC_FAILURE": 1, + "RUN_CLEAN_ON_EXIT": 1, + "ENOENT": 3, + "strbuf_release": 1, + "run_argv": 2, + "done_alias": 4, + "argcp": 2, + "handle_alias": 1, + "main": 3, + "git_extract_argv0_path": 1, + "git_setup_gettext": 1, + "printf": 4, + "list_common_cmds_help": 1, + "setup_path": 1, + "done_help": 3, + "was_alias": 3, + "fprintf": 18, + "stderr": 15, + "help_unknown_cmd": 1, + "strerror": 4, + "PPC_SHA1": 1, + "git_hash_ctx": 7, + "SHA_CTX": 3, + "*git_hash_new_ctx": 1, + "*ctx": 5, + "ctx": 16, + "SHA1_Init": 4, + "git_hash_free_ctx": 1, + "git_hash_init": 1, + "git_hash_update": 1, + "SHA1_Update": 3, + "git_hash_final": 1, + "*out": 3, + "SHA1_Final": 3, + "git_hash_buf": 1, + "git_hash_vec": 1, + "git_buf_vec": 1, + "*vec": 1, + "vec": 2, + ".data": 1, + ".len": 3, + "HELLO_H": 2, + "hello": 1, + "": 5, + "": 2, + "": 3, + "": 3, + "": 2, + "ULLONG_MAX": 10, + "MIN": 3, + "HTTP_PARSER_DEBUG": 4, + "SET_ERRNO": 47, + "e": 4, + "do": 21, + "parser": 334, + "http_errno": 11, + "error_lineno": 3, + "__LINE__": 50, + "CALLBACK_NOTIFY_": 3, + "FOR": 11, + "ER": 4, + "HTTP_PARSER_ERRNO": 10, + "HPE_OK": 10, + "settings": 6, + "on_##FOR": 4, + "HPE_CB_##FOR": 2, + "CALLBACK_NOTIFY": 10, + "CALLBACK_NOTIFY_NOADVANCE": 2, + "CALLBACK_DATA_": 4, + "LEN": 2, + "FOR##_mark": 7, + "CALLBACK_DATA": 10, + "CALLBACK_DATA_NOADVANCE": 6, + "MARK": 7, + "PROXY_CONNECTION": 4, + "CONNECTION": 4, + "CONTENT_LENGTH": 4, + "TRANSFER_ENCODING": 4, + "UPGRADE": 4, + "CHUNKED": 4, + "KEEP_ALIVE": 4, + "CLOSE": 4, + "*method_strings": 1, + "XX": 63, + "num": 24, + "string": 18, + "#string": 1, + "HTTP_METHOD_MAP": 3, + "#undef": 7, + "tokens": 5, + "int8_t": 3, + "unhex": 3, + "HTTP_PARSER_STRICT": 5, + "uint8_t": 6, + "normal_url_char": 3, + "T": 3, + "s_dead": 10, + "s_start_req_or_res": 4, + "s_res_or_resp_H": 3, + "s_start_res": 5, + "s_res_H": 3, + "s_res_HT": 4, + "s_res_HTT": 3, + "s_res_HTTP": 3, + "s_res_first_http_major": 3, + "s_res_http_major": 3, + "s_res_first_http_minor": 3, + "s_res_http_minor": 3, + "s_res_first_status_code": 3, + "s_res_status_code": 3, + "s_res_status": 3, + "s_res_line_almost_done": 4, + "s_start_req": 6, + "s_req_method": 4, + "s_req_spaces_before_url": 5, + "s_req_schema": 6, + "s_req_schema_slash": 6, + "s_req_schema_slash_slash": 6, + "s_req_host_start": 8, + "s_req_host_v6_start": 7, + "s_req_host_v6": 7, + "s_req_host_v6_end": 7, + "s_req_host": 8, + "s_req_port_start": 7, + "s_req_port": 6, + "s_req_path": 8, + "s_req_query_string_start": 8, + "s_req_query_string": 7, + "s_req_fragment_start": 7, + "s_req_fragment": 7, + "s_req_http_start": 3, + "s_req_http_H": 3, + "s_req_http_HT": 3, + "s_req_http_HTT": 3, + "s_req_http_HTTP": 3, + "s_req_first_http_major": 3, + "s_req_http_major": 3, + "s_req_first_http_minor": 3, + "s_req_http_minor": 3, + "s_req_line_almost_done": 4, + "s_header_field_start": 12, + "s_header_field": 4, + "s_header_value_start": 4, + "s_header_value": 5, + "s_header_value_lws": 3, + "s_header_almost_done": 6, + "s_chunk_size_start": 4, + "s_chunk_size": 3, + "s_chunk_parameters": 3, + "s_chunk_size_almost_done": 4, + "s_headers_almost_done": 4, + "s_headers_done": 4, + "s_chunk_data": 3, + "s_chunk_data_almost_done": 3, + "s_chunk_data_done": 3, + "s_body_identity": 3, + "s_body_identity_eof": 4, + "s_message_done": 3, + "PARSING_HEADER": 2, + "header_states": 1, + "h_general": 23, + "0": 11, + "h_C": 3, + "h_CO": 3, + "h_CON": 3, + "h_matching_connection": 3, + "h_matching_proxy_connection": 3, + "h_matching_content_length": 3, + "h_matching_transfer_encoding": 3, + "h_matching_upgrade": 3, + "h_connection": 6, + "h_content_length": 5, + "h_transfer_encoding": 5, + "h_upgrade": 4, + "h_matching_transfer_encoding_chunked": 3, + "h_matching_connection_keep_alive": 3, + "h_matching_connection_close": 3, + "h_transfer_encoding_chunked": 4, + "h_connection_keep_alive": 4, + "h_connection_close": 4, + "Macros": 1, + "character": 11, + "classes": 1, + "depends": 1, + "on": 4, + "strict": 2, + "define": 14, + "CR": 18, + "r": 58, + "LF": 21, + "LOWER": 7, + "0x20": 1, + "IS_ALPHA": 5, + "z": 47, + "IS_NUM": 14, + "9": 1, + "IS_ALPHANUM": 3, + "IS_HEX": 2, + "TOKEN": 4, + "IS_URL_CHAR": 6, + "IS_HOST_CHAR": 4, + "0x80": 1, + "endif": 6, + "start_state": 1, + "HTTP_REQUEST": 7, + "cond": 1, + "HPE_STRICT": 1, + "HTTP_STRERROR_GEN": 3, + "#n": 1, + "*description": 1, + "http_strerror_tab": 7, + "HTTP_ERRNO_MAP": 3, + "http_message_needs_eof": 4, + "http_parser": 13, + "*parser": 9, + "parse_url_char": 5, + "ch": 145, + "http_parser_execute": 2, + "http_parser_settings": 5, + "*settings": 2, + "unhex_val": 7, + "*header_field_mark": 1, + "*header_value_mark": 1, + "*url_mark": 1, + "*body_mark": 1, + "message_complete": 7, + "HPE_INVALID_EOF_STATE": 1, + "header_field_mark": 2, + "header_value_mark": 2, + "url_mark": 2, + "nread": 7, + "HTTP_MAX_HEADER_SIZE": 2, + "HPE_HEADER_OVERFLOW": 1, + "reexecute_byte": 7, + "HPE_CLOSED_CONNECTION": 1, + "content_length": 27, + "message_begin": 3, + "HTTP_RESPONSE": 3, + "HPE_INVALID_CONSTANT": 3, + "method": 39, + "HTTP_HEAD": 2, + "index": 58, + "STRICT_CHECK": 15, + "HPE_INVALID_VERSION": 12, + "http_major": 11, + "http_minor": 11, + "HPE_INVALID_STATUS": 3, + "status_code": 8, + "HPE_INVALID_METHOD": 4, + "http_method": 4, + "HTTP_CONNECT": 4, + "HTTP_DELETE": 1, + "HTTP_GET": 1, + "HTTP_LOCK": 1, + "HTTP_MKCOL": 2, + "HTTP_NOTIFY": 1, + "HTTP_OPTIONS": 1, + "HTTP_POST": 2, + "HTTP_REPORT": 1, + "HTTP_SUBSCRIBE": 2, + "HTTP_TRACE": 1, + "HTTP_UNLOCK": 2, + "*matcher": 1, + "matcher": 3, + "method_strings": 2, + "HTTP_CHECKOUT": 1, + "HTTP_COPY": 1, + "HTTP_MOVE": 1, + "HTTP_MERGE": 1, + "HTTP_MSEARCH": 1, + "HTTP_MKACTIVITY": 1, + "HTTP_SEARCH": 1, + "HTTP_PROPFIND": 2, + "HTTP_PUT": 2, + "HTTP_PATCH": 1, + "HTTP_PURGE": 1, + "HTTP_UNSUBSCRIBE": 1, + "HTTP_PROPPATCH": 1, + "url": 4, + "HPE_INVALID_URL": 4, + "HPE_LF_EXPECTED": 1, + "HPE_INVALID_HEADER_TOKEN": 2, + "header_field": 5, + "header_state": 42, + "header_value": 6, + "F_UPGRADE": 3, + "HPE_INVALID_CONTENT_LENGTH": 4, + "uint64_t": 8, + "F_CONNECTION_KEEP_ALIVE": 3, + "F_CONNECTION_CLOSE": 3, + "F_CHUNKED": 11, + "F_TRAILING": 3, + "NEW_MESSAGE": 6, + "upgrade": 3, + "on_headers_complete": 3, + "F_SKIPBODY": 4, + "HPE_CB_headers_complete": 1, + "to_read": 6, + "body": 6, + "body_mark": 2, + "HPE_INVALID_CHUNK_SIZE": 2, + "HPE_INVALID_INTERNAL_STATE": 1, + "1": 2, + "HPE_UNKNOWN": 1, + "Does": 1, + "the": 91, + "need": 5, + "to": 37, + "see": 2, + "an": 2, + "EOF": 26, + "find": 1, + "end": 48, + "of": 44, + "message": 3, + "http_should_keep_alive": 2, + "http_method_str": 1, + "m": 8, + "http_parser_init": 2, + "http_parser_type": 3, + "http_errno_name": 1, + "/sizeof": 4, + ".name": 1, + "http_errno_description": 1, + ".description": 1, + "http_parser_parse_url": 2, + "buflen": 3, + "is_connect": 4, + "http_parser_url": 3, + "*u": 2, + "http_parser_url_fields": 2, + "uf": 14, + "old_uf": 4, + "u": 18, + "port": 7, + "field_set": 5, + "UF_MAX": 3, + "UF_SCHEMA": 2, + "UF_HOST": 3, + "UF_PORT": 5, + "UF_PATH": 2, + "UF_QUERY": 2, + "UF_FRAGMENT": 2, + "field_data": 5, + ".off": 2, + "xffff": 1, + "uint16_t": 12, + "http_parser_pause": 2, + "paused": 3, + "HPE_PAUSED": 2, + "http_parser_h": 2, + "__cplusplus": 20, + "HTTP_PARSER_VERSION_MAJOR": 1, + "HTTP_PARSER_VERSION_MINOR": 1, + "": 2, + "_WIN32": 3, + "__MINGW32__": 1, + "_MSC_VER": 5, + "__int8": 2, + "__int16": 2, + "int16_t": 1, + "__int32": 2, + "int32_t": 112, + "__int64": 3, + "int64_t": 2, + "ssize_t": 1, + "": 1, + "*1024": 4, + "DELETE": 2, + "GET": 2, + "HEAD": 2, + "POST": 2, + "PUT": 2, + "CONNECT": 2, + "OPTIONS": 2, + "TRACE": 2, + "COPY": 2, + "LOCK": 2, + "MKCOL": 2, + "MOVE": 2, + "PROPFIND": 2, + "PROPPATCH": 2, + "SEARCH": 3, + "UNLOCK": 2, + "REPORT": 2, + "MKACTIVITY": 2, + "CHECKOUT": 2, + "MERGE": 2, + "MSEARCH": 1, + "M": 1, + "NOTIFY": 2, + "SUBSCRIBE": 2, + "UNSUBSCRIBE": 2, + "PATCH": 2, + "PURGE": 2, + "HTTP_##name": 1, + "HTTP_BOTH": 1, + "OK": 1, + "CB_message_begin": 1, + "CB_url": 1, + "CB_header_field": 1, + "CB_header_value": 1, + "CB_headers_complete": 1, + "CB_body": 1, + "CB_message_complete": 1, + "INVALID_EOF_STATE": 1, + "HEADER_OVERFLOW": 1, + "CLOSED_CONNECTION": 1, + "INVALID_VERSION": 1, + "INVALID_STATUS": 1, + "INVALID_METHOD": 1, + "INVALID_URL": 1, + "INVALID_HOST": 1, + "INVALID_PORT": 1, + "INVALID_PATH": 1, + "INVALID_QUERY_STRING": 1, + "INVALID_FRAGMENT": 1, + "LF_EXPECTED": 1, + "INVALID_HEADER_TOKEN": 1, + "INVALID_CONTENT_LENGTH": 1, + "INVALID_CHUNK_SIZE": 1, + "INVALID_CONSTANT": 1, + "INVALID_INTERNAL_STATE": 1, + "STRICT": 1, + "PAUSED": 1, + "UNKNOWN": 1, + "HTTP_ERRNO_GEN": 3, + "HPE_##n": 1, + "HTTP_PARSER_ERRNO_LINE": 2, + "short": 6, + "http_cb": 3, + "on_message_begin": 1, + "http_data_cb": 4, + "on_url": 1, + "on_header_field": 1, + "on_header_value": 1, + "on_body": 1, + "on_message_complete": 1, + "off": 8, + "*http_method_str": 1, + "*http_errno_name": 1, + "*http_errno_description": 1, + "": 1, + "_Included_jni_JniLayer": 2, + "JNIEXPORT": 6, + "jlong": 6, + "JNICALL": 6, + "Java_jni_JniLayer_jni_1layer_1initialize": 1, + "JNIEnv": 6, + "jobject": 6, + "jintArray": 1, + "jint": 7, + "Java_jni_JniLayer_jni_1layer_1mainloop": 1, + "Java_jni_JniLayer_jni_1layer_1set_1button": 1, + "Java_jni_JniLayer_jni_1layer_1set_1analog": 1, + "jfloat": 1, + "Java_jni_JniLayer_jni_1layer_1report_1analog_1chg": 1, + "Java_jni_JniLayer_jni_1layer_1kill": 1, + "strncasecmp": 2, + "_strnicmp": 1, + "REF_TABLE_SIZE": 1, + "BUFFER_BLOCK": 5, + "BUFFER_SPAN": 9, + "MKD_LI_END": 1, + "gperf_case_strncmp": 1, + "s1": 6, + "s2": 6, + "GPERF_DOWNCASE": 1, + "GPERF_CASE_STRNCMP": 1, + "link_ref": 2, + "*link": 1, + "*title": 1, + "sd_markdown": 6, + "tag": 1, + "tag_len": 3, + "w": 6, + "is_empty": 4, + "htmlblock_end": 3, + "*curtag": 2, + "*rndr": 4, + "start_of_line": 2, + "tag_size": 3, + "curtag": 8, + "end_tag": 4, + "block_lines": 3, + "htmlblock_end_tag": 1, + "rndr": 25, + "parse_htmlblock": 1, + "*ob": 3, + "do_render": 4, + "tag_end": 7, + "work": 4, + "find_block_tag": 1, + "work.size": 5, + "cb.blockhtml": 6, + "ob": 14, + "opaque": 8, + "parse_table_row": 1, + "columns": 3, + "*col_data": 1, + "header_flag": 3, + "col": 9, + "*row_work": 1, + "cb.table_cell": 3, + "cb.table_row": 2, + "row_work": 4, + "rndr_newbuf": 2, + "cell_start": 5, + "cell_end": 6, + "*cell_work": 1, + "cell_work": 3, + "_isspace": 3, + "parse_inline": 1, + "col_data": 2, + "rndr_popbuf": 2, + "empty_cell": 2, + "parse_table_header": 1, + "*columns": 2, + "**column_data": 1, + "pipes": 23, + "header_end": 7, + "under_end": 1, + "*column_data": 1, + "calloc": 1, + "beg": 10, + "doc_size": 6, + "document": 9, + "UTF8_BOM": 1, + "is_ref": 1, + "md": 18, + "refs": 2, + "expand_tabs": 1, + "text": 22, + "bufputc": 2, + "bufgrow": 1, + "MARKDOWN_GROW": 1, + "cb.doc_header": 2, + "parse_block": 1, + "cb.doc_footer": 2, + "bufrelease": 3, + "free_link_refs": 1, + "work_bufs": 8, + ".size": 2, + "sd_markdown_free": 1, + "*md": 1, + ".asize": 2, + ".item": 2, + "stack_free": 2, + "sd_version": 1, + "*ver_major": 2, + "*ver_minor": 2, + "*ver_revision": 2, + "SUNDOWN_VER_MAJOR": 1, + "SUNDOWN_VER_MINOR": 1, + "SUNDOWN_VER_REVISION": 1, + "": 4, + "": 2, + "": 1, + "": 1, + "": 2, + "__APPLE__": 2, + "TARGET_OS_IPHONE": 1, + "**environ": 1, + "uv__chld": 2, + "EV_P_": 1, + "ev_child*": 1, + "watcher": 4, + "revents": 2, + "rstatus": 1, + "exit_status": 3, + "term_signal": 3, + "uv_process_t": 1, + "*process": 1, + "process": 19, + "child_watcher": 5, + "EV_CHILD": 1, + "ev_child_stop": 2, + "EV_A_": 1, + "WIFEXITED": 1, + "WEXITSTATUS": 2, + "WIFSIGNALED": 2, + "WTERMSIG": 2, + "exit_cb": 3, + "uv__make_socketpair": 2, + "fds": 20, + "SOCK_NONBLOCK": 2, + "fl": 8, + "SOCK_CLOEXEC": 1, + "UV__F_NONBLOCK": 5, + "socketpair": 2, + "AF_UNIX": 2, + "SOCK_STREAM": 2, + "uv__cloexec": 4, + "uv__nonblock": 5, + "uv__make_pipe": 2, + "__linux__": 3, + "UV__O_CLOEXEC": 1, + "UV__O_NONBLOCK": 1, + "uv__pipe2": 1, + "ENOSYS": 1, + "pipe": 1, + "uv__process_init_stdio": 2, + "uv_stdio_container_t*": 4, + "container": 17, + "writable": 8, + "UV_IGNORE": 2, + "UV_CREATE_PIPE": 4, + "UV_INHERIT_FD": 3, + "UV_INHERIT_STREAM": 2, + "data.stream": 7, + "UV_NAMED_PIPE": 2, + "data.fd": 1, + "uv__process_stdio_flags": 2, + "uv_pipe_t*": 1, + "ipc": 1, + "UV_STREAM_READABLE": 2, + "UV_STREAM_WRITABLE": 2, + "uv__process_open_stream": 2, + "child_fd": 3, + "close": 13, + "uv__stream_open": 1, + "uv_stream_t*": 2, + "uv__process_close_stream": 2, + "uv__stream_close": 1, + "uv__process_child_init": 2, + "uv_process_options_t": 2, + "options": 62, + "stdio_count": 7, + "int*": 22, + "options.flags": 4, + "UV_PROCESS_DETACHED": 2, + "setsid": 2, + "close_fd": 2, + "use_fd": 7, + "open": 4, + "O_RDONLY": 1, + "O_RDWR": 2, + "perror": 5, + "_exit": 6, + "dup2": 4, + "options.cwd": 2, + "UV_PROCESS_SETGID": 2, + "setgid": 1, + "options.gid": 1, + "UV_PROCESS_SETUID": 2, + "setuid": 1, + "options.uid": 1, + "environ": 4, + "options.env": 1, + "execvp": 1, + "options.file": 2, + "options.args": 1, + "SPAWN_WAIT_EXEC": 5, + "uv_spawn": 1, + "uv_loop_t*": 1, + "loop": 9, + "uv_process_t*": 3, + "char**": 7, + "save_our_env": 3, + "options.stdio_count": 4, + "malloc": 3, + "signal_pipe": 7, + "pollfd": 1, + "pfd": 2, + "pid_t": 2, + "pid": 13, + "UV_PROCESS_WINDOWS_VERBATIM_ARGUMENTS": 1, + "uv__handle_init": 1, + "uv_handle_t*": 1, + "UV_PROCESS": 1, + "counters.process_init": 1, + "uv__handle_start": 1, + "options.exit_cb": 1, + "options.stdio": 3, + "fork": 2, + "pfd.fd": 1, + "pfd.events": 1, + "POLLIN": 1, + "POLLHUP": 1, + "pfd.revents": 1, + "poll": 1, + "EINTR": 1, + "ev_child_init": 1, + "ev_child_start": 1, + "ev": 2, + "child_watcher.data": 1, + "uv__set_sys_error": 2, + "uv_process_kill": 1, + "signum": 4, + "kill": 4, + "uv_err_t": 1, + "uv_kill": 1, + "uv__new_sys_error": 1, + "uv_ok_": 1, + "uv__process_close": 1, + "handle": 10, + "uv__handle_stop": 1, + "VALUE": 13, + "rb_cRDiscount": 4, + "rb_rdiscount_to_html": 2, + "self": 9, + "*res": 2, + "szres": 8, + "encoding": 14, + "rb_funcall": 14, + "rb_intern": 15, + "rb_str_buf_new": 2, + "Check_Type": 2, + "T_STRING": 2, + "rb_rdiscount__get_flags": 3, + "MMIOT": 2, + "*doc": 2, + "mkd_string": 2, + "RSTRING_PTR": 2, + "RSTRING_LEN": 2, + "mkd_compile": 2, + "doc": 6, + "mkd_document": 1, + "res": 4, + "rb_str_cat": 4, + "mkd_cleanup": 2, + "rb_respond_to": 1, + "rb_rdiscount_toc_content": 2, + "mkd_toc": 1, + "ruby_obj": 11, + "MKD_TABSTOP": 1, + "MKD_NOHEADER": 1, + "Qtrue": 10, + "MKD_NOPANTS": 1, + "MKD_NOHTML": 1, + "MKD_TOC": 1, + "MKD_NOIMAGE": 1, + "MKD_NOLINKS": 1, + "MKD_NOTABLES": 1, + "MKD_STRICT": 1, + "MKD_AUTOLINK": 1, + "MKD_SAFELINK": 1, + "MKD_NO_EXT": 1, + "Init_rdiscount": 1, + "rb_define_class": 1, + "rb_cObject": 1, + "rb_define_method": 2, + "READLINE_READLINE_CATS": 3, + "": 1, + "atscntrb_readline_rl_library_version": 1, + "char*": 167, + "rl_library_version": 1, + "atscntrb_readline_rl_readline_version": 1, + "rl_readline_version": 1, + "atscntrb_readline_readline": 1, + "readline": 1, + "": 1, + "": 1, + "": 1, + "": 1, + "": 1, + "": 1, + "": 2, + "": 1, + "": 1, + "": 3, + "": 1, + "sharedObjectsStruct": 1, + "shared": 1, + "double": 126, + "R_Zero": 2, + "R_PosInf": 2, + "R_NegInf": 2, + "R_Nan": 2, + "redisServer": 1, + "server": 1, + "redisCommand": 6, + "*commandTable": 1, + "redisCommandTable": 5, + "getCommand": 1, + "setCommand": 1, + "noPreloadGetKeys": 6, + "setnxCommand": 1, + "setexCommand": 1, + "psetexCommand": 1, + "appendCommand": 1, + "strlenCommand": 1, + "delCommand": 1, + "existsCommand": 1, + "setbitCommand": 1, + "getbitCommand": 1, + "setrangeCommand": 1, + "getrangeCommand": 2, + "incrCommand": 1, + "decrCommand": 1, + "mgetCommand": 1, + "rpushCommand": 1, + "lpushCommand": 1, + "rpushxCommand": 1, + "lpushxCommand": 1, + "linsertCommand": 1, + "rpopCommand": 1, + "lpopCommand": 1, + "brpopCommand": 1, + "brpoplpushCommand": 1, + "blpopCommand": 1, + "llenCommand": 1, + "lindexCommand": 1, + "lsetCommand": 1, + "lrangeCommand": 1, + "ltrimCommand": 1, + "lremCommand": 1, + "rpoplpushCommand": 1, + "saddCommand": 1, + "sremCommand": 1, + "smoveCommand": 1, + "sismemberCommand": 1, + "scardCommand": 1, + "spopCommand": 1, + "srandmemberCommand": 1, + "sinterCommand": 2, + "sinterstoreCommand": 1, + "sunionCommand": 1, + "sunionstoreCommand": 1, + "sdiffCommand": 1, + "sdiffstoreCommand": 1, + "zaddCommand": 1, + "zincrbyCommand": 1, + "zremCommand": 1, + "zremrangebyscoreCommand": 1, + "zremrangebyrankCommand": 1, + "zunionstoreCommand": 1, + "zunionInterGetKeys": 4, + "zinterstoreCommand": 1, + "zrangeCommand": 1, + "zrangebyscoreCommand": 1, + "zrevrangebyscoreCommand": 1, + "zcountCommand": 1, + "zrevrangeCommand": 1, + "zcardCommand": 1, + "zscoreCommand": 1, + "zrankCommand": 1, + "zrevrankCommand": 1, + "hsetCommand": 1, + "hsetnxCommand": 1, + "hgetCommand": 1, + "hmsetCommand": 1, + "hmgetCommand": 1, + "hincrbyCommand": 1, + "hincrbyfloatCommand": 1, + "hdelCommand": 1, + "hlenCommand": 1, + "hkeysCommand": 1, + "hvalsCommand": 1, + "hgetallCommand": 1, + "hexistsCommand": 1, + "incrbyCommand": 1, + "decrbyCommand": 1, + "incrbyfloatCommand": 1, + "getsetCommand": 1, + "msetCommand": 1, + "msetnxCommand": 1, + "randomkeyCommand": 1, + "selectCommand": 1, + "moveCommand": 1, + "renameCommand": 1, + "renameGetKeys": 2, + "renamenxCommand": 1, + "expireCommand": 1, + "expireatCommand": 1, + "pexpireCommand": 1, + "pexpireatCommand": 1, + "keysCommand": 1, + "dbsizeCommand": 1, + "authCommand": 3, + "pingCommand": 2, + "echoCommand": 2, + "saveCommand": 1, + "bgsaveCommand": 1, + "bgrewriteaofCommand": 1, + "shutdownCommand": 2, + "lastsaveCommand": 1, + "typeCommand": 1, + "multiCommand": 2, + "execCommand": 2, + "discardCommand": 2, + "syncCommand": 1, + "flushdbCommand": 1, + "flushallCommand": 1, + "sortCommand": 1, + "infoCommand": 4, + "monitorCommand": 2, + "ttlCommand": 1, + "pttlCommand": 1, + "persistCommand": 1, + "slaveofCommand": 2, + "debugCommand": 1, + "configCommand": 1, + "subscribeCommand": 2, + "unsubscribeCommand": 2, + "psubscribeCommand": 2, + "punsubscribeCommand": 2, + "publishCommand": 1, + "watchCommand": 2, + "unwatchCommand": 1, + "clusterCommand": 1, + "restoreCommand": 1, + "migrateCommand": 1, + "askingCommand": 1, + "dumpCommand": 1, + "objectCommand": 1, + "clientCommand": 1, + "evalCommand": 1, + "evalShaCommand": 1, + "slowlogCommand": 1, + "scriptCommand": 2, + "timeCommand": 2, + "bitopCommand": 1, + "bitcountCommand": 1, + "redisLogRaw": 3, + "level": 12, + "syslogLevelMap": 2, + "LOG_DEBUG": 1, + "LOG_INFO": 1, + "LOG_NOTICE": 1, + "LOG_WARNING": 1, + "FILE": 3, + "*fp": 3, + "rawmode": 2, + "REDIS_LOG_RAW": 2, + "xff": 3, + "server.verbosity": 4, + "fp": 13, + "server.logfile": 8, + "fopen": 3, + "msg": 10, + "timeval": 4, + "tv": 8, + "gettimeofday": 4, + "strftime": 1, + "localtime": 1, + "tv.tv_sec": 4, + "snprintf": 2, + "tv.tv_usec/1000": 1, + "getpid": 7, + "server.syslog_enabled": 3, + "syslog": 1, + "redisLog": 33, + "...": 127, + "va_list": 3, + "ap": 4, + "REDIS_MAX_LOGMSG_LEN": 1, + "va_start": 3, + "vsnprintf": 1, + "va_end": 3, + "redisLogFromHandler": 2, + "server.daemonize": 5, + "O_APPEND": 2, + "O_CREAT": 2, + "O_WRONLY": 2, + "STDOUT_FILENO": 2, + "ll2string": 3, + "write": 7, + "time": 10, + "oom": 3, + "REDIS_WARNING": 19, + "sleep": 1, + "abort": 1, + "ustime": 7, + "ust": 7, + "*1000000": 1, + "tv.tv_usec": 3, + "mstime": 5, + "/1000": 1, + "exitFromChild": 1, + "retcode": 3, + "COVERAGE_TEST": 1, + "dictVanillaFree": 1, + "*privdata": 8, + "DICT_NOTUSED": 6, + "privdata": 8, + "zfree": 2, + "dictListDestructor": 2, + "listRelease": 1, + "list*": 1, + "dictSdsKeyCompare": 6, + "*key1": 4, + "*key2": 4, + "l1": 4, + "l2": 3, + "sdslen": 14, + "sds": 13, + "key1": 5, + "key2": 5, + "dictSdsKeyCaseCompare": 2, + "strcasecmp": 13, + "dictRedisObjectDestructor": 7, + "decrRefCount": 6, + "dictSdsDestructor": 4, + "sdsfree": 2, + "dictObjKeyCompare": 2, + "robj": 7, + "*o1": 2, + "*o2": 2, + "o1": 7, + "ptr": 18, + "o2": 7, + "dictObjHash": 2, + "key": 9, + "dictGenHashFunction": 5, + "dictSdsHash": 4, + "dictSdsCaseHash": 2, + "dictGenCaseHashFunction": 1, + "dictEncObjKeyCompare": 4, + "robj*": 3, + "REDIS_ENCODING_INT": 4, + "getDecodedObject": 3, + "dictEncObjHash": 4, + "REDIS_ENCODING_RAW": 1, + "dictType": 8, + "setDictType": 1, + "zsetDictType": 1, + "dbDictType": 2, + "keyptrDictType": 2, + "commandTableDictType": 2, + "hashDictType": 1, + "keylistDictType": 4, + "clusterNodesDictType": 1, + "htNeedsResize": 3, + "dict": 11, + "*dict": 5, + "used": 10, + "dictSlots": 3, + "dictSize": 10, + "DICT_HT_INITIAL_SIZE": 2, + "used*100/size": 1, + "REDIS_HT_MINFILL": 1, + "tryResizeHashTables": 2, + "server.dbnum": 8, + "server.db": 23, + ".dict": 9, + "dictResize": 2, + ".expires": 8, + "incrementallyRehash": 2, + "dictIsRehashing": 2, + "dictRehashMilliseconds": 2, + "updateDictResizePolicy": 2, + "server.rdb_child_pid": 12, + "server.aof_child_pid": 10, + "dictEnableResize": 1, + "dictDisableResize": 1, + "activeExpireCycle": 2, + "iteration": 6, + "start": 10, + "timelimit": 5, + "*REDIS_EXPIRELOOKUPS_TIME_PERC/REDIS_HZ/100": 1, + "expired": 4, + "redisDb": 3, + "expires": 3, + "slots": 2, + "now": 5, + "num*100/slots": 1, + "REDIS_EXPIRELOOKUPS_PER_CRON": 2, + "dictEntry": 2, + "*de": 2, + "de": 12, + "dictGetRandomKey": 4, + "dictGetSignedIntegerVal": 1, + "dictGetKey": 4, + "*keyobj": 2, + "createStringObject": 11, + "propagateExpire": 2, + "keyobj": 6, + "dbDelete": 2, + "server.stat_expiredkeys": 3, + "xf": 1, + "REDIS_EXPIRELOOKUPS_PER_CRON/4": 1, + "updateLRUClock": 3, + "server.lruclock": 2, + "server.unixtime/REDIS_LRU_CLOCK_RESOLUTION": 1, + "REDIS_LRU_CLOCK_MAX": 1, + "trackOperationsPerSecond": 2, + "server.ops_sec_last_sample_time": 3, + "ops": 1, + "server.stat_numcommands": 4, + "server.ops_sec_last_sample_ops": 3, + "ops_sec": 3, + "ops*1000/t": 1, + "server.ops_sec_samples": 4, + "server.ops_sec_idx": 4, + "%": 2, + "REDIS_OPS_SEC_SAMPLES": 3, + "getOperationsPerSecond": 2, + "sum": 3, + "clientsCronHandleTimeout": 2, + "redisClient": 12, + "time_t": 4, + "server.unixtime": 10, + "server.maxidletime": 3, + "REDIS_SLAVE": 3, + "REDIS_MASTER": 2, + "REDIS_BLOCKED": 2, + "pubsub_channels": 2, + "listLength": 14, + "pubsub_patterns": 2, + "lastinteraction": 3, + "REDIS_VERBOSE": 3, + "freeClient": 1, + "bpop.timeout": 2, + "addReply": 13, + "shared.nullmultibulk": 2, + "unblockClientWaitingData": 1, + "clientsCronResizeQueryBuffer": 2, + "querybuf_size": 3, + "sdsAllocSize": 1, + "querybuf": 6, + "idletime": 2, + "REDIS_MBULK_BIG_ARG": 1, + "querybuf_size/": 1, + "querybuf_peak": 2, + "sdsavail": 1, + "sdsRemoveFreeSpace": 1, + "clientsCron": 2, + "numclients": 3, + "server.clients": 7, + "iterations": 4, + "numclients/": 1, + "REDIS_HZ*10": 1, + "listNode": 4, + "*head": 1, + "listRotate": 1, + "head": 3, + "listFirst": 2, + "listNodeValue": 3, + "run_with_period": 6, + "_ms_": 2, + "loops": 2, + "/REDIS_HZ": 2, + "serverCron": 2, + "aeEventLoop": 2, + "*eventLoop": 2, + "*clientData": 1, + "server.cronloops": 3, + "REDIS_NOTUSED": 5, + "eventLoop": 2, + "clientData": 1, + "server.watchdog_period": 3, + "watchdogScheduleSignal": 1, + "zmalloc_used_memory": 8, + "server.stat_peak_memory": 5, + "server.shutdown_asap": 3, + "prepareForShutdown": 2, + "REDIS_OK": 23, + "vkeys": 8, + "server.activerehashing": 2, + "server.slaves": 9, + "server.aof_rewrite_scheduled": 4, + "rewriteAppendOnlyFileBackground": 2, + "statloc": 5, + "wait3": 1, + "WNOHANG": 1, + "exitcode": 3, + "bysignal": 4, + "backgroundSaveDoneHandler": 1, + "backgroundRewriteDoneHandler": 1, + "server.saveparamslen": 3, + "saveparam": 1, + "*sp": 1, + "server.saveparams": 2, + "server.dirty": 3, + "sp": 4, + "changes": 2, + "server.lastsave": 3, + "seconds": 2, + "REDIS_NOTICE": 13, + "rdbSaveBackground": 1, + "server.rdb_filename": 4, + "server.aof_rewrite_perc": 3, + "server.aof_current_size": 2, + "server.aof_rewrite_min_size": 2, + "base": 1, + "server.aof_rewrite_base_size": 4, + "growth": 3, + "server.aof_current_size*100/base": 1, + "server.aof_flush_postponed_start": 2, + "flushAppendOnlyFile": 2, + "server.masterhost": 7, + "freeClientsInAsyncFreeQueue": 1, + "replicationCron": 1, + "server.cluster_enabled": 6, + "clusterCron": 1, + "beforeSleep": 2, + "*ln": 3, + "server.unblocked_clients": 4, + "ln": 8, + "redisAssert": 1, + "listDelNode": 1, + "REDIS_UNBLOCKED": 1, + "server.current_client": 3, + "processInputBuffer": 1, + "createSharedObjects": 2, + "shared.crlf": 2, + "createObject": 31, + "REDIS_STRING": 31, + "sdsnew": 27, + "shared.ok": 3, + "shared.err": 1, + "shared.emptybulk": 1, + "shared.czero": 1, + "shared.cone": 1, + "shared.cnegone": 1, + "shared.nullbulk": 1, + "shared.emptymultibulk": 1, + "shared.pong": 2, + "shared.queued": 2, + "shared.wrongtypeerr": 1, + "shared.nokeyerr": 1, + "shared.syntaxerr": 2, + "shared.sameobjecterr": 1, + "shared.outofrangeerr": 1, + "shared.noscripterr": 1, + "shared.loadingerr": 2, + "shared.slowscripterr": 2, + "shared.masterdownerr": 2, + "shared.bgsaveerr": 2, + "shared.roslaveerr": 2, + "shared.oomerr": 2, + "shared.space": 1, + "shared.colon": 1, + "shared.plus": 1, + "REDIS_SHARED_SELECT_CMDS": 1, + "shared.select": 1, + "sdscatprintf": 24, + "sdsempty": 8, + "shared.messagebulk": 1, + "shared.pmessagebulk": 1, + "shared.subscribebulk": 1, + "shared.unsubscribebulk": 1, + "shared.psubscribebulk": 1, + "shared.punsubscribebulk": 1, + "shared.del": 1, + "shared.rpop": 1, + "shared.lpop": 1, + "REDIS_SHARED_INTEGERS": 1, + "shared.integers": 2, + "void*": 135, + "REDIS_SHARED_BULKHDR_LEN": 1, + "shared.mbulkhdr": 1, + "shared.bulkhdr": 1, + "initServerConfig": 2, + "getRandomHexChars": 1, + "server.runid": 3, + "REDIS_RUN_ID_SIZE": 2, + "server.arch_bits": 3, + "server.port": 7, + "REDIS_SERVERPORT": 1, + "server.bindaddr": 2, + "server.unixsocket": 7, + "server.unixsocketperm": 2, + "server.ipfd": 9, + "server.sofd": 9, + "REDIS_DEFAULT_DBNUM": 1, + "REDIS_MAXIDLETIME": 1, + "server.client_max_querybuf_len": 1, + "REDIS_MAX_QUERYBUF_LEN": 1, + "server.loading": 4, + "server.syslog_ident": 2, + "zstrdup": 5, + "server.syslog_facility": 2, + "LOG_LOCAL0": 1, + "server.aof_state": 7, + "REDIS_AOF_OFF": 5, + "server.aof_fsync": 1, + "AOF_FSYNC_EVERYSEC": 1, + "server.aof_no_fsync_on_rewrite": 1, + "REDIS_AOF_REWRITE_PERC": 1, + "REDIS_AOF_REWRITE_MIN_SIZE": 1, + "server.aof_last_fsync": 1, + "server.aof_rewrite_time_last": 2, + "server.aof_rewrite_time_start": 2, + "server.aof_delayed_fsync": 2, + "server.aof_fd": 4, + "server.aof_selected_db": 1, + "server.pidfile": 3, + "server.aof_filename": 3, + "server.requirepass": 4, + "server.rdb_compression": 1, + "server.rdb_checksum": 1, + "server.maxclients": 6, + "REDIS_MAX_CLIENTS": 1, + "server.bpop_blocked_clients": 2, + "server.maxmemory": 6, + "server.maxmemory_policy": 11, + "REDIS_MAXMEMORY_VOLATILE_LRU": 3, + "server.maxmemory_samples": 3, + "server.hash_max_ziplist_entries": 1, + "REDIS_HASH_MAX_ZIPLIST_ENTRIES": 1, + "server.hash_max_ziplist_value": 1, + "REDIS_HASH_MAX_ZIPLIST_VALUE": 1, + "server.list_max_ziplist_entries": 1, + "REDIS_LIST_MAX_ZIPLIST_ENTRIES": 1, + "server.list_max_ziplist_value": 1, + "REDIS_LIST_MAX_ZIPLIST_VALUE": 1, + "server.set_max_intset_entries": 1, + "REDIS_SET_MAX_INTSET_ENTRIES": 1, + "server.zset_max_ziplist_entries": 1, + "REDIS_ZSET_MAX_ZIPLIST_ENTRIES": 1, + "server.zset_max_ziplist_value": 1, + "REDIS_ZSET_MAX_ZIPLIST_VALUE": 1, + "server.repl_ping_slave_period": 1, + "REDIS_REPL_PING_SLAVE_PERIOD": 1, + "server.repl_timeout": 1, + "REDIS_REPL_TIMEOUT": 1, + "server.cluster.configfile": 1, + "server.lua_caller": 1, + "server.lua_time_limit": 1, + "REDIS_LUA_TIME_LIMIT": 1, + "server.lua_client": 1, + "server.lua_timedout": 2, + "resetServerSaveParams": 2, + "appendServerSaveParams": 3, + "*60": 1, + "server.masterauth": 1, + "server.masterport": 2, + "server.master": 3, + "server.repl_state": 6, + "REDIS_REPL_NONE": 1, + "server.repl_syncio_timeout": 1, + "REDIS_REPL_SYNCIO_TIMEOUT": 1, + "server.repl_serve_stale_data": 2, + "server.repl_slave_ro": 2, + "server.repl_down_since": 2, + "server.client_obuf_limits": 9, + "REDIS_CLIENT_LIMIT_CLASS_NORMAL": 3, + ".hard_limit_bytes": 3, + ".soft_limit_bytes": 3, + ".soft_limit_seconds": 3, + "REDIS_CLIENT_LIMIT_CLASS_SLAVE": 3, + "*1024*256": 1, + "*1024*64": 1, + "REDIS_CLIENT_LIMIT_CLASS_PUBSUB": 3, + "*1024*32": 1, + "*1024*8": 1, + "/R_Zero": 2, + "R_Zero/R_Zero": 1, + "server.commands": 1, + "dictCreate": 6, + "populateCommandTable": 2, + "server.delCommand": 1, + "lookupCommandByCString": 3, + "server.multiCommand": 1, + "server.lpushCommand": 1, + "server.slowlog_log_slower_than": 1, + "REDIS_SLOWLOG_LOG_SLOWER_THAN": 1, + "server.slowlog_max_len": 1, + "REDIS_SLOWLOG_MAX_LEN": 1, + "server.assert_failed": 1, + "server.assert_file": 1, + "server.assert_line": 1, + "server.bug_report_start": 1, + "adjustOpenFilesLimit": 2, + "rlim_t": 3, + "maxfiles": 6, + "rlimit": 1, + "limit": 3, + "getrlimit": 1, + "RLIMIT_NOFILE": 2, + "oldlimit": 5, + "limit.rlim_cur": 2, + "limit.rlim_max": 1, + "setrlimit": 1, + "initServer": 2, + "signal": 2, + "SIGHUP": 1, + "SIG_IGN": 2, + "SIGPIPE": 1, + "setupSignalHandlers": 2, + "openlog": 1, + "LOG_PID": 1, + "LOG_NDELAY": 1, + "LOG_NOWAIT": 1, + "listCreate": 6, + "server.clients_to_close": 1, + "server.monitors": 2, + "server.el": 7, + "aeCreateEventLoop": 1, + "zmalloc": 2, + "*server.dbnum": 1, + "anetTcpServer": 1, + "server.neterr": 4, + "ANET_ERR": 2, + "unlink": 3, + "anetUnixServer": 1, + ".blocking_keys": 1, + ".watched_keys": 1, + ".id": 1, + "server.pubsub_channels": 2, + "server.pubsub_patterns": 4, + "listSetFreeMethod": 1, + "freePubsubPattern": 1, + "listSetMatchMethod": 1, + "listMatchPubsubPattern": 1, + "aofRewriteBufferReset": 1, + "server.aof_buf": 3, + "server.rdb_save_time_last": 2, + "server.rdb_save_time_start": 2, + "server.stat_numconnections": 2, + "server.stat_evictedkeys": 3, + "server.stat_starttime": 2, + "server.stat_keyspace_misses": 2, + "server.stat_keyspace_hits": 2, + "server.stat_fork_time": 2, + "server.stat_rejected_conn": 2, + "server.lastbgsave_status": 3, + "server.stop_writes_on_bgsave_err": 2, + "aeCreateTimeEvent": 1, + "aeCreateFileEvent": 2, + "AE_READABLE": 2, + "acceptTcpHandler": 1, + "AE_ERR": 2, + "acceptUnixHandler": 1, + "REDIS_AOF_ON": 2, + "LL*": 1, + "REDIS_MAXMEMORY_NO_EVICTION": 2, + "clusterInit": 1, + "scriptingInit": 1, + "slowlogInit": 1, + "bioInit": 1, + "numcommands": 5, + "sflags": 1, + "retval": 3, + "arity": 3, + "addReplyErrorFormat": 1, + "authenticated": 3, + "proc": 14, + "addReplyError": 6, + "getkeys_proc": 1, + "firstkey": 1, + "hashslot": 3, + "server.cluster.state": 1, + "REDIS_CLUSTER_OK": 1, + "ask": 3, + "clusterNode": 1, + "*n": 1, + "getNodeByQuery": 1, + "server.cluster.myself": 1, + "addReplySds": 3, + "ip": 4, + "freeMemoryIfNeeded": 2, + "REDIS_CMD_DENYOOM": 1, + "REDIS_ERR": 5, + "REDIS_CMD_WRITE": 2, + "REDIS_REPL_CONNECTED": 3, + "tolower": 2, + "REDIS_MULTI": 1, + "queueMultiCommand": 1, + "call": 1, + "REDIS_CALL_FULL": 1, + "save": 2, + "REDIS_SHUTDOWN_SAVE": 1, + "nosave": 2, + "REDIS_SHUTDOWN_NOSAVE": 1, + "SIGKILL": 2, + "rdbRemoveTempFile": 1, + "aof_fsync": 1, + "rdbSave": 1, + "addReplyBulk": 1, + "addReplyMultiBulkLen": 1, + "addReplyBulkLongLong": 2, + "bytesToHuman": 3, + "*s": 3, + "sprintf": 10, + "n/": 3, + "LL*1024*1024": 2, + "LL*1024*1024*1024": 1, + "genRedisInfoString": 2, + "*section": 2, + "info": 64, + "uptime": 2, + "rusage": 1, + "self_ru": 2, + "c_ru": 2, + "lol": 3, + "bib": 3, + "allsections": 12, + "defsections": 11, + "sections": 11, + "section": 14, + "getrusage": 2, + "RUSAGE_SELF": 1, + "RUSAGE_CHILDREN": 1, + "getClientsMaxBuffers": 1, + "utsname": 1, + "sdscat": 14, + "uname": 1, + "REDIS_VERSION": 4, + "redisGitSHA1": 3, + "strtol": 2, + "redisGitDirty": 3, + "name.sysname": 1, + "name.release": 1, + "name.machine": 1, + "aeGetApiName": 1, + "__GNUC_MINOR__": 2, + "__GNUC_PATCHLEVEL__": 1, + "uptime/": 1, + "*24": 1, + "hmem": 3, + "peak_hmem": 3, + "zmalloc_get_rss": 1, + "lua_gc": 1, + "server.lua": 1, + "LUA_GCCOUNT": 1, + "*1024LL": 1, + "zmalloc_get_fragmentation_ratio": 1, + "ZMALLOC_LIB": 2, + "aofRewriteBufferSize": 2, + "bioPendingJobsOfType": 1, + "REDIS_BIO_AOF_FSYNC": 1, + "perc": 3, + "eta": 4, + "elapsed": 3, + "off_t": 1, + "remaining_bytes": 1, + "server.loading_total_bytes": 3, + "server.loading_loaded_bytes": 3, + "server.loading_start_time": 2, + "elapsed*remaining_bytes": 1, + "/server.loading_loaded_bytes": 1, + "REDIS_REPL_TRANSFER": 2, + "server.repl_transfer_left": 1, + "server.repl_transfer_lastio": 1, + "slaveid": 3, + "listIter": 2, + "li": 6, + "listRewind": 2, + "listNext": 2, + "*slave": 2, + "*state": 1, + "anetPeerToString": 1, + "slave": 3, + "replstate": 1, + "REDIS_REPL_WAIT_BGSAVE_START": 1, + "REDIS_REPL_WAIT_BGSAVE_END": 1, + "REDIS_REPL_SEND_BULK": 1, + "REDIS_REPL_ONLINE": 1, + "float": 26, + "self_ru.ru_stime.tv_sec": 1, + "self_ru.ru_stime.tv_usec/1000000": 1, + "self_ru.ru_utime.tv_sec": 1, + "self_ru.ru_utime.tv_usec/1000000": 1, + "c_ru.ru_stime.tv_sec": 1, + "c_ru.ru_stime.tv_usec/1000000": 1, + "c_ru.ru_utime.tv_sec": 1, + "c_ru.ru_utime.tv_usec/1000000": 1, + "calls": 4, + "microseconds": 1, + "microseconds/c": 1, + "keys": 4, + "REDIS_MONITOR": 1, + "slaveseldb": 1, + "listAddNodeTail": 1, + "mem_used": 9, + "mem_tofree": 3, + "mem_freed": 4, + "slaves": 3, + "obuf_bytes": 3, + "getClientOutputBufferMemoryUsage": 1, + "k": 15, + "keys_freed": 3, + "bestval": 5, + "bestkey": 9, + "REDIS_MAXMEMORY_ALLKEYS_LRU": 2, + "REDIS_MAXMEMORY_ALLKEYS_RANDOM": 2, + "REDIS_MAXMEMORY_VOLATILE_RANDOM": 1, + "thiskey": 7, + "thisval": 8, + "dictFind": 1, + "dictGetVal": 2, + "estimateObjectIdleTime": 1, + "REDIS_MAXMEMORY_VOLATILE_TTL": 1, + "flushSlavesOutputBuffers": 1, + "linuxOvercommitMemoryValue": 2, + "fgets": 1, + "atoi": 3, + "linuxOvercommitMemoryWarning": 2, + "createPidFile": 2, + "daemonize": 2, + "STDIN_FILENO": 1, + "STDERR_FILENO": 2, + "version": 4, + "usage": 2, + "redisAsciiArt": 2, + "*16": 2, + "ascii_logo": 1, + "sigtermHandler": 2, + "sig": 2, + "sigaction": 6, + "act": 6, + "sigemptyset": 2, + "act.sa_mask": 2, + "act.sa_flags": 2, + "act.sa_handler": 1, + "SIGTERM": 1, + "HAVE_BACKTRACE": 1, + "SA_NODEFER": 1, + "SA_RESETHAND": 1, + "SA_SIGINFO": 1, + "act.sa_sigaction": 1, + "sigsegvHandler": 1, + "SIGSEGV": 1, + "SIGBUS": 1, + "SIGFPE": 1, + "SIGILL": 1, + "memtest": 2, + "megabytes": 1, + "passes": 1, + "zmalloc_enable_thread_safeness": 1, + "srand": 1, + "dictSetHashFunctionSeed": 1, + "*configfile": 1, + "configfile": 2, + "sdscatrepr": 1, + "loadServerConfig": 1, + "loadAppendOnlyFile": 1, + "/1000000": 2, + "rdbLoad": 1, + "aeSetBeforeSleepProc": 1, + "aeMain": 1, + "aeDeleteEventLoop": 1, + "": 1, + "": 2, + "": 2, + "rfUTF8_IsContinuationbyte": 1, + "e.t.c.": 1, + "rfFReadLine_UTF8": 5, + "FILE*": 64, + "utf8": 36, + "uint32_t*": 34, + "byteLength": 197, + "bufferSize": 6, + "eof": 53, + "bytesN": 98, + "bIndex": 5, + "RF_NEWLINE_CRLF": 1, + "newLineFound": 1, + "*bufferSize": 1, + "RF_OPTION_FGETS_READBYTESN": 5, + "RF_MALLOC": 47, + "tempBuff": 6, + "RF_LF": 10, + "buff": 95, + "RF_SUCCESS": 14, + "RE_FILE_EOF": 22, + "found": 20, + "*eofReached": 14, + "LOG_ERROR": 64, + "RF_HEXEQ_UI": 7, + "rfFgetc_UTF32BE": 3, + "else//": 14, + "undo": 5, + "peek": 5, + "ahead": 5, + "file": 6, + "pointer": 5, + "fseek": 19, + "SEEK_CUR": 19, + "rfFgets_UTF32LE": 2, + "eofReached": 4, + "rfFgetc_UTF32LE": 4, + "rfFgets_UTF16BE": 2, + "rfFgetc_UTF16BE": 4, + "rfFgets_UTF16LE": 2, + "rfFgetc_UTF16LE": 4, + "rfFgets_UTF8": 2, + "rfFgetc_UTF8": 3, + "RF_HEXEQ_C": 9, + "fgetc": 9, + "check": 8, + "RE_FILE_READ": 2, + "cp": 12, + "c2": 13, + "c3": 9, + "c4": 5, + "i_READ_CHECK": 20, + "///": 4, + "success": 4, + "cc": 24, + "we": 10, + "more": 2, + "bytes": 225, + "xC0": 3, + "xC1": 1, + "RE_UTF8_INVALID_SEQUENCE_INVALID_BYTE": 6, + "RE_UTF8_INVALID_SEQUENCE_END": 6, + "rfUTF8_IsContinuationByte": 12, + "RE_UTF8_INVALID_SEQUENCE_CONBYTE": 6, + "decoded": 3, + "codepoint": 47, + "F": 38, + "xE0": 2, + "xF": 5, + "decode": 6, + "xF0": 2, + "RF_HEXGE_C": 1, + "xBF": 2, + "//invalid": 1, + "byte": 6, + "are": 6, + "xFF": 1, + "//if": 1, + "needing": 1, + "than": 5, + "swapE": 21, + "v1": 38, + "v2": 26, + "rfUTILS_Endianess": 24, + "RF_LITTLE_ENDIAN": 23, + "fread": 12, + "endianess": 40, + "needed": 10, + "rfUTILS_SwapEndianUS": 10, + "RF_HEXGE_US": 4, + "xD800": 8, + "RF_HEXLE_US": 4, + "xDFFF": 8, + "RF_HEXL_US": 8, + "RF_HEXG_US": 8, + "xDBFF": 4, + "RE_UTF16_INVALID_SEQUENCE": 20, + "RE_UTF16_NO_SURRPAIR": 2, + "xDC00": 4, + "user": 2, + "wants": 2, + "ff": 10, + "uint16_t*": 11, + "surrogate": 4, + "pair": 4, + "existence": 2, + "RF_BIG_ENDIAN": 10, + "rfUTILS_SwapEndianUI": 11, + "rfFback_UTF32BE": 2, + "i_FSEEK_CHECK": 14, + "rfFback_UTF32LE": 2, + "rfFback_UTF16BE": 2, + "rfFback_UTF16LE": 2, + "rfFback_UTF8": 2, + "depending": 1, + "number": 19, + "read": 1, + "backwards": 1, + "RE_UTF8_INVALID_SEQUENCE": 2, + "REFU_IO_H": 2, + "": 2, + "opening": 2, + "bracket": 4, + "calling": 4, + "C": 14, + "xA": 1, + "RF_CR": 1, + "xD": 1, + "REFU_WIN32_VERSION": 1, + "i_PLUSB_WIN32": 2, + "foff_rft": 2, + "off64_t": 1, + "///Fseek": 1, + "and": 15, + "Ftelll": 1, + "definitions": 1, + "rfFseek": 2, + "i_FILE_": 16, + "i_OFFSET_": 4, + "i_WHENCE_": 4, + "_fseeki64": 1, + "rfFtell": 2, + "_ftelli64": 1, + "fseeko64": 1, + "ftello64": 1, + "i_DECLIMEX_": 121, + "rfFReadLine_UTF16BE": 6, + "rfFReadLine_UTF16LE": 4, + "rfFReadLine_UTF32BE": 1, + "rfFReadLine_UTF32LE": 4, + "rfFgets_UTF32BE": 1, + "RF_IAMHERE_FOR_DOXYGEN": 22, + "rfPopen": 2, + "command": 2, + "i_rfPopen": 2, + "i_CMD_": 2, + "i_MODE_": 2, + "i_rfLMS_WRAP2": 5, + "rfPclose": 1, + "stream": 3, + "///closing": 1, + "#endif//include": 1, + "guards": 2, + "": 1, + "": 2, + "local": 5, + "stack": 6, + "memory": 4, + "RF_OPTION_DEFAULT_ARGUMENTS": 24, + "RF_String*": 222, + "rfString_Create": 4, + "i_rfString_Create": 3, + "READ_VSNPRINTF_ARGS": 5, + "rfUTF8_VerifySequence": 7, + "RF_FAILURE": 24, + "RE_STRING_INIT_FAILURE": 8, + "buffAllocated": 11, + "RF_String": 27, + "i_NVrfString_Create": 3, + "i_rfString_CreateLocal1": 3, + "RF_OPTION_SOURCE_ENCODING": 30, + "RF_UTF8": 8, + "characterLength": 16, + "*codepoints": 2, + "rfLMS_MacroEvalPtr": 2, + "RF_LMS": 6, + "RF_UTF16_LE": 9, + "RF_UTF16_BE": 7, + "codepoints": 44, + "i/2": 2, + "#elif": 14, + "RF_UTF32_LE": 3, + "RF_UTF32_BE": 3, + "UTF16": 4, + "rfUTF16_Decode": 5, + "rfUTF16_Decode_swap": 5, + "RF_UTF16_BE//": 2, + "RF_UTF32_LE//": 2, + "copy": 4, + "UTF32": 4, + "into": 8, + "RF_UTF32_BE//": 2, + "": 2, + "any": 3, + "other": 16, + "UTF": 17, + "8": 15, + "encode": 2, + "them": 3, + "rfUTF8_Encode": 4, + "While": 2, + "attempting": 2, + "create": 2, + "temporary": 4, + "given": 5, + "sequence": 6, + "could": 2, + "not": 6, + "be": 6, + "properly": 2, + "encoded": 2, + "RE_UTF8_ENCODING": 2, + "End": 2, + "Non": 2, + "code=": 2, + "normally": 1, + "since": 5, + "here": 5, + "have": 2, + "validity": 2, + "get": 4, + "Error": 2, + "at": 3, + "String": 11, + "Allocation": 2, + "due": 2, + "invalid": 2, + "rfLMS_Push": 4, + "Memory": 4, + "allocation": 3, + "Local": 2, + "Stack": 2, + "failed": 2, + "Insufficient": 2, + "space": 4, + "Consider": 2, + "compiling": 2, + "library": 3, + "with": 9, + "bigger": 3, + "Quitting": 2, + "proccess": 2, + "RE_LOCALMEMSTACK_INSUFFICIENT": 8, + "i_NVrfString_CreateLocal": 3, + "during": 1, + "rfString_Init": 3, + "i_rfString_Init": 3, + "i_NVrfString_Init": 3, + "rfString_Create_cp": 2, + "rfString_Init_cp": 3, + "RF_HEXLE_UI": 8, + "RF_HEXGE_UI": 6, + "C0": 3, + "ffff": 4, + "xFC0": 4, + "xF000": 2, + "xE": 2, + "F000": 2, + "C0000": 2, + "E": 11, + "RE_UTF8_INVALID_CODE_POINT": 2, + "rfString_Create_i": 2, + "numLen": 8, + "max": 4, + "is": 17, + "most": 3, + "environment": 3, + "so": 4, + "chars": 3, + "will": 3, + "certainly": 3, + "fit": 3, + "it": 12, + "strcpy": 4, + "rfString_Init_i": 2, + "rfString_Create_f": 2, + "rfString_Init_f": 2, + "rfString_Create_UTF16": 2, + "rfString_Init_UTF16": 3, + "utf8ByteLength": 34, + "last": 1, + "utf": 1, + "null": 4, + "termination": 3, + "byteLength*2": 1, + "allocate": 1, + "same": 1, + "as": 4, + "different": 1, + "RE_INPUT": 1, + "ends": 3, + "rfString_Create_UTF32": 2, + "rfString_Init_UTF32": 3, + "codeBuffer": 9, + "xFEFF": 1, + "big": 14, + "endian": 20, + "xFFFE0000": 1, + "little": 7, + "according": 1, + "standard": 1, + "no": 4, + "BOM": 1, + "means": 1, + "rfUTF32_Length": 1, + "i_rfString_Assign": 3, + "dest": 7, + "sourceP": 2, + "source": 8, + "RF_REALLOC": 9, + "rfString_Assign_char": 2, + "<5)>": 1, + "rfString_Create_nc": 3, + "i_rfString_Create_nc": 3, + "bytesWritten": 2, + "i_NVrfString_Create_nc": 3, + "rfString_Init_nc": 4, + "i_rfString_Init_nc": 3, + "i_NVrfString_Init_nc": 3, + "rfString_Destroy": 2, + "rfString_Deinit": 3, + "rfString_ToUTF16": 4, + "charsN": 5, + "rfUTF8_Decode": 2, + "rfUTF16_Encode": 1, + "rfString_ToUTF32": 4, + "rfString_Length": 5, + "RF_STRING_ITERATE_START": 9, + "RF_STRING_ITERATE_END": 9, + "rfString_GetChar": 2, + "thisstr": 210, + "codePoint": 18, + "RF_STRING_INDEX_OUT_OF_BOUNDS": 2, + "rfString_BytePosToCodePoint": 7, + "rfString_BytePosToCharPos": 4, + "thisstrP": 32, + "bytepos": 12, + "before": 4, + "charPos": 8, + "byteI": 7, + "i_rfString_Equal": 3, + "s1P": 2, + "s2P": 2, + "i_rfString_Find": 5, + "sstrP": 6, + "optionsP": 11, + "sstr": 39, + "*optionsP": 8, + "RF_BITFLAG_ON": 5, + "RF_CASE_IGNORE": 2, + "strstr": 2, + "RF_MATCH_WORD": 5, + "exact": 6, + "": 1, + "0x5a": 1, + "0x7a": 1, + "substring": 5, + "search": 1, + "zero": 2, + "equals": 1, + "then": 1, + "okay": 1, + "rfString_Equal": 4, + "RFS_": 8, + "ERANGE": 1, + "RE_STRING_TOFLOAT_UNDERFLOW": 1, + "RE_STRING_TOFLOAT": 1, + "rfString_Copy_OUT": 2, + "srcP": 6, + "rfString_Copy_IN": 2, + "dst": 15, + "rfString_Copy_chars": 2, + "bytePos": 23, + "terminate": 1, + "i_rfString_ScanfAfter": 3, + "afterstrP": 2, + "format": 4, + "afterstr": 5, + "sscanf": 1, + "<=0)>": 1, + "Counts": 1, + "how": 1, + "many": 1, + "times": 1, + "occurs": 1, + "inside": 2, + "i_rfString_Count": 5, + "sstr2": 2, + "move": 12, + "rfString_FindBytePos": 10, + "rfString_Tokenize": 2, + "sep": 3, + "tokensN": 2, + "RF_String**": 2, + "*tokensN": 1, + "rfString_Count": 4, + "lstr": 6, + "lstrP": 1, + "rstr": 24, + "rstrP": 5, + "rfString_After": 4, + "rfString_Beforev": 4, + "parNP": 6, + "i_rfString_Beforev": 16, + "parN": 10, + "*parNP": 2, + "minPos": 17, + "thisPos": 8, + "argList": 8, + "va_arg": 2, + "i_rfString_Before": 5, + "i_rfString_After": 5, + "afterP": 2, + "after": 6, + "rfString_Afterv": 4, + "i_rfString_Afterv": 16, + "minPosLength": 3, + "go": 8, + "i_rfString_Append": 3, + "otherP": 4, + "strncat": 1, + "rfString_Append_i": 2, + "rfString_Append_f": 2, + "i_rfString_Prepend": 3, + "goes": 1, + "i_rfString_Remove": 6, + "numberP": 1, + "*numberP": 1, + "occurences": 5, + "done": 1, + "<=thisstr->": 1, + "i_rfString_KeepOnly": 3, + "keepstrP": 2, + "keepLength": 2, + "charValue": 12, + "*keepChars": 1, + "keepstr": 5, + "exists": 6, + "charBLength": 5, + "keepChars": 4, + "*keepLength": 1, + "rfString_Iterate_Start": 6, + "rfString_Iterate_End": 4, + "": 1, + "does": 1, + "exist": 2, + "back": 1, + "cover": 1, + "that": 9, + "effectively": 1, + "gets": 1, + "deleted": 1, + "rfUTF8_FromCodepoint": 1, + "this": 5, + "kind": 1, + "non": 1, + "clean": 1, + "way": 1, + "macro": 2, + "internally": 1, + "uses": 1, + "byteIndex_": 12, + "variable": 1, + "use": 1, + "determine": 1, + "backs": 1, + "by": 1, + "contiuing": 1, + "make": 3, + "sure": 2, + "position": 1, + "won": 1, + "array": 1, + "rfString_PruneStart": 2, + "nBytePos": 23, + "rfString_PruneEnd": 2, + "RF_STRING_ITERATEB_START": 2, + "RF_STRING_ITERATEB_END": 2, + "rfString_PruneMiddleB": 2, + "pBytePos": 15, + "indexing": 1, + "works": 1, + "pbytePos": 2, + "pth": 2, + "include": 6, + "rfString_PruneMiddleF": 2, + "got": 1, + "all": 2, + "i_rfString_Replace": 6, + "numP": 1, + "*numP": 1, + "RF_StringX": 2, + "just": 1, + "finding": 1, + "foundN": 10, + "bSize": 4, + "bytePositions": 17, + "bSize*sizeof": 1, + "rfStringX_FromString_IN": 1, + "temp.bIndex": 2, + "temp.bytes": 1, + "temp.byteLength": 1, + "rfStringX_Deinit": 1, + "replace": 3, + "removed": 2, + "one": 2, + "orSize": 5, + "nSize": 4, + "number*diff": 1, + "strncpy": 3, + "smaller": 1, + "diff*number": 1, + "remove": 1, + "equal": 1, + "i_rfString_StripStart": 3, + "subP": 7, + "RF_String*sub": 2, + "noMatch": 8, + "*subValues": 2, + "subLength": 6, + "subValues": 8, + "*subLength": 2, + "i_rfString_StripEnd": 3, + "lastBytePos": 4, + "testity": 2, + "i_rfString_Strip": 3, + "res1": 2, + "rfString_StripStart": 3, + "res2": 2, + "rfString_StripEnd": 3, + "rfString_Create_fUTF8": 2, + "rfString_Init_fUTF8": 3, + "unused": 3, + "rfString_Assign_fUTF8": 2, + "FILE*f": 2, + "utf8BufferSize": 4, + "function": 6, + "rfString_Append_fUTF8": 2, + "rfString_Append": 5, + "rfString_Create_fUTF16": 2, + "rfString_Init_fUTF16": 3, + "rfString_Assign_fUTF16": 2, + "rfString_Append_fUTF16": 2, + "char*utf8": 3, + "rfString_Create_fUTF32": 2, + "rfString_Init_fUTF32": 3, + "<0)>": 1, + "Failure": 1, + "initialize": 1, + "reading": 1, + "Little": 1, + "Endian": 1, + "32": 1, + "bytesN=": 1, + "rfString_Assign_fUTF32": 2, + "rfString_Append_fUTF32": 2, + "i_rfString_Fwrite": 5, + "sP": 2, + "encodingP": 1, + "*utf32": 1, + "utf16": 11, + "*encodingP": 1, + "fwrite": 5, + "logging": 5, + "utf32": 10, + "i_WRITE_CHECK": 1, + "RE_FILE_WRITE": 1, + "REFU_USTRING_H": 2, + "": 1, + "RF_MODULE_STRINGS//": 1, + "included": 2, + "module": 3, + "": 1, + "argument": 1, + "wrapping": 1, + "functionality": 1, + "": 1, + "unicode": 2, + "xFF0FFFF": 1, + "rfUTF8_IsContinuationByte2": 1, + "b__": 3, + "0xBF": 1, + "pragma": 1, + "pack": 2, + "push": 1, + "internal": 4, + "author": 1, + "Lefteris": 1, + "09": 1, + "12": 1, + "2010": 1, + "endinternal": 1, + "brief": 1, + "A": 11, + "representation": 2, + "The": 1, + "Refu": 2, + "Unicode": 1, + "has": 2, + "two": 1, + "versions": 1, + "One": 1, + "ref": 1, + "what": 1, + "operations": 1, + "can": 2, + "performed": 1, + "extended": 3, + "Strings": 2, + "Functions": 1, + "convert": 1, + "but": 1, + "always": 2, + "Once": 1, + "been": 1, + "created": 1, + "assumed": 1, + "valid": 1, + "every": 1, + "performs": 1, + "unless": 1, + "otherwise": 1, + "specified": 1, + "All": 1, + "functions": 2, + "which": 1, + "isinherited": 1, + "StringX": 2, + "their": 1, + "description": 1, + "safely": 1, + "specific": 1, + "or": 1, + "needs": 1, + "manipulate": 1, + "Extended": 1, + "To": 1, + "documentation": 1, + "even": 1, + "clearer": 1, + "should": 2, + "marked": 1, + "notinherited": 1, + "cppcode": 1, + "constructor": 1, + "i_StringCHandle": 1, + "@endcpp": 1, + "@endinternal": 1, + "*/": 1, + "#pragma": 1, + "pop": 1, + "i_rfString_CreateLocal": 2, + "__VA_ARGS__": 66, + "RP_SELECT_FUNC_IF_NARGIS": 5, + "i_SELECT_RF_STRING_CREATE": 1, + "i_SELECT_RF_STRING_CREATE1": 1, + "i_SELECT_RF_STRING_CREATE0": 1, + "///Internal": 1, + "creates": 1, + "i_SELECT_RF_STRING_CREATELOCAL": 1, + "i_SELECT_RF_STRING_CREATELOCAL1": 1, + "i_SELECT_RF_STRING_CREATELOCAL0": 1, + "i_SELECT_RF_STRING_INIT": 1, + "i_SELECT_RF_STRING_INIT1": 1, + "i_SELECT_RF_STRING_INIT0": 1, + "code": 6, + "i_SELECT_RF_STRING_CREATE_NC": 1, + "i_SELECT_RF_STRING_CREATE_NC1": 1, + "i_SELECT_RF_STRING_CREATE_NC0": 1, + "i_SELECT_RF_STRING_INIT_NC": 1, + "i_SELECT_RF_STRING_INIT_NC1": 1, + "i_SELECT_RF_STRING_INIT_NC0": 1, + "//@": 1, + "rfString_Assign": 2, + "i_DESTINATION_": 2, + "i_SOURCE_": 2, + "rfString_ToUTF8": 2, + "i_STRING_": 2, + "rfString_ToCstr": 2, + "uint32_t*length": 1, + "string_": 9, + "startCharacterPos_": 4, + "characterUnicodeValue_": 4, + "j_": 6, + "//Two": 1, + "macros": 1, + "accomplish": 1, + "going": 1, + "backwards.": 1, + "This": 1, + "its": 1, + "pair.": 1, + "rfString_IterateB_Start": 1, + "characterPos_": 5, + "b_index_": 6, + "c_index_": 3, + "rfString_IterateB_End": 1, + "i_STRING1_": 2, + "i_STRING2_": 2, + "i_rfLMSX_WRAP2": 4, + "rfString_Find": 3, + "i_THISSTR_": 60, + "i_SEARCHSTR_": 26, + "i_OPTIONS_": 28, + "i_rfLMS_WRAP3": 4, + "i_RFI8_": 54, + "RF_SELECT_FUNC_IF_NARGGT": 10, + "i_NPSELECT_RF_STRING_FIND": 1, + "i_NPSELECT_RF_STRING_FIND1": 1, + "RF_COMPILE_ERROR": 33, + "i_NPSELECT_RF_STRING_FIND0": 1, + "RF_SELECT_FUNC": 10, + "i_SELECT_RF_STRING_FIND": 1, + "i_SELECT_RF_STRING_FIND2": 1, + "i_SELECT_RF_STRING_FIND3": 1, + "i_SELECT_RF_STRING_FIND1": 1, + "i_SELECT_RF_STRING_FIND0": 1, + "rfString_ToInt": 1, + "int32_t*": 1, + "rfString_ToDouble": 1, + "double*": 1, + "rfString_ScanfAfter": 2, + "i_AFTERSTR_": 8, + "i_FORMAT_": 2, + "i_VAR_": 2, + "i_rfLMSX_WRAP4": 11, + "i_NPSELECT_RF_STRING_COUNT": 1, + "i_NPSELECT_RF_STRING_COUNT1": 1, + "i_NPSELECT_RF_STRING_COUNT0": 1, + "i_SELECT_RF_STRING_COUNT": 1, + "i_SELECT_RF_STRING_COUNT2": 1, + "i_rfLMSX_WRAP3": 5, + "i_SELECT_RF_STRING_COUNT3": 1, + "i_SELECT_RF_STRING_COUNT1": 1, + "i_SELECT_RF_STRING_COUNT0": 1, + "rfString_Between": 3, + "i_rfString_Between": 4, + "i_NPSELECT_RF_STRING_BETWEEN": 1, + "i_NPSELECT_RF_STRING_BETWEEN1": 1, + "i_NPSELECT_RF_STRING_BETWEEN0": 1, + "i_SELECT_RF_STRING_BETWEEN": 1, + "i_SELECT_RF_STRING_BETWEEN4": 1, + "i_LEFTSTR_": 6, + "i_RIGHTSTR_": 6, + "i_RESULT_": 12, + "i_rfLMSX_WRAP5": 9, + "i_SELECT_RF_STRING_BETWEEN5": 1, + "i_SELECT_RF_STRING_BETWEEN3": 1, + "i_SELECT_RF_STRING_BETWEEN2": 1, + "i_SELECT_RF_STRING_BETWEEN1": 1, + "i_SELECT_RF_STRING_BETWEEN0": 1, + "i_NPSELECT_RF_STRING_BEFOREV": 1, + "i_NPSELECT_RF_STRING_BEFOREV1": 1, + "RF_SELECT_FUNC_IF_NARGGT2": 2, + "i_LIMSELECT_RF_STRING_BEFOREV": 1, + "i_NPSELECT_RF_STRING_BEFOREV0": 1, + "i_LIMSELECT_RF_STRING_BEFOREV1": 1, + "i_LIMSELECT_RF_STRING_BEFOREV0": 1, + "i_SELECT_RF_STRING_BEFOREV": 1, + "i_SELECT_RF_STRING_BEFOREV5": 1, + "i_ARG1_": 56, + "i_ARG2_": 56, + "i_ARG3_": 56, + "i_ARG4_": 56, + "i_RFUI8_": 28, + "i_SELECT_RF_STRING_BEFOREV6": 1, + "i_rfLMSX_WRAP6": 2, + "i_SELECT_RF_STRING_BEFOREV7": 1, + "i_rfLMSX_WRAP7": 2, + "i_SELECT_RF_STRING_BEFOREV8": 1, + "i_rfLMSX_WRAP8": 2, + "i_SELECT_RF_STRING_BEFOREV9": 1, + "i_rfLMSX_WRAP9": 2, + "i_SELECT_RF_STRING_BEFOREV10": 1, + "i_rfLMSX_WRAP10": 2, + "i_SELECT_RF_STRING_BEFOREV11": 1, + "i_rfLMSX_WRAP11": 2, + "i_SELECT_RF_STRING_BEFOREV12": 1, + "i_rfLMSX_WRAP12": 2, + "i_SELECT_RF_STRING_BEFOREV13": 1, + "i_rfLMSX_WRAP13": 2, + "i_SELECT_RF_STRING_BEFOREV14": 1, + "i_rfLMSX_WRAP14": 2, + "i_SELECT_RF_STRING_BEFOREV15": 1, + "i_rfLMSX_WRAP15": 2, + "i_SELECT_RF_STRING_BEFOREV16": 1, + "i_rfLMSX_WRAP16": 2, + "i_SELECT_RF_STRING_BEFOREV17": 1, + "i_rfLMSX_WRAP17": 2, + "i_SELECT_RF_STRING_BEFOREV18": 1, + "i_rfLMSX_WRAP18": 2, + "rfString_Before": 3, + "i_NPSELECT_RF_STRING_BEFORE": 1, + "i_NPSELECT_RF_STRING_BEFORE1": 1, + "i_NPSELECT_RF_STRING_BEFORE0": 1, + "i_SELECT_RF_STRING_BEFORE": 1, + "i_SELECT_RF_STRING_BEFORE3": 1, + "i_SELECT_RF_STRING_BEFORE4": 1, + "i_SELECT_RF_STRING_BEFORE2": 1, + "i_SELECT_RF_STRING_BEFORE1": 1, + "i_SELECT_RF_STRING_BEFORE0": 1, + "i_NPSELECT_RF_STRING_AFTER": 1, + "i_NPSELECT_RF_STRING_AFTER1": 1, + "i_NPSELECT_RF_STRING_AFTER0": 1, + "i_SELECT_RF_STRING_AFTER": 1, + "i_SELECT_RF_STRING_AFTER3": 1, + "i_OUTSTR_": 6, + "i_SELECT_RF_STRING_AFTER4": 1, + "i_SELECT_RF_STRING_AFTER2": 1, + "i_SELECT_RF_STRING_AFTER1": 1, + "i_SELECT_RF_STRING_AFTER0": 1, + "i_NPSELECT_RF_STRING_AFTERV": 1, + "i_NPSELECT_RF_STRING_AFTERV1": 1, + "i_LIMSELECT_RF_STRING_AFTERV": 1, + "i_NPSELECT_RF_STRING_AFTERV0": 1, + "i_LIMSELECT_RF_STRING_AFTERV1": 1, + "i_LIMSELECT_RF_STRING_AFTERV0": 1, + "i_SELECT_RF_STRING_AFTERV": 1, + "i_SELECT_RF_STRING_AFTERV5": 1, + "i_SELECT_RF_STRING_AFTERV6": 1, + "i_SELECT_RF_STRING_AFTERV7": 1, + "i_SELECT_RF_STRING_AFTERV8": 1, + "i_SELECT_RF_STRING_AFTERV9": 1, + "i_SELECT_RF_STRING_AFTERV10": 1, + "i_SELECT_RF_STRING_AFTERV11": 1, + "i_SELECT_RF_STRING_AFTERV12": 1, + "i_SELECT_RF_STRING_AFTERV13": 1, + "i_SELECT_RF_STRING_AFTERV14": 1, + "i_SELECT_RF_STRING_AFTERV15": 1, + "i_SELECT_RF_STRING_AFTERV16": 1, + "i_SELECT_RF_STRING_AFTERV17": 1, + "i_SELECT_RF_STRING_AFTERV18": 1, + "i_OTHERSTR_": 4, + "rfString_Prepend": 2, + "rfString_Remove": 3, + "i_NPSELECT_RF_STRING_REMOVE": 1, + "i_NPSELECT_RF_STRING_REMOVE1": 1, + "i_NPSELECT_RF_STRING_REMOVE0": 1, + "i_SELECT_RF_STRING_REMOVE": 1, + "i_SELECT_RF_STRING_REMOVE2": 1, + "i_REPSTR_": 16, + "i_RFUI32_": 8, + "i_SELECT_RF_STRING_REMOVE3": 1, + "i_NUMBER_": 12, + "i_SELECT_RF_STRING_REMOVE4": 1, + "i_SELECT_RF_STRING_REMOVE1": 1, + "i_SELECT_RF_STRING_REMOVE0": 1, + "rfString_KeepOnly": 2, + "I_KEEPSTR_": 2, + "rfString_Replace": 3, + "i_NPSELECT_RF_STRING_REPLACE": 1, + "i_NPSELECT_RF_STRING_REPLACE1": 1, + "i_NPSELECT_RF_STRING_REPLACE0": 1, + "i_SELECT_RF_STRING_REPLACE": 1, + "i_SELECT_RF_STRING_REPLACE3": 1, + "i_SELECT_RF_STRING_REPLACE4": 1, + "i_SELECT_RF_STRING_REPLACE5": 1, + "i_SELECT_RF_STRING_REPLACE2": 1, + "i_SELECT_RF_STRING_REPLACE1": 1, + "i_SELECT_RF_STRING_REPLACE0": 1, + "i_SUBSTR_": 6, + "rfString_Strip": 2, + "rfString_Fwrite": 2, + "i_NPSELECT_RF_STRING_FWRITE": 1, + "i_NPSELECT_RF_STRING_FWRITE1": 1, + "i_NPSELECT_RF_STRING_FWRITE0": 1, + "i_SELECT_RF_STRING_FWRITE": 1, + "i_SELECT_RF_STRING_FWRITE3": 1, + "i_STR_": 8, + "i_ENCODING_": 4, + "i_SELECT_RF_STRING_FWRITE2": 1, + "i_SELECT_RF_STRING_FWRITE1": 1, + "i_SELECT_RF_STRING_FWRITE0": 1, + "rfString_Fwrite_fUTF8": 1, + "closing": 1, + "#error": 4, + "Attempted": 1, + "manipulation": 1, + "flag": 1, + "off.": 1, + "Rebuild": 1, + "added": 1, + "you": 1, + "#endif//": 1, + "PY_SSIZE_T_CLEAN": 1, + "Py_PYTHON_H": 1, + "Python": 2, + "headers": 1, + "compile": 1, + "extensions": 1, + "please": 1, + "install": 1, + "development": 1, + "Python.": 1, + "PY_VERSION_HEX": 11, + "Cython": 1, + "requires": 1, + ".": 1, + "offsetof": 2, + "member": 2, + "type*": 1, + "WIN32": 2, + "MS_WINDOWS": 2, + "__stdcall": 2, + "__cdecl": 2, + "__fastcall": 2, + "DL_IMPORT": 2, + "DL_EXPORT": 2, + "PY_LONG_LONG": 5, + "LONG_LONG": 1, + "Py_HUGE_VAL": 2, + "HUGE_VAL": 1, + "PYPY_VERSION": 1, + "CYTHON_COMPILING_IN_PYPY": 3, + "CYTHON_COMPILING_IN_CPYTHON": 6, + "Py_ssize_t": 35, + "PY_SSIZE_T_MAX": 1, + "INT_MAX": 1, + "PY_SSIZE_T_MIN": 1, + "INT_MIN": 1, + "PY_FORMAT_SIZE_T": 1, + "CYTHON_FORMAT_SSIZE_T": 2, + "PyInt_FromSsize_t": 6, + "PyInt_FromLong": 3, + "PyInt_AsSsize_t": 3, + "__Pyx_PyInt_AsInt": 2, + "PyNumber_Index": 1, + "PyNumber_Check": 2, + "PyFloat_Check": 2, + "PyNumber_Int": 1, + "PyErr_Format": 4, + "PyExc_TypeError": 4, + "Py_TYPE": 7, + "tp_name": 4, + "PyObject*": 24, + "__Pyx_PyIndex_Check": 3, + "PyComplex_Check": 1, + "PyIndex_Check": 2, + "PyErr_WarnEx": 1, + "category": 2, + "stacklevel": 1, + "PyErr_Warn": 1, + "__PYX_BUILD_PY_SSIZE_T": 2, + "Py_REFCNT": 1, + "ob_refcnt": 1, + "ob_type": 7, + "Py_SIZE": 1, + "PyVarObject*": 1, + "ob_size": 1, + "PyVarObject_HEAD_INIT": 1, + "PyObject_HEAD_INIT": 1, + "PyType_Modified": 1, + "PyObject": 276, + "itemsize": 1, + "readonly": 1, + "ndim": 2, + "*shape": 1, + "*strides": 1, + "*suboffsets": 1, + "*internal": 1, + "Py_buffer": 6, + "PyBUF_SIMPLE": 1, + "PyBUF_WRITABLE": 3, + "PyBUF_FORMAT": 3, + "PyBUF_ND": 2, + "PyBUF_STRIDES": 6, + "PyBUF_C_CONTIGUOUS": 1, + "PyBUF_F_CONTIGUOUS": 1, + "PyBUF_ANY_CONTIGUOUS": 1, + "PyBUF_INDIRECT": 2, + "PyBUF_RECORDS": 1, + "PyBUF_FULL": 1, + "PY_MAJOR_VERSION": 13, + "__Pyx_BUILTIN_MODULE_NAME": 2, + "__Pyx_PyCode_New": 2, + "l": 7, + "fv": 4, + "cell": 4, + "fline": 4, + "lnos": 4, + "PyCode_New": 2, + "PY_MINOR_VERSION": 1, + "PyUnicode_FromString": 2, + "PyUnicode_Decode": 1, + "Py_TPFLAGS_CHECKTYPES": 1, + "Py_TPFLAGS_HAVE_INDEX": 1, + "Py_TPFLAGS_HAVE_NEWBUFFER": 1, + "PyUnicode_KIND": 1, + "CYTHON_PEP393_ENABLED": 2, + "__Pyx_PyUnicode_READY": 2, + "op": 8, + "PyUnicode_IS_READY": 1, + "_PyUnicode_Ready": 1, + "__Pyx_PyUnicode_GET_LENGTH": 2, + "PyUnicode_GET_LENGTH": 1, + "__Pyx_PyUnicode_READ_CHAR": 2, + "PyUnicode_READ_CHAR": 1, + "__Pyx_PyUnicode_READ": 2, + "PyUnicode_READ": 1, + "PyUnicode_GET_SIZE": 1, + "Py_UCS4": 2, + "PyUnicode_AS_UNICODE": 1, + "Py_UNICODE*": 1, + "PyBaseString_Type": 1, + "PyUnicode_Type": 2, + "PyStringObject": 2, + "PyUnicodeObject": 1, + "PyString_Type": 2, + "PyString_Check": 2, + "PyUnicode_Check": 1, + "PyString_CheckExact": 2, + "PyUnicode_CheckExact": 1, + "PyBytesObject": 1, + "PyBytes_Type": 1, + "PyBytes_Check": 1, + "PyBytes_CheckExact": 1, + "PyBytes_FromString": 2, + "PyString_FromString": 2, + "PyBytes_FromStringAndSize": 1, + "PyString_FromStringAndSize": 1, + "PyBytes_FromFormat": 1, + "PyString_FromFormat": 1, + "PyBytes_DecodeEscape": 1, + "PyString_DecodeEscape": 1, + "PyBytes_AsString": 2, + "PyString_AsString": 1, + "PyBytes_AsStringAndSize": 1, + "PyString_AsStringAndSize": 1, + "PyBytes_Size": 1, + "PyString_Size": 1, + "PyBytes_AS_STRING": 1, + "PyString_AS_STRING": 1, + "PyBytes_GET_SIZE": 1, + "PyString_GET_SIZE": 1, + "PyBytes_Repr": 1, + "PyString_Repr": 1, + "PyBytes_Concat": 1, + "PyString_Concat": 1, + "PyBytes_ConcatAndDel": 1, + "PyString_ConcatAndDel": 1, + "PySet_Check": 1, + "PyObject_TypeCheck": 3, + "PySet_Type": 2, + "PyFrozenSet_Check": 1, + "PyFrozenSet_Type": 1, + "PySet_CheckExact": 2, + "__Pyx_TypeCheck": 1, + "PyTypeObject": 25, + "PyIntObject": 1, + "PyLongObject": 2, + "PyInt_Type": 1, + "PyLong_Type": 1, + "PyInt_Check": 1, + "PyLong_Check": 1, + "PyInt_CheckExact": 1, + "PyLong_CheckExact": 1, + "PyInt_FromString": 1, + "PyLong_FromString": 1, + "PyInt_FromUnicode": 1, + "PyLong_FromUnicode": 1, + "PyLong_FromLong": 1, + "PyInt_FromSize_t": 1, + "PyLong_FromSize_t": 1, + "PyLong_FromSsize_t": 1, + "PyInt_AsLong": 2, + "PyLong_AsLong": 1, + "PyInt_AS_LONG": 1, + "PyLong_AS_LONG": 1, + "PyLong_AsSsize_t": 1, + "PyInt_AsUnsignedLongMask": 1, + "PyLong_AsUnsignedLongMask": 1, + "PyInt_AsUnsignedLongLongMask": 1, + "PyLong_AsUnsignedLongLongMask": 1, + "PyBoolObject": 1, + "Py_hash_t": 1, + "__Pyx_PyInt_FromHash_t": 2, + "__Pyx_PyInt_AsHash_t": 2, + "__Pyx_PySequence_GetSlice": 2, + "PySequence_GetSlice": 2, + "__Pyx_PySequence_SetSlice": 2, + "PySequence_SetSlice": 2, + "__Pyx_PySequence_DelSlice": 2, + "PySequence_DelSlice": 2, + "PyErr_SetString": 3, + "PyExc_SystemError": 3, + "tp_as_mapping": 3, + "PyMethod_New": 2, + "func": 3, + "klass": 1, + "PyInstanceMethod_New": 1, + "__Pyx_GetAttrString": 2, + "PyObject_GetAttrString": 2, + "__Pyx_SetAttrString": 2, + "PyObject_SetAttrString": 2, + "__Pyx_DelAttrString": 2, + "PyObject_DelAttrString": 2, + "__Pyx_NAMESTR": 2, + "__Pyx_DOCSTR": 2, + "__Pyx_PyNumber_Divide": 2, + "y": 14, + "PyNumber_TrueDivide": 1, + "__Pyx_PyNumber_InPlaceDivide": 2, + "PyNumber_InPlaceTrueDivide": 1, + "PyNumber_Divide": 1, + "PyNumber_InPlaceDivide": 1, + "__PYX_EXTERN_C": 3, + "_USE_MATH_DEFINES": 1, + "__PYX_HAVE__sklearn__linear_model__sgd_fast": 1, + "__PYX_HAVE_API__sklearn__linear_model__sgd_fast": 1, + "_OPENMP": 1, + "": 1, + "PYREX_WITHOUT_ASSERTIONS": 1, + "CYTHON_WITHOUT_ASSERTIONS": 1, + "CYTHON_INLINE": 65, + "__inline__": 1, + "__inline": 1, + "__STDC_VERSION__": 2, + "L": 1, + "CYTHON_UNUSED": 14, + "**p": 1, + "is_unicode": 1, + "is_str": 1, + "intern": 1, + "__Pyx_StringTabEntry": 2, + "__Pyx_PyBytes_FromUString": 1, + "__Pyx_PyBytes_AsUString": 1, + "__Pyx_Owned_Py_None": 1, + "Py_INCREF": 10, + "Py_None": 8, + "__Pyx_PyBool_FromLong": 1, + "Py_True": 2, + "Py_False": 2, + "__Pyx_PyObject_IsTrue": 1, + "__Pyx_PyNumber_Int": 1, + "__Pyx_PyIndex_AsSsize_t": 1, + "__Pyx_PyInt_FromSize_t": 1, + "__Pyx_PyInt_AsSize_t": 1, + "__pyx_PyFloat_AsDouble": 12, + "PyFloat_CheckExact": 1, + "PyFloat_AS_DOUBLE": 1, + "PyFloat_AsDouble": 2, + "__pyx_PyFloat_AsFloat": 1, + "__builtin_expect": 2, + "*__pyx_m": 1, + "*__pyx_b": 1, + "*__pyx_empty_tuple": 1, + "*__pyx_empty_bytes": 1, + "__pyx_lineno": 58, + "__pyx_clineno": 58, + "__pyx_cfilenm": 1, + "__FILE__": 4, + "*__pyx_filename": 7, + "CYTHON_CCOMPLEX": 12, + "_Complex_I": 3, + "": 1, + "": 1, + "__sun__": 1, + "fj": 1, + "*__pyx_f": 1, + "IS_UNSIGNED": 1, + "__Pyx_StructField_": 2, + "__PYX_BUF_FLAGS_PACKED_STRUCT": 1, + "__Pyx_StructField_*": 1, + "fields": 1, + "arraysize": 1, + "typegroup": 1, + "is_unsigned": 1, + "__Pyx_TypeInfo": 2, + "__Pyx_TypeInfo*": 2, + "offset": 1, + "__Pyx_StructField": 2, + "__Pyx_StructField*": 1, + "field": 1, + "parent_offset": 1, + "__Pyx_BufFmt_StackElem": 1, + "root": 1, + "__Pyx_BufFmt_StackElem*": 2, + "fmt_offset": 1, + "new_count": 1, + "enc_count": 1, + "struct_alignment": 1, + "is_complex": 1, + "enc_type": 1, + "new_packmode": 1, + "enc_packmode": 1, + "is_valid_array": 1, + "__Pyx_BufFmt_Context": 1, + "npy_int8": 1, + "__pyx_t_5numpy_int8_t": 1, + "npy_int16": 1, + "__pyx_t_5numpy_int16_t": 1, + "npy_int32": 1, + "__pyx_t_5numpy_int32_t": 4, + "npy_int64": 1, + "__pyx_t_5numpy_int64_t": 1, + "npy_uint8": 1, + "__pyx_t_5numpy_uint8_t": 1, + "npy_uint16": 1, + "__pyx_t_5numpy_uint16_t": 1, + "npy_uint32": 1, + "__pyx_t_5numpy_uint32_t": 1, + "npy_uint64": 1, + "__pyx_t_5numpy_uint64_t": 1, + "npy_float32": 1, + "__pyx_t_5numpy_float32_t": 1, + "npy_float64": 1, + "__pyx_t_5numpy_float64_t": 4, + "npy_long": 1, + "__pyx_t_5numpy_int_t": 1, + "npy_longlong": 2, + "__pyx_t_5numpy_long_t": 1, + "__pyx_t_5numpy_longlong_t": 1, + "npy_ulong": 1, + "__pyx_t_5numpy_uint_t": 1, + "npy_ulonglong": 2, + "__pyx_t_5numpy_ulong_t": 1, + "__pyx_t_5numpy_ulonglong_t": 1, + "npy_intp": 1, + "__pyx_t_5numpy_intp_t": 1, + "npy_uintp": 1, + "__pyx_t_5numpy_uintp_t": 1, + "npy_double": 2, + "__pyx_t_5numpy_float_t": 1, + "__pyx_t_5numpy_double_t": 1, + "npy_longdouble": 1, + "__pyx_t_5numpy_longdouble_t": 1, + "__pyx_t_7sklearn_5utils_13weight_vector_DOUBLE": 2, + "__pyx_t_7sklearn_5utils_13weight_vector_INTEGER": 1, + "__pyx_t_7sklearn_5utils_11seq_dataset_DOUBLE": 7, + "__pyx_t_7sklearn_5utils_11seq_dataset_INTEGER": 7, + "__pyx_t_7sklearn_12linear_model_8sgd_fast_DOUBLE": 4, + "__pyx_t_7sklearn_12linear_model_8sgd_fast_INTEGER": 3, + "std": 8, + "complex": 2, + "__pyx_t_float_complex": 27, + "_Complex": 2, + "real": 2, + "imag": 2, + "__pyx_t_double_complex": 27, + "__pyx_obj_7sklearn_12linear_model_8sgd_fast_LossFunction": 15, + "__pyx_obj_7sklearn_12linear_model_8sgd_fast_Regression": 11, + "__pyx_obj_7sklearn_12linear_model_8sgd_fast_Huber": 6, + "__pyx_obj_7sklearn_5utils_11seq_dataset_SequentialDataset": 5, + "__pyx_obj_7sklearn_12linear_model_8sgd_fast_EpsilonInsensitive": 6, + "__pyx_obj_7sklearn_12linear_model_8sgd_fast_Classification": 7, + "__pyx_obj_7sklearn_5utils_11seq_dataset_CSRDataset": 2, + "__pyx_obj_7sklearn_12linear_model_8sgd_fast_Log": 5, + "__pyx_obj_7sklearn_12linear_model_8sgd_fast_Hinge": 6, + "__pyx_obj_7sklearn_5utils_11seq_dataset_ArrayDataset": 2, + "__pyx_obj_7sklearn_12linear_model_8sgd_fast_SquaredHinge": 6, + "__pyx_obj_7sklearn_12linear_model_8sgd_fast_ModifiedHuber": 5, + "__pyx_obj_7sklearn_5utils_13weight_vector_WeightVector": 3, + "__pyx_obj_7sklearn_12linear_model_8sgd_fast_SquaredLoss": 5, + "__pyx_obj_7sklearn_12linear_model_8sgd_fast_SquaredEpsilonInsensitive": 6, + "npy_cfloat": 1, + "__pyx_t_5numpy_cfloat_t": 1, + "npy_cdouble": 2, + "__pyx_t_5numpy_cdouble_t": 1, + "npy_clongdouble": 1, + "__pyx_t_5numpy_clongdouble_t": 1, + "__pyx_t_5numpy_complex_t": 1, + "PyObject_HEAD": 3, + "__pyx_vtabstruct_7sklearn_12linear_model_8sgd_fast_LossFunction": 5, + "*__pyx_vtab": 3, + "__pyx_base": 18, + "__pyx_vtabstruct_7sklearn_5utils_11seq_dataset_SequentialDataset": 4, + "n_samples": 1, + "epsilon": 2, + "current_index": 2, + "stride": 2, + "*X_data_ptr": 2, + "*X_indptr_ptr": 1, + "*X_indices_ptr": 1, + "*Y_data_ptr": 2, + "PyArrayObject": 8, + "*feature_indices": 2, + "*feature_indices_ptr": 2, + "*index": 2, + "*index_data_ptr": 2, + "*sample_weight_data": 2, + "threshold": 2, + "n_features": 2, + "__pyx_vtabstruct_7sklearn_5utils_13weight_vector_WeightVector": 3, + "*w_data_ptr": 1, + "wscale": 1, + "sq_norm": 1, + "*__pyx_vtabptr_7sklearn_5utils_11seq_dataset_SequentialDataset": 1, + "__pyx_vtabstruct_7sklearn_5utils_11seq_dataset_ArrayDataset": 2, + "*__pyx_vtabptr_7sklearn_5utils_11seq_dataset_ArrayDataset": 1, + "__pyx_vtabstruct_7sklearn_5utils_11seq_dataset_CSRDataset": 2, + "*__pyx_vtabptr_7sklearn_5utils_11seq_dataset_CSRDataset": 1, + "__pyx_vtabstruct_7sklearn_12linear_model_8sgd_fast_EpsilonInsensitive": 2, + "__pyx_vtabstruct_7sklearn_12linear_model_8sgd_fast_Regression": 3, + "*__pyx_vtabptr_7sklearn_12linear_model_8sgd_fast_EpsilonInsensitive": 1, + "__pyx_vtabstruct_7sklearn_12linear_model_8sgd_fast_SquaredHinge": 2, + "*__pyx_vtabptr_7sklearn_12linear_model_8sgd_fast_SquaredHinge": 1, + "__pyx_vtabstruct_7sklearn_12linear_model_8sgd_fast_Huber": 2, + "*__pyx_vtabptr_7sklearn_12linear_model_8sgd_fast_Huber": 1, + "__pyx_vtabstruct_7sklearn_12linear_model_8sgd_fast_Hinge": 2, + "__pyx_vtabstruct_7sklearn_12linear_model_8sgd_fast_Classification": 1, + "*__pyx_vtabptr_7sklearn_12linear_model_8sgd_fast_Hinge": 1, + "*__pyx_vtabptr_7sklearn_5utils_13weight_vector_WeightVector": 1, + "CYTHON_REFNANNY": 3, + "__Pyx_RefNannyAPIStruct": 3, + "*__Pyx_RefNanny": 1, + "*__Pyx_RefNannyImportAPI": 1, + "*modname": 1, + "__Pyx_RefNannyDeclarations": 11, + "*__pyx_refnanny": 1, + "WITH_THREAD": 1, + "__Pyx_RefNannySetupContext": 12, + "acquire_gil": 4, + "PyGILState_STATE": 1, + "__pyx_gilstate_save": 2, + "PyGILState_Ensure": 1, + "__pyx_refnanny": 8, + "__Pyx_RefNanny": 8, + "SetupContext": 3, + "PyGILState_Release": 1, + "__Pyx_RefNannyFinishContext": 14, + "FinishContext": 1, + "__Pyx_INCREF": 6, + "INCREF": 1, + "__Pyx_DECREF": 20, + "DECREF": 1, + "__Pyx_GOTREF": 24, + "GOTREF": 1, + "__Pyx_GIVEREF": 9, + "GIVEREF": 1, + "__Pyx_XINCREF": 2, + "__Pyx_XDECREF": 20, + "__Pyx_XGOTREF": 2, + "__Pyx_XGIVEREF": 5, + "Py_DECREF": 2, + "Py_XINCREF": 1, + "Py_XDECREF": 1, + "__Pyx_CLEAR": 1, + "__Pyx_XCLEAR": 1, + "*__Pyx_GetName": 1, + "__Pyx_ErrRestore": 1, + "*type": 4, + "*tb": 2, + "__Pyx_ErrFetch": 1, + "**type": 1, + "**value": 1, + "**tb": 1, + "__Pyx_Raise": 4, + "*cause": 1, + "__Pyx_RaiseArgtupleInvalid": 7, + "func_name": 2, + "num_min": 1, + "num_max": 1, + "num_found": 1, + "__Pyx_RaiseDoubleKeywordsError": 1, + "kw_name": 1, + "__Pyx_ParseOptionalKeywords": 4, + "*kwds": 1, + "**argnames": 1, + "*kwds2": 1, + "*values": 1, + "num_pos_args": 1, + "function_name": 1, + "__Pyx_ArgTypeTest": 1, + "none_allowed": 1, + "__Pyx_GetBufferAndValidate": 1, + "Py_buffer*": 2, + "dtype": 1, + "nd": 1, + "cast": 1, + "__Pyx_SafeReleaseBuffer": 1, + "__Pyx_TypeTest": 1, + "__Pyx_RaiseBufferFallbackError": 1, + "*__Pyx_GetItemInt_Generic": 1, + "*r": 7, + "PyObject_GetItem": 1, + "__Pyx_GetItemInt_List": 1, + "to_py_func": 6, + "__Pyx_GetItemInt_List_Fast": 1, + "__Pyx_GetItemInt_Generic": 6, + "*__Pyx_GetItemInt_List_Fast": 1, + "PyList_GET_SIZE": 5, + "PyList_GET_ITEM": 3, + "PySequence_GetItem": 3, + "__Pyx_GetItemInt_Tuple": 1, + "__Pyx_GetItemInt_Tuple_Fast": 1, + "*__Pyx_GetItemInt_Tuple_Fast": 1, + "PyTuple_GET_SIZE": 14, + "PyTuple_GET_ITEM": 15, + "__Pyx_GetItemInt": 1, + "__Pyx_GetItemInt_Fast": 2, + "PyList_CheckExact": 1, + "PyTuple_CheckExact": 1, + "PySequenceMethods": 1, + "*m": 1, + "tp_as_sequence": 1, + "sq_item": 2, + "sq_length": 2, + "PySequence_Check": 1, + "__Pyx_RaiseTooManyValuesError": 1, + "expected": 2, + "__Pyx_RaiseNeedMoreValuesError": 1, + "__Pyx_RaiseNoneNotIterableError": 1, + "__Pyx_IterFinish": 1, + "__Pyx_IternextUnpackEndCheck": 1, + "*retval": 1, + "shape": 1, + "strides": 1, + "suboffsets": 1, + "__Pyx_Buf_DimInfo": 2, + "pybuffer": 1, + "__Pyx_Buffer": 2, + "*rcbuffer": 1, + "diminfo": 1, + "__Pyx_LocalBuf_ND": 1, + "__Pyx_GetBuffer": 2, + "*view": 2, + "__Pyx_ReleaseBuffer": 2, + "PyObject_GetBuffer": 1, + "PyBuffer_Release": 1, + "__Pyx_zeros": 1, + "__Pyx_minusones": 1, + "*__Pyx_Import": 1, + "*from_list": 1, + "__Pyx_RaiseImportError": 1, + "__Pyx_Print": 1, + "__pyx_print": 1, + "__pyx_print_kwargs": 1, + "__Pyx_PrintOne": 1, + "__Pyx_CREAL": 4, + ".real": 3, + "__Pyx_CIMAG": 4, + ".imag": 3, + "__real__": 1, + "__imag__": 1, + "__Pyx_SET_CREAL": 2, + "__Pyx_SET_CIMAG": 2, + "__pyx_t_float_complex_from_parts": 1, + "__Pyx_c_eqf": 2, + "__Pyx_c_sumf": 2, + "__Pyx_c_difff": 2, + "__Pyx_c_prodf": 2, + "__Pyx_c_quotf": 2, + "__Pyx_c_negf": 2, + "__Pyx_c_is_zerof": 3, + "__Pyx_c_conjf": 3, + "conj": 3, + "__Pyx_c_absf": 3, + "abs": 2, + "__Pyx_c_powf": 3, + "pow": 2, + "conjf": 1, + "cabsf": 1, + "cpowf": 1, + "__pyx_t_double_complex_from_parts": 1, + "__Pyx_c_eq": 2, + "__Pyx_c_sum": 2, + "__Pyx_c_diff": 2, + "__Pyx_c_prod": 2, + "__Pyx_c_quot": 2, + "__Pyx_c_neg": 2, + "__Pyx_c_is_zero": 3, + "__Pyx_c_conj": 3, + "__Pyx_c_abs": 3, + "__Pyx_c_pow": 3, + "cabs": 1, + "cpow": 1, + "__Pyx_PyInt_AsUnsignedChar": 1, + "__Pyx_PyInt_AsUnsignedShort": 1, + "__Pyx_PyInt_AsUnsignedInt": 1, + "__Pyx_PyInt_AsChar": 1, + "__Pyx_PyInt_AsShort": 1, + "signed": 5, + "__Pyx_PyInt_AsSignedChar": 1, + "__Pyx_PyInt_AsSignedShort": 1, + "__Pyx_PyInt_AsSignedInt": 1, + "__Pyx_PyInt_AsLongDouble": 1, + "__Pyx_PyInt_AsUnsignedLong": 1, + "__Pyx_PyInt_AsUnsignedLongLong": 1, + "__Pyx_PyInt_AsLong": 1, + "__Pyx_PyInt_AsLongLong": 1, + "__Pyx_PyInt_AsSignedLong": 1, + "__Pyx_PyInt_AsSignedLongLong": 1, + "__Pyx_WriteUnraisable": 4, + "clineno": 1, + "lineno": 1, + "*filename": 2, + "__Pyx_check_binary_version": 1, + "__Pyx_SetVtable": 1, + "*vtable": 1, + "__Pyx_PyIdentifier_FromString": 3, + "*__Pyx_ImportModule": 1, + "*__Pyx_ImportType": 1, + "*module_name": 1, + "*class_name": 1, + "__Pyx_GetVtable": 1, + "code_line": 4, + "PyCodeObject*": 2, + "code_object": 2, + "__Pyx_CodeObjectCacheEntry": 1, + "__Pyx_CodeObjectCache": 2, + "max_count": 1, + "__Pyx_CodeObjectCacheEntry*": 2, + "entries": 2, + "__pyx_code_cache": 1, + "__pyx_bisect_code_objects": 1, + "PyCodeObject": 1, + "*__pyx_find_code_object": 1, + "__pyx_insert_code_object": 1, + "__Pyx_AddTraceback": 7, + "*funcname": 1, + "c_line": 1, + "py_line": 1, + "__Pyx_InitStrings": 1, + "*__pyx_ptype_7cpython_4type_type": 1, + "*__pyx_ptype_5numpy_dtype": 1, + "*__pyx_ptype_5numpy_flatiter": 1, + "*__pyx_ptype_5numpy_broadcast": 1, + "*__pyx_ptype_5numpy_ndarray": 1, + "*__pyx_ptype_5numpy_ufunc": 1, + "*__pyx_f_5numpy__util_dtypestring": 1, + "PyArray_Descr": 1, + "*__pyx_ptype_7sklearn_5utils_13weight_vector_WeightVector": 1, + "*__pyx_ptype_7sklearn_5utils_11seq_dataset_SequentialDataset": 1, + "*__pyx_ptype_7sklearn_5utils_11seq_dataset_ArrayDataset": 1, + "*__pyx_ptype_7sklearn_5utils_11seq_dataset_CSRDataset": 1, + "*__pyx_ptype_7sklearn_12linear_model_8sgd_fast_LossFunction": 1, + "*__pyx_ptype_7sklearn_12linear_model_8sgd_fast_Regression": 1, + "*__pyx_ptype_7sklearn_12linear_model_8sgd_fast_Classification": 1, + "*__pyx_ptype_7sklearn_12linear_model_8sgd_fast_ModifiedHuber": 1, + "*__pyx_ptype_7sklearn_12linear_model_8sgd_fast_Hinge": 1, + "*__pyx_ptype_7sklearn_12linear_model_8sgd_fast_SquaredHinge": 1, + "*__pyx_ptype_7sklearn_12linear_model_8sgd_fast_Log": 1, + "*__pyx_ptype_7sklearn_12linear_model_8sgd_fast_SquaredLoss": 1, + "*__pyx_ptype_7sklearn_12linear_model_8sgd_fast_Huber": 1, + "*__pyx_ptype_7sklearn_12linear_model_8sgd_fast_EpsilonInsensitive": 1, + "*__pyx_ptype_7sklearn_12linear_model_8sgd_fast_SquaredEpsilonInsensitive": 1, + "__pyx_f_7sklearn_12linear_model_8sgd_fast_max": 1, + "__pyx_f_7sklearn_12linear_model_8sgd_fast_min": 1, + "__pyx_f_7sklearn_12linear_model_8sgd_fast_sqnorm": 1, + "__pyx_f_7sklearn_12linear_model_8sgd_fast_l1penalty": 1, + "__Pyx_TypeInfo_nn___pyx_t_7sklearn_12linear_model_8sgd_fast_DOUBLE": 1, + "__Pyx_MODULE_NAME": 1, + "__pyx_module_is_main_sklearn__linear_model__sgd_fast": 1, + "*__pyx_builtin_NotImplementedError": 1, + "*__pyx_builtin_range": 1, + "*__pyx_builtin_ValueError": 1, + "*__pyx_builtin_RuntimeError": 1, + "*__pyx_pf_7sklearn_12linear_model_8sgd_fast_12LossFunction_loss": 2, + "*__pyx_v_self": 52, + "__pyx_v_p": 46, + "__pyx_v_y": 46, + "*__pyx_pf_7sklearn_12linear_model_8sgd_fast_12LossFunction_2dloss": 2, + "*__pyx_pf_7sklearn_12linear_model_8sgd_fast_10Regression_loss": 2, + "*__pyx_pf_7sklearn_12linear_model_8sgd_fast_10Regression_2dloss": 1, + "*__pyx_pf_7sklearn_12linear_model_8sgd_fast_14Classification_loss": 1, + "*__pyx_pf_7sklearn_12linear_model_8sgd_fast_14Classification_2dloss": 1, + "*__pyx_pf_7sklearn_12linear_model_8sgd_fast_13ModifiedHuber_loss": 1, + "*__pyx_pf_7sklearn_12linear_model_8sgd_fast_13ModifiedHuber_2dloss": 1, + "*__pyx_pf_7sklearn_12linear_model_8sgd_fast_13ModifiedHuber_4__reduce__": 1, + "__pyx_pf_7sklearn_12linear_model_8sgd_fast_5Hinge___init__": 1, + "__pyx_v_threshold": 2, + "*__pyx_pf_7sklearn_12linear_model_8sgd_fast_5Hinge_2loss": 1, + "*__pyx_pf_7sklearn_12linear_model_8sgd_fast_5Hinge_4dloss": 1, + "*__pyx_pf_7sklearn_12linear_model_8sgd_fast_5Hinge_6__reduce__": 1, + "__pyx_pf_7sklearn_12linear_model_8sgd_fast_12SquaredHinge___init__": 1, + "*__pyx_pf_7sklearn_12linear_model_8sgd_fast_12SquaredHinge_2loss": 1, + "*__pyx_pf_7sklearn_12linear_model_8sgd_fast_12SquaredHinge_4dloss": 1, + "*__pyx_pf_7sklearn_12linear_model_8sgd_fast_12SquaredHinge_6__reduce__": 1, + "*__pyx_pf_7sklearn_12linear_model_8sgd_fast_3Log_loss": 1, + "*__pyx_pf_7sklearn_12linear_model_8sgd_fast_3Log_2dloss": 1, + "*__pyx_pf_7sklearn_12linear_model_8sgd_fast_3Log_4__reduce__": 1, + "*__pyx_pf_7sklearn_12linear_model_8sgd_fast_11SquaredLoss_loss": 1, + "*__pyx_pf_7sklearn_12linear_model_8sgd_fast_11SquaredLoss_2dloss": 1, + "*__pyx_pf_7sklearn_12linear_model_8sgd_fast_11SquaredLoss_4__reduce__": 1, + "__pyx_pf_7sklearn_12linear_model_8sgd_fast_5Huber___init__": 1, + "__pyx_v_c": 1, + "*__pyx_pf_7sklearn_12linear_model_8sgd_fast_5Huber_2loss": 1, + "*__pyx_pf_7sklearn_12linear_model_8sgd_fast_5Huber_4dloss": 1, + "*__pyx_pf_7sklearn_12linear_model_8sgd_fast_5Huber_6__reduce__": 1, + "__pyx_pf_7sklearn_12linear_model_8sgd_fast_18EpsilonInsensitive___init__": 1, + "__pyx_v_epsilon": 2, + "*__pyx_pf_7sklearn_12linear_model_8sgd_fast_18EpsilonInsensitive_2loss": 1, + "*__pyx_pf_7sklearn_12linear_model_8sgd_fast_18EpsilonInsensitive_4dloss": 1, + "*__pyx_pf_7sklearn_12linear_model_8sgd_fast_18EpsilonInsensitive_6__reduce__": 1, + "__pyx_pf_7sklearn_12linear_model_8sgd_fast_25SquaredEpsilonInsensitive___init__": 1, + "*__pyx_pf_7sklearn_12linear_model_8sgd_fast_25SquaredEpsilonInsensitive_2loss": 1, + "*__pyx_pf_7sklearn_12linear_model_8sgd_fast_25SquaredEpsilonInsensitive_4dloss": 1, + "*__pyx_pf_7sklearn_12linear_model_8sgd_fast_25SquaredEpsilonInsensitive_6__reduce__": 1, + "*__pyx_pf_7sklearn_12linear_model_8sgd_fast_plain_sgd": 1, + "*__pyx_self": 1, + "*__pyx_v_weights": 1, + "__pyx_v_intercept": 1, + "*__pyx_v_loss": 1, + "__pyx_v_penalty_type": 1, + "__pyx_v_alpha": 1, + "__pyx_v_C": 1, + "__pyx_v_rho": 1, + "*__pyx_v_dataset": 1, + "__pyx_v_n_iter": 1, + "__pyx_v_fit_intercept": 1, + "__pyx_v_verbose": 1, + "__pyx_v_shuffle": 1, + "*__pyx_v_seed": 1, + "__pyx_v_weight_pos": 1, + "__pyx_v_weight_neg": 1, + "__pyx_v_learning_rate": 1, + "__pyx_v_eta0": 1, + "__pyx_v_power_t": 1, + "__pyx_v_t": 1, + "__pyx_v_intercept_decay": 1, + "__pyx_pf_5numpy_7ndarray___getbuffer__": 1, + "*__pyx_v_info": 2, + "__pyx_v_flags": 1, + "__pyx_pf_5numpy_7ndarray_2__releasebuffer__": 1, + "__pyx_k_1": 1, + "__pyx_k_2": 1, + "__pyx_k_3": 1, + "__pyx_k_4": 1, + "__pyx_k_6": 1, + "__pyx_k_8": 1, + "__pyx_k_10": 1, + "__pyx_k_12": 1, + "__pyx_k_13": 1, + "__pyx_k_16": 1, + "__pyx_k_20": 1, + "__pyx_k_21": 1, + "__pyx_k__B": 1, + "__pyx_k__C": 1, + "__pyx_k__H": 1, + "__pyx_k__I": 1, + "__pyx_k__L": 1, + "__pyx_k__O": 1, + "__pyx_k__Q": 1, + "__pyx_k__b": 1, + "__pyx_k__c": 1, + "__pyx_k__d": 1, + "__pyx_k__f": 1, + "__pyx_k__g": 1, + "__pyx_k__h": 1, + "__pyx_k__i": 1, + "__pyx_k__l": 1, + "__pyx_k__p": 1, + "__pyx_k__q": 1, + "__pyx_k__t": 1, + "__pyx_k__u": 1, + "__pyx_k__w": 1, + "__pyx_k__y": 1, + "__pyx_k__Zd": 1, + "__pyx_k__Zf": 1, + "__pyx_k__Zg": 1, + "__pyx_k__np": 1, + "__pyx_k__any": 1, + "__pyx_k__eta": 1, + "__pyx_k__rho": 1, + "__pyx_k__sys": 1, + "__pyx_k__eta0": 1, + "__pyx_k__loss": 1, + "__pyx_k__seed": 1, + "__pyx_k__time": 1, + "__pyx_k__xnnz": 1, + "__pyx_k__alpha": 1, + "__pyx_k__count": 1, + "__pyx_k__dloss": 1, + "__pyx_k__dtype": 1, + "__pyx_k__epoch": 1, + "__pyx_k__isinf": 1, + "__pyx_k__isnan": 1, + "__pyx_k__numpy": 1, + "__pyx_k__order": 1, + "__pyx_k__range": 1, + "__pyx_k__shape": 1, + "__pyx_k__zeros": 1, + "__pyx_k__n_iter": 1, + "__pyx_k__update": 1, + "__pyx_k__dataset": 1, + "__pyx_k__epsilon": 1, + "__pyx_k__float64": 1, + "__pyx_k__nonzero": 1, + "__pyx_k__power_t": 1, + "__pyx_k__shuffle": 1, + "__pyx_k__sumloss": 1, + "__pyx_k__t_start": 1, + "__pyx_k__verbose": 1, + "__pyx_k__weights": 1, + "__pyx_k____main__": 1, + "__pyx_k____test__": 1, + "__pyx_k__is_hinge": 1, + "__pyx_k__intercept": 1, + "__pyx_k__n_samples": 1, + "__pyx_k__plain_sgd": 1, + "__pyx_k__threshold": 1, + "__pyx_k__x_ind_ptr": 1, + "__pyx_k__ValueError": 1, + "__pyx_k__n_features": 1, + "__pyx_k__q_data_ptr": 1, + "__pyx_k__weight_neg": 1, + "__pyx_k__weight_pos": 1, + "__pyx_k__x_data_ptr": 1, + "__pyx_k__RuntimeError": 1, + "__pyx_k__class_weight": 1, + "__pyx_k__penalty_type": 1, + "__pyx_k__fit_intercept": 1, + "__pyx_k__learning_rate": 1, + "__pyx_k__sample_weight": 1, + "__pyx_k__intercept_decay": 1, + "__pyx_k__NotImplementedError": 1, + "*__pyx_kp_s_1": 1, + "*__pyx_kp_u_10": 1, + "*__pyx_kp_u_12": 1, + "*__pyx_kp_u_13": 1, + "*__pyx_kp_u_16": 1, + "*__pyx_kp_s_2": 1, + "*__pyx_kp_s_20": 1, + "*__pyx_n_s_21": 1, + "*__pyx_kp_s_3": 1, + "*__pyx_kp_s_4": 1, + "*__pyx_kp_u_6": 1, + "*__pyx_kp_u_8": 1, + "*__pyx_n_s__C": 1, + "*__pyx_n_s__NotImplementedError": 1, + "*__pyx_n_s__RuntimeError": 1, + "*__pyx_n_s__ValueError": 1, + "*__pyx_n_s____main__": 1, + "*__pyx_n_s____test__": 1, + "*__pyx_n_s__alpha": 1, + "*__pyx_n_s__any": 1, + "*__pyx_n_s__c": 1, + "*__pyx_n_s__class_weight": 1, + "*__pyx_n_s__count": 1, + "*__pyx_n_s__dataset": 1, + "*__pyx_n_s__dloss": 1, + "*__pyx_n_s__dtype": 1, + "*__pyx_n_s__epoch": 1, + "*__pyx_n_s__epsilon": 1, + "*__pyx_n_s__eta": 1, + "*__pyx_n_s__eta0": 1, + "*__pyx_n_s__fit_intercept": 1, + "*__pyx_n_s__float64": 1, + "*__pyx_n_s__i": 1, + "*__pyx_n_s__intercept": 1, + "*__pyx_n_s__intercept_decay": 1, + "*__pyx_n_s__is_hinge": 1, + "*__pyx_n_s__isinf": 1, + "*__pyx_n_s__isnan": 1, + "*__pyx_n_s__learning_rate": 1, + "*__pyx_n_s__loss": 1, + "*__pyx_n_s__n_features": 1, + "*__pyx_n_s__n_iter": 1, + "*__pyx_n_s__n_samples": 1, + "*__pyx_n_s__nonzero": 1, + "*__pyx_n_s__np": 1, + "*__pyx_n_s__numpy": 1, + "*__pyx_n_s__order": 1, + "*__pyx_n_s__p": 1, + "*__pyx_n_s__penalty_type": 1, + "*__pyx_n_s__plain_sgd": 1, + "*__pyx_n_s__power_t": 1, + "*__pyx_n_s__q": 1, + "*__pyx_n_s__q_data_ptr": 1, + "*__pyx_n_s__range": 1, + "*__pyx_n_s__rho": 1, + "*__pyx_n_s__sample_weight": 1, + "*__pyx_n_s__seed": 1, + "*__pyx_n_s__shape": 1, + "*__pyx_n_s__shuffle": 1, + "*__pyx_n_s__sumloss": 1, + "*__pyx_n_s__sys": 1, + "*__pyx_n_s__t": 1, + "*__pyx_n_s__t_start": 1, + "*__pyx_n_s__threshold": 1, + "*__pyx_n_s__time": 1, + "*__pyx_n_s__u": 1, + "*__pyx_n_s__update": 1, + "*__pyx_n_s__verbose": 1, + "*__pyx_n_s__w": 1, + "*__pyx_n_s__weight_neg": 1, + "*__pyx_n_s__weight_pos": 1, + "*__pyx_n_s__weights": 1, + "*__pyx_n_s__x_data_ptr": 1, + "*__pyx_n_s__x_ind_ptr": 1, + "*__pyx_n_s__xnnz": 1, + "*__pyx_n_s__y": 1, + "*__pyx_n_s__zeros": 1, + "*__pyx_int_15": 1, + "*__pyx_k_tuple_5": 1, + "*__pyx_k_tuple_7": 1, + "*__pyx_k_tuple_9": 1, + "*__pyx_k_tuple_11": 1, + "*__pyx_k_tuple_14": 1, + "*__pyx_k_tuple_15": 1, + "*__pyx_k_tuple_17": 1, + "*__pyx_k_tuple_18": 1, + "*__pyx_k_codeobj_19": 1, + "*__pyx_pw_7sklearn_12linear_model_8sgd_fast_12LossFunction_1loss": 3, + "*__pyx_args": 9, + "*__pyx_kwds": 9, + "__pyx_f_7sklearn_12linear_model_8sgd_fast_12LossFunction_loss": 1, + "__pyx_skip_dispatch": 6, + "__pyx_r": 39, + "*__pyx_t_1": 6, + "*__pyx_t_2": 3, + "*__pyx_t_3": 3, + "*__pyx_t_4": 3, + "__pyx_t_5": 12, + "__pyx_v_self": 15, + "tp_dictoffset": 3, + "__pyx_t_1": 69, + "PyObject_GetAttr": 3, + "__pyx_n_s__loss": 2, + "__pyx_filename": 51, + "__pyx_f": 42, + "__pyx_L1_error": 33, + "PyCFunction_Check": 3, + "PyCFunction_GET_FUNCTION": 3, + "PyCFunction": 3, + "__pyx_pw_7sklearn_12linear_model_8sgd_fast_12LossFunction_1loss": 1, + "__pyx_t_2": 21, + "PyFloat_FromDouble": 9, + "__pyx_t_3": 39, + "__pyx_t_4": 27, + "PyTuple_New": 3, + "PyTuple_SET_ITEM": 6, + "PyObject_Call": 6, + "PyErr_Occurred": 9, + "__pyx_L0": 18, + "__pyx_builtin_NotImplementedError": 3, + "__pyx_empty_tuple": 3, + "__pyx_doc_7sklearn_12linear_model_8sgd_fast_12LossFunction_loss": 1, + "*__pyx_r": 6, + "**__pyx_pyargnames": 3, + "__pyx_n_s__p": 6, + "__pyx_n_s__y": 6, + "values": 30, + "__pyx_kwds": 15, + "kw_args": 15, + "pos_args": 12, + "__pyx_args": 21, + "__pyx_L5_argtuple_error": 12, + "PyDict_Size": 3, + "PyDict_GetItem": 6, + "__pyx_L3_error": 18, + "__pyx_pyargnames": 3, + "__pyx_L4_argument_unpacking_done": 6, + "__pyx_pf_7sklearn_12linear_model_8sgd_fast_12LossFunction_loss": 1, + "__pyx_vtab": 2, + "loss": 1, + "*__pyx_pw_7sklearn_12linear_model_8sgd_fast_12LossFunction_3dloss": 3, + "__pyx_f_7sklearn_12linear_model_8sgd_fast_12LossFunction_dloss": 1, + "__pyx_n_s__dloss": 1, + "__pyx_pw_7sklearn_12linear_model_8sgd_fast_12LossFunction_3dloss": 1, + "__pyx_doc_7sklearn_12linear_model_8sgd_fast_12LossFunction_2dloss": 1, + "__pyx_pf_7sklearn_12linear_model_8sgd_fast_12LossFunction_2dloss": 1, + "dloss": 1, + "*__pyx_pw_7sklearn_12linear_model_8sgd_fast_10Regression_1loss": 3, + "__pyx_f_7sklearn_12linear_model_8sgd_fast_10Regression_loss": 1, + "__pyx_pw_7sklearn_12linear_model_8sgd_fast_10Regression_1loss": 1, + "__pyx_pf_7sklearn_12linear_model_8sgd_fast_10Regression_loss": 1, + "__pyx_base.__pyx_vtab": 1, + "__pyx_base.loss": 1, + "syscalldef": 1, + "syscalldefs": 1, + "SYSCALL_OR_NUM": 3, + "SYS_restart_syscall": 1, + "MAKE_UINT16": 3, + "SYS_exit": 1, + "SYS_fork": 1, + "__wglew_h__": 2, + "__WGLEW_H__": 1, + "__wglext_h_": 2, + "wglext.h": 1, + "wglew.h": 1, + "WINAPI": 119, + "": 1, + "GLEW_STATIC": 1, + "WGL_3DFX_multisample": 2, + "WGL_SAMPLE_BUFFERS_3DFX": 1, + "WGL_SAMPLES_3DFX": 1, + "WGLEW_3DFX_multisample": 1, + "WGLEW_GET_VAR": 49, + "__WGLEW_3DFX_multisample": 2, + "WGL_3DL_stereo_control": 2, + "WGL_STEREO_EMITTER_ENABLE_3DL": 1, + "WGL_STEREO_EMITTER_DISABLE_3DL": 1, + "WGL_STEREO_POLARITY_NORMAL_3DL": 1, + "WGL_STEREO_POLARITY_INVERT_3DL": 1, + "BOOL": 84, + "PFNWGLSETSTEREOEMITTERSTATE3DLPROC": 2, + "HDC": 65, + "hDC": 33, + "UINT": 30, + "uState": 1, + "wglSetStereoEmitterState3DL": 1, + "WGLEW_GET_FUN": 120, + "__wglewSetStereoEmitterState3DL": 2, + "WGLEW_3DL_stereo_control": 1, + "__WGLEW_3DL_stereo_control": 2, + "WGL_AMD_gpu_association": 2, + "WGL_GPU_VENDOR_AMD": 1, + "F00": 1, + "WGL_GPU_RENDERER_STRING_AMD": 1, + "F01": 1, + "WGL_GPU_OPENGL_VERSION_STRING_AMD": 1, + "F02": 1, + "WGL_GPU_FASTEST_TARGET_GPUS_AMD": 1, + "A2": 2, + "WGL_GPU_RAM_AMD": 1, + "A3": 2, + "WGL_GPU_CLOCK_AMD": 1, + "A4": 2, + "WGL_GPU_NUM_PIPES_AMD": 1, + "A5": 3, + "WGL_GPU_NUM_SIMD_AMD": 1, + "A6": 2, + "WGL_GPU_NUM_RB_AMD": 1, + "A7": 2, + "WGL_GPU_NUM_SPI_AMD": 1, + "A8": 2, + "VOID": 6, + "PFNWGLBLITCONTEXTFRAMEBUFFERAMDPROC": 2, + "HGLRC": 14, + "dstCtx": 1, + "GLint": 18, + "srcX0": 1, + "srcY0": 1, + "srcX1": 1, + "srcY1": 1, + "dstX0": 1, + "dstY0": 1, + "dstX1": 1, + "dstY1": 1, + "GLbitfield": 1, + "mask": 1, + "GLenum": 8, + "filter": 1, + "PFNWGLCREATEASSOCIATEDCONTEXTAMDPROC": 2, + "PFNWGLCREATEASSOCIATEDCONTEXTATTRIBSAMDPROC": 2, + "hShareContext": 2, + "attribList": 2, + "PFNWGLDELETEASSOCIATEDCONTEXTAMDPROC": 2, + "hglrc": 5, + "PFNWGLGETCONTEXTGPUIDAMDPROC": 2, + "PFNWGLGETCURRENTASSOCIATEDCONTEXTAMDPROC": 2, + "PFNWGLGETGPUIDSAMDPROC": 2, + "maxCount": 1, + "UINT*": 6, + "ids": 1, + "INT": 3, + "PFNWGLGETGPUINFOAMDPROC": 2, + "property": 1, + "dataType": 1, + "PFNWGLMAKEASSOCIATEDCONTEXTCURRENTAMDPROC": 2, + "wglBlitContextFramebufferAMD": 1, + "__wglewBlitContextFramebufferAMD": 2, + "wglCreateAssociatedContextAMD": 1, + "__wglewCreateAssociatedContextAMD": 2, + "wglCreateAssociatedContextAttribsAMD": 1, + "__wglewCreateAssociatedContextAttribsAMD": 2, + "wglDeleteAssociatedContextAMD": 1, + "__wglewDeleteAssociatedContextAMD": 2, + "wglGetContextGPUIDAMD": 1, + "__wglewGetContextGPUIDAMD": 2, + "wglGetCurrentAssociatedContextAMD": 1, + "__wglewGetCurrentAssociatedContextAMD": 2, + "wglGetGPUIDsAMD": 1, + "__wglewGetGPUIDsAMD": 2, + "wglGetGPUInfoAMD": 1, + "__wglewGetGPUInfoAMD": 2, + "wglMakeAssociatedContextCurrentAMD": 1, + "__wglewMakeAssociatedContextCurrentAMD": 2, + "WGLEW_AMD_gpu_association": 1, + "__WGLEW_AMD_gpu_association": 2, + "WGL_ARB_buffer_region": 2, + "WGL_FRONT_COLOR_BUFFER_BIT_ARB": 1, + "WGL_BACK_COLOR_BUFFER_BIT_ARB": 1, + "WGL_DEPTH_BUFFER_BIT_ARB": 1, + "WGL_STENCIL_BUFFER_BIT_ARB": 1, + "HANDLE": 14, + "PFNWGLCREATEBUFFERREGIONARBPROC": 2, + "iLayerPlane": 5, + "uType": 1, + "PFNWGLDELETEBUFFERREGIONARBPROC": 2, + "hRegion": 3, + "PFNWGLRESTOREBUFFERREGIONARBPROC": 2, + "width": 3, + "height": 3, + "xSrc": 1, + "ySrc": 1, + "PFNWGLSAVEBUFFERREGIONARBPROC": 2, + "wglCreateBufferRegionARB": 1, + "__wglewCreateBufferRegionARB": 2, + "wglDeleteBufferRegionARB": 1, + "__wglewDeleteBufferRegionARB": 2, + "wglRestoreBufferRegionARB": 1, + "__wglewRestoreBufferRegionARB": 2, + "wglSaveBufferRegionARB": 1, + "__wglewSaveBufferRegionARB": 2, + "WGLEW_ARB_buffer_region": 1, + "__WGLEW_ARB_buffer_region": 2, + "WGL_ARB_create_context": 2, + "WGL_CONTEXT_DEBUG_BIT_ARB": 1, + "WGL_CONTEXT_FORWARD_COMPATIBLE_BIT_ARB": 1, + "WGL_CONTEXT_MAJOR_VERSION_ARB": 1, + "WGL_CONTEXT_MINOR_VERSION_ARB": 1, + "WGL_CONTEXT_LAYER_PLANE_ARB": 1, + "WGL_CONTEXT_FLAGS_ARB": 1, + "ERROR_INVALID_VERSION_ARB": 1, + "ERROR_INVALID_PROFILE_ARB": 1, + "PFNWGLCREATECONTEXTATTRIBSARBPROC": 2, + "wglCreateContextAttribsARB": 1, + "__wglewCreateContextAttribsARB": 2, + "WGLEW_ARB_create_context": 1, + "__WGLEW_ARB_create_context": 2, + "WGL_ARB_create_context_profile": 2, + "WGL_CONTEXT_CORE_PROFILE_BIT_ARB": 1, + "WGL_CONTEXT_COMPATIBILITY_PROFILE_BIT_ARB": 1, + "WGL_CONTEXT_PROFILE_MASK_ARB": 1, + "WGLEW_ARB_create_context_profile": 1, + "__WGLEW_ARB_create_context_profile": 2, + "WGL_ARB_create_context_robustness": 2, + "WGL_CONTEXT_ROBUST_ACCESS_BIT_ARB": 1, + "WGL_LOSE_CONTEXT_ON_RESET_ARB": 1, + "WGL_CONTEXT_RESET_NOTIFICATION_STRATEGY_ARB": 1, + "WGL_NO_RESET_NOTIFICATION_ARB": 1, + "WGLEW_ARB_create_context_robustness": 1, + "__WGLEW_ARB_create_context_robustness": 2, + "WGL_ARB_extensions_string": 2, + "PFNWGLGETEXTENSIONSSTRINGARBPROC": 2, + "hdc": 16, + "wglGetExtensionsStringARB": 1, + "__wglewGetExtensionsStringARB": 2, + "WGLEW_ARB_extensions_string": 1, + "__WGLEW_ARB_extensions_string": 2, + "WGL_ARB_framebuffer_sRGB": 2, + "WGL_FRAMEBUFFER_SRGB_CAPABLE_ARB": 1, + "A9": 2, + "WGLEW_ARB_framebuffer_sRGB": 1, + "__WGLEW_ARB_framebuffer_sRGB": 2, + "WGL_ARB_make_current_read": 2, + "ERROR_INVALID_PIXEL_TYPE_ARB": 1, + "ERROR_INCOMPATIBLE_DEVICE_CONTEXTS_ARB": 1, + "PFNWGLGETCURRENTREADDCARBPROC": 2, + "PFNWGLMAKECONTEXTCURRENTARBPROC": 2, + "hDrawDC": 2, + "hReadDC": 2, + "wglGetCurrentReadDCARB": 1, + "__wglewGetCurrentReadDCARB": 2, + "wglMakeContextCurrentARB": 1, + "__wglewMakeContextCurrentARB": 2, + "WGLEW_ARB_make_current_read": 1, + "__WGLEW_ARB_make_current_read": 2, + "WGL_ARB_multisample": 2, + "WGL_SAMPLE_BUFFERS_ARB": 1, + "WGL_SAMPLES_ARB": 1, + "WGLEW_ARB_multisample": 1, + "__WGLEW_ARB_multisample": 2, + "WGL_ARB_pbuffer": 2, + "WGL_DRAW_TO_PBUFFER_ARB": 1, + "D": 8, + "WGL_MAX_PBUFFER_PIXELS_ARB": 1, + "WGL_MAX_PBUFFER_WIDTH_ARB": 1, + "WGL_MAX_PBUFFER_HEIGHT_ARB": 1, + "WGL_PBUFFER_LARGEST_ARB": 1, + "WGL_PBUFFER_WIDTH_ARB": 1, + "WGL_PBUFFER_HEIGHT_ARB": 1, + "WGL_PBUFFER_LOST_ARB": 1, + "DECLARE_HANDLE": 6, + "HPBUFFERARB": 12, + "PFNWGLCREATEPBUFFERARBPROC": 2, + "iPixelFormat": 6, + "iWidth": 2, + "iHeight": 2, + "piAttribList": 4, + "PFNWGLDESTROYPBUFFERARBPROC": 2, + "hPbuffer": 14, + "PFNWGLGETPBUFFERDCARBPROC": 2, + "PFNWGLQUERYPBUFFERARBPROC": 2, + "iAttribute": 8, + "piValue": 8, + "PFNWGLRELEASEPBUFFERDCARBPROC": 2, + "wglCreatePbufferARB": 1, + "__wglewCreatePbufferARB": 2, + "wglDestroyPbufferARB": 1, + "__wglewDestroyPbufferARB": 2, + "wglGetPbufferDCARB": 1, + "__wglewGetPbufferDCARB": 2, + "wglQueryPbufferARB": 1, + "__wglewQueryPbufferARB": 2, + "wglReleasePbufferDCARB": 1, + "__wglewReleasePbufferDCARB": 2, + "WGLEW_ARB_pbuffer": 1, + "__WGLEW_ARB_pbuffer": 2, + "WGL_ARB_pixel_format": 2, + "WGL_NUMBER_PIXEL_FORMATS_ARB": 1, + "WGL_DRAW_TO_WINDOW_ARB": 1, + "WGL_DRAW_TO_BITMAP_ARB": 1, + "WGL_ACCELERATION_ARB": 1, + "WGL_NEED_PALETTE_ARB": 1, + "WGL_NEED_SYSTEM_PALETTE_ARB": 1, + "WGL_SWAP_LAYER_BUFFERS_ARB": 1, + "WGL_SWAP_METHOD_ARB": 1, + "WGL_NUMBER_OVERLAYS_ARB": 1, + "WGL_NUMBER_UNDERLAYS_ARB": 1, + "WGL_TRANSPARENT_ARB": 1, + "WGL_SHARE_DEPTH_ARB": 1, + "WGL_SHARE_STENCIL_ARB": 1, + "WGL_SHARE_ACCUM_ARB": 1, + "WGL_SUPPORT_GDI_ARB": 1, + "WGL_SUPPORT_OPENGL_ARB": 1, + "WGL_DOUBLE_BUFFER_ARB": 1, + "WGL_STEREO_ARB": 1, + "WGL_PIXEL_TYPE_ARB": 1, + "WGL_COLOR_BITS_ARB": 1, + "WGL_RED_BITS_ARB": 1, + "WGL_RED_SHIFT_ARB": 1, + "WGL_GREEN_BITS_ARB": 1, + "WGL_GREEN_SHIFT_ARB": 1, + "WGL_BLUE_BITS_ARB": 1, + "WGL_BLUE_SHIFT_ARB": 1, + "WGL_ALPHA_BITS_ARB": 1, + "B": 9, + "WGL_ALPHA_SHIFT_ARB": 1, + "WGL_ACCUM_BITS_ARB": 1, + "WGL_ACCUM_RED_BITS_ARB": 1, + "WGL_ACCUM_GREEN_BITS_ARB": 1, + "WGL_ACCUM_BLUE_BITS_ARB": 1, + "WGL_ACCUM_ALPHA_BITS_ARB": 1, + "WGL_DEPTH_BITS_ARB": 1, + "WGL_STENCIL_BITS_ARB": 1, + "WGL_AUX_BUFFERS_ARB": 1, + "WGL_NO_ACCELERATION_ARB": 1, + "WGL_GENERIC_ACCELERATION_ARB": 1, + "WGL_FULL_ACCELERATION_ARB": 1, + "WGL_SWAP_EXCHANGE_ARB": 1, + "WGL_SWAP_COPY_ARB": 1, + "WGL_SWAP_UNDEFINED_ARB": 1, + "WGL_TYPE_RGBA_ARB": 1, + "WGL_TYPE_COLORINDEX_ARB": 1, + "WGL_TRANSPARENT_RED_VALUE_ARB": 1, + "WGL_TRANSPARENT_GREEN_VALUE_ARB": 1, + "WGL_TRANSPARENT_BLUE_VALUE_ARB": 1, + "WGL_TRANSPARENT_ALPHA_VALUE_ARB": 1, + "WGL_TRANSPARENT_INDEX_VALUE_ARB": 1, + "PFNWGLCHOOSEPIXELFORMATARBPROC": 2, + "piAttribIList": 2, + "FLOAT": 4, + "*pfAttribFList": 2, + "nMaxFormats": 2, + "*piFormats": 2, + "*nNumFormats": 2, + "PFNWGLGETPIXELFORMATATTRIBFVARBPROC": 2, + "nAttributes": 4, + "piAttributes": 4, + "*pfValues": 2, + "PFNWGLGETPIXELFORMATATTRIBIVARBPROC": 2, + "*piValues": 2, + "wglChoosePixelFormatARB": 1, + "__wglewChoosePixelFormatARB": 2, + "wglGetPixelFormatAttribfvARB": 1, + "__wglewGetPixelFormatAttribfvARB": 2, + "wglGetPixelFormatAttribivARB": 1, + "__wglewGetPixelFormatAttribivARB": 2, + "WGLEW_ARB_pixel_format": 1, + "__WGLEW_ARB_pixel_format": 2, + "WGL_ARB_pixel_format_float": 2, + "WGL_TYPE_RGBA_FLOAT_ARB": 1, + "A0": 3, + "WGLEW_ARB_pixel_format_float": 1, + "__WGLEW_ARB_pixel_format_float": 2, + "WGL_ARB_render_texture": 2, + "WGL_BIND_TO_TEXTURE_RGB_ARB": 1, + "WGL_BIND_TO_TEXTURE_RGBA_ARB": 1, + "WGL_TEXTURE_FORMAT_ARB": 1, + "WGL_TEXTURE_TARGET_ARB": 1, + "WGL_MIPMAP_TEXTURE_ARB": 1, + "WGL_TEXTURE_RGB_ARB": 1, + "WGL_TEXTURE_RGBA_ARB": 1, + "WGL_NO_TEXTURE_ARB": 2, + "WGL_TEXTURE_CUBE_MAP_ARB": 1, + "WGL_TEXTURE_1D_ARB": 1, + "WGL_TEXTURE_2D_ARB": 1, + "WGL_MIPMAP_LEVEL_ARB": 1, + "WGL_CUBE_MAP_FACE_ARB": 1, + "WGL_TEXTURE_CUBE_MAP_POSITIVE_X_ARB": 1, + "WGL_TEXTURE_CUBE_MAP_NEGATIVE_X_ARB": 1, + "WGL_TEXTURE_CUBE_MAP_POSITIVE_Y_ARB": 1, + "WGL_TEXTURE_CUBE_MAP_NEGATIVE_Y_ARB": 1, + "WGL_TEXTURE_CUBE_MAP_POSITIVE_Z_ARB": 1, + "WGL_TEXTURE_CUBE_MAP_NEGATIVE_Z_ARB": 1, + "WGL_FRONT_LEFT_ARB": 1, + "WGL_FRONT_RIGHT_ARB": 1, + "WGL_BACK_LEFT_ARB": 1, + "WGL_BACK_RIGHT_ARB": 1, + "WGL_AUX0_ARB": 1, + "WGL_AUX1_ARB": 1, + "WGL_AUX2_ARB": 1, + "WGL_AUX3_ARB": 1, + "WGL_AUX4_ARB": 1, + "WGL_AUX5_ARB": 1, + "WGL_AUX6_ARB": 1, + "WGL_AUX7_ARB": 1, + "WGL_AUX8_ARB": 1, + "WGL_AUX9_ARB": 1, + "PFNWGLBINDTEXIMAGEARBPROC": 2, + "iBuffer": 2, + "PFNWGLRELEASETEXIMAGEARBPROC": 2, + "PFNWGLSETPBUFFERATTRIBARBPROC": 2, + "wglBindTexImageARB": 1, + "__wglewBindTexImageARB": 2, + "wglReleaseTexImageARB": 1, + "__wglewReleaseTexImageARB": 2, + "wglSetPbufferAttribARB": 1, + "__wglewSetPbufferAttribARB": 2, + "WGLEW_ARB_render_texture": 1, + "__WGLEW_ARB_render_texture": 2, + "WGL_ATI_pixel_format_float": 2, + "WGL_TYPE_RGBA_FLOAT_ATI": 1, + "GL_RGBA_FLOAT_MODE_ATI": 1, + "GL_COLOR_CLEAR_UNCLAMPED_VALUE_ATI": 1, + "WGLEW_ATI_pixel_format_float": 1, + "__WGLEW_ATI_pixel_format_float": 2, + "WGL_ATI_render_texture_rectangle": 2, + "WGL_TEXTURE_RECTANGLE_ATI": 1, + "WGLEW_ATI_render_texture_rectangle": 1, + "__WGLEW_ATI_render_texture_rectangle": 2, + "WGL_EXT_create_context_es2_profile": 2, + "WGL_CONTEXT_ES2_PROFILE_BIT_EXT": 1, + "WGLEW_EXT_create_context_es2_profile": 1, + "__WGLEW_EXT_create_context_es2_profile": 2, + "WGL_EXT_depth_float": 2, + "WGL_DEPTH_FLOAT_EXT": 1, + "WGLEW_EXT_depth_float": 1, + "__WGLEW_EXT_depth_float": 2, + "WGL_EXT_display_color_table": 2, + "GLboolean": 53, + "PFNWGLBINDDISPLAYCOLORTABLEEXTPROC": 2, + "GLushort": 3, + "PFNWGLCREATEDISPLAYCOLORTABLEEXTPROC": 2, + "PFNWGLDESTROYDISPLAYCOLORTABLEEXTPROC": 2, + "PFNWGLLOADDISPLAYCOLORTABLEEXTPROC": 2, + "GLushort*": 1, + "table": 1, + "GLuint": 9, + "wglBindDisplayColorTableEXT": 1, + "__wglewBindDisplayColorTableEXT": 2, + "wglCreateDisplayColorTableEXT": 1, + "__wglewCreateDisplayColorTableEXT": 2, + "wglDestroyDisplayColorTableEXT": 1, + "__wglewDestroyDisplayColorTableEXT": 2, + "wglLoadDisplayColorTableEXT": 1, + "__wglewLoadDisplayColorTableEXT": 2, + "WGLEW_EXT_display_color_table": 1, + "__WGLEW_EXT_display_color_table": 2, + "WGL_EXT_extensions_string": 2, + "PFNWGLGETEXTENSIONSSTRINGEXTPROC": 2, + "wglGetExtensionsStringEXT": 1, + "__wglewGetExtensionsStringEXT": 2, + "WGLEW_EXT_extensions_string": 1, + "__WGLEW_EXT_extensions_string": 2, + "WGL_EXT_framebuffer_sRGB": 2, + "WGL_FRAMEBUFFER_SRGB_CAPABLE_EXT": 1, + "WGLEW_EXT_framebuffer_sRGB": 1, + "__WGLEW_EXT_framebuffer_sRGB": 2, + "WGL_EXT_make_current_read": 2, + "ERROR_INVALID_PIXEL_TYPE_EXT": 1, + "PFNWGLGETCURRENTREADDCEXTPROC": 2, + "PFNWGLMAKECONTEXTCURRENTEXTPROC": 2, + "wglGetCurrentReadDCEXT": 1, + "__wglewGetCurrentReadDCEXT": 2, + "wglMakeContextCurrentEXT": 1, + "__wglewMakeContextCurrentEXT": 2, + "WGLEW_EXT_make_current_read": 1, + "__WGLEW_EXT_make_current_read": 2, + "WGL_EXT_multisample": 2, + "WGL_SAMPLE_BUFFERS_EXT": 1, + "WGL_SAMPLES_EXT": 1, + "WGLEW_EXT_multisample": 1, + "__WGLEW_EXT_multisample": 2, + "WGL_EXT_pbuffer": 2, + "WGL_DRAW_TO_PBUFFER_EXT": 1, + "WGL_MAX_PBUFFER_PIXELS_EXT": 1, + "WGL_MAX_PBUFFER_WIDTH_EXT": 1, + "WGL_MAX_PBUFFER_HEIGHT_EXT": 1, + "WGL_OPTIMAL_PBUFFER_WIDTH_EXT": 1, + "WGL_OPTIMAL_PBUFFER_HEIGHT_EXT": 1, + "WGL_PBUFFER_LARGEST_EXT": 1, + "WGL_PBUFFER_WIDTH_EXT": 1, + "WGL_PBUFFER_HEIGHT_EXT": 1, + "HPBUFFEREXT": 6, + "PFNWGLCREATEPBUFFEREXTPROC": 2, + "PFNWGLDESTROYPBUFFEREXTPROC": 2, + "PFNWGLGETPBUFFERDCEXTPROC": 2, + "PFNWGLQUERYPBUFFEREXTPROC": 2, + "PFNWGLRELEASEPBUFFERDCEXTPROC": 2, + "wglCreatePbufferEXT": 1, + "__wglewCreatePbufferEXT": 2, + "wglDestroyPbufferEXT": 1, + "__wglewDestroyPbufferEXT": 2, + "wglGetPbufferDCEXT": 1, + "__wglewGetPbufferDCEXT": 2, + "wglQueryPbufferEXT": 1, + "__wglewQueryPbufferEXT": 2, + "wglReleasePbufferDCEXT": 1, + "__wglewReleasePbufferDCEXT": 2, + "WGLEW_EXT_pbuffer": 1, + "__WGLEW_EXT_pbuffer": 2, + "WGL_EXT_pixel_format": 2, + "WGL_NUMBER_PIXEL_FORMATS_EXT": 1, + "WGL_DRAW_TO_WINDOW_EXT": 1, + "WGL_DRAW_TO_BITMAP_EXT": 1, + "WGL_ACCELERATION_EXT": 1, + "WGL_NEED_PALETTE_EXT": 1, + "WGL_NEED_SYSTEM_PALETTE_EXT": 1, + "WGL_SWAP_LAYER_BUFFERS_EXT": 1, + "WGL_SWAP_METHOD_EXT": 1, + "WGL_NUMBER_OVERLAYS_EXT": 1, + "WGL_NUMBER_UNDERLAYS_EXT": 1, + "WGL_TRANSPARENT_EXT": 1, + "WGL_TRANSPARENT_VALUE_EXT": 1, + "WGL_SHARE_DEPTH_EXT": 1, + "WGL_SHARE_STENCIL_EXT": 1, + "WGL_SHARE_ACCUM_EXT": 1, + "WGL_SUPPORT_GDI_EXT": 1, + "WGL_SUPPORT_OPENGL_EXT": 1, + "WGL_DOUBLE_BUFFER_EXT": 1, + "WGL_STEREO_EXT": 1, + "WGL_PIXEL_TYPE_EXT": 1, + "WGL_COLOR_BITS_EXT": 1, + "WGL_RED_BITS_EXT": 1, + "WGL_RED_SHIFT_EXT": 1, + "WGL_GREEN_BITS_EXT": 1, + "WGL_GREEN_SHIFT_EXT": 1, + "WGL_BLUE_BITS_EXT": 1, + "WGL_BLUE_SHIFT_EXT": 1, + "WGL_ALPHA_BITS_EXT": 1, + "WGL_ALPHA_SHIFT_EXT": 1, + "WGL_ACCUM_BITS_EXT": 1, + "WGL_ACCUM_RED_BITS_EXT": 1, + "WGL_ACCUM_GREEN_BITS_EXT": 1, + "WGL_ACCUM_BLUE_BITS_EXT": 1, + "WGL_ACCUM_ALPHA_BITS_EXT": 1, + "WGL_DEPTH_BITS_EXT": 1, + "WGL_STENCIL_BITS_EXT": 1, + "WGL_AUX_BUFFERS_EXT": 1, + "WGL_NO_ACCELERATION_EXT": 1, + "WGL_GENERIC_ACCELERATION_EXT": 1, + "WGL_FULL_ACCELERATION_EXT": 1, + "WGL_SWAP_EXCHANGE_EXT": 1, + "WGL_SWAP_COPY_EXT": 1, + "WGL_SWAP_UNDEFINED_EXT": 1, + "WGL_TYPE_RGBA_EXT": 1, + "WGL_TYPE_COLORINDEX_EXT": 1, + "PFNWGLCHOOSEPIXELFORMATEXTPROC": 2, + "PFNWGLGETPIXELFORMATATTRIBFVEXTPROC": 2, + "PFNWGLGETPIXELFORMATATTRIBIVEXTPROC": 2, + "wglChoosePixelFormatEXT": 1, + "__wglewChoosePixelFormatEXT": 2, + "wglGetPixelFormatAttribfvEXT": 1, + "__wglewGetPixelFormatAttribfvEXT": 2, + "wglGetPixelFormatAttribivEXT": 1, + "__wglewGetPixelFormatAttribivEXT": 2, + "WGLEW_EXT_pixel_format": 1, + "__WGLEW_EXT_pixel_format": 2, + "WGL_EXT_pixel_format_packed_float": 2, + "WGL_TYPE_RGBA_UNSIGNED_FLOAT_EXT": 1, + "WGLEW_EXT_pixel_format_packed_float": 1, + "__WGLEW_EXT_pixel_format_packed_float": 2, + "WGL_EXT_swap_control": 2, + "PFNWGLGETSWAPINTERVALEXTPROC": 2, + "PFNWGLSWAPINTERVALEXTPROC": 2, + "interval": 1, + "wglGetSwapIntervalEXT": 1, + "__wglewGetSwapIntervalEXT": 2, + "wglSwapIntervalEXT": 1, + "__wglewSwapIntervalEXT": 2, + "WGLEW_EXT_swap_control": 1, + "__WGLEW_EXT_swap_control": 2, + "WGL_I3D_digital_video_control": 2, + "WGL_DIGITAL_VIDEO_CURSOR_ALPHA_FRAMEBUFFER_I3D": 1, + "WGL_DIGITAL_VIDEO_CURSOR_ALPHA_VALUE_I3D": 1, + "WGL_DIGITAL_VIDEO_CURSOR_INCLUDED_I3D": 1, + "WGL_DIGITAL_VIDEO_GAMMA_CORRECTED_I3D": 1, + "PFNWGLGETDIGITALVIDEOPARAMETERSI3DPROC": 2, + "PFNWGLSETDIGITALVIDEOPARAMETERSI3DPROC": 2, + "wglGetDigitalVideoParametersI3D": 1, + "__wglewGetDigitalVideoParametersI3D": 2, + "wglSetDigitalVideoParametersI3D": 1, + "__wglewSetDigitalVideoParametersI3D": 2, + "WGLEW_I3D_digital_video_control": 1, + "__WGLEW_I3D_digital_video_control": 2, + "WGL_I3D_gamma": 2, + "WGL_GAMMA_TABLE_SIZE_I3D": 1, + "WGL_GAMMA_EXCLUDE_DESKTOP_I3D": 1, + "PFNWGLGETGAMMATABLEI3DPROC": 2, + "iEntries": 2, + "USHORT*": 2, + "puRed": 2, + "USHORT": 4, + "*puGreen": 2, + "*puBlue": 2, + "PFNWGLGETGAMMATABLEPARAMETERSI3DPROC": 2, + "PFNWGLSETGAMMATABLEI3DPROC": 2, + "PFNWGLSETGAMMATABLEPARAMETERSI3DPROC": 2, + "wglGetGammaTableI3D": 1, + "__wglewGetGammaTableI3D": 2, + "wglGetGammaTableParametersI3D": 1, + "__wglewGetGammaTableParametersI3D": 2, + "wglSetGammaTableI3D": 1, + "__wglewSetGammaTableI3D": 2, + "wglSetGammaTableParametersI3D": 1, + "__wglewSetGammaTableParametersI3D": 2, + "WGLEW_I3D_gamma": 1, + "__WGLEW_I3D_gamma": 2, + "WGL_I3D_genlock": 2, + "WGL_GENLOCK_SOURCE_MULTIVIEW_I3D": 1, + "WGL_GENLOCK_SOURCE_EXTERNAL_SYNC_I3D": 1, + "WGL_GENLOCK_SOURCE_EXTERNAL_FIELD_I3D": 1, + "WGL_GENLOCK_SOURCE_EXTERNAL_TTL_I3D": 1, + "WGL_GENLOCK_SOURCE_DIGITAL_SYNC_I3D": 1, + "WGL_GENLOCK_SOURCE_DIGITAL_FIELD_I3D": 1, + "WGL_GENLOCK_SOURCE_EDGE_FALLING_I3D": 1, + "WGL_GENLOCK_SOURCE_EDGE_RISING_I3D": 1, + "WGL_GENLOCK_SOURCE_EDGE_BOTH_I3D": 1, + "PFNWGLDISABLEGENLOCKI3DPROC": 2, + "PFNWGLENABLEGENLOCKI3DPROC": 2, + "PFNWGLGENLOCKSAMPLERATEI3DPROC": 2, + "uRate": 2, + "PFNWGLGENLOCKSOURCEDELAYI3DPROC": 2, + "uDelay": 2, + "PFNWGLGENLOCKSOURCEEDGEI3DPROC": 2, + "uEdge": 2, + "PFNWGLGENLOCKSOURCEI3DPROC": 2, + "uSource": 2, + "PFNWGLGETGENLOCKSAMPLERATEI3DPROC": 2, + "PFNWGLGETGENLOCKSOURCEDELAYI3DPROC": 2, + "PFNWGLGETGENLOCKSOURCEEDGEI3DPROC": 2, + "PFNWGLGETGENLOCKSOURCEI3DPROC": 2, + "PFNWGLISENABLEDGENLOCKI3DPROC": 2, + "BOOL*": 3, + "pFlag": 3, + "PFNWGLQUERYGENLOCKMAXSOURCEDELAYI3DPROC": 2, + "uMaxLineDelay": 1, + "*uMaxPixelDelay": 1, + "wglDisableGenlockI3D": 1, + "__wglewDisableGenlockI3D": 2, + "wglEnableGenlockI3D": 1, + "__wglewEnableGenlockI3D": 2, + "wglGenlockSampleRateI3D": 1, + "__wglewGenlockSampleRateI3D": 2, + "wglGenlockSourceDelayI3D": 1, + "__wglewGenlockSourceDelayI3D": 2, + "wglGenlockSourceEdgeI3D": 1, + "__wglewGenlockSourceEdgeI3D": 2, + "wglGenlockSourceI3D": 1, + "__wglewGenlockSourceI3D": 2, + "wglGetGenlockSampleRateI3D": 1, + "__wglewGetGenlockSampleRateI3D": 2, + "wglGetGenlockSourceDelayI3D": 1, + "__wglewGetGenlockSourceDelayI3D": 2, + "wglGetGenlockSourceEdgeI3D": 1, + "__wglewGetGenlockSourceEdgeI3D": 2, + "wglGetGenlockSourceI3D": 1, + "__wglewGetGenlockSourceI3D": 2, + "wglIsEnabledGenlockI3D": 1, + "__wglewIsEnabledGenlockI3D": 2, + "wglQueryGenlockMaxSourceDelayI3D": 1, + "__wglewQueryGenlockMaxSourceDelayI3D": 2, + "WGLEW_I3D_genlock": 1, + "__WGLEW_I3D_genlock": 2, + "WGL_I3D_image_buffer": 2, + "WGL_IMAGE_BUFFER_MIN_ACCESS_I3D": 1, + "WGL_IMAGE_BUFFER_LOCK_I3D": 1, + "PFNWGLASSOCIATEIMAGEBUFFEREVENTSI3DPROC": 2, + "HANDLE*": 3, + "pEvent": 1, + "LPVOID": 3, + "*pAddress": 1, + "DWORD": 5, + "*pSize": 1, + "PFNWGLCREATEIMAGEBUFFERI3DPROC": 2, + "dwSize": 1, + "uFlags": 1, + "PFNWGLDESTROYIMAGEBUFFERI3DPROC": 2, + "pAddress": 2, + "PFNWGLRELEASEIMAGEBUFFEREVENTSI3DPROC": 2, + "LPVOID*": 1, + "wglAssociateImageBufferEventsI3D": 1, + "__wglewAssociateImageBufferEventsI3D": 2, + "wglCreateImageBufferI3D": 1, + "__wglewCreateImageBufferI3D": 2, + "wglDestroyImageBufferI3D": 1, + "__wglewDestroyImageBufferI3D": 2, + "wglReleaseImageBufferEventsI3D": 1, + "__wglewReleaseImageBufferEventsI3D": 2, + "WGLEW_I3D_image_buffer": 1, + "__WGLEW_I3D_image_buffer": 2, + "WGL_I3D_swap_frame_lock": 2, + "PFNWGLDISABLEFRAMELOCKI3DPROC": 2, + "PFNWGLENABLEFRAMELOCKI3DPROC": 2, + "PFNWGLISENABLEDFRAMELOCKI3DPROC": 2, + "PFNWGLQUERYFRAMELOCKMASTERI3DPROC": 2, + "wglDisableFrameLockI3D": 1, + "__wglewDisableFrameLockI3D": 2, + "wglEnableFrameLockI3D": 1, + "__wglewEnableFrameLockI3D": 2, + "wglIsEnabledFrameLockI3D": 1, + "__wglewIsEnabledFrameLockI3D": 2, + "wglQueryFrameLockMasterI3D": 1, + "__wglewQueryFrameLockMasterI3D": 2, + "WGLEW_I3D_swap_frame_lock": 1, + "__WGLEW_I3D_swap_frame_lock": 2, + "WGL_I3D_swap_frame_usage": 2, + "PFNWGLBEGINFRAMETRACKINGI3DPROC": 2, + "PFNWGLENDFRAMETRACKINGI3DPROC": 2, + "PFNWGLGETFRAMEUSAGEI3DPROC": 2, + "float*": 1, + "pUsage": 1, + "PFNWGLQUERYFRAMETRACKINGI3DPROC": 2, + "DWORD*": 1, + "pFrameCount": 1, + "*pMissedFrames": 1, + "*pLastMissedUsage": 1, + "wglBeginFrameTrackingI3D": 1, + "__wglewBeginFrameTrackingI3D": 2, + "wglEndFrameTrackingI3D": 1, + "__wglewEndFrameTrackingI3D": 2, + "wglGetFrameUsageI3D": 1, + "__wglewGetFrameUsageI3D": 2, + "wglQueryFrameTrackingI3D": 1, + "__wglewQueryFrameTrackingI3D": 2, + "WGLEW_I3D_swap_frame_usage": 1, + "__WGLEW_I3D_swap_frame_usage": 2, + "WGL_NV_DX_interop": 2, + "WGL_ACCESS_READ_ONLY_NV": 1, + "WGL_ACCESS_READ_WRITE_NV": 1, + "WGL_ACCESS_WRITE_DISCARD_NV": 1, + "PFNWGLDXCLOSEDEVICENVPROC": 2, + "hDevice": 9, + "PFNWGLDXLOCKOBJECTSNVPROC": 2, + "hObjects": 2, + "PFNWGLDXOBJECTACCESSNVPROC": 2, + "hObject": 2, + "access": 2, + "PFNWGLDXOPENDEVICENVPROC": 2, + "dxDevice": 1, + "PFNWGLDXREGISTEROBJECTNVPROC": 2, + "dxObject": 2, + "PFNWGLDXSETRESOURCESHAREHANDLENVPROC": 2, + "shareHandle": 1, + "PFNWGLDXUNLOCKOBJECTSNVPROC": 2, + "PFNWGLDXUNREGISTEROBJECTNVPROC": 2, + "wglDXCloseDeviceNV": 1, + "__wglewDXCloseDeviceNV": 2, + "wglDXLockObjectsNV": 1, + "__wglewDXLockObjectsNV": 2, + "wglDXObjectAccessNV": 1, + "__wglewDXObjectAccessNV": 2, + "wglDXOpenDeviceNV": 1, + "__wglewDXOpenDeviceNV": 2, + "wglDXRegisterObjectNV": 1, + "__wglewDXRegisterObjectNV": 2, + "wglDXSetResourceShareHandleNV": 1, + "__wglewDXSetResourceShareHandleNV": 2, + "wglDXUnlockObjectsNV": 1, + "__wglewDXUnlockObjectsNV": 2, + "wglDXUnregisterObjectNV": 1, + "__wglewDXUnregisterObjectNV": 2, + "WGLEW_NV_DX_interop": 1, + "__WGLEW_NV_DX_interop": 2, + "WGL_NV_copy_image": 2, + "PFNWGLCOPYIMAGESUBDATANVPROC": 2, + "hSrcRC": 1, + "srcName": 1, + "srcTarget": 1, + "srcLevel": 1, + "srcX": 1, + "srcY": 1, + "srcZ": 1, + "hDstRC": 1, + "dstName": 1, + "dstTarget": 1, + "dstLevel": 1, + "dstX": 1, + "dstY": 1, + "dstZ": 1, + "GLsizei": 4, + "wglCopyImageSubDataNV": 1, + "__wglewCopyImageSubDataNV": 2, + "WGLEW_NV_copy_image": 1, + "__WGLEW_NV_copy_image": 2, + "WGL_NV_float_buffer": 2, + "WGL_FLOAT_COMPONENTS_NV": 1, + "B0": 1, + "WGL_BIND_TO_TEXTURE_RECTANGLE_FLOAT_R_NV": 1, + "B1": 1, + "WGL_BIND_TO_TEXTURE_RECTANGLE_FLOAT_RG_NV": 1, + "B2": 1, + "WGL_BIND_TO_TEXTURE_RECTANGLE_FLOAT_RGB_NV": 1, + "B3": 1, + "WGL_BIND_TO_TEXTURE_RECTANGLE_FLOAT_RGBA_NV": 1, + "B4": 1, + "WGL_TEXTURE_FLOAT_R_NV": 1, + "B5": 1, + "WGL_TEXTURE_FLOAT_RG_NV": 1, + "B6": 1, + "WGL_TEXTURE_FLOAT_RGB_NV": 1, + "B7": 1, + "WGL_TEXTURE_FLOAT_RGBA_NV": 1, + "B8": 1, + "WGLEW_NV_float_buffer": 1, + "__WGLEW_NV_float_buffer": 2, + "WGL_NV_gpu_affinity": 2, + "WGL_ERROR_INCOMPATIBLE_AFFINITY_MASKS_NV": 1, + "D0": 1, + "WGL_ERROR_MISSING_AFFINITY_MASK_NV": 1, + "D1": 1, + "HGPUNV": 5, + "_GPU_DEVICE": 1, + "cb": 1, + "CHAR": 2, + "DeviceName": 1, + "DeviceString": 1, + "Flags": 1, + "RECT": 1, + "rcVirtualScreen": 1, + "GPU_DEVICE": 1, + "*PGPU_DEVICE": 1, + "PFNWGLCREATEAFFINITYDCNVPROC": 2, + "*phGpuList": 1, + "PFNWGLDELETEDCNVPROC": 2, + "PFNWGLENUMGPUDEVICESNVPROC": 2, + "hGpu": 1, + "iDeviceIndex": 1, + "PGPU_DEVICE": 1, + "lpGpuDevice": 1, + "PFNWGLENUMGPUSFROMAFFINITYDCNVPROC": 2, + "hAffinityDC": 1, + "iGpuIndex": 2, + "*hGpu": 1, + "PFNWGLENUMGPUSNVPROC": 2, + "*phGpu": 1, + "wglCreateAffinityDCNV": 1, + "__wglewCreateAffinityDCNV": 2, + "wglDeleteDCNV": 1, + "__wglewDeleteDCNV": 2, + "wglEnumGpuDevicesNV": 1, + "__wglewEnumGpuDevicesNV": 2, + "wglEnumGpusFromAffinityDCNV": 1, + "__wglewEnumGpusFromAffinityDCNV": 2, + "wglEnumGpusNV": 1, + "__wglewEnumGpusNV": 2, + "WGLEW_NV_gpu_affinity": 1, + "__WGLEW_NV_gpu_affinity": 2, + "WGL_NV_multisample_coverage": 2, + "WGL_COVERAGE_SAMPLES_NV": 1, + "WGL_COLOR_SAMPLES_NV": 1, + "B9": 1, + "WGLEW_NV_multisample_coverage": 1, + "__WGLEW_NV_multisample_coverage": 2, + "WGL_NV_present_video": 2, + "WGL_NUM_VIDEO_SLOTS_NV": 1, + "F0": 1, + "HVIDEOOUTPUTDEVICENV": 2, + "PFNWGLBINDVIDEODEVICENVPROC": 2, + "hDc": 6, + "uVideoSlot": 2, + "hVideoDevice": 4, + "PFNWGLENUMERATEVIDEODEVICESNVPROC": 2, + "HVIDEOOUTPUTDEVICENV*": 1, + "phDeviceList": 2, + "PFNWGLQUERYCURRENTCONTEXTNVPROC": 2, + "wglBindVideoDeviceNV": 1, + "__wglewBindVideoDeviceNV": 2, + "wglEnumerateVideoDevicesNV": 1, + "__wglewEnumerateVideoDevicesNV": 2, + "wglQueryCurrentContextNV": 1, + "__wglewQueryCurrentContextNV": 2, + "WGLEW_NV_present_video": 1, + "__WGLEW_NV_present_video": 2, + "WGL_NV_render_depth_texture": 2, + "WGL_BIND_TO_TEXTURE_DEPTH_NV": 1, + "WGL_BIND_TO_TEXTURE_RECTANGLE_DEPTH_NV": 1, + "WGL_DEPTH_TEXTURE_FORMAT_NV": 1, + "WGL_TEXTURE_DEPTH_COMPONENT_NV": 1, + "WGL_DEPTH_COMPONENT_NV": 1, + "WGLEW_NV_render_depth_texture": 1, + "__WGLEW_NV_render_depth_texture": 2, + "WGL_NV_render_texture_rectangle": 2, + "WGL_BIND_TO_TEXTURE_RECTANGLE_RGB_NV": 1, + "WGL_BIND_TO_TEXTURE_RECTANGLE_RGBA_NV": 1, + "A1": 1, + "WGL_TEXTURE_RECTANGLE_NV": 1, + "WGLEW_NV_render_texture_rectangle": 1, + "__WGLEW_NV_render_texture_rectangle": 2, + "WGL_NV_swap_group": 2, + "PFNWGLBINDSWAPBARRIERNVPROC": 2, + "group": 3, + "barrier": 1, + "PFNWGLJOINSWAPGROUPNVPROC": 2, + "PFNWGLQUERYFRAMECOUNTNVPROC": 2, + "GLuint*": 3, + "PFNWGLQUERYMAXSWAPGROUPSNVPROC": 2, + "maxGroups": 1, + "*maxBarriers": 1, + "PFNWGLQUERYSWAPGROUPNVPROC": 2, + "*barrier": 1, + "PFNWGLRESETFRAMECOUNTNVPROC": 2, + "wglBindSwapBarrierNV": 1, + "__wglewBindSwapBarrierNV": 2, + "wglJoinSwapGroupNV": 1, + "__wglewJoinSwapGroupNV": 2, + "wglQueryFrameCountNV": 1, + "__wglewQueryFrameCountNV": 2, + "wglQueryMaxSwapGroupsNV": 1, + "__wglewQueryMaxSwapGroupsNV": 2, + "wglQuerySwapGroupNV": 1, + "__wglewQuerySwapGroupNV": 2, + "wglResetFrameCountNV": 1, + "__wglewResetFrameCountNV": 2, + "WGLEW_NV_swap_group": 1, + "__WGLEW_NV_swap_group": 2, + "WGL_NV_vertex_array_range": 2, + "PFNWGLALLOCATEMEMORYNVPROC": 2, + "GLfloat": 3, + "readFrequency": 1, + "writeFrequency": 1, + "priority": 1, + "PFNWGLFREEMEMORYNVPROC": 2, + "*pointer": 1, + "wglAllocateMemoryNV": 1, + "__wglewAllocateMemoryNV": 2, + "wglFreeMemoryNV": 1, + "__wglewFreeMemoryNV": 2, + "WGLEW_NV_vertex_array_range": 1, + "__WGLEW_NV_vertex_array_range": 2, + "WGL_NV_video_capture": 2, + "WGL_UNIQUE_ID_NV": 1, + "CE": 1, + "WGL_NUM_VIDEO_CAPTURE_SLOTS_NV": 1, + "CF": 1, + "HVIDEOINPUTDEVICENV": 5, + "PFNWGLBINDVIDEOCAPTUREDEVICENVPROC": 2, + "PFNWGLENUMERATEVIDEOCAPTUREDEVICESNVPROC": 2, + "HVIDEOINPUTDEVICENV*": 1, + "PFNWGLLOCKVIDEOCAPTUREDEVICENVPROC": 2, + "PFNWGLQUERYVIDEOCAPTUREDEVICENVPROC": 2, + "PFNWGLRELEASEVIDEOCAPTUREDEVICENVPROC": 2, + "wglBindVideoCaptureDeviceNV": 1, + "__wglewBindVideoCaptureDeviceNV": 2, + "wglEnumerateVideoCaptureDevicesNV": 1, + "__wglewEnumerateVideoCaptureDevicesNV": 2, + "wglLockVideoCaptureDeviceNV": 1, + "__wglewLockVideoCaptureDeviceNV": 2, + "wglQueryVideoCaptureDeviceNV": 1, + "__wglewQueryVideoCaptureDeviceNV": 2, + "wglReleaseVideoCaptureDeviceNV": 1, + "__wglewReleaseVideoCaptureDeviceNV": 2, + "WGLEW_NV_video_capture": 1, + "__WGLEW_NV_video_capture": 2, + "WGL_NV_video_output": 2, + "WGL_BIND_TO_VIDEO_RGB_NV": 1, + "WGL_BIND_TO_VIDEO_RGBA_NV": 1, + "C1": 1, + "WGL_BIND_TO_VIDEO_RGB_AND_DEPTH_NV": 1, + "C2": 1, + "WGL_VIDEO_OUT_COLOR_NV": 1, + "C3": 1, + "WGL_VIDEO_OUT_ALPHA_NV": 1, + "C4": 1, + "WGL_VIDEO_OUT_DEPTH_NV": 1, + "C5": 1, + "WGL_VIDEO_OUT_COLOR_AND_ALPHA_NV": 1, + "C6": 1, + "WGL_VIDEO_OUT_COLOR_AND_DEPTH_NV": 1, + "C7": 1, + "WGL_VIDEO_OUT_FRAME": 1, + "C8": 1, + "WGL_VIDEO_OUT_FIELD_1": 1, + "C9": 1, + "WGL_VIDEO_OUT_FIELD_2": 1, + "CA": 1, + "WGL_VIDEO_OUT_STACKED_FIELDS_1_2": 1, + "CB": 1, + "WGL_VIDEO_OUT_STACKED_FIELDS_2_1": 1, + "CC": 1, + "HPVIDEODEV": 4, + "PFNWGLBINDVIDEOIMAGENVPROC": 2, + "iVideoBuffer": 2, + "PFNWGLGETVIDEODEVICENVPROC": 2, + "numDevices": 1, + "HPVIDEODEV*": 1, + "PFNWGLGETVIDEOINFONVPROC": 2, + "hpVideoDevice": 1, + "long*": 2, + "pulCounterOutputPbuffer": 1, + "*pulCounterOutputVideo": 1, + "PFNWGLRELEASEVIDEODEVICENVPROC": 2, + "PFNWGLRELEASEVIDEOIMAGENVPROC": 2, + "PFNWGLSENDPBUFFERTOVIDEONVPROC": 2, + "iBufferType": 1, + "pulCounterPbuffer": 1, + "bBlock": 1, + "wglBindVideoImageNV": 1, + "__wglewBindVideoImageNV": 2, + "wglGetVideoDeviceNV": 1, + "__wglewGetVideoDeviceNV": 2, + "wglGetVideoInfoNV": 1, + "__wglewGetVideoInfoNV": 2, + "wglReleaseVideoDeviceNV": 1, + "__wglewReleaseVideoDeviceNV": 2, + "wglReleaseVideoImageNV": 1, + "__wglewReleaseVideoImageNV": 2, + "wglSendPbufferToVideoNV": 1, + "__wglewSendPbufferToVideoNV": 2, + "WGLEW_NV_video_output": 1, + "__WGLEW_NV_video_output": 2, + "WGL_OML_sync_control": 2, + "PFNWGLGETMSCRATEOMLPROC": 2, + "INT32*": 1, + "numerator": 1, + "INT32": 1, + "*denominator": 1, + "PFNWGLGETSYNCVALUESOMLPROC": 2, + "INT64*": 3, + "INT64": 18, + "*msc": 3, + "*sbc": 3, + "PFNWGLSWAPBUFFERSMSCOMLPROC": 2, + "target_msc": 3, + "divisor": 3, + "remainder": 3, + "PFNWGLSWAPLAYERBUFFERSMSCOMLPROC": 2, + "fuPlanes": 1, + "PFNWGLWAITFORMSCOMLPROC": 2, + "PFNWGLWAITFORSBCOMLPROC": 2, + "target_sbc": 1, + "wglGetMscRateOML": 1, + "__wglewGetMscRateOML": 2, + "wglGetSyncValuesOML": 1, + "__wglewGetSyncValuesOML": 2, + "wglSwapBuffersMscOML": 1, + "__wglewSwapBuffersMscOML": 2, + "wglSwapLayerBuffersMscOML": 1, + "__wglewSwapLayerBuffersMscOML": 2, + "wglWaitForMscOML": 1, + "__wglewWaitForMscOML": 2, + "wglWaitForSbcOML": 1, + "__wglewWaitForSbcOML": 2, + "WGLEW_OML_sync_control": 1, + "__WGLEW_OML_sync_control": 2, + "GLEW_MX": 4, + "WGLEW_EXPORT": 167, + "GLEWAPI": 6, + "WGLEWContextStruct": 2, + "WGLEWContext": 1, + "wglewContextInit": 2, + "WGLEWContext*": 2, + "wglewContextIsSupported": 2, + "wglewInit": 1, + "wglewGetContext": 4, + "wglewIsSupported": 2, + "wglewGetExtension": 1, + "yajl_status_to_string": 1, + "yajl_status": 4, + "statStr": 6, + "yajl_status_ok": 1, + "yajl_status_client_canceled": 1, + "yajl_status_insufficient_data": 1, + "yajl_status_error": 1, + "yajl_handle": 10, + "yajl_alloc": 1, + "yajl_callbacks": 1, + "callbacks": 3, + "yajl_parser_config": 1, + "config": 4, + "yajl_alloc_funcs": 3, + "afs": 8, + "allowComments": 4, + "validateUTF8": 3, + "hand": 28, + "afsBuffer": 3, + "realloc": 1, + "yajl_set_default_alloc_funcs": 1, + "YA_MALLOC": 1, + "yajl_handle_t": 1, + "alloc": 6, + "checkUTF8": 1, + "lexer": 4, + "yajl_lex_alloc": 1, + "bytesConsumed": 2, + "decodeBuf": 2, + "yajl_buf_alloc": 1, + "yajl_bs_init": 1, + "stateStack": 3, + "yajl_bs_push": 1, + "yajl_state_start": 1, + "yajl_reset_parser": 1, + "yajl_lex_realloc": 1, + "yajl_free": 1, + "yajl_bs_free": 1, + "yajl_buf_free": 1, + "yajl_lex_free": 1, + "YA_FREE": 2, + "yajl_parse": 2, + "jsonText": 4, + "jsonTextLen": 4, + "yajl_do_parse": 1, + "yajl_parse_complete": 1, + "yajl_get_error": 1, + "verbose": 2, + "yajl_render_error_string": 1, + "yajl_get_bytes_consumed": 1, + "yajl_free_error": 1 + }, + "C#": { + "@": 1, + "{": 5, + "ViewBag.Title": 1, + ";": 8, + "}": 5, + "@section": 1, + "featured": 1, + "
": 1, + "class=": 7, + "
": 1, + "
": 1, + "

": 1, + "@ViewBag.Title.": 1, + "

": 1, + "

": 1, + "@ViewBag.Message": 1, + "

": 1, + "
": 1, + "

": 1, + "To": 1, + "learn": 1, + "more": 4, + "about": 2, + "ASP.NET": 5, + "MVC": 4, + "visit": 2, + "": 5, + "href=": 5, + "title=": 2, + "http": 1, + "//asp.net/mvc": 1, + "": 5, + ".": 2, + "The": 1, + "page": 1, + "features": 3, + "": 1, + "videos": 1, + "tutorials": 1, + "and": 6, + "samples": 1, + "": 1, + "to": 4, + "help": 1, + "you": 4, + "get": 1, + "the": 5, + "most": 1, + "from": 1, + "MVC.": 1, + "If": 1, + "have": 1, + "any": 1, + "questions": 1, + "our": 1, + "forums": 1, + "

": 1, + "
": 1, + "
": 1, + "

": 1, + "We": 1, + "suggest": 1, + "following": 1, + "

": 1, + "
    ": 1, + "
  1. ": 3, + "
    ": 3, + "Getting": 1, + "Started": 1, + "
    ": 3, + "gives": 2, + "a": 3, + "powerful": 1, + "patterns": 1, + "-": 3, + "based": 1, + "way": 1, + "build": 1, + "dynamic": 1, + "websites": 1, + "that": 5, + "enables": 1, + "clean": 1, + "separation": 1, + "of": 2, + "concerns": 1, + "full": 1, + "control": 1, + "over": 1, + "markup": 1, + "for": 4, + "enjoyable": 1, + "agile": 1, + "development.": 1, + "includes": 1, + "many": 1, + "enable": 1, + "fast": 1, + "TDD": 1, + "friendly": 1, + "development": 1, + "creating": 1, + "sophisticated": 1, + "applications": 1, + "use": 1, + "latest": 1, + "web": 2, + "standards.": 1, + "Learn": 3, + "
  2. ": 3, + "Add": 1, + "NuGet": 2, + "packages": 1, + "jump": 1, + "start": 1, + "your": 2, + "coding": 1, + "makes": 1, + "it": 2, + "easy": 1, + "install": 1, + "update": 1, + "free": 1, + "libraries": 1, + "tools.": 1, + "Find": 1, + "Web": 1, + "Hosting": 1, + "You": 1, + "can": 1, + "easily": 1, + "find": 1, + "hosting": 1, + "company": 1, + "offers": 1, + "right": 1, + "mix": 1, + "price": 1, + "applications.": 1, + "
": 1, + "using": 5, + "System": 1, + "System.Collections.Generic": 1, + "System.Linq": 1, + "System.Text": 1, + "System.Threading.Tasks": 1, + "namespace": 1, + "LittleSampleApp": 1, + "///": 4, + "": 1, + "Just": 1, + "what": 1, + "says": 1, + "on": 1, + "tin.": 1, + "A": 1, + "little": 1, + "sample": 1, + "application": 1, + "Linguist": 1, + "try": 1, + "out.": 1, + "": 1, + "class": 1, + "Program": 1, + "static": 1, + "void": 1, + "Main": 1, + "(": 3, + "string": 1, + "[": 1, + "]": 1, + "args": 1, + ")": 3, + "Console.WriteLine": 2 + }, + "C++": { + "class": 40, + "Bar": 2, + "{": 581, + "protected": 4, + "char": 127, + "*name": 6, + ";": 2471, + "public": 33, + "void": 225, + "hello": 2, + "(": 2729, + ")": 2731, + "}": 581, + "//": 278, + "///": 843, + "mainpage": 1, + "C": 6, + "library": 14, + "for": 98, + "Broadcom": 3, + "BCM": 14, + "as": 28, + "used": 17, + "in": 165, + "Raspberry": 6, + "Pi": 5, + "This": 18, + "is": 100, + "a": 156, + "RPi": 17, + ".": 16, + "It": 7, + "provides": 3, + "access": 17, + "to": 253, + "GPIO": 87, + "and": 118, + "other": 17, + "IO": 2, + "functions": 19, + "on": 55, + "the": 537, + "chip": 9, + "allowing": 3, + "pins": 40, + "pin": 90, + "IDE": 4, + "plug": 3, + "board": 2, + "so": 2, + "you": 29, + "can": 21, + "control": 17, + "interface": 9, + "with": 32, + "various": 4, + "external": 3, + "devices.": 1, + "reading": 3, + "digital": 2, + "inputs": 2, + "setting": 2, + "outputs": 1, + "using": 11, + "SPI": 44, + "I2C": 29, + "accessing": 2, + "system": 9, + "timers.": 1, + "Pin": 65, + "event": 3, + "detection": 2, + "supported": 3, + "by": 53, + "polling": 1, + "interrupts": 1, + "are": 36, + "not": 26, + "+": 60, + "compatible": 1, + "installs": 1, + "header": 7, + "file": 31, + "non": 2, + "-": 349, + "shared": 2, + "any": 23, + "Linux": 2, + "based": 4, + "distro": 1, + "but": 5, + "clearly": 1, + "no": 7, + "use": 34, + "except": 2, + "or": 44, + "another": 1, + "The": 50, + "version": 38, + "of": 211, + "package": 1, + "that": 33, + "this": 52, + "documentation": 3, + "refers": 1, + "be": 35, + "downloaded": 1, + "from": 91, + "http": 11, + "//www.airspayce.com/mikem/bcm2835/bcm2835": 1, + "tar.gz": 1, + "You": 9, + "find": 2, + "latest": 2, + "at": 20, + "//www.airspayce.com/mikem/bcm2835": 1, + "Several": 1, + "example": 3, + "programs": 4, + "provided.": 1, + "Based": 1, + "data": 26, + "//elinux.org/RPi_Low": 1, + "level_peripherals": 1, + "//www.raspberrypi.org/wp": 1, + "content/uploads/2012/02/BCM2835": 1, + "ARM": 5, + "Peripherals.pdf": 1, + "//www.scribd.com/doc/101830961/GPIO": 2, + "Pads": 3, + "Control2": 2, + "also": 3, + "online": 1, + "help": 1, + "discussion": 1, + "//groups.google.com/group/bcm2835": 1, + "Please": 4, + "group": 23, + "all": 11, + "questions": 1, + "discussions": 1, + "topic.": 1, + "Do": 1, + "contact": 1, + "author": 3, + "directly": 2, + "unless": 1, + "it": 19, + "discuss": 1, + "commercial": 1, + "licensing.": 1, + "Tested": 1, + "debian6": 1, + "wheezy": 3, + "raspbian": 3, + "Occidentalisv01": 2, + "CAUTION": 1, + "has": 29, + "been": 14, + "observed": 1, + "when": 22, + "detect": 3, + "enables": 3, + "such": 4, + "bcm2835_gpio_len": 5, + "pulled": 1, + "LOW": 8, + "cause": 1, + "temporary": 1, + "hangs": 1, + "Occidentalisv01.": 1, + "Reason": 1, + "yet": 1, + "determined": 1, + "suspect": 1, + "an": 23, + "interrupt": 1, + "handler": 1, + "hitting": 1, + "hard": 1, + "loop": 2, + "those": 3, + "OSs.": 1, + "If": 11, + "must": 6, + "friends": 2, + "make": 6, + "sure": 3, + "disable": 2, + "bcm2835_gpio_cler_len": 1, + "after": 18, + "use.": 1, + "par": 9, + "Installation": 1, + "consists": 1, + "single": 2, + "which": 14, + "will": 15, + "installed": 1, + "usual": 3, + "places": 1, + "install": 3, + "code": 12, + "#": 1, + "download": 2, + "say": 1, + "bcm2835": 7, + "xx.tar.gz": 2, + "then": 15, + "tar": 1, + "zxvf": 1, + "cd": 1, + "xx": 2, + "./configure": 1, + "sudo": 2, + "check": 3, + "endcode": 2, + "Physical": 21, + "Addresses": 6, + "bcm2835_peri_read": 3, + "bcm2835_peri_write": 3, + "bcm2835_peri_set_bits": 2, + "low": 2, + "level": 10, + "peripheral": 14, + "register": 17, + "functions.": 4, + "They": 1, + "designed": 3, + "physical": 4, + "addresses": 4, + "described": 1, + "section": 6, + "BCM2835": 2, + "Peripherals": 1, + "manual.": 1, + "range": 3, + "FFFFFF": 1, + "peripherals.": 1, + "bus": 4, + "peripherals": 2, + "set": 18, + "up": 18, + "map": 3, + "onto": 1, + "address": 13, + "starting": 1, + "E000000.": 1, + "Thus": 1, + "advertised": 1, + "manual": 8, + "Ennnnnn": 1, + "available": 6, + "nnnnnn.": 1, + "base": 4, + "registers": 12, + "following": 2, + "externals": 1, + "bcm2835_gpio": 2, + "bcm2835_pwm": 2, + "bcm2835_clk": 2, + "bcm2835_pads": 2, + "bcm2835_spio0": 1, + "bcm2835_st": 1, + "bcm2835_bsc0": 1, + "bcm2835_bsc1": 1, + "Numbering": 1, + "numbering": 1, + "different": 5, + "inconsistent": 1, + "underlying": 4, + "numbering.": 1, + "//elinux.org/RPi_BCM2835_GPIOs": 1, + "some": 4, + "well": 1, + "power": 1, + "ground": 1, + "pins.": 1, + "Not": 4, + "header.": 1, + "Version": 40, + "P5": 6, + "connector": 1, + "V": 2, + "Gnd.": 1, + "passed": 4, + "number": 52, + "_not_": 1, + "number.": 1, + "There": 1, + "symbolic": 1, + "definitions": 3, + "each": 7, + "should": 10, + "convenience.": 1, + "See": 7, + "ref": 32, + "RPiGPIOPin.": 22, + "Pins": 2, + "bcm2835_spi_*": 1, + "allow": 5, + "SPI0": 17, + "send": 3, + "received": 3, + "Serial": 3, + "Peripheral": 6, + "Interface": 2, + "For": 6, + "more": 4, + "information": 3, + "about": 6, + "see": 14, + "//en.wikipedia.org/wiki/Serial_Peripheral_Interface_Bus": 1, + "When": 12, + "bcm2835_spi_begin": 3, + "called": 13, + "changes": 2, + "bahaviour": 1, + "their": 6, + "default": 14, + "behaviour": 1, + "order": 14, + "support": 4, + "SPI.": 1, + "While": 1, + "able": 2, + "state": 22, + "through": 4, + "bcm2835_spi_gpio_write": 1, + "bcm2835_spi_end": 4, + "revert": 1, + "configured": 1, + "controled": 1, + "bcm2835_gpio_*": 1, + "calls.": 1, + "P1": 56, + "MOSI": 8, + "MISO": 6, + "CLK": 6, + "CE0": 5, + "CE1": 6, + "bcm2835_i2c_*": 2, + "BSC": 10, + "generically": 1, + "referred": 1, + "I": 4, + "//en.wikipedia.org/wiki/I": 1, + "%": 6, + "C2": 1, + "B2C": 1, + "V2": 2, + "SDA": 3, + "SLC": 1, + "Real": 1, + "Time": 1, + "performance": 2, + "constraints": 2, + "user": 3, + "i.e.": 1, + "they": 2, + "run": 1, + "Such": 1, + "part": 1, + "kernel": 4, + "usually": 2, + "subject": 1, + "paging": 1, + "swapping": 2, + "while": 12, + "does": 4, + "things": 1, + "besides": 1, + "running": 1, + "your": 12, + "program.": 1, + "means": 8, + "expect": 2, + "get": 5, + "real": 4, + "time": 10, + "timing": 3, + "programs.": 1, + "In": 2, + "particular": 1, + "there": 4, + "guarantee": 1, + "bcm2835_delay": 5, + "bcm2835_delayMicroseconds": 6, + "return": 164, + "exactly": 2, + "requested.": 1, + "fact": 2, + "depending": 1, + "activity": 1, + "host": 1, + "etc": 1, + "might": 1, + "significantly": 1, + "longer": 1, + "delay": 9, + "times": 2, + "than": 5, + "one": 73, + "asked": 1, + "for.": 1, + "So": 1, + "please": 2, + "dont": 1, + "request.": 1, + "Arjan": 2, + "reports": 1, + "prevent": 4, + "fragment": 2, + "struct": 12, + "sched_param": 1, + "sp": 4, + "memset": 3, + "&": 149, + "sizeof": 15, + "sp.sched_priority": 1, + "sched_get_priority_max": 1, + "SCHED_FIFO": 2, + "sched_setscheduler": 1, + "mlockall": 1, + "MCL_CURRENT": 1, + "|": 14, + "MCL_FUTURE": 1, + "Open": 2, + "Source": 2, + "Licensing": 2, + "GPL": 2, + "appropriate": 7, + "option": 1, + "if": 306, + "want": 5, + "share": 2, + "source": 12, + "application": 2, + "everyone": 1, + "distribute": 1, + "give": 2, + "them": 1, + "right": 9, + "who": 1, + "uses": 4, + "it.": 3, + "wish": 2, + "software": 1, + "under": 2, + "contribute": 1, + "open": 6, + "community": 1, + "accordance": 1, + "distributed.": 1, + "//www.gnu.org/copyleft/gpl.html": 1, + "COPYING": 1, + "Acknowledgements": 1, + "Some": 1, + "inspired": 2, + "Dom": 1, + "Gert.": 1, + "Alan": 1, + "Barr.": 1, + "Revision": 1, + "History": 1, + "Initial": 1, + "release": 1, + "Minor": 1, + "bug": 1, + "fixes": 1, + "Added": 11, + "bcm2835_spi_transfern": 3, + "Fixed": 4, + "problem": 2, + "prevented": 1, + "being": 4, + "used.": 2, + "Reported": 5, + "David": 1, + "Robinson.": 1, + "bcm2835_close": 4, + "deinit": 1, + "library.": 3, + "Suggested": 1, + "sar": 1, + "Ortiz": 1, + "Document": 1, + "testing": 1, + "Functions": 1, + "bcm2835_gpio_ren": 3, + "bcm2835_gpio_fen": 3, + "bcm2835_gpio_hen": 3, + "bcm2835_gpio_aren": 3, + "bcm2835_gpio_afen": 3, + "now": 4, + "only": 6, + "specified.": 1, + "Other": 1, + "were": 1, + "already": 1, + "previously": 10, + "enabled": 4, + "stay": 1, + "enabled.": 1, + "bcm2835_gpio_clr_ren": 2, + "bcm2835_gpio_clr_fen": 2, + "bcm2835_gpio_clr_hen": 2, + "bcm2835_gpio_clr_len": 2, + "bcm2835_gpio_clr_aren": 2, + "bcm2835_gpio_clr_afen": 2, + "clear": 3, + "enable": 3, + "individual": 1, + "suggested": 3, + "Andreas": 1, + "Sundstrom.": 1, + "bcm2835_spi_transfernb": 2, + "buffers": 3, + "read": 21, + "write.": 1, + "Improvements": 3, + "barrier": 3, + "maddin.": 1, + "contributed": 1, + "mikew": 1, + "noticed": 1, + "was": 6, + "mallocing": 1, + "memory": 14, + "mmaps": 1, + "/dev/mem.": 1, + "ve": 4, + "removed": 1, + "mallocs": 1, + "frees": 1, + "found": 1, + "calling": 8, + "nanosleep": 7, + "takes": 1, + "least": 2, + "us.": 1, + "need": 3, + "link": 3, + "version.": 1, + "s": 18, + "doc": 1, + "Also": 1, + "added": 2, + "define": 2, + "passwrd": 1, + "value": 50, + "Gert": 1, + "says": 1, + "needed": 3, + "change": 3, + "pad": 4, + "settings.": 1, + "Changed": 1, + "names": 3, + "collisions": 1, + "wiringPi.": 1, + "Macros": 2, + "delayMicroseconds": 3, + "disabled": 2, + "defining": 1, + "BCM2835_NO_DELAY_COMPATIBILITY": 2, + "incorrect": 2, + "New": 6, + "mapping": 3, + "Hardware": 1, + "pointers": 2, + "initialisation": 2, + "externally": 1, + "bcm2835_spi0.": 1, + "Now": 4, + "compiles": 1, + "even": 2, + "CLOCK_MONOTONIC_RAW": 1, + "CLOCK_MONOTONIC": 1, + "instead.": 1, + "errors": 1, + "divider": 15, + "frequencies": 2, + "MHz": 14, + "clock.": 6, + "Ben": 1, + "Simpson.": 1, + "end": 23, + "examples": 1, + "Mark": 5, + "Wolfe.": 1, + "bcm2835_gpio_set_multi": 2, + "bcm2835_gpio_clr_multi": 2, + "bcm2835_gpio_write_multi": 4, + "mask": 20, + "once.": 1, + "Requested": 2, + "Sebastian": 2, + "Loncar.": 2, + "bcm2835_gpio_write_mask.": 1, + "Changes": 1, + "timer": 2, + "counter": 1, + "instead": 1, + "clock_gettime": 1, + "improved": 1, + "accuracy.": 1, + "No": 2, + "lrt": 1, + "now.": 1, + "Contributed": 1, + "van": 1, + "Vught.": 1, + "Removed": 1, + "inlines": 1, + "previous": 6, + "patch": 1, + "since": 3, + "don": 1, + "t": 15, + "seem": 1, + "work": 1, + "everywhere.": 1, + "olly.": 1, + "Patch": 2, + "Dootson": 2, + "close": 3, + "/dev/mem": 4, + "granted.": 1, + "susceptible": 1, + "bit": 19, + "overruns.": 1, + "courtesy": 1, + "Jeremy": 1, + "Mortis.": 1, + "definition": 3, + "BCM2835_GPFEN0": 2, + "broke": 1, + "ability": 1, + "falling": 4, + "edge": 8, + "events.": 1, + "Dootson.": 2, + "bcm2835_i2c_set_baudrate": 2, + "bcm2835_i2c_read_register_rs.": 1, + "bcm2835_i2c_read": 4, + "bcm2835_i2c_write": 4, + "fix": 1, + "ocasional": 1, + "reads": 2, + "completing.": 1, + "Patched": 1, + "p": 6, + "[": 274, + "atched": 1, + "his": 1, + "submitted": 1, + "high": 1, + "load": 1, + "processes.": 1, + "Updated": 1, + "distribution": 1, + "location": 6, + "details": 1, + "airspayce.com": 1, + "missing": 1, + "unmapmem": 1, + "pads": 7, + "leak.": 1, + "Hartmut": 1, + "Henkel.": 1, + "Mike": 1, + "McCauley": 1, + "mikem@airspayce.com": 1, + "DO": 1, + "NOT": 3, + "CONTACT": 1, + "THE": 2, + "AUTHOR": 1, + "DIRECTLY": 1, + "USE": 1, + "LISTS": 1, + "#ifndef": 27, + "BCM2835_H": 3, + "#define": 341, + "#include": 121, + "": 2, + "defgroup": 7, + "constants": 1, + "Constants": 1, + "passing": 1, + "values": 3, + "here": 1, + "@": 14, + "HIGH": 12, + "true": 41, + "volts": 2, + "pin.": 21, + "false": 45, + "Speed": 1, + "core": 1, + "clock": 21, + "core_clk": 1, + "BCM2835_CORE_CLK_HZ": 1, + "<": 247, + "Base": 17, + "Address": 10, + "BCM2835_PERI_BASE": 9, + "System": 10, + "Timer": 9, + "BCM2835_ST_BASE": 1, + "BCM2835_GPIO_PADS": 2, + "Clock/timer": 1, + "BCM2835_CLOCK_BASE": 1, + "BCM2835_GPIO_BASE": 6, + "BCM2835_SPI0_BASE": 1, + "BSC0": 2, + "BCM2835_BSC0_BASE": 1, + "PWM": 2, + "BCM2835_GPIO_PWM": 1, + "C000": 1, + "BSC1": 2, + "BCM2835_BSC1_BASE": 1, + "ST": 1, + "registers.": 10, + "Available": 8, + "bcm2835_init": 11, + "extern": 72, + "volatile": 13, + "uint32_t": 37, + "*bcm2835_st": 1, + "*bcm2835_gpio": 1, + "*bcm2835_pwm": 1, + "*bcm2835_clk": 1, + "PADS": 1, + "*bcm2835_pads": 1, + "*bcm2835_spi0": 1, + "*bcm2835_bsc0": 1, + "*bcm2835_bsc1": 1, + "Size": 2, + "page": 5, + "BCM2835_PAGE_SIZE": 1, + "*1024": 2, + "block": 4, + "BCM2835_BLOCK_SIZE": 1, + "offsets": 2, + "BCM2835_GPIO_BASE.": 1, + "Offsets": 1, + "into": 6, + "bytes": 29, + "per": 3, + "Register": 1, + "View": 1, + "BCM2835_GPFSEL0": 1, + "Function": 8, + "Select": 49, + "BCM2835_GPFSEL1": 1, + "BCM2835_GPFSEL2": 1, + "BCM2835_GPFSEL3": 1, + "c": 62, + "BCM2835_GPFSEL4": 1, + "BCM2835_GPFSEL5": 1, + "BCM2835_GPSET0": 1, + "Output": 6, + "Set": 2, + "BCM2835_GPSET1": 1, + "BCM2835_GPCLR0": 1, + "Clear": 18, + "BCM2835_GPCLR1": 1, + "BCM2835_GPLEV0": 1, + "Level": 2, + "BCM2835_GPLEV1": 1, + "BCM2835_GPEDS0": 1, + "Event": 11, + "Detect": 35, + "Status": 6, + "BCM2835_GPEDS1": 1, + "BCM2835_GPREN0": 1, + "Rising": 8, + "Edge": 16, + "Enable": 38, + "BCM2835_GPREN1": 1, + "Falling": 8, + "BCM2835_GPFEN1": 1, + "BCM2835_GPHEN0": 1, + "High": 4, + "BCM2835_GPHEN1": 1, + "BCM2835_GPLEN0": 1, + "Low": 5, + "BCM2835_GPLEN1": 1, + "BCM2835_GPAREN0": 1, + "Async.": 4, + "BCM2835_GPAREN1": 1, + "BCM2835_GPAFEN0": 1, + "BCM2835_GPAFEN1": 1, + "BCM2835_GPPUD": 1, + "Pull": 11, + "up/down": 10, + "BCM2835_GPPUDCLK0": 1, + "Clock": 11, + "BCM2835_GPPUDCLK1": 1, + "brief": 12, + "bcm2835PortFunction": 1, + "Port": 1, + "function": 18, + "select": 9, + "modes": 1, + "bcm2835_gpio_fsel": 2, + "typedef": 50, + "enum": 17, + "BCM2835_GPIO_FSEL_INPT": 1, + "b000": 1, + "Input": 2, + "BCM2835_GPIO_FSEL_OUTP": 1, + "b001": 1, + "BCM2835_GPIO_FSEL_ALT0": 1, + "b100": 1, + "Alternate": 6, + "BCM2835_GPIO_FSEL_ALT1": 1, + "b101": 1, + "BCM2835_GPIO_FSEL_ALT2": 1, + "b110": 1, + "BCM2835_GPIO_FSEL_ALT3": 1, + "b111": 2, + "BCM2835_GPIO_FSEL_ALT4": 1, + "b011": 1, + "BCM2835_GPIO_FSEL_ALT5": 1, + "b010": 1, + "BCM2835_GPIO_FSEL_MASK": 1, + "bits": 11, + "bcm2835FunctionSelect": 2, + "bcm2835PUDControl": 4, + "Pullup/Pulldown": 1, + "defines": 3, + "bcm2835_gpio_pud": 5, + "BCM2835_GPIO_PUD_OFF": 1, + "b00": 1, + "Off": 3, + "pull": 1, + "BCM2835_GPIO_PUD_DOWN": 1, + "b01": 1, + "Down": 1, + "BCM2835_GPIO_PUD_UP": 1, + "b10": 1, + "Up": 1, + "Pad": 11, + "BCM2835_PADS_GPIO_0_27": 1, + "BCM2835_PADS_GPIO_28_45": 1, + "BCM2835_PADS_GPIO_46_53": 1, + "Control": 6, + "masks": 1, + "BCM2835_PAD_PASSWRD": 1, + "A": 7, + "<<": 29, + "Password": 1, + "BCM2835_PAD_SLEW_RATE_UNLIMITED": 1, + "Slew": 1, + "rate": 3, + "unlimited": 1, + "BCM2835_PAD_HYSTERESIS_ENABLED": 1, + "Hysteresis": 1, + "BCM2835_PAD_DRIVE_2mA": 1, + "mA": 8, + "drive": 8, + "current": 26, + "BCM2835_PAD_DRIVE_4mA": 1, + "BCM2835_PAD_DRIVE_6mA": 1, + "BCM2835_PAD_DRIVE_8mA": 1, + "BCM2835_PAD_DRIVE_10mA": 1, + "BCM2835_PAD_DRIVE_12mA": 1, + "BCM2835_PAD_DRIVE_14mA": 1, + "BCM2835_PAD_DRIVE_16mA": 1, + "bcm2835PadGroup": 4, + "specification": 1, + "bcm2835_gpio_pad": 2, + "BCM2835_PAD_GROUP_GPIO_0_27": 1, + "BCM2835_PAD_GROUP_GPIO_28_45": 1, + "BCM2835_PAD_GROUP_GPIO_46_53": 1, + "Numbers": 1, + "Here": 1, + "we": 4, + "terms": 4, + "numbers.": 1, + "These": 6, + "requiring": 1, + "bin": 1, + "connected": 1, + "adopt": 1, + "alternate": 7, + "function.": 3, + "slightly": 1, + "pinouts": 1, + "these": 1, + "RPI_V2_*.": 1, + "At": 1, + "bootup": 1, + "UART0_TXD": 3, + "UART0_RXD": 3, + "ie": 3, + "alt0": 1, + "respectively": 1, + "dedicated": 1, + "cant": 1, + "controlled": 1, + "independently": 1, + "RPI_GPIO_P1_03": 6, + "RPI_GPIO_P1_05": 6, + "RPI_GPIO_P1_07": 1, + "RPI_GPIO_P1_08": 1, + "defaults": 4, + "alt": 4, + "RPI_GPIO_P1_10": 1, + "RPI_GPIO_P1_11": 1, + "RPI_GPIO_P1_12": 1, + "RPI_GPIO_P1_13": 1, + "RPI_GPIO_P1_15": 1, + "RPI_GPIO_P1_16": 1, + "RPI_GPIO_P1_18": 1, + "RPI_GPIO_P1_19": 1, + "RPI_GPIO_P1_21": 1, + "RPI_GPIO_P1_22": 1, + "RPI_GPIO_P1_23": 1, + "RPI_GPIO_P1_24": 1, + "RPI_GPIO_P1_26": 1, + "RPI_V2_GPIO_P1_03": 1, + "RPI_V2_GPIO_P1_05": 1, + "RPI_V2_GPIO_P1_07": 1, + "RPI_V2_GPIO_P1_08": 1, + "RPI_V2_GPIO_P1_10": 1, + "RPI_V2_GPIO_P1_11": 1, + "RPI_V2_GPIO_P1_12": 1, + "RPI_V2_GPIO_P1_13": 1, + "RPI_V2_GPIO_P1_15": 1, + "RPI_V2_GPIO_P1_16": 1, + "RPI_V2_GPIO_P1_18": 1, + "RPI_V2_GPIO_P1_19": 1, + "RPI_V2_GPIO_P1_21": 1, + "RPI_V2_GPIO_P1_22": 1, + "RPI_V2_GPIO_P1_23": 1, + "RPI_V2_GPIO_P1_24": 1, + "RPI_V2_GPIO_P1_26": 1, + "RPI_V2_GPIO_P5_03": 1, + "RPI_V2_GPIO_P5_04": 1, + "RPI_V2_GPIO_P5_05": 1, + "RPI_V2_GPIO_P5_06": 1, + "RPiGPIOPin": 1, + "BCM2835_SPI0_CS": 1, + "Master": 12, + "BCM2835_SPI0_FIFO": 1, + "TX": 5, + "RX": 7, + "FIFOs": 1, + "BCM2835_SPI0_CLK": 1, + "Divider": 2, + "BCM2835_SPI0_DLEN": 1, + "Data": 9, + "Length": 2, + "BCM2835_SPI0_LTOH": 1, + "LOSSI": 1, + "mode": 24, + "TOH": 1, + "BCM2835_SPI0_DC": 1, + "DMA": 3, + "DREQ": 1, + "Controls": 1, + "BCM2835_SPI0_CS_LEN_LONG": 1, + "Long": 1, + "word": 7, + "Lossi": 2, + "DMA_LEN": 1, + "BCM2835_SPI0_CS_DMA_LEN": 1, + "BCM2835_SPI0_CS_CSPOL2": 1, + "Chip": 9, + "Polarity": 5, + "BCM2835_SPI0_CS_CSPOL1": 1, + "BCM2835_SPI0_CS_CSPOL0": 1, + "BCM2835_SPI0_CS_RXF": 1, + "RXF": 2, + "FIFO": 25, + "Full": 1, + "BCM2835_SPI0_CS_RXR": 1, + "RXR": 3, + "needs": 3, + "Reading": 1, + "full": 9, + "BCM2835_SPI0_CS_TXD": 1, + "TXD": 2, + "accept": 2, + "BCM2835_SPI0_CS_RXD": 1, + "RXD": 2, + "contains": 2, + "BCM2835_SPI0_CS_DONE": 1, + "Done": 3, + "transfer": 8, + "BCM2835_SPI0_CS_TE_EN": 1, + "Unused": 2, + "BCM2835_SPI0_CS_LMONO": 1, + "BCM2835_SPI0_CS_LEN": 1, + "LEN": 1, + "LoSSI": 1, + "BCM2835_SPI0_CS_REN": 1, + "REN": 1, + "Read": 3, + "BCM2835_SPI0_CS_ADCS": 1, + "ADCS": 1, + "Automatically": 1, + "Deassert": 1, + "BCM2835_SPI0_CS_INTR": 1, + "INTR": 1, + "Interrupt": 5, + "BCM2835_SPI0_CS_INTD": 1, + "INTD": 1, + "BCM2835_SPI0_CS_DMAEN": 1, + "DMAEN": 1, + "BCM2835_SPI0_CS_TA": 1, + "Transfer": 3, + "Active": 2, + "BCM2835_SPI0_CS_CSPOL": 1, + "BCM2835_SPI0_CS_CLEAR": 1, + "BCM2835_SPI0_CS_CLEAR_RX": 1, + "BCM2835_SPI0_CS_CLEAR_TX": 1, + "BCM2835_SPI0_CS_CPOL": 1, + "BCM2835_SPI0_CS_CPHA": 1, + "Phase": 1, + "BCM2835_SPI0_CS_CS": 1, + "bcm2835SPIBitOrder": 3, + "Bit": 1, + "Specifies": 5, + "ordering": 4, + "bcm2835_spi_setBitOrder": 2, + "BCM2835_SPI_BIT_ORDER_LSBFIRST": 1, + "LSB": 1, + "First": 2, + "BCM2835_SPI_BIT_ORDER_MSBFIRST": 1, + "MSB": 1, + "Specify": 2, + "bcm2835_spi_setDataMode": 2, + "BCM2835_SPI_MODE0": 1, + "CPOL": 4, + "CPHA": 4, + "BCM2835_SPI_MODE1": 1, + "BCM2835_SPI_MODE2": 1, + "BCM2835_SPI_MODE3": 1, + "bcm2835SPIMode": 2, + "bcm2835SPIChipSelect": 3, + "BCM2835_SPI_CS0": 1, + "BCM2835_SPI_CS1": 1, + "BCM2835_SPI_CS2": 1, + "CS1": 1, + "CS2": 1, + "asserted": 3, + "BCM2835_SPI_CS_NONE": 1, + "CS": 5, + "yourself": 1, + "bcm2835SPIClockDivider": 3, + "generate": 2, + "Figures": 1, + "below": 1, + "period": 1, + "frequency.": 1, + "divided": 2, + "nominal": 2, + "reported": 2, + "contrary": 1, + "may": 9, + "shown": 1, + "have": 4, + "confirmed": 1, + "measurement": 2, + "BCM2835_SPI_CLOCK_DIVIDER_65536": 1, + "us": 12, + "kHz": 10, + "BCM2835_SPI_CLOCK_DIVIDER_32768": 1, + "BCM2835_SPI_CLOCK_DIVIDER_16384": 1, + "BCM2835_SPI_CLOCK_DIVIDER_8192": 1, + "/51757813kHz": 1, + "BCM2835_SPI_CLOCK_DIVIDER_4096": 1, + "BCM2835_SPI_CLOCK_DIVIDER_2048": 1, + "BCM2835_SPI_CLOCK_DIVIDER_1024": 1, + "BCM2835_SPI_CLOCK_DIVIDER_512": 1, + "BCM2835_SPI_CLOCK_DIVIDER_256": 1, + "BCM2835_SPI_CLOCK_DIVIDER_128": 1, + "ns": 9, + "BCM2835_SPI_CLOCK_DIVIDER_64": 1, + "BCM2835_SPI_CLOCK_DIVIDER_32": 1, + "BCM2835_SPI_CLOCK_DIVIDER_16": 1, + "BCM2835_SPI_CLOCK_DIVIDER_8": 1, + "BCM2835_SPI_CLOCK_DIVIDER_4": 1, + "BCM2835_SPI_CLOCK_DIVIDER_2": 1, + "fastest": 1, + "BCM2835_SPI_CLOCK_DIVIDER_1": 1, + "same": 3, + "/65536": 1, + "BCM2835_BSC_C": 1, + "BCM2835_BSC_S": 1, + "BCM2835_BSC_DLEN": 1, + "BCM2835_BSC_A": 1, + "Slave": 1, + "BCM2835_BSC_FIFO": 1, + "BCM2835_BSC_DIV": 1, + "BCM2835_BSC_DEL": 1, + "Delay": 4, + "BCM2835_BSC_CLKT": 1, + "Stretch": 2, + "Timeout": 2, + "BCM2835_BSC_C_I2CEN": 1, + "BCM2835_BSC_C_INTR": 1, + "BCM2835_BSC_C_INTT": 1, + "BCM2835_BSC_C_INTD": 1, + "DONE": 2, + "BCM2835_BSC_C_ST": 1, + "Start": 4, + "new": 13, + "BCM2835_BSC_C_CLEAR_1": 1, + "BCM2835_BSC_C_CLEAR_2": 1, + "BCM2835_BSC_C_READ": 1, + "BCM2835_BSC_S_CLKT": 1, + "stretch": 1, + "timeout": 1, + "BCM2835_BSC_S_ERR": 1, + "ACK": 1, + "error": 2, + "BCM2835_BSC_S_RXF": 1, + "BCM2835_BSC_S_TXE": 1, + "TXE": 1, + "BCM2835_BSC_S_RXD": 1, + "BCM2835_BSC_S_TXD": 1, + "BCM2835_BSC_S_RXR": 1, + "BCM2835_BSC_S_TXW": 1, + "TXW": 1, + "writing": 2, + "BCM2835_BSC_S_DONE": 1, + "BCM2835_BSC_S_TA": 1, + "BCM2835_BSC_FIFO_SIZE": 1, + "size": 13, + "bcm2835I2CClockDivider": 3, + "BCM2835_I2C_CLOCK_DIVIDER_2500": 1, + "BCM2835_I2C_CLOCK_DIVIDER_626": 1, + "BCM2835_I2C_CLOCK_DIVIDER_150": 1, + "reset": 1, + "BCM2835_I2C_CLOCK_DIVIDER_148": 1, + "bcm2835I2CReasonCodes": 5, + "reason": 4, + "codes": 1, + "BCM2835_I2C_REASON_OK": 1, + "Success": 1, + "BCM2835_I2C_REASON_ERROR_NACK": 1, + "Received": 4, + "NACK": 1, + "BCM2835_I2C_REASON_ERROR_CLKT": 1, + "BCM2835_I2C_REASON_ERROR_DATA": 1, + "sent": 1, + "/": 14, + "BCM2835_ST_CS": 1, + "Control/Status": 1, + "BCM2835_ST_CLO": 1, + "Counter": 4, + "Lower": 2, + "BCM2835_ST_CHI": 1, + "Upper": 1, + "BCM2835_PWM_CONTROL": 1, + "BCM2835_PWM_STATUS": 1, + "BCM2835_PWM0_RANGE": 1, + "BCM2835_PWM0_DATA": 1, + "BCM2835_PWM1_RANGE": 1, + "BCM2835_PWM1_DATA": 1, + "BCM2835_PWMCLK_CNTL": 1, + "BCM2835_PWMCLK_DIV": 1, + "BCM2835_PWM1_MS_MODE": 1, + "Run": 4, + "MS": 2, + "BCM2835_PWM1_USEFIFO": 1, + "BCM2835_PWM1_REVPOLAR": 1, + "Reverse": 2, + "polarity": 3, + "BCM2835_PWM1_OFFSTATE": 1, + "Ouput": 2, + "BCM2835_PWM1_REPEATFF": 1, + "Repeat": 2, + "last": 6, + "empty": 2, + "BCM2835_PWM1_SERIAL": 1, + "serial": 2, + "BCM2835_PWM1_ENABLE": 1, + "Channel": 2, + "BCM2835_PWM0_MS_MODE": 1, + "BCM2835_PWM0_USEFIFO": 1, + "BCM2835_PWM0_REVPOLAR": 1, + "BCM2835_PWM0_OFFSTATE": 1, + "BCM2835_PWM0_REPEATFF": 1, + "BCM2835_PWM0_SERIAL": 1, + "BCM2835_PWM0_ENABLE": 1, + "x": 48, + "#endif": 89, + "#ifdef": 19, + "__cplusplus": 12, + "init": 2, + "Library": 1, + "management": 1, + "intialise": 1, + "Initialise": 1, + "opening": 1, + "getting": 1, + "internal": 47, + "device": 7, + "call": 4, + "successfully": 1, + "before": 7, + "bcm2835_set_debug": 2, + "fails": 1, + "returning": 1, + "result": 2, + "crashes": 1, + "failures.": 1, + "Prints": 1, + "messages": 1, + "stderr": 1, + "case": 34, + "errors.": 1, + "successful": 2, + "else": 48, + "int": 161, + "Close": 1, + "deallocating": 1, + "allocated": 2, + "closing": 1, + "Sets": 24, + "debug": 6, + "prevents": 1, + "makes": 1, + "print": 5, + "out": 5, + "what": 2, + "would": 2, + "do": 9, + "rather": 2, + "causes": 1, + "normal": 1, + "operation.": 2, + "Call": 2, + "param": 72, + "]": 273, + "level.": 3, + "uint8_t": 43, + "lowlevel": 2, + "provide": 1, + "generally": 1, + "Reads": 5, + "done": 3, + "twice": 3, + "therefore": 6, + "always": 3, + "safe": 4, + "precautions": 3, + "correct": 3, + "paddr": 10, + "from.": 6, + "etc.": 5, + "sa": 30, + "uint32_t*": 7, + "without": 3, + "within": 4, + "occurred": 2, + "since.": 2, + "bcm2835_peri_read_nb": 1, + "Writes": 2, + "write": 8, + "bcm2835_peri_write_nb": 1, + "Alters": 1, + "regsiter.": 1, + "valu": 1, + "alters": 1, + "deines": 1, + "according": 1, + "value.": 2, + "All": 1, + "unaffected.": 1, + "Use": 8, + "alter": 2, + "subset": 1, + "register.": 3, + "masked": 2, + "mask.": 1, + "Bitmask": 1, + "altered": 1, + "gpio": 1, + "interface.": 3, + "input": 12, + "output": 21, + "state.": 1, + "given": 16, + "configures": 1, + "RPI_GPIO_P1_*": 21, + "Mode": 1, + "BCM2835_GPIO_FSEL_*": 1, + "specified": 27, + "HIGH.": 2, + "bcm2835_gpio_write": 3, + "bcm2835_gpio_set": 1, + "LOW.": 5, + "bcm2835_gpio_clr": 1, + "first": 13, + "Mask": 6, + "affect.": 4, + "eg": 5, + "returns": 4, + "either": 4, + "Works": 1, + "whether": 4, + "output.": 1, + "bcm2835_gpio_lev": 1, + "Status.": 7, + "Tests": 1, + "detected": 7, + "requested": 1, + "flag": 1, + "bcm2835_gpio_set_eds": 2, + "status": 1, + "th": 1, + "true.": 2, + "bcm2835_gpio_eds": 1, + "effect": 3, + "clearing": 1, + "flag.": 1, + "afer": 1, + "seeing": 1, + "rising": 3, + "sets": 8, + "GPRENn": 2, + "synchronous": 2, + "detection.": 2, + "signal": 4, + "sampled": 6, + "looking": 2, + "pattern": 2, + "signal.": 2, + "suppressing": 2, + "glitches.": 2, + "Disable": 6, + "Asynchronous": 6, + "incoming": 2, + "As": 2, + "edges": 2, + "very": 2, + "short": 5, + "duration": 2, + "detected.": 2, + "bcm2835_gpio_pudclk": 3, + "resistor": 1, + "However": 3, + "convenient": 2, + "bcm2835_gpio_set_pud": 4, + "pud": 4, + "desired": 7, + "mode.": 4, + "One": 3, + "BCM2835_GPIO_PUD_*": 2, + "Clocks": 3, + "earlier": 1, + "remove": 2, + "group.": 2, + "BCM2835_PAD_GROUP_GPIO_*": 2, + "BCM2835_PAD_*": 2, + "bcm2835_gpio_set_pad": 1, + "Delays": 3, + "milliseconds.": 1, + "Uses": 4, + "CPU": 5, + "until": 1, + "up.": 1, + "mercy": 2, + "From": 2, + "interval": 4, + "req": 2, + "exact": 2, + "multiple": 2, + "granularity": 2, + "rounded": 2, + "next": 9, + "multiple.": 2, + "Furthermore": 2, + "sleep": 2, + "completes": 2, + "still": 3, + "becomes": 2, + "free": 4, + "once": 5, + "again": 2, + "execute": 3, + "thread.": 2, + "millis": 2, + "milliseconds": 1, + "unsigned": 22, + "microseconds.": 2, + "combination": 2, + "busy": 2, + "wait": 2, + "timers": 1, + "less": 1, + "microseconds": 6, + "Timer.": 1, + "RaspberryPi": 1, + "Your": 1, + "mileage": 1, + "vary.": 1, + "micros": 5, + "uint64_t": 8, + "required": 2, + "bcm2835_gpio_write_mask": 1, + "clocking": 1, + "spi": 1, + "let": 2, + "device.": 2, + "operations.": 4, + "Forces": 2, + "ALT0": 2, + "funcitons": 1, + "complete": 2, + "End": 2, + "returned": 5, + "INPUT": 2, + "behaviour.": 2, + "NOTE": 1, + "effect.": 1, + "SPI0.": 1, + "Defaults": 1, + "BCM2835_SPI_BIT_ORDER_*": 1, + "speed.": 2, + "BCM2835_SPI_CLOCK_DIVIDER_*": 1, + "bcm2835_spi_setClockDivider": 1, + "uint16_t": 2, + "polariy": 1, + "phase": 1, + "BCM2835_SPI_MODE*": 1, + "bcm2835_spi_transfer": 5, + "made": 1, + "selected": 13, + "during": 4, + "transfer.": 4, + "cs": 4, + "activate": 1, + "slave.": 7, + "BCM2835_SPI_CS*": 1, + "bcm2835_spi_chipSelect": 4, + "occurs": 1, + "currently": 12, + "active.": 1, + "transfers": 1, + "happening": 1, + "complement": 1, + "inactive": 1, + "affect": 1, + "active": 3, + "Whether": 1, + "bcm2835_spi_setChipSelectPolarity": 1, + "Transfers": 6, + "byte": 6, + "Asserts": 3, + "simultaneously": 3, + "clocks": 2, + "MISO.": 2, + "Returns": 2, + "polled": 2, + "Peripherls": 2, + "len": 15, + "slave": 8, + "placed": 1, + "rbuf.": 1, + "rbuf": 3, + "long": 11, + "tbuf": 4, + "Buffer": 10, + "send.": 5, + "put": 1, + "buffer": 9, + "Number": 8, + "send/received": 2, + "char*": 24, + "bcm2835_spi_transfernb.": 1, + "replaces": 1, + "transmitted": 1, + "buffer.": 1, + "buf": 14, + "replace": 1, + "contents": 3, + "eh": 2, + "bcm2835_spi_writenb": 1, + "i2c": 1, + "Philips": 1, + "bus/interface": 1, + "January": 1, + "SCL": 2, + "bcm2835_i2c_end": 3, + "bcm2835_i2c_begin": 1, + "address.": 2, + "addr": 2, + "bcm2835_i2c_setSlaveAddress": 4, + "BCM2835_I2C_CLOCK_DIVIDER_*": 1, + "bcm2835_i2c_setClockDivider": 2, + "converting": 1, + "baudrate": 4, + "parameter": 1, + "equivalent": 1, + "divider.": 1, + "standard": 2, + "khz": 1, + "corresponds": 1, + "its": 1, + "driver.": 1, + "Of": 1, + "course": 2, + "nothing": 1, + "driver": 1, + "const": 170, + "*": 161, + "receive.": 2, + "received.": 2, + "Allows": 2, + "slaves": 1, + "require": 3, + "repeated": 1, + "start": 12, + "prior": 1, + "stop": 1, + "set.": 1, + "popular": 1, + "MPL3115A2": 1, + "pressure": 1, + "temperature": 1, + "sensor.": 1, + "Note": 1, + "combined": 1, + "better": 1, + "choice.": 1, + "Will": 1, + "regaddr": 2, + "containing": 2, + "bcm2835_i2c_read_register_rs": 1, + "st": 1, + "delays": 1, + "Counter.": 1, + "bcm2835_st_read": 1, + "offset.": 1, + "offset_micros": 2, + "Offset": 1, + "bcm2835_st_delay": 1, + "@example": 5, + "blink.c": 1, + "Blinks": 1, + "off": 1, + "input.c": 1, + "event.c": 1, + "Shows": 3, + "how": 3, + "spi.c": 1, + "spin.c": 1, + "#pragma": 3, + "": 4, + "": 4, + "": 2, + "namespace": 31, + "std": 52, + "DEFAULT_DELIMITER": 1, + "CsvStreamer": 5, + "private": 16, + "ofstream": 1, + "File": 1, + "stream": 6, + "vector": 16, + "row_buffer": 1, + "stores": 3, + "row": 12, + "flushed/written": 1, + "fields": 4, + "columns": 2, + "rows": 3, + "records": 2, + "including": 2, + "delimiter": 2, + "Delimiter": 1, + "character": 10, + "comma": 2, + "string": 24, + "sanitize": 1, + "ready": 1, + "Empty": 1, + "CSV": 4, + "streamer...": 1, + "Same": 1, + "...": 1, + "Opens": 3, + "path/name": 3, + "Ensures": 1, + "closed": 1, + "saved": 1, + "delimiting": 1, + "add_field": 1, + "line": 11, + "adds": 1, + "field": 5, + "save_fields": 1, + "save": 1, + "writes": 2, + "append": 8, + "Appends": 5, + "quoted": 1, + "leading/trailing": 1, + "spaces": 3, + "trimmed": 1, + "bool": 104, + "Like": 1, + "specify": 1, + "trim": 2, + "keep": 1, + "float": 8, + "double": 25, + "writeln": 1, + "Flushes": 1, + "Saves": 1, + "closes": 1, + "field_count": 1, + "Gets": 2, + "row_count": 1, + "": 1, + "": 1, + "": 2, + "static": 262, + "Env": 13, + "*env_instance": 1, + "NULL": 109, + "*Env": 1, + "instance": 4, + "env_instance": 3, + "QObject": 2, + "QCoreApplication": 1, + "parse": 3, + "**envp": 1, + "**env": 1, + "**": 2, + "QString": 20, + "envvar": 2, + "name": 25, + "indexOfEquals": 5, + "env": 3, + "envp": 4, + "*env": 1, + "envvar.indexOf": 1, + "continue": 2, + "envvar.left": 1, + "envvar.mid": 1, + "m_map.insert": 1, + "QVariantMap": 3, + "asVariantMap": 2, + "m_map": 2, + "ENV_H": 3, + "": 1, + "Q_OBJECT": 1, + "*instance": 1, + "Field": 2, + "Free": 1, + "Black": 1, + "White": 1, + "Illegal": 1, + "Player": 1, + "GDSDBREADER_H": 3, + "": 1, + "GDS_DIR": 1, + "LEVEL_ONE": 1, + "LEVEL_TWO": 1, + "LEVEL_THREE": 1, + "dbDataStructure": 2, + "label": 1, + "quint32": 3, + "depth": 1, + "userIndex": 1, + "QByteArray": 1, + "COMPRESSED": 1, + "optimize": 1, + "ram": 1, + "disk": 2, + "space": 2, + "decompressed": 1, + "quint64": 1, + "uniqueID": 1, + "QVector": 2, + "": 1, + "nextItems": 1, + "": 1, + "nextItemsIndices": 1, + "dbDataStructure*": 1, + "father": 1, + "fatherIndex": 1, + "noFatherRoot": 1, + "Used": 2, + "tell": 1, + "node": 1, + "root": 1, + "hasn": 1, + "argument": 1, + "list": 3, + "operator": 10, + "overload.": 1, + "friend": 10, + "myclass.label": 2, + "myclass.depth": 2, + "myclass.userIndex": 2, + "qCompress": 2, + "myclass.data": 4, + "myclass.uniqueID": 2, + "myclass.nextItemsIndices": 2, + "myclass.fatherIndex": 2, + "myclass.noFatherRoot": 2, + "myclass.fileName": 2, + "myclass.firstLineData": 4, + "myclass.linesNumbers": 2, + "QDataStream": 2, + "myclass": 1, + "//Don": 1, + "qUncompress": 2, + "": 2, + "main": 2, + "cout": 2, + "endl": 1, + "": 1, + "": 1, + "": 1, + "EC_KEY_regenerate_key": 1, + "EC_KEY": 3, + "*eckey": 2, + "BIGNUM": 9, + "*priv_key": 1, + "ok": 3, + "BN_CTX": 2, + "*ctx": 2, + "EC_POINT": 4, + "*pub_key": 1, + "eckey": 7, + "EC_GROUP": 2, + "*group": 2, + "EC_KEY_get0_group": 2, + "ctx": 26, + "BN_CTX_new": 2, + "goto": 156, + "err": 26, + "pub_key": 6, + "EC_POINT_new": 4, + "EC_POINT_mul": 3, + "priv_key": 2, + "EC_KEY_set_private_key": 1, + "EC_KEY_set_public_key": 2, + "EC_POINT_free": 4, + "BN_CTX_free": 2, + "ECDSA_SIG_recover_key_GFp": 3, + "ECDSA_SIG": 3, + "*ecsig": 1, + "*msg": 2, + "msglen": 2, + "recid": 3, + "ret": 24, + "*x": 1, + "*e": 1, + "*order": 1, + "*sor": 1, + "*eor": 1, + "*field": 1, + "*R": 1, + "*O": 1, + "*Q": 1, + "*rr": 1, + "*zero": 1, + "n": 28, + "i": 47, + "BN_CTX_start": 1, + "BN_CTX_get": 8, + "EC_GROUP_get_order": 1, + "BN_copy": 1, + "BN_mul_word": 1, + "BN_add": 1, + "ecsig": 3, + "r": 36, + "EC_GROUP_get_curve_GFp": 1, + "BN_cmp": 1, + "R": 6, + "EC_POINT_set_compressed_coordinates_GFp": 1, + "O": 5, + "EC_POINT_is_at_infinity": 1, + "Q": 5, + "EC_GROUP_get_degree": 1, + "e": 15, + "BN_bin2bn": 3, + "msg": 1, + "*msglen": 1, + "BN_rshift": 1, + "zero": 5, + "BN_zero": 1, + "BN_mod_sub": 1, + "rr": 4, + "BN_mod_inverse": 1, + "sor": 3, + "BN_mod_mul": 2, + "eor": 3, + "BN_CTX_end": 1, + "CKey": 26, + "SetCompressedPubKey": 4, + "EC_KEY_set_conv_form": 1, + "pkey": 14, + "POINT_CONVERSION_COMPRESSED": 1, + "fCompressedPubKey": 5, + "Reset": 5, + "EC_KEY_new_by_curve_name": 2, + "NID_secp256k1": 2, + "throw": 4, + "key_error": 6, + "fSet": 7, + "b": 57, + "EC_KEY_dup": 1, + "b.pkey": 2, + "b.fSet": 2, + "EC_KEY_copy": 1, + "hash": 20, + "vchSig": 18, + "nSize": 2, + "vchSig.clear": 2, + "vchSig.resize": 2, + "Shrink": 1, + "fit": 1, + "actual": 1, + "SignCompact": 2, + "uint256": 10, + "": 19, + "fOk": 3, + "*sig": 2, + "ECDSA_do_sign": 1, + "sig": 11, + "nBitsR": 3, + "BN_num_bits": 2, + "nBitsS": 3, + "&&": 23, + "nRecId": 4, + "<4;>": 1, + "keyRec": 5, + "1": 2, + "GetPubKey": 5, + "break": 34, + "BN_bn2bin": 2, + "/8": 2, + "ECDSA_SIG_free": 2, + "SetCompactSignature": 2, + "vchSig.size": 2, + "nV": 6, + "<27>": 1, + "ECDSA_SIG_new": 1, + "EC_KEY_free": 1, + "Verify": 2, + "ECDSA_verify": 1, + "VerifyCompact": 2, + "key": 23, + "key.SetCompactSignature": 1, + "key.GetPubKey": 1, + "IsValid": 4, + "fCompr": 3, + "CSecret": 4, + "secret": 2, + "GetSecret": 2, + "key2": 1, + "key2.SetSecret": 1, + "key2.GetPubKey": 1, + "BITCOIN_KEY_H": 2, + "": 1, + "": 1, + "runtime_error": 2, + "explicit": 4, + "str": 2, + "CKeyID": 5, + "uint160": 8, + "CScriptID": 3, + "CPubKey": 11, + "vchPubKey": 6, + "vchPubKeyIn": 2, + "a.vchPubKey": 3, + "b.vchPubKey": 3, + "IMPLEMENT_SERIALIZE": 1, + "READWRITE": 1, + "GetID": 1, + "Hash160": 1, + "GetHash": 1, + "Hash": 1, + "vchPubKey.begin": 1, + "vchPubKey.end": 1, + "vchPubKey.size": 3, + "||": 17, + "IsCompressed": 2, + "Raw": 1, + "secure_allocator": 2, + "CPrivKey": 3, + "EC_KEY*": 1, + "IsNull": 1, + "MakeNewKey": 1, + "fCompressed": 3, + "SetPrivKey": 1, + "vchPrivKey": 1, + "SetSecret": 1, + "vchSecret": 1, + "GetPrivKey": 1, + "SetPubKey": 1, + "Sign": 1, + "LIBCANIH": 2, + "": 1, + "": 1, + "int64": 1, + "//#define": 1, + "DEBUG": 5, + "dout": 2, + "#else": 25, + "cerr": 1, + "libcanister": 2, + "//the": 8, + "canmem": 22, + "object": 3, + "generic": 1, + "container": 2, + "commonly": 1, + "//throughout": 1, + "canister": 14, + "framework": 1, + "hold": 1, + "uncertain": 1, + "//length": 1, + "contain": 1, + "null": 3, + "bytes.": 1, + "raw": 2, + "absolute": 1, + "length": 10, + "//creates": 3, + "unallocated": 1, + "allocsize": 1, + "blank": 1, + "strdata": 1, + "//automates": 1, + "creation": 1, + "limited": 2, + "canmems": 1, + "//cleans": 1, + "zeromem": 1, + "//overwrites": 2, + "fragmem": 1, + "notation": 1, + "countlen": 1, + "//counts": 1, + "strings": 1, + "//removes": 1, + "nulls": 1, + "//returns": 2, + "singleton": 2, + "//contains": 2, + "caninfo": 2, + "path": 8, + "//physical": 1, + "internalname": 1, + "//a": 1, + "numfiles": 1, + "files": 6, + "//necessary": 1, + "type": 7, + "canfile": 7, + "//this": 1, + "holds": 2, + "//canister": 1, + "canister*": 1, + "parent": 1, + "//internal": 1, + "id": 1, + "//use": 1, + "own.": 1, + "newline": 2, + "delimited": 2, + "container.": 1, + "TOC": 1, + "info": 2, + "general": 1, + "canfiles": 1, + "recommended": 1, + "modify": 1, + "//these": 1, + "enforced.": 1, + "canfile*": 1, + "readonly": 3, + "//if": 1, + "routines": 1, + "anything": 1, + "//maximum": 1, + "//time": 1, + "whatever": 1, + "suits": 1, + "application.": 1, + "cachemax": 2, + "cachecnt": 1, + "//number": 1, + "cache": 2, + "modified": 3, + "//both": 1, + "initialize": 1, + "fspath": 3, + "//destroys": 1, + "flushing": 1, + "modded": 1, + "//open": 1, + "//does": 1, + "exist": 2, + "//close": 1, + "flush": 1, + "clean": 2, + "//deletes": 1, + "inside": 1, + "delFile": 1, + "//pulls": 1, + "getFile": 1, + "otherwise": 1, + "overwrites": 1, + "operation": 1, + "succeeded": 2, + "writeFile": 2, + "//get": 1, + "//list": 1, + "paths": 1, + "getTOC": 1, + "//brings": 1, + "back": 1, + "limit": 1, + "//important": 1, + "sCFID": 2, + "CFID": 2, + "avoid": 1, + "uncaching": 1, + "//really": 1, + "just": 1, + "internally": 1, + "harm.": 1, + "cacheclean": 1, + "dFlush": 1, + "Q_OS_LINUX": 2, + "": 1, + "#if": 44, + "QT_VERSION": 1, + "QT_VERSION_CHECK": 1, + "#error": 9, + "Something": 1, + "wrong": 1, + "setup.": 1, + "report": 3, + "mailing": 1, + "argc": 2, + "char**": 2, + "argv": 2, + "google_breakpad": 1, + "ExceptionHandler": 1, + "Utils": 4, + "exceptionHandler": 2, + "qInstallMsgHandler": 1, + "messageHandler": 2, + "QApplication": 1, + "app": 1, + "STATIC_BUILD": 1, + "Q_INIT_RESOURCE": 2, + "WebKit": 1, + "InspectorBackendStub": 1, + "app.setWindowIcon": 1, + "QIcon": 1, + "app.setApplicationName": 1, + "app.setOrganizationName": 1, + "app.setOrganizationDomain": 1, + "app.setApplicationVersion": 1, + "PHANTOMJS_VERSION_STRING": 1, + "Phantom": 1, + "phantom": 1, + "phantom.execute": 1, + "app.exec": 1, + "phantom.returnValue": 1, + "NINJA_METRICS_H_": 3, + "int64_t.": 1, + "Metrics": 2, + "module": 1, + "dumps": 1, + "stats": 2, + "actions.": 1, + "To": 1, + "METRIC_RECORD": 4, + "below.": 1, + "metrics": 2, + "hit": 1, + "path.": 2, + "count": 1, + "Total": 1, + "spent": 1, + "int64_t": 3, + "sum": 1, + "scoped": 1, + "recording": 1, + "metric": 2, + "across": 1, + "body": 1, + "macro.": 1, + "ScopedMetric": 4, + "Metric*": 4, + "metric_": 1, + "Timestamp": 1, + "started.": 1, + "Value": 24, + "platform": 2, + "dependent.": 1, + "start_": 1, + "prints": 1, + "report.": 1, + "NewMetric": 2, + "Print": 2, + "summary": 1, + "stdout.": 1, + "Report": 1, + "": 1, + "metrics_": 1, + "Get": 1, + "relative": 2, + "epoch.": 1, + "Epoch": 1, + "varies": 1, + "between": 1, + "platforms": 1, + "useful": 1, + "measuring": 1, + "elapsed": 1, + "time.": 1, + "GetTimeMillis": 1, + "simple": 1, + "stopwatch": 1, + "seconds": 1, + "Restart": 3, + "called.": 1, + "Stopwatch": 2, + "started_": 4, + "Seconds": 1, + "call.": 1, + "Elapsed": 1, + "static_cast": 8, + "": 1, + "primary": 1, + "metrics.": 1, + "top": 1, + "recorded": 1, + "metrics_h_metric": 2, + "g_metrics": 3, + "metrics_h_scoped": 1, + "Metrics*": 1, + "INTERNAL_SUPPRESS_PROTOBUF_FIELD_DEPRECATION": 1, + "": 1, + "": 2, + "": 1, + "": 1, + "": 1, + "": 1, + "": 1, + "": 1, + "": 1, + "persons": 4, + "google": 72, + "protobuf": 72, + "Descriptor*": 3, + "Person_descriptor_": 6, + "GeneratedMessageReflection*": 1, + "Person_reflection_": 4, + "protobuf_AssignDesc_protocol_2dbuffer_2eproto": 4, + "protobuf_AddDesc_protocol_2dbuffer_2eproto": 6, + "FileDescriptor*": 1, + "DescriptorPool": 3, + "generated_pool": 2, + "FindFileByName": 1, + "GOOGLE_CHECK": 1, + "message_type": 1, + "Person_offsets_": 2, + "GOOGLE_PROTOBUF_GENERATED_MESSAGE_FIELD_OFFSET": 3, + "Person": 65, + "name_": 30, + "GeneratedMessageReflection": 1, + "default_instance_": 8, + "_has_bits_": 14, + "_unknown_fields_": 5, + "MessageFactory": 3, + "generated_factory": 1, + "GOOGLE_PROTOBUF_DECLARE_ONCE": 1, + "protobuf_AssignDescriptors_once_": 2, + "inline": 39, + "protobuf_AssignDescriptorsOnce": 4, + "GoogleOnceInit": 1, + "protobuf_RegisterTypes": 2, + "InternalRegisterGeneratedMessage": 1, + "default_instance": 3, + "protobuf_ShutdownFile_protocol_2dbuffer_2eproto": 4, + "delete": 6, + "already_here": 3, + "GOOGLE_PROTOBUF_VERIFY_VERSION": 1, + "InternalAddGeneratedFile": 1, + "InternalRegisterGeneratedFile": 1, + "InitAsDefaultInstance": 3, + "OnShutdown": 1, + "StaticDescriptorInitializer_protocol_2dbuffer_2eproto": 2, + "static_descriptor_initializer_protocol_2dbuffer_2eproto_": 1, + "_MSC_VER": 3, + "kNameFieldNumber": 2, + "Message": 7, + "SharedCtor": 4, + "MergeFrom": 9, + "_cached_size_": 7, + "const_cast": 3, + "string*": 11, + "kEmptyString": 12, + "SharedDtor": 3, + "SetCachedSize": 2, + "GOOGLE_SAFE_CONCURRENT_WRITES_BEGIN": 2, + "GOOGLE_SAFE_CONCURRENT_WRITES_END": 2, + "descriptor": 2, + "*default_instance_": 1, + "Person*": 7, + "xffu": 3, + "has_name": 6, + "mutable_unknown_fields": 4, + "MergePartialFromCodedStream": 2, + "io": 4, + "CodedInputStream*": 2, + "DO_": 4, + "EXPRESSION": 2, + "uint32": 2, + "tag": 6, + "ReadTag": 1, + "switch": 3, + "WireFormatLite": 9, + "GetTagFieldNumber": 1, + "GetTagWireType": 2, + "WIRETYPE_LENGTH_DELIMITED": 1, + "ReadString": 1, + "mutable_name": 3, + "WireFormat": 10, + "VerifyUTF8String": 3, + ".data": 3, + ".length": 3, + "PARSE": 1, + "handle_uninterpreted": 2, + "ExpectAtEnd": 1, + "WIRETYPE_END_GROUP": 1, + "SkipField": 1, + "#undef": 3, + "SerializeWithCachedSizes": 2, + "CodedOutputStream*": 2, + "SERIALIZE": 2, + "WriteString": 1, + "unknown_fields": 7, + ".empty": 3, + "SerializeUnknownFields": 1, + "uint8*": 4, + "SerializeWithCachedSizesToArray": 2, + "target": 6, + "WriteStringToArray": 1, + "SerializeUnknownFieldsToArray": 1, + "ByteSize": 2, + "total_size": 5, + "StringSize": 1, + "ComputeUnknownFieldsSize": 1, + "GOOGLE_CHECK_NE": 2, + "dynamic_cast_if_available": 1, + "": 12, + "ReflectionOps": 1, + "Merge": 1, + "from._has_bits_": 1, + "from.has_name": 1, + "set_name": 7, + "from.name": 1, + "from.unknown_fields": 1, + "CopyFrom": 5, + "IsInitialized": 3, + "Swap": 2, + "swap": 3, + "_unknown_fields_.Swap": 1, + "Metadata": 3, + "GetMetadata": 2, + "metadata": 2, + "metadata.descriptor": 1, + "metadata.reflection": 1, + "PROTOBUF_protocol_2dbuffer_2eproto__INCLUDED": 3, + "GOOGLE_PROTOBUF_VERSION": 1, + "generated": 2, + "newer": 2, + "protoc": 2, + "incompatible": 2, + "Protocol": 2, + "headers.": 3, + "update": 1, + "GOOGLE_PROTOBUF_MIN_PROTOC_VERSION": 1, + "older": 1, + "regenerate": 1, + "protoc.": 1, + "": 1, + "": 1, + "": 1, + "": 1, + "": 1, + "virtual": 10, + "*this": 1, + "UnknownFieldSet": 2, + "UnknownFieldSet*": 1, + "GetCachedSize": 1, + "clear_name": 2, + "size_t": 5, + "release_name": 2, + "set_allocated_name": 2, + "set_has_name": 7, + "clear_has_name": 5, + "mutable": 1, + "u": 9, + "*name_": 1, + "assign": 3, + "reinterpret_cast": 7, + "temp": 2, + "SWIG": 2, + "QSCICOMMAND_H": 2, + "__APPLE__": 4, + "": 1, + "": 2, + "": 1, + "QsciScintilla": 7, + "QsciCommand": 7, + "represents": 1, + "editor": 1, + "command": 9, + "two": 1, + "keys": 3, + "bound": 4, + "Methods": 1, + "provided": 1, + "binding.": 1, + "Each": 1, + "friendly": 2, + "description": 3, + "dialogs.": 1, + "QSCINTILLA_EXPORT": 2, + "commands": 1, + "assigned": 1, + "key.": 1, + "Command": 4, + "Move": 26, + "down": 12, + "line.": 33, + "LineDown": 1, + "QsciScintillaBase": 100, + "SCI_LINEDOWN": 1, + "Extend": 33, + "selection": 39, + "LineDownExtend": 1, + "SCI_LINEDOWNEXTEND": 1, + "rectangular": 9, + "LineDownRectExtend": 1, + "SCI_LINEDOWNRECTEXTEND": 1, + "Scroll": 5, + "view": 2, + "LineScrollDown": 1, + "SCI_LINESCROLLDOWN": 1, + "LineUp": 1, + "SCI_LINEUP": 1, + "LineUpExtend": 1, + "SCI_LINEUPEXTEND": 1, + "LineUpRectExtend": 1, + "SCI_LINEUPRECTEXTEND": 1, + "LineScrollUp": 1, + "SCI_LINESCROLLUP": 1, + "document.": 8, + "ScrollToStart": 1, + "SCI_SCROLLTOSTART": 1, + "ScrollToEnd": 1, + "SCI_SCROLLTOEND": 1, + "vertically": 1, + "centre": 1, + "VerticalCentreCaret": 1, + "SCI_VERTICALCENTRECARET": 1, + "paragraph.": 4, + "ParaDown": 1, + "SCI_PARADOWN": 1, + "ParaDownExtend": 1, + "SCI_PARADOWNEXTEND": 1, + "ParaUp": 1, + "SCI_PARAUP": 1, + "ParaUpExtend": 1, + "SCI_PARAUPEXTEND": 1, + "left": 7, + "character.": 9, + "CharLeft": 1, + "SCI_CHARLEFT": 1, + "CharLeftExtend": 1, + "SCI_CHARLEFTEXTEND": 1, + "CharLeftRectExtend": 1, + "SCI_CHARLEFTRECTEXTEND": 1, + "CharRight": 1, + "SCI_CHARRIGHT": 1, + "CharRightExtend": 1, + "SCI_CHARRIGHTEXTEND": 1, + "CharRightRectExtend": 1, + "SCI_CHARRIGHTRECTEXTEND": 1, + "word.": 9, + "WordLeft": 1, + "SCI_WORDLEFT": 1, + "WordLeftExtend": 1, + "SCI_WORDLEFTEXTEND": 1, + "WordRight": 1, + "SCI_WORDRIGHT": 1, + "WordRightExtend": 1, + "SCI_WORDRIGHTEXTEND": 1, + "WordLeftEnd": 1, + "SCI_WORDLEFTEND": 1, + "WordLeftEndExtend": 1, + "SCI_WORDLEFTENDEXTEND": 1, + "WordRightEnd": 1, + "SCI_WORDRIGHTEND": 1, + "WordRightEndExtend": 1, + "SCI_WORDRIGHTENDEXTEND": 1, + "part.": 4, + "WordPartLeft": 1, + "SCI_WORDPARTLEFT": 1, + "WordPartLeftExtend": 1, + "SCI_WORDPARTLEFTEXTEND": 1, + "WordPartRight": 1, + "SCI_WORDPARTRIGHT": 1, + "WordPartRightExtend": 1, + "SCI_WORDPARTRIGHTEXTEND": 1, + "document": 16, + "Home": 1, + "SCI_HOME": 1, + "HomeExtend": 1, + "SCI_HOMEEXTEND": 1, + "HomeRectExtend": 1, + "SCI_HOMERECTEXTEND": 1, + "displayed": 10, + "HomeDisplay": 1, + "SCI_HOMEDISPLAY": 1, + "HomeDisplayExtend": 1, + "SCI_HOMEDISPLAYEXTEND": 1, + "HomeWrap": 1, + "SCI_HOMEWRAP": 1, + "HomeWrapExtend": 1, + "SCI_HOMEWRAPEXTEND": 1, + "visible": 6, + "VCHome": 1, + "SCI_VCHOME": 1, + "VCHomeExtend": 1, + "SCI_VCHOMEEXTEND": 1, + "VCHomeRectExtend": 1, + "SCI_VCHOMERECTEXTEND": 1, + "VCHomeWrap": 1, + "SCI_VCHOMEWRAP": 1, + "VCHomeWrapExtend": 1, + "SCI_VCHOMEWRAPEXTEND": 1, + "LineEnd": 1, + "SCI_LINEEND": 1, + "LineEndExtend": 1, + "SCI_LINEENDEXTEND": 1, + "LineEndRectExtend": 1, + "SCI_LINEENDRECTEXTEND": 1, + "LineEndDisplay": 1, + "SCI_LINEENDDISPLAY": 1, + "LineEndDisplayExtend": 1, + "SCI_LINEENDDISPLAYEXTEND": 1, + "LineEndWrap": 1, + "SCI_LINEENDWRAP": 1, + "LineEndWrapExtend": 1, + "SCI_LINEENDWRAPEXTEND": 1, + "DocumentStart": 1, + "SCI_DOCUMENTSTART": 1, + "DocumentStartExtend": 1, + "SCI_DOCUMENTSTARTEXTEND": 1, + "DocumentEnd": 1, + "SCI_DOCUMENTEND": 1, + "DocumentEndExtend": 1, + "SCI_DOCUMENTENDEXTEND": 1, + "page.": 13, + "PageUp": 1, + "SCI_PAGEUP": 1, + "PageUpExtend": 1, + "SCI_PAGEUPEXTEND": 1, + "PageUpRectExtend": 1, + "SCI_PAGEUPRECTEXTEND": 1, + "PageDown": 1, + "SCI_PAGEDOWN": 1, + "PageDownExtend": 1, + "SCI_PAGEDOWNEXTEND": 1, + "PageDownRectExtend": 1, + "SCI_PAGEDOWNRECTEXTEND": 1, + "Stuttered": 4, + "move": 2, + "StutteredPageUp": 1, + "SCI_STUTTEREDPAGEUP": 1, + "extend": 2, + "StutteredPageUpExtend": 1, + "SCI_STUTTEREDPAGEUPEXTEND": 1, + "StutteredPageDown": 1, + "SCI_STUTTEREDPAGEDOWN": 1, + "StutteredPageDownExtend": 1, + "SCI_STUTTEREDPAGEDOWNEXTEND": 1, + "Delete": 10, + "SCI_CLEAR": 1, + "DeleteBack": 1, + "SCI_DELETEBACK": 1, + "DeleteBackNotLine": 1, + "SCI_DELETEBACKNOTLINE": 1, + "left.": 2, + "DeleteWordLeft": 1, + "SCI_DELWORDLEFT": 1, + "right.": 2, + "DeleteWordRight": 1, + "SCI_DELWORDRIGHT": 1, + "DeleteWordRightEnd": 1, + "SCI_DELWORDRIGHTEND": 1, + "DeleteLineLeft": 1, + "SCI_DELLINELEFT": 1, + "DeleteLineRight": 1, + "SCI_DELLINERIGHT": 1, + "LineDelete": 1, + "SCI_LINEDELETE": 1, + "Cut": 2, + "clipboard.": 5, + "LineCut": 1, + "SCI_LINECUT": 1, + "Copy": 2, + "LineCopy": 1, + "SCI_LINECOPY": 1, + "Transpose": 1, + "lines.": 1, + "LineTranspose": 1, + "SCI_LINETRANSPOSE": 1, + "Duplicate": 2, + "LineDuplicate": 1, + "SCI_LINEDUPLICATE": 1, + "whole": 2, + "SelectAll": 1, + "SCI_SELECTALL": 1, + "lines": 3, + "MoveSelectedLinesUp": 1, + "SCI_MOVESELECTEDLINESUP": 1, + "MoveSelectedLinesDown": 1, + "SCI_MOVESELECTEDLINESDOWN": 1, + "selection.": 1, + "SelectionDuplicate": 1, + "SCI_SELECTIONDUPLICATE": 1, + "Convert": 2, + "lower": 1, + "case.": 2, + "SelectionLowerCase": 1, + "SCI_LOWERCASE": 1, + "upper": 1, + "SelectionUpperCase": 1, + "SCI_UPPERCASE": 1, + "SelectionCut": 1, + "SCI_CUT": 1, + "SelectionCopy": 1, + "SCI_COPY": 1, + "Paste": 2, + "SCI_PASTE": 1, + "Toggle": 1, + "insert/overtype.": 1, + "EditToggleOvertype": 1, + "SCI_EDITTOGGLEOVERTYPE": 1, + "Insert": 2, + "dependent": 1, + "newline.": 1, + "Newline": 1, + "SCI_NEWLINE": 1, + "formfeed.": 1, + "Formfeed": 1, + "SCI_FORMFEED": 1, + "Indent": 1, + "Tab": 1, + "SCI_TAB": 1, + "De": 1, + "indent": 1, + "Backtab": 1, + "SCI_BACKTAB": 1, + "Cancel": 2, + "SCI_CANCEL": 1, + "Undo": 2, + "command.": 5, + "SCI_UNDO": 1, + "Redo": 2, + "SCI_REDO": 1, + "Zoom": 2, + "in.": 1, + "ZoomIn": 1, + "SCI_ZOOMIN": 1, + "out.": 1, + "ZoomOut": 1, + "SCI_ZOOMOUT": 1, + "Return": 3, + "executed": 1, + "instance.": 2, + "scicmd": 2, + "Execute": 1, + "Binds": 2, + "binding": 3, + "removed.": 2, + "invalid": 5, + "unchanged.": 1, + "Valid": 1, + "Key_Down": 1, + "Key_Up": 1, + "Key_Left": 1, + "Key_Right": 1, + "Key_Home": 1, + "Key_End": 1, + "Key_PageUp": 1, + "Key_PageDown": 1, + "Key_Delete": 1, + "Key_Insert": 1, + "Key_Escape": 1, + "Key_Backspace": 1, + "Key_Tab": 1, + "Key_Return.": 1, + "Keys": 1, + "SHIFT": 1, + "CTRL": 1, + "ALT": 1, + "META.": 1, + "setAlternateKey": 3, + "validKey": 3, + "setKey": 3, + "altkey": 3, + "alternateKey": 3, + "returned.": 4, + "qkey": 2, + "qaltkey": 2, + "valid": 2, + "QsciCommandSet": 1, + "*qs": 1, + "cmd": 1, + "*desc": 1, + "bindKey": 1, + "qk": 1, + "scik": 1, + "*qsCmd": 1, + "scikey": 1, + "scialtkey": 1, + "*descCmd": 1, + "QSCIPRINTER_H": 2, + "": 1, + "": 1, + "QT_BEGIN_NAMESPACE": 1, + "QRect": 2, + "QPainter": 2, + "QT_END_NAMESPACE": 1, + "QsciPrinter": 9, + "sub": 2, + "Qt": 1, + "QPrinter": 3, + "text": 5, + "Scintilla": 2, + "further": 1, + "classed": 1, + "layout": 1, + "adding": 2, + "headers": 3, + "footers": 2, + "example.": 1, + "Constructs": 1, + "printer": 1, + "paint": 1, + "PrinterMode": 1, + "ScreenResolution": 1, + "Destroys": 1, + "Format": 1, + "drawn": 2, + "painter": 4, + "add": 3, + "customised": 2, + "graphics.": 2, + "drawing": 4, + "actually": 1, + "sized.": 1, + "methods": 1, + "area": 5, + "draw": 1, + "text.": 3, + "necessary": 1, + "reserve": 1, + "By": 1, + "printable": 1, + "setFullPage": 1, + "because": 2, + "printRange": 2, + "try": 1, + "over": 1, + "pagenr": 2, + "numbered": 1, + "formatPage": 1, + "points": 2, + "font": 2, + "printing.": 2, + "setMagnification": 2, + "magnification": 3, + "mag": 2, + "printing": 2, + "magnification.": 1, + "qsb.": 1, + "negative": 2, + "signifies": 2, + "error.": 1, + "*qsb": 1, + "wrap": 4, + "WrapWord.": 1, + "setWrapMode": 2, + "WrapMode": 3, + "wrapMode": 2, + "wmode.": 1, + "wmode": 1, + "": 2, + "Gui": 1, + "rpc_init": 1, + "rpc_server_loop": 1, + "v8": 9, + "Scanner": 16, + "UnicodeCache*": 4, + "unicode_cache": 3, + "unicode_cache_": 10, + "octal_pos_": 5, + "Location": 14, + "harmony_scoping_": 4, + "harmony_modules_": 4, + "Initialize": 4, + "Utf16CharacterStream*": 3, + "source_": 7, + "Init": 3, + "has_line_terminator_before_next_": 9, + "SkipWhiteSpace": 4, + "Scan": 5, + "uc32": 19, + "ScanHexNumber": 2, + "expected_length": 4, + "ASSERT": 17, + "overflow": 1, + "digits": 3, + "c0_": 64, + "d": 8, + "HexValue": 2, + "j": 4, + "PushBack": 8, + "Advance": 44, + "STATIC_ASSERT": 5, + "Token": 212, + "NUM_TOKENS": 1, + "one_char_tokens": 2, + "ILLEGAL": 120, + "LPAREN": 2, + "RPAREN": 2, + "COMMA": 2, + "COLON": 2, + "SEMICOLON": 2, + "CONDITIONAL": 2, + "f": 5, + "LBRACK": 2, + "RBRACK": 2, + "LBRACE": 2, + "RBRACE": 2, + "BIT_NOT": 2, + "Next": 3, + "current_": 2, + "next_": 2, + "has_multiline_comment_before_next_": 5, + "token": 64, + "": 1, + "pos": 12, + "source_pos": 10, + "next_.token": 3, + "next_.location.beg_pos": 3, + "next_.location.end_pos": 4, + "current_.token": 4, + "IsByteOrderMark": 2, + "xFEFF": 1, + "xFFFE": 1, + "start_position": 2, + "IsWhiteSpace": 2, + "IsLineTerminator": 6, + "SkipSingleLineComment": 6, + "undo": 4, + "WHITESPACE": 6, + "SkipMultiLineComment": 3, + "ch": 5, + "ScanHtmlComment": 3, + "LT": 2, + "next_.literal_chars": 13, + "ScanString": 3, + "LTE": 1, + "ASSIGN_SHL": 1, + "SHL": 1, + "GTE": 1, + "ASSIGN_SAR": 1, + "ASSIGN_SHR": 1, + "SHR": 1, + "SAR": 1, + "GT": 1, + "EQ_STRICT": 1, + "EQ": 1, + "ASSIGN": 1, + "NE_STRICT": 1, + "NE": 1, + "INC": 1, + "ASSIGN_ADD": 1, + "ADD": 1, + "DEC": 1, + "ASSIGN_SUB": 1, + "SUB": 1, + "ASSIGN_MUL": 1, + "MUL": 1, + "ASSIGN_MOD": 1, + "MOD": 1, + "ASSIGN_DIV": 1, + "DIV": 1, + "AND": 1, + "ASSIGN_BIT_AND": 1, + "BIT_AND": 1, + "OR": 1, + "ASSIGN_BIT_OR": 1, + "BIT_OR": 1, + "ASSIGN_BIT_XOR": 1, + "BIT_XOR": 1, + "IsDecimalDigit": 2, + "ScanNumber": 3, + "PERIOD": 1, + "IsIdentifierStart": 2, + "ScanIdentifierOrKeyword": 2, + "EOS": 1, + "SeekForward": 4, + "current_pos": 4, + "ASSERT_EQ": 1, + "ScanEscape": 2, + "IsCarriageReturn": 2, + "IsLineFeed": 2, + "fall": 2, + "v": 3, + "xxx": 1, + "immediately": 1, + "octal": 1, + "escape": 1, + "quote": 3, + "consume": 2, + "LiteralScope": 4, + "literal": 2, + "X": 2, + "E": 3, + "l": 1, + "w": 1, + "y": 13, + "keyword": 1, + "Unescaped": 1, + "in_character_class": 2, + "AddLiteralCharAdvance": 3, + "literal.Complete": 2, + "ScanLiteralUnicodeEscape": 3, + "V8_SCANNER_H_": 3, + "ParsingFlags": 1, + "kNoParsingFlags": 1, + "kLanguageModeMask": 4, + "kAllowLazy": 1, + "kAllowNativesSyntax": 1, + "kAllowModules": 1, + "CLASSIC_MODE": 2, + "STRICT_MODE": 2, + "EXTENDED_MODE": 2, + "x16": 1, + "x36.": 1, + "Utf16CharacterStream": 3, + "pos_": 6, + "buffer_cursor_": 5, + "buffer_end_": 3, + "ReadBlock": 2, + "": 1, + "kEndOfInput": 2, + "code_unit_count": 7, + "buffered_chars": 2, + "SlowSeekForward": 2, + "int32_t": 1, + "code_unit": 6, + "uc16*": 3, + "UnicodeCache": 3, + "unibrow": 11, + "Utf8InputBuffer": 2, + "<1024>": 2, + "Utf8Decoder": 2, + "StaticResource": 2, + "": 2, + "utf8_decoder": 1, + "utf8_decoder_": 2, + "uchar": 4, + "kIsIdentifierStart.get": 1, + "IsIdentifierPart": 1, + "kIsIdentifierPart.get": 1, + "kIsLineTerminator.get": 1, + "kIsWhiteSpace.get": 1, + "Predicate": 4, + "": 1, + "128": 4, + "kIsIdentifierStart": 1, + "": 1, + "kIsIdentifierPart": 1, + "": 1, + "kIsLineTerminator": 1, + "": 1, + "kIsWhiteSpace": 1, + "DISALLOW_COPY_AND_ASSIGN": 2, + "LiteralBuffer": 6, + "is_ascii_": 10, + "position_": 17, + "backing_store_": 7, + "backing_store_.length": 4, + "backing_store_.Dispose": 3, + "INLINE": 2, + "AddChar": 2, + "ExpandBuffer": 2, + "kMaxAsciiCharCodeU": 1, + "": 6, + "kASCIISize": 1, + "ConvertToUtf16": 2, + "*reinterpret_cast": 1, + "": 2, + "kUC16Size": 2, + "is_ascii": 3, + "Vector": 13, + "uc16": 5, + "utf16_literal": 3, + "backing_store_.start": 5, + "ascii_literal": 3, + "kInitialCapacity": 2, + "kGrowthFactory": 2, + "kMinConversionSlack": 1, + "kMaxGrowth": 2, + "MB": 1, + "NewCapacity": 3, + "min_capacity": 2, + "capacity": 3, + "Max": 1, + "new_capacity": 2, + "Min": 1, + "new_store": 6, + "memcpy": 1, + "new_store.start": 3, + "new_content_size": 4, + "src": 2, + "": 1, + "dst": 2, + "Scanner*": 2, + "self": 5, + "scanner_": 5, + "complete_": 4, + "StartLiteral": 2, + "DropLiteral": 2, + "Complete": 1, + "TerminateLiteral": 2, + "beg_pos": 5, + "end_pos": 4, + "kNoOctalLocation": 1, + "scanner_contants": 1, + "current_token": 1, + "current_.location": 2, + "literal_ascii_string": 1, + "ASSERT_NOT_NULL": 9, + "current_.literal_chars": 11, + "literal_utf16_string": 1, + "is_literal_ascii": 1, + "literal_length": 1, + "literal_contains_escapes": 1, + "source_length": 3, + "location.end_pos": 1, + "location.beg_pos": 1, + "STRING": 1, + "peek": 1, + "peek_location": 1, + "next_.location": 1, + "next_literal_ascii_string": 1, + "next_literal_utf16_string": 1, + "is_next_literal_ascii": 1, + "next_literal_length": 1, + "kCharacterLookaheadBufferSize": 3, + "ScanOctalEscape": 1, + "octal_position": 1, + "clear_octal_position": 1, + "HarmonyScoping": 1, + "SetHarmonyScoping": 1, + "scoping": 2, + "HarmonyModules": 1, + "SetHarmonyModules": 1, + "modules": 2, + "HasAnyLineTerminatorBeforeNext": 1, + "ScanRegExpPattern": 1, + "seen_equal": 1, + "ScanRegExpFlags": 1, + "IsIdentifier": 1, + "CharacterStream*": 1, + "TokenDesc": 3, + "LiteralBuffer*": 2, + "literal_chars": 1, + "free_buffer": 3, + "literal_buffer1_": 3, + "literal_buffer2_": 2, + "AddLiteralChar": 2, + "tok": 2, + "else_": 2, + "ScanDecimalDigits": 1, + "seen_period": 1, + "ScanIdentifierSuffix": 1, + "LiteralScope*": 1, + "ScanIdentifierUnicodeEscape": 1, + "desc": 2, + "look": 1, + "ahead": 1, + "smallPrime_t": 1, + "UTILS_H": 3, + "": 1, + "": 1, + "": 1, + "QTemporaryFile": 1, + "showUsage": 1, + "QtMsgType": 1, + "dump_path": 1, + "minidump_id": 1, + "void*": 1, + "context": 8, + "QVariant": 1, + "coffee2js": 1, + "script": 1, + "injectJsInFrame": 2, + "jsFilePath": 5, + "libraryPath": 5, + "QWebFrame": 4, + "*targetFrame": 4, + "startingScript": 2, + "Encoding": 3, + "jsFileEnc": 2, + "readResourceFileUtf8": 1, + "resourceFilePath": 1, + "loadJSForDebug": 2, + "autorun": 2, + "cleanupFromDebug": 1, + "findScript": 1, + "jsFromScriptFile": 1, + "scriptPath": 1, + "enc": 1, + "shouldn": 1, + "instantiated": 1, + "QTemporaryFile*": 2, + "m_tempHarness": 1, + "We": 1, + "ourselves": 1, + "m_tempWrapper": 1, + "V8_DECLARE_ONCE": 1, + "init_once": 2, + "V8": 21, + "is_running_": 6, + "has_been_set_up_": 4, + "has_been_disposed_": 6, + "has_fatal_error_": 5, + "use_crankshaft_": 6, + "List": 3, + "": 3, + "call_completed_callbacks_": 16, + "LazyMutex": 1, + "entropy_mutex": 1, + "LAZY_MUTEX_INITIALIZER": 1, + "EntropySource": 3, + "entropy_source": 4, + "Deserializer*": 2, + "des": 3, + "FlagList": 1, + "EnforceFlagImplications": 1, + "InitializeOncePerProcess": 4, + "Isolate": 9, + "CurrentPerIsolateThreadData": 4, + "EnterDefaultIsolate": 1, + "thread_id": 1, + ".Equals": 1, + "ThreadId": 1, + "Current": 5, + "isolate": 15, + "IsDead": 2, + "Isolate*": 6, + "SetFatalError": 2, + "TearDown": 5, + "IsDefaultIsolate": 1, + "ElementsAccessor": 2, + "LOperand": 2, + "TearDownCaches": 1, + "RegisteredExtension": 1, + "UnregisterAll": 1, + "OS": 3, + "seed_random": 2, + "FLAG_random_seed": 2, + "val": 3, + "ScopedLock": 1, + "lock": 1, + "entropy_mutex.Pointer": 1, + "random": 1, + "random_base": 3, + "xFFFF": 2, + "FFFF": 1, + "SetEntropySource": 2, + "SetReturnAddressLocationResolver": 3, + "ReturnAddressLocationResolver": 2, + "resolver": 3, + "StackFrame": 1, + "Random": 3, + "Context*": 4, + "IsGlobalContext": 1, + "ByteArray*": 1, + "seed": 2, + "random_seed": 1, + "": 1, + "GetDataStartAddress": 1, + "RandomPrivate": 2, + "private_random_seed": 1, + "IdleNotification": 3, + "hint": 3, + "FLAG_use_idle_notification": 1, + "HEAP": 1, + "AddCallCompletedCallback": 2, + "CallCompletedCallback": 4, + "callback": 7, + "Lazy": 1, + "init.": 1, + "Add": 1, + "RemoveCallCompletedCallback": 2, + "Remove": 1, + "FireCallCompletedCallback": 2, + "HandleScopeImplementer*": 1, + "handle_scope_implementer": 5, + "CallDepthIsZero": 1, + "IncrementCallDepth": 1, + "DecrementCallDepth": 1, + "union": 1, + "double_value": 1, + "uint64_t_value": 1, + "double_int_union": 2, + "Object*": 4, + "FillHeapNumberWithRandom": 2, + "heap_number": 4, + "random_bits": 2, + "binary_million": 3, + "r.double_value": 3, + "r.uint64_t_value": 1, + "HeapNumber": 1, + "cast": 1, + "set_value": 1, + "InitializeOncePerProcessImpl": 3, + "SetUp": 4, + "FLAG_crankshaft": 1, + "Serializer": 1, + "SupportsCrankshaft": 1, + "PostSetUp": 1, + "RuntimeProfiler": 1, + "GlobalSetUp": 1, + "FLAG_stress_compaction": 1, + "FLAG_force_marking_deque_overflows": 1, + "FLAG_gc_global": 1, + "FLAG_max_new_space_size": 1, + "kPageSizeBits": 1, + "SetUpCaches": 1, + "SetUpJSCallerSavedCodeData": 1, + "SamplerRegistry": 1, + "ExternalReference": 1, + "CallOnce": 1, + "V8_V8_H_": 3, + "defined": 21, + "GOOGLE3": 2, + "NDEBUG": 4, + "both": 1, + "Deserializer": 1, + "AllStatic": 1, + "IsRunning": 1, + "UseCrankshaft": 1, + "FatalProcessOutOfMemory": 1, + "take_snapshot": 1, + "NilValue": 1, + "kNullValue": 1, + "kUndefinedValue": 1, + "EqualityKind": 1, + "kStrictEquality": 1, + "kNonStrictEquality": 1, + "PY_SSIZE_T_CLEAN": 1, + "Py_PYTHON_H": 1, + "Python": 1, + "compile": 1, + "extensions": 1, + "development": 1, + "Python.": 1, + "": 1, + "offsetof": 2, + "member": 2, + "type*": 1, + "WIN32": 2, + "MS_WINDOWS": 2, + "__stdcall": 2, + "__cdecl": 2, + "__fastcall": 2, + "DL_IMPORT": 2, + "DL_EXPORT": 2, + "PY_LONG_LONG": 5, + "LONG_LONG": 1, + "PY_VERSION_HEX": 9, + "METH_COEXIST": 1, + "PyDict_CheckExact": 1, + "op": 6, + "Py_TYPE": 4, + "PyDict_Type": 1, + "PyDict_Contains": 1, + "o": 20, + "PySequence_Contains": 1, + "Py_ssize_t": 17, + "PY_SSIZE_T_MAX": 1, + "INT_MAX": 1, + "PY_SSIZE_T_MIN": 1, + "INT_MIN": 1, + "PY_FORMAT_SIZE_T": 1, + "PyInt_FromSsize_t": 2, + "z": 46, + "PyInt_FromLong": 13, + "PyInt_AsSsize_t": 2, + "PyInt_AsLong": 2, + "PyNumber_Index": 1, + "PyNumber_Int": 1, + "PyIndex_Check": 1, + "PyNumber_Check": 1, + "PyErr_WarnEx": 1, + "category": 2, + "message": 2, + "stacklevel": 1, + "PyErr_Warn": 1, + "Py_REFCNT": 1, + "ob": 6, + "PyObject*": 16, + "ob_refcnt": 1, + "ob_type": 7, + "Py_SIZE": 1, + "PyVarObject*": 1, + "ob_size": 1, + "PyVarObject_HEAD_INIT": 1, + "PyObject_HEAD_INIT": 1, + "PyType_Modified": 1, + "*buf": 1, + "PyObject": 221, + "*obj": 2, + "itemsize": 2, + "ndim": 2, + "*format": 1, + "*shape": 1, + "*strides": 1, + "*suboffsets": 1, + "*internal": 1, + "Py_buffer": 5, + "PyBUF_SIMPLE": 1, + "PyBUF_WRITABLE": 1, + "PyBUF_FORMAT": 1, + "PyBUF_ND": 2, + "PyBUF_STRIDES": 5, + "PyBUF_C_CONTIGUOUS": 3, + "PyBUF_F_CONTIGUOUS": 3, + "PyBUF_ANY_CONTIGUOUS": 1, + "PyBUF_INDIRECT": 1, + "PY_MAJOR_VERSION": 10, + "__Pyx_BUILTIN_MODULE_NAME": 2, + "Py_TPFLAGS_CHECKTYPES": 1, + "Py_TPFLAGS_HAVE_INDEX": 1, + "Py_TPFLAGS_HAVE_NEWBUFFER": 1, + "PyBaseString_Type": 1, + "PyUnicode_Type": 2, + "PyStringObject": 2, + "PyUnicodeObject": 1, + "PyString_Type": 2, + "PyString_Check": 2, + "PyUnicode_Check": 1, + "PyString_CheckExact": 2, + "PyUnicode_CheckExact": 1, + "PyBytesObject": 1, + "PyBytes_Type": 1, + "PyBytes_Check": 1, + "PyBytes_CheckExact": 1, + "PyBytes_FromString": 2, + "PyString_FromString": 1, + "PyBytes_FromStringAndSize": 1, + "PyString_FromStringAndSize": 1, + "PyBytes_FromFormat": 1, + "PyString_FromFormat": 1, + "PyBytes_DecodeEscape": 1, + "PyString_DecodeEscape": 1, + "PyBytes_AsString": 2, + "PyString_AsString": 1, + "PyBytes_AsStringAndSize": 1, + "PyString_AsStringAndSize": 1, + "PyBytes_Size": 1, + "PyString_Size": 1, + "PyBytes_AS_STRING": 1, + "PyString_AS_STRING": 1, + "PyBytes_GET_SIZE": 1, + "PyString_GET_SIZE": 1, + "PyBytes_Repr": 1, + "PyString_Repr": 1, + "PyBytes_Concat": 1, + "PyString_Concat": 1, + "PyBytes_ConcatAndDel": 1, + "PyString_ConcatAndDel": 1, + "PySet_Check": 1, + "obj": 42, + "PyObject_TypeCheck": 3, + "PySet_Type": 2, + "PyFrozenSet_Check": 1, + "PyFrozenSet_Type": 1, + "PySet_CheckExact": 2, + "__Pyx_TypeCheck": 1, + "PyTypeObject": 2, + "PyIntObject": 1, + "PyLongObject": 2, + "PyInt_Type": 1, + "PyLong_Type": 1, + "PyInt_Check": 1, + "PyLong_Check": 1, + "PyInt_CheckExact": 1, + "PyLong_CheckExact": 1, + "PyInt_FromString": 1, + "PyLong_FromString": 1, + "PyInt_FromUnicode": 1, + "PyLong_FromUnicode": 1, + "PyLong_FromLong": 1, + "PyInt_FromSize_t": 1, + "PyLong_FromSize_t": 1, + "PyLong_FromSsize_t": 1, + "PyLong_AsLong": 1, + "PyInt_AS_LONG": 1, + "PyLong_AS_LONG": 1, + "PyLong_AsSsize_t": 1, + "PyInt_AsUnsignedLongMask": 1, + "PyLong_AsUnsignedLongMask": 1, + "PyInt_AsUnsignedLongLongMask": 1, + "PyLong_AsUnsignedLongLongMask": 1, + "PyBoolObject": 1, + "__Pyx_PyNumber_Divide": 2, + "PyNumber_TrueDivide": 1, + "__Pyx_PyNumber_InPlaceDivide": 2, + "PyNumber_InPlaceTrueDivide": 1, + "PyNumber_Divide": 1, + "PyNumber_InPlaceDivide": 1, + "__Pyx_PySequence_GetSlice": 2, + "PySequence_GetSlice": 2, + "__Pyx_PySequence_SetSlice": 2, + "PySequence_SetSlice": 2, + "__Pyx_PySequence_DelSlice": 2, + "PySequence_DelSlice": 2, + "unlikely": 69, + "PyErr_SetString": 4, + "PyExc_SystemError": 3, + "likely": 15, + "tp_as_mapping": 3, + "PyErr_Format": 4, + "PyExc_TypeError": 5, + "tp_name": 4, + "PyMethod_New": 2, + "func": 3, + "klass": 1, + "PyInstanceMethod_New": 1, + "__Pyx_GetAttrString": 2, + "PyObject_GetAttrString": 3, + "__Pyx_SetAttrString": 2, + "PyObject_SetAttrString": 2, + "__Pyx_DelAttrString": 2, + "PyObject_DelAttrString": 2, + "__Pyx_NAMESTR": 3, + "__Pyx_DOCSTR": 3, + "__PYX_EXTERN_C": 2, + "_USE_MATH_DEFINES": 1, + "": 1, + "__PYX_HAVE_API__wrapper_inner": 1, + "PYREX_WITHOUT_ASSERTIONS": 1, + "CYTHON_WITHOUT_ASSERTIONS": 1, + "CYTHON_INLINE": 68, + "__GNUC__": 5, + "__inline__": 1, + "#elif": 3, + "__inline": 1, + "__STDC_VERSION__": 2, + "L": 1, + "CYTHON_UNUSED": 7, + "**p": 1, + "*s": 1, + "encoding": 1, + "is_unicode": 1, + "is_str": 1, + "intern": 1, + "__Pyx_StringTabEntry": 1, + "__Pyx_PyBytes_FromUString": 1, + "__Pyx_PyBytes_AsUString": 1, + "__Pyx_PyBool_FromLong": 1, + "Py_INCREF": 3, + "Py_True": 2, + "Py_False": 2, + "__Pyx_PyObject_IsTrue": 8, + "__Pyx_PyNumber_Int": 1, + "__Pyx_PyIndex_AsSsize_t": 1, + "__Pyx_PyInt_FromSize_t": 1, + "__Pyx_PyInt_AsSize_t": 1, + "__pyx_PyFloat_AsDouble": 3, + "PyFloat_CheckExact": 1, + "PyFloat_AS_DOUBLE": 1, + "PyFloat_AsDouble": 1, + "__GNUC_MINOR__": 1, + "__builtin_expect": 2, + "*__pyx_m": 1, + "*__pyx_b": 1, + "*__pyx_empty_tuple": 1, + "*__pyx_empty_bytes": 1, + "__pyx_lineno": 80, + "__pyx_clineno": 80, + "__pyx_cfilenm": 1, + "__FILE__": 2, + "*__pyx_filename": 1, + "CYTHON_CCOMPLEX": 12, + "_Complex_I": 3, + "": 1, + "": 1, + "__sun__": 1, + "fj": 1, + "*__pyx_f": 1, + "npy_int8": 1, + "__pyx_t_5numpy_int8_t": 1, + "npy_int16": 1, + "__pyx_t_5numpy_int16_t": 1, + "npy_int32": 1, + "__pyx_t_5numpy_int32_t": 1, + "npy_int64": 1, + "__pyx_t_5numpy_int64_t": 1, + "npy_uint8": 1, + "__pyx_t_5numpy_uint8_t": 1, + "npy_uint16": 1, + "__pyx_t_5numpy_uint16_t": 1, + "npy_uint32": 1, + "__pyx_t_5numpy_uint32_t": 1, + "npy_uint64": 1, + "__pyx_t_5numpy_uint64_t": 1, + "npy_float32": 1, + "__pyx_t_5numpy_float32_t": 1, + "npy_float64": 1, + "__pyx_t_5numpy_float64_t": 1, + "npy_long": 1, + "__pyx_t_5numpy_int_t": 1, + "npy_longlong": 1, + "__pyx_t_5numpy_long_t": 1, + "npy_intp": 10, + "__pyx_t_5numpy_intp_t": 1, + "npy_uintp": 1, + "__pyx_t_5numpy_uintp_t": 1, + "npy_ulong": 1, + "__pyx_t_5numpy_uint_t": 1, + "npy_ulonglong": 1, + "__pyx_t_5numpy_ulong_t": 1, + "npy_double": 2, + "__pyx_t_5numpy_float_t": 1, + "__pyx_t_5numpy_double_t": 1, + "npy_longdouble": 1, + "__pyx_t_5numpy_longdouble_t": 1, + "complex": 2, + "__pyx_t_float_complex": 27, + "_Complex": 2, + "imag": 2, + "__pyx_t_double_complex": 27, + "npy_cfloat": 1, + "__pyx_t_5numpy_cfloat_t": 1, + "npy_cdouble": 2, + "__pyx_t_5numpy_cdouble_t": 1, + "npy_clongdouble": 1, + "__pyx_t_5numpy_clongdouble_t": 1, + "__pyx_t_5numpy_complex_t": 1, + "CYTHON_REFNANNY": 3, + "__Pyx_RefNannyAPIStruct": 4, + "*__Pyx_RefNanny": 1, + "__Pyx_RefNannyImportAPI": 1, + "*modname": 1, + "*m": 1, + "*p": 1, + "*r": 1, + "m": 4, + "PyImport_ImportModule": 1, + "modname": 1, + "PyLong_AsVoidPtr": 1, + "Py_XDECREF": 3, + "__Pyx_RefNannySetupContext": 13, + "*__pyx_refnanny": 1, + "__Pyx_RefNanny": 6, + "SetupContext": 1, + "__LINE__": 84, + "__Pyx_RefNannyFinishContext": 12, + "FinishContext": 1, + "__pyx_refnanny": 5, + "__Pyx_INCREF": 36, + "INCREF": 1, + "__Pyx_DECREF": 66, + "DECREF": 1, + "__Pyx_GOTREF": 60, + "GOTREF": 1, + "__Pyx_GIVEREF": 10, + "GIVEREF": 1, + "__Pyx_XDECREF": 26, + "Py_DECREF": 1, + "__Pyx_XGIVEREF": 7, + "__Pyx_XGOTREF": 1, + "__Pyx_TypeTest": 4, + "*type": 3, + "*__Pyx_GetName": 1, + "*dict": 1, + "__Pyx_ErrRestore": 1, + "*value": 2, + "*tb": 2, + "__Pyx_ErrFetch": 1, + "**type": 1, + "**value": 1, + "**tb": 1, + "__Pyx_Raise": 8, + "__Pyx_RaiseNoneNotIterableError": 1, + "__Pyx_RaiseNeedMoreValuesError": 1, + "index": 2, + "__Pyx_RaiseTooManyValuesError": 1, + "expected": 1, + "__Pyx_UnpackTupleError": 2, + "*__Pyx_Import": 1, + "*from_list": 1, + "__Pyx_Print": 1, + "__pyx_print": 1, + "__pyx_print_kwargs": 1, + "__Pyx_PrintOne": 4, + "*o": 1, + "*__Pyx_PyInt_to_py_Py_intptr_t": 1, + "Py_intptr_t": 1, + "__Pyx_CREAL": 4, + ".real": 3, + "__Pyx_CIMAG": 4, + ".imag": 3, + "__real__": 1, + "__imag__": 1, + "_WIN32": 1, + "__Pyx_SET_CREAL": 2, + "__Pyx_SET_CIMAG": 2, + "__pyx_t_float_complex_from_parts": 1, + "__Pyx_c_eqf": 2, + "__Pyx_c_sumf": 2, + "__Pyx_c_difff": 2, + "__Pyx_c_prodf": 2, + "__Pyx_c_quotf": 2, + "__Pyx_c_negf": 2, + "__Pyx_c_is_zerof": 3, + "__Pyx_c_conjf": 3, + "conj": 3, + "__Pyx_c_absf": 3, + "abs": 2, + "__Pyx_c_powf": 3, + "pow": 2, + "conjf": 1, + "cabsf": 1, + "cpowf": 1, + "__pyx_t_double_complex_from_parts": 1, + "__Pyx_c_eq": 2, + "__Pyx_c_sum": 2, + "__Pyx_c_diff": 2, + "__Pyx_c_prod": 2, + "__Pyx_c_quot": 2, + "__Pyx_c_neg": 2, + "__Pyx_c_is_zero": 3, + "__Pyx_c_conj": 3, + "__Pyx_c_abs": 3, + "__Pyx_c_pow": 3, + "cabs": 1, + "cpow": 1, + "__Pyx_PyInt_AsUnsignedChar": 1, + "__Pyx_PyInt_AsUnsignedShort": 1, + "__Pyx_PyInt_AsUnsignedInt": 1, + "__Pyx_PyInt_AsChar": 1, + "__Pyx_PyInt_AsShort": 1, + "__Pyx_PyInt_AsInt": 1, + "signed": 5, + "__Pyx_PyInt_AsSignedChar": 1, + "__Pyx_PyInt_AsSignedShort": 1, + "__Pyx_PyInt_AsSignedInt": 1, + "__Pyx_PyInt_AsLongDouble": 1, + "__Pyx_PyInt_AsUnsignedLong": 1, + "__Pyx_PyInt_AsUnsignedLongLong": 1, + "__Pyx_PyInt_AsLong": 1, + "__Pyx_PyInt_AsLongLong": 1, + "__Pyx_PyInt_AsSignedLong": 1, + "__Pyx_PyInt_AsSignedLongLong": 1, + "__Pyx_WriteUnraisable": 3, + "__Pyx_ExportFunction": 1, + "*__pyx_f_5numpy_PyArray_MultiIterNew2": 2, + "*__pyx_f_5numpy_PyArray_MultiIterNew3": 2, + "*__pyx_f_5numpy_PyArray_MultiIterNew4": 2, + "*__pyx_f_5numpy_PyArray_MultiIterNew5": 2, + "*__pyx_f_5numpy__util_dtypestring": 2, + "PyArray_Descr": 6, + "__pyx_f_5numpy_set_array_base": 1, + "PyArrayObject": 19, + "*__pyx_f_5numpy_get_array_base": 1, + "inner_work_1d": 2, + "inner_work_2d": 2, + "__Pyx_MODULE_NAME": 1, + "__pyx_module_is_main_wrapper_inner": 1, + "*__pyx_builtin_ValueError": 1, + "*__pyx_builtin_range": 1, + "*__pyx_builtin_RuntimeError": 1, + "__pyx_k_1": 1, + "__pyx_k_2": 1, + "__pyx_k_3": 1, + "__pyx_k_5": 1, + "__pyx_k_7": 1, + "__pyx_k_9": 1, + "__pyx_k_11": 1, + "__pyx_k_12": 1, + "__pyx_k_15": 1, + "__pyx_k__B": 2, + "__pyx_k__H": 2, + "__pyx_k__I": 2, + "__pyx_k__L": 2, + "__pyx_k__O": 2, + "__pyx_k__Q": 2, + "__pyx_k__b": 2, + "__pyx_k__d": 2, + "__pyx_k__f": 2, + "__pyx_k__g": 2, + "__pyx_k__h": 2, + "__pyx_k__i": 2, + "__pyx_k__l": 2, + "__pyx_k__q": 2, + "__pyx_k__Zd": 2, + "__pyx_k__Zf": 2, + "__pyx_k__Zg": 2, + "__pyx_k__np": 1, + "__pyx_k__buf": 1, + "__pyx_k__obj": 1, + "__pyx_k__base": 1, + "__pyx_k__ndim": 1, + "__pyx_k__ones": 1, + "__pyx_k__descr": 1, + "__pyx_k__names": 1, + "__pyx_k__numpy": 1, + "__pyx_k__range": 1, + "__pyx_k__shape": 1, + "__pyx_k__fields": 1, + "__pyx_k__format": 1, + "__pyx_k__strides": 1, + "__pyx_k____main__": 1, + "__pyx_k____test__": 1, + "__pyx_k__itemsize": 1, + "__pyx_k__readonly": 1, + "__pyx_k__type_num": 1, + "__pyx_k__byteorder": 1, + "__pyx_k__ValueError": 1, + "__pyx_k__suboffsets": 1, + "__pyx_k__work_module": 1, + "__pyx_k__RuntimeError": 1, + "__pyx_k__pure_py_test": 1, + "__pyx_k__wrapper_inner": 1, + "__pyx_k__do_awesome_work": 1, + "*__pyx_kp_s_1": 1, + "*__pyx_kp_u_11": 1, + "*__pyx_kp_u_12": 1, + "*__pyx_kp_u_15": 1, + "*__pyx_kp_s_2": 1, + "*__pyx_kp_s_3": 1, + "*__pyx_kp_u_5": 1, + "*__pyx_kp_u_7": 1, + "*__pyx_kp_u_9": 1, + "*__pyx_n_s__RuntimeError": 1, + "*__pyx_n_s__ValueError": 1, + "*__pyx_n_s____main__": 1, + "*__pyx_n_s____test__": 1, + "*__pyx_n_s__base": 1, + "*__pyx_n_s__buf": 1, + "*__pyx_n_s__byteorder": 1, + "*__pyx_n_s__descr": 1, + "*__pyx_n_s__do_awesome_work": 1, + "*__pyx_n_s__fields": 1, + "*__pyx_n_s__format": 1, + "*__pyx_n_s__itemsize": 1, + "*__pyx_n_s__names": 1, + "*__pyx_n_s__ndim": 1, + "*__pyx_n_s__np": 1, + "*__pyx_n_s__numpy": 1, + "*__pyx_n_s__obj": 1, + "*__pyx_n_s__ones": 1, + "*__pyx_n_s__pure_py_test": 1, + "*__pyx_n_s__range": 1, + "*__pyx_n_s__readonly": 1, + "*__pyx_n_s__shape": 1, + "*__pyx_n_s__strides": 1, + "*__pyx_n_s__suboffsets": 1, + "*__pyx_n_s__type_num": 1, + "*__pyx_n_s__work_module": 1, + "*__pyx_n_s__wrapper_inner": 1, + "*__pyx_int_5": 1, + "*__pyx_int_15": 1, + "*__pyx_k_tuple_4": 1, + "*__pyx_k_tuple_6": 1, + "*__pyx_k_tuple_8": 1, + "*__pyx_k_tuple_10": 1, + "*__pyx_k_tuple_13": 1, + "*__pyx_k_tuple_14": 1, + "*__pyx_k_tuple_16": 1, + "__pyx_v_num_x": 4, + "*__pyx_v_data_ptr": 2, + "*__pyx_v_answer_ptr": 2, + "__pyx_v_nd": 6, + "*__pyx_v_dims": 2, + "__pyx_v_typenum": 6, + "*__pyx_v_data_np": 2, + "__pyx_v_sum": 6, + "__pyx_t_1": 154, + "*__pyx_t_2": 4, + "*__pyx_t_3": 4, + "*__pyx_t_4": 3, + "__pyx_t_5": 75, + "__pyx_kp_s_1": 1, + "__pyx_filename": 79, + "__pyx_f": 79, + "__pyx_L1_error": 88, + "__pyx_v_dims": 4, + "NPY_DOUBLE": 3, + "__pyx_t_2": 120, + "PyArray_SimpleNewFromData": 2, + "__pyx_v_data_ptr": 2, + "Py_None": 38, + "__pyx_ptype_5numpy_ndarray": 2, + "__pyx_v_data_np": 10, + "__Pyx_GetName": 4, + "__pyx_m": 4, + "__pyx_n_s__work_module": 3, + "__pyx_t_3": 113, + "PyObject_GetAttr": 4, + "__pyx_n_s__do_awesome_work": 3, + "PyTuple_New": 4, + "PyTuple_SET_ITEM": 4, + "__pyx_t_4": 35, + "PyObject_Call": 11, + "PyErr_Occurred": 2, + "__pyx_v_answer_ptr": 2, + "__pyx_L0": 24, + "__pyx_v_num_y": 2, + "__pyx_kp_s_2": 1, + "*__pyx_pf_13wrapper_inner_pure_py_test": 2, + "*__pyx_self": 2, + "*unused": 2, + "PyMethodDef": 1, + "__pyx_mdef_13wrapper_inner_pure_py_test": 1, + "PyCFunction": 1, + "__pyx_pf_13wrapper_inner_pure_py_test": 1, + "METH_NOARGS": 1, + "*__pyx_v_data": 1, + "*__pyx_r": 7, + "*__pyx_t_1": 8, + "__pyx_self": 2, + "__pyx_v_data": 7, + "__pyx_kp_s_3": 1, + "__pyx_n_s__np": 1, + "__pyx_n_s__ones": 1, + "__pyx_k_tuple_4": 1, + "__pyx_r": 39, + "__Pyx_AddTraceback": 7, + "__pyx_pf_5numpy_7ndarray___getbuffer__": 2, + "*__pyx_v_self": 4, + "*__pyx_v_info": 4, + "__pyx_v_flags": 4, + "__pyx_v_copy_shape": 5, + "__pyx_v_i": 6, + "__pyx_v_ndim": 6, + "__pyx_v_endian_detector": 6, + "__pyx_v_little_endian": 8, + "__pyx_v_t": 29, + "*__pyx_v_f": 2, + "*__pyx_v_descr": 2, + "__pyx_v_offset": 9, + "__pyx_v_hasfields": 4, + "__pyx_t_6": 40, + "__pyx_t_7": 9, + "*__pyx_t_8": 1, + "*__pyx_t_9": 1, + "__pyx_v_info": 33, + "__pyx_v_self": 16, + "PyArray_NDIM": 1, + "__pyx_L5": 6, + "PyArray_CHKFLAGS": 2, + "NPY_C_CONTIGUOUS": 1, + "__pyx_builtin_ValueError": 5, + "__pyx_k_tuple_6": 1, + "__pyx_L6": 6, + "NPY_F_CONTIGUOUS": 1, + "__pyx_k_tuple_8": 1, + "__pyx_L7": 2, + "PyArray_DATA": 1, + "strides": 5, + "malloc": 2, + "shape": 3, + "PyArray_STRIDES": 2, + "PyArray_DIMS": 2, + "__pyx_L8": 2, + "suboffsets": 1, + "PyArray_ITEMSIZE": 1, + "PyArray_ISWRITEABLE": 1, + "__pyx_v_f": 31, + "descr": 2, + "__pyx_v_descr": 10, + "PyDataType_HASFIELDS": 2, + "__pyx_L11": 7, + "type_num": 2, + "byteorder": 4, + "__pyx_k_tuple_10": 1, + "__pyx_L13": 2, + "NPY_BYTE": 2, + "__pyx_L14": 18, + "NPY_UBYTE": 2, + "NPY_SHORT": 2, + "NPY_USHORT": 2, + "NPY_INT": 2, + "NPY_UINT": 2, + "NPY_LONG": 1, + "NPY_ULONG": 1, + "NPY_LONGLONG": 1, + "NPY_ULONGLONG": 1, + "NPY_FLOAT": 1, + "NPY_LONGDOUBLE": 1, + "NPY_CFLOAT": 1, + "NPY_CDOUBLE": 1, + "NPY_CLONGDOUBLE": 1, + "NPY_OBJECT": 1, + "__pyx_t_8": 16, + "PyNumber_Remainder": 1, + "__pyx_kp_u_11": 1, + "format": 6, + "__pyx_L12": 2, + "__pyx_t_9": 7, + "__pyx_f_5numpy__util_dtypestring": 1, + "__pyx_L2": 2, + "__pyx_pf_5numpy_7ndarray_1__releasebuffer__": 2, + "PyArray_HASFIELDS": 1, + "*__pyx_f_5numpy_PyArray_MultiIterNew1": 1, + "*__pyx_v_a": 5, + "PyArray_MultiIterNew": 5, + "__pyx_v_a": 5, + "*__pyx_v_b": 4, + "__pyx_v_b": 4, + "*__pyx_v_c": 3, + "__pyx_v_c": 3, + "*__pyx_v_d": 2, + "__pyx_v_d": 2, + "*__pyx_v_e": 1, + "__pyx_v_e": 1, + "*__pyx_v_end": 1, + "*__pyx_v_offset": 1, + "*__pyx_v_child": 1, + "*__pyx_v_fields": 1, + "*__pyx_v_childname": 1, + "*__pyx_v_new_offset": 1, + "*__pyx_v_t": 1, + "*__pyx_t_5": 1, + "__pyx_t_10": 7, + "*__pyx_t_11": 1, + "__pyx_v_child": 8, + "__pyx_v_fields": 7, + "__pyx_v_childname": 4, + "__pyx_v_new_offset": 5, + "PyTuple_GET_SIZE": 2, + "PyTuple_GET_ITEM": 3, + "PyObject_GetItem": 1, + "PyTuple_CheckExact": 1, + "tuple": 3, + "__pyx_ptype_5numpy_dtype": 1, + "__pyx_v_end": 2, + "PyNumber_Subtract": 2, + "PyObject_RichCompare": 8, + "__pyx_int_15": 1, + "Py_LT": 2, + "__pyx_builtin_RuntimeError": 2, + "__pyx_k_tuple_13": 1, + "__pyx_k_tuple_14": 1, + "elsize": 1, + "__pyx_k_tuple_16": 1, + "__pyx_L10": 2, + "Py_EQ": 6 + }, + "Ceylon": { + "doc": 2, + "by": 1, + "shared": 5, + "void": 1, + "test": 1, + "(": 4, + ")": 4, + "{": 3, + "print": 1, + ";": 4, + "}": 3, + "class": 1, + "Test": 2, + "name": 4, + "satisfies": 1, + "Comparable": 1, + "": 1, + "String": 2, + "actual": 2, + "string": 1, + "Comparison": 1, + "compare": 1, + "other": 1, + "return": 1, + "<=>": 1, + "other.name": 1 + }, + "Cirru": { + "print": 38, + "array": 14, + "int": 36, + "string": 7, + "set": 12, + "f": 3, + "block": 1, + "(": 20, + "a": 22, + "b": 7, + "c": 9, + ")": 20, + "call": 1, + "bool": 6, + "true": 1, + "false": 1, + "yes": 1, + "no": 1, + "map": 8, + "m": 3, + "float": 1, + "require": 1, + "./stdio.cr": 1, + "self": 2, + "child": 1, + "under": 2, + "parent": 1, + "get": 4, + "x": 2, + "just": 4, + "-": 4, + "code": 4, + "eval": 2, + "nothing": 1, + "container": 3 + }, + "Clojure": { + "(": 83, + "defn": 4, + "prime": 2, + "[": 41, + "n": 9, + "]": 41, + "not": 3, + "-": 14, + "any": 1, + "zero": 1, + "map": 2, + "#": 1, + "rem": 2, + "%": 1, + ")": 84, + "range": 3, + ";": 8, + "while": 3, + "stops": 1, + "at": 1, + "the": 1, + "first": 2, + "collection": 1, + "element": 1, + "that": 1, + "evaluates": 1, + "to": 1, + "false": 2, + "like": 1, + "take": 1, + "for": 2, + "x": 6, + "html": 1, + "head": 1, + "meta": 1, + "{": 8, + "charset": 1, + "}": 8, + "link": 1, + "rel": 1, + "href": 1, + "script": 1, + "src": 1, + "body": 1, + "div.nav": 1, + "p": 1, + "into": 2, + "array": 3, + "aseq": 8, + "nil": 1, + "type": 2, + "let": 1, + "count": 3, + "a": 3, + "make": 1, + "loop": 1, + "seq": 1, + "i": 4, + "if": 1, + "<": 1, + "do": 1, + "aset": 1, + "recur": 1, + "next": 1, + "inc": 1, + "defprotocol": 1, + "ISound": 4, + "sound": 5, + "deftype": 2, + "Cat": 1, + "_": 3, + "Dog": 1, + "extend": 1, + "default": 1, + "rand": 2, + "scm*": 1, + "random": 1, + "real": 1, + "clj": 1, + "ns": 2, + "c2.svg": 2, + "use": 2, + "c2.core": 2, + "only": 4, + "unify": 2, + "c2.maths": 2, + "Pi": 2, + "Tau": 2, + "radians": 2, + "per": 2, + "degree": 2, + "sin": 2, + "cos": 2, + "mean": 2, + "cljs": 3, + "require": 1, + "c2.dom": 1, + "as": 1, + "dom": 1, + "Stub": 1, + "float": 2, + "fn": 2, + "which": 1, + "does": 1, + "exist": 1, + "on": 1, + "runtime": 1, + "def": 1, + "identity": 1, + "xy": 1, + "coordinates": 7, + "cond": 1, + "and": 1, + "vector": 1, + "y": 1, + "deftest": 1, + "function": 1, + "tests": 1, + "is": 7, + "true": 2, + "contains": 1, + "foo": 6, + "bar": 4, + "select": 1, + "keys": 2, + "baz": 4, + "vals": 1, + "filter": 1 + }, + "COBOL": { + "program": 1, + "-": 19, + "id.": 1, + "hello.": 3, + "procedure": 1, + "division.": 1, + "display": 1, + ".": 3, + "stop": 1, + "run.": 1, + "IDENTIFICATION": 2, + "DIVISION.": 4, + "PROGRAM": 2, + "ID.": 2, + "PROCEDURE": 2, + "DISPLAY": 2, + "STOP": 2, + "RUN.": 2, + "COBOL": 7, + "TEST": 2, + "RECORD.": 1, + "USAGES.": 1, + "COMP": 5, + "PIC": 5, + "S9": 4, + "(": 5, + ")": 5, + "COMP.": 3, + "COMP2": 2 + }, + "CoffeeScript": { + "CoffeeScript": 1, + "require": 21, + "CoffeeScript.require": 1, + "CoffeeScript.eval": 1, + "(": 193, + "code": 20, + "options": 16, + "{": 31, + "}": 34, + ")": 196, + "-": 107, + "options.bare": 2, + "on": 3, + "eval": 2, + "CoffeeScript.compile": 2, + "CoffeeScript.run": 3, + "Function": 1, + "return": 29, + "unless": 19, + "window": 1, + "CoffeeScript.load": 2, + "url": 2, + "callback": 35, + "xhr": 2, + "new": 12, + "window.ActiveXObject": 1, + "or": 22, + "XMLHttpRequest": 1, + "xhr.open": 1, + "true": 8, + "xhr.overrideMimeType": 1, + "if": 102, + "of": 7, + "xhr.onreadystatechange": 1, + "xhr.readyState": 1, + "is": 36, + "xhr.status": 1, + "in": 32, + "[": 134, + "]": 134, + "xhr.responseText": 1, + "else": 53, + "throw": 3, + "Error": 1, + "xhr.send": 1, + "null": 15, + "runScripts": 3, + "scripts": 2, + "document.getElementsByTagName": 1, + "coffees": 2, + "s": 10, + "for": 14, + "when": 16, + "s.type": 1, + "index": 4, + "length": 4, + "coffees.length": 1, + "do": 2, + "execute": 3, + "script": 7, + "+": 31, + ".type": 1, + "script.src": 2, + "script.innerHTML": 1, + "window.addEventListener": 1, + "addEventListener": 1, + "no": 3, + "attachEvent": 1, + "class": 11, + "Animal": 3, + "constructor": 6, + "@name": 2, + "move": 3, + "meters": 2, + "alert": 4, + "Snake": 2, + "extends": 6, + "super": 4, + "Horse": 2, + "sam": 1, + "tom": 1, + "sam.move": 1, + "tom.move": 1, + "#": 35, + "fs": 2, + "path": 3, + "Lexer": 3, + "RESERVED": 3, + "parser": 1, + "vm": 1, + "require.extensions": 3, + "module": 1, + "filename": 6, + "content": 4, + "compile": 5, + "fs.readFileSync": 1, + "module._compile": 1, + "require.registerExtension": 2, + "exports.VERSION": 1, + "exports.RESERVED": 1, + "exports.helpers": 2, + "exports.compile": 1, + "merge": 1, + "try": 3, + "js": 5, + "parser.parse": 3, + "lexer.tokenize": 3, + ".compile": 1, + "options.header": 1, + "catch": 2, + "err": 20, + "err.message": 2, + "options.filename": 5, + "header": 1, + "exports.tokens": 1, + "exports.nodes": 1, + "source": 5, + "typeof": 2, + "exports.run": 1, + "mainModule": 1, + "require.main": 1, + "mainModule.filename": 4, + "process.argv": 1, + "then": 24, + "fs.realpathSync": 2, + "mainModule.moduleCache": 1, + "and": 20, + "mainModule.paths": 1, + "._nodeModulePaths": 1, + "path.dirname": 2, + "path.extname": 1, + "isnt": 7, + "mainModule._compile": 2, + "exports.eval": 1, + "code.trim": 1, + "Script": 2, + "vm.Script": 1, + "options.sandbox": 4, + "instanceof": 2, + "Script.createContext": 2, + ".constructor": 1, + "sandbox": 8, + "k": 4, + "v": 4, + "own": 2, + "sandbox.global": 1, + "sandbox.root": 1, + "sandbox.GLOBAL": 1, + "global": 3, + "sandbox.__filename": 3, + "||": 3, + "sandbox.__dirname": 1, + "sandbox.module": 2, + "sandbox.require": 2, + "Module": 2, + "_module": 3, + "options.modulename": 1, + "_require": 2, + "Module._load": 1, + "_module.filename": 1, + "r": 4, + "Object.getOwnPropertyNames": 1, + "_require.paths": 1, + "_module.paths": 1, + "Module._nodeModulePaths": 1, + "process.cwd": 1, + "_require.resolve": 1, + "request": 2, + "Module._resolveFilename": 1, + "o": 4, + "o.bare": 1, + "ensure": 1, + "value": 25, + "vm.runInThisContext": 1, + "vm.runInContext": 1, + "lexer": 1, + "parser.lexer": 1, + "lex": 1, + "tag": 33, + "@yytext": 1, + "@yylineno": 1, + "@tokens": 7, + "@pos": 2, + "setInput": 1, + "upcomingInput": 1, + "parser.yy": 1, + "console.log": 1, + "number": 13, + "opposite": 2, + "square": 4, + "x": 6, + "*": 21, + "list": 2, + "math": 1, + "root": 1, + "Math.sqrt": 1, + "cube": 1, + "race": 1, + "winner": 2, + "runners...": 1, + "print": 1, + "runners": 1, + "elvis": 1, + "cubes": 1, + "math.cube": 1, + "num": 2, + "Rewriter": 2, + "INVERSES": 2, + "count": 5, + "starts": 1, + "compact": 1, + "last": 3, + "exports.Lexer": 1, + "tokenize": 1, + "opts": 1, + "WHITESPACE.test": 1, + "code.replace": 1, + "/": 44, + "r/g": 1, + ".replace": 3, + "TRAILING_SPACES": 2, + "@code": 1, + "The": 7, + "remainder": 1, + "the": 4, + "code.": 1, + "@line": 4, + "opts.line": 1, + "current": 5, + "line.": 1, + "@indent": 3, + "indentation": 3, + "level.": 3, + "@indebt": 1, + "over": 1, + "at": 2, + "@outdebt": 1, + "under": 1, + "outdentation": 1, + "@indents": 1, + "stack": 4, + "all": 1, + "levels.": 1, + "@ends": 1, + "pairing": 1, + "up": 1, + "tokens.": 1, + "Stream": 1, + "parsed": 1, + "tokens": 5, + "form": 1, + "line": 6, + ".": 13, + "i": 8, + "while": 4, + "@chunk": 9, + "i..": 1, + "@identifierToken": 1, + "@commentToken": 1, + "@whitespaceToken": 1, + "@lineToken": 1, + "@heredocToken": 1, + "@stringToken": 1, + "@numberToken": 1, + "@regexToken": 1, + "@jsToken": 1, + "@literalToken": 1, + "@closeIndentation": 1, + "@error": 10, + "@ends.pop": 1, + "opts.rewrite": 1, + "off": 1, + ".rewrite": 1, + "identifierToken": 1, + "match": 23, + "IDENTIFIER.exec": 1, + "input": 1, + "id": 16, + "colon": 3, + "@tag": 3, + "@token": 12, + "id.length": 1, + "forcedIdentifier": 4, + "prev": 17, + "not": 4, + "prev.spaced": 3, + "JS_KEYWORDS": 1, + "COFFEE_KEYWORDS": 1, + "id.toUpperCase": 1, + "LINE_BREAK": 2, + "@seenFor": 4, + "yes": 5, + "UNARY": 4, + "RELATION": 3, + "@value": 1, + "@tokens.pop": 1, + "JS_FORBIDDEN": 1, + "String": 1, + "id.reserved": 1, + "COFFEE_ALIAS_MAP": 1, + "COFFEE_ALIASES": 1, + "switch": 7, + "input.length": 1, + "numberToken": 1, + "NUMBER.exec": 1, + "BOX": 1, + "/.test": 4, + "/E/.test": 1, + "x/.test": 1, + "d*": 1, + "d": 2, + "lexedLength": 2, + "number.length": 1, + "octalLiteral": 2, + "/.exec": 2, + "parseInt": 5, + ".toString": 3, + "binaryLiteral": 2, + "b": 1, + "stringToken": 1, + "@chunk.charAt": 3, + "SIMPLESTR.exec": 1, + "string": 9, + "MULTILINER": 2, + "@balancedString": 1, + "<": 6, + "string.indexOf": 1, + "@interpolateString": 2, + "@escapeLines": 1, + "octalEsc": 1, + "|": 21, + "string.length": 1, + "heredocToken": 1, + "HEREDOC.exec": 1, + "heredoc": 4, + "quote": 5, + "heredoc.charAt": 1, + "doc": 11, + "@sanitizeHeredoc": 2, + "indent": 7, + "<=>": 1, + "indexOf": 1, + "interpolateString": 1, + "token": 1, + "STRING": 2, + "makeString": 1, + "n": 16, + "Matches": 1, + "consumes": 1, + "comments": 1, + "commentToken": 1, + "@chunk.match": 1, + "COMMENT": 2, + "comment": 2, + "here": 3, + "herecomment": 4, + "Array": 1, + ".join": 2, + "comment.length": 1, + "jsToken": 1, + "JSTOKEN.exec": 1, + "script.length": 1, + "regexToken": 1, + "HEREGEX.exec": 1, + "@heregexToken": 1, + "NOT_REGEX": 2, + "NOT_SPACED_REGEX": 2, + "REGEX.exec": 1, + "regex": 5, + "flags": 2, + "..1": 1, + "match.length": 1, + "heregexToken": 1, + "heregex": 1, + "body": 2, + "body.indexOf": 1, + "re": 1, + "body.replace": 1, + "HEREGEX_OMIT": 3, + "//g": 1, + "re.match": 1, + "*/": 2, + "heregex.length": 1, + "@tokens.push": 1, + "tokens.push": 1, + "value...": 1, + "continue": 3, + "value.replace": 2, + "/g": 3, + "spaced": 1, + "reserved": 1, + "word": 1, + "value.length": 2, + "MATH": 3, + "COMPARE": 3, + "COMPOUND_ASSIGN": 2, + "SHIFT": 3, + "LOGIC": 3, + ".spaced": 1, + "CALLABLE": 2, + "INDEXABLE": 2, + "@ends.push": 1, + "@pair": 1, + "sanitizeHeredoc": 1, + "HEREDOC_ILLEGAL.test": 1, + "doc.indexOf": 1, + "HEREDOC_INDENT.exec": 1, + "attempt": 2, + "attempt.length": 1, + "indent.length": 1, + "doc.replace": 2, + "///": 12, + "///g": 1, + "n/": 1, + "tagParameters": 1, + "this": 6, + "tokens.length": 1, + "tok": 5, + "stack.push": 1, + "stack.length": 1, + "stack.pop": 2, + "closeIndentation": 1, + "@outdentToken": 1, + "balancedString": 1, + "str": 1, + "end": 2, + "continueCount": 3, + "str.length": 1, + "letter": 1, + "str.charAt": 1, + "missing": 1, + "starting": 1, + "Hello": 1, + "name.capitalize": 1, + "OUTDENT": 1, + "THROW": 1, + "EXTENDS": 1, + "&": 4, + "false": 4, + "delete": 1, + "break": 1, + "debugger": 1, + "finally": 2, + "undefined": 1, + "until": 1, + "loop": 1, + "by": 1, + "&&": 1, + "case": 1, + "default": 1, + "function": 2, + "var": 1, + "void": 1, + "with": 1, + "const": 1, + "let": 2, + "enum": 1, + "export": 1, + "import": 1, + "native": 1, + "__hasProp": 1, + "__extends": 1, + "__slice": 1, + "__bind": 1, + "__indexOf": 1, + "implements": 1, + "interface": 1, + "package": 1, + "private": 1, + "protected": 1, + "public": 1, + "static": 1, + "yield": 1, + "arguments": 1, + "S": 10, + "OPERATOR": 1, + "%": 1, + "compound": 1, + "assign": 1, + "compare": 1, + "zero": 1, + "fill": 1, + "right": 1, + "shift": 2, + "doubles": 1, + "logic": 1, + "soak": 1, + "access": 1, + "range": 1, + "splat": 1, + "WHITESPACE": 1, + "###": 3, + "s*#": 1, + "##": 1, + ".*": 1, + "CODE": 1, + "MULTI_DENT": 1, + "SIMPLESTR": 1, + "JSTOKEN": 1, + "REGEX": 1, + "disallow": 1, + "leading": 1, + "whitespace": 1, + "equals": 1, + "signs": 1, + "every": 1, + "other": 1, + "thing": 1, + "anything": 1, + "escaped": 1, + "character": 1, + "imgy": 2, + "w": 2, + "HEREGEX": 1, + "#.*": 1, + "n/g": 1, + "HEREDOC_INDENT": 1, + "HEREDOC_ILLEGAL": 1, + "//": 1, + "LINE_CONTINUER": 1, + "s*": 1, + "BOOL": 1, + "NOT_REGEX.concat": 1, + "CALLABLE.concat": 1, + "async": 1, + "nack": 1, + "bufferLines": 3, + "pause": 2, + "sourceScriptEnv": 3, + "join": 8, + "exists": 5, + "basename": 2, + "resolve": 2, + "module.exports": 1, + "RackApplication": 1, + "@configuration": 1, + "@root": 8, + "@firstHost": 1, + "@logger": 1, + "@configuration.getLogger": 1, + "@readyCallbacks": 3, + "@quitCallbacks": 3, + "@statCallbacks": 3, + "ready": 1, + "@state": 11, + "@readyCallbacks.push": 1, + "@initialize": 2, + "quit": 1, + "@quitCallbacks.push": 1, + "@terminate": 2, + "queryRestartFile": 1, + "fs.stat": 1, + "stats": 1, + "@mtime": 5, + "lastMtime": 2, + "stats.mtime.getTime": 1, + "setPoolRunOnceFlag": 1, + "@statCallbacks.length": 1, + "alwaysRestart": 2, + "@pool.runOnce": 1, + "statCallback": 2, + "@statCallbacks.push": 1, + "loadScriptEnvironment": 1, + "env": 18, + "async.reduce": 1, + "scriptExists": 2, + "loadRvmEnvironment": 1, + "rvmrcExists": 2, + "rvm": 1, + "@configuration.rvmPath": 1, + "rvmExists": 2, + "libexecPath": 1, + "before": 2, + ".trim": 1, + "loadEnvironment": 1, + "@queryRestartFile": 2, + "@loadScriptEnvironment": 1, + "@configuration.env": 1, + "@loadRvmEnvironment": 1, + "initialize": 1, + "@quit": 3, + "@loadEnvironment": 1, + "@logger.error": 3, + "@pool": 2, + "nack.createPool": 1, + "size": 1, + ".POW_WORKERS": 1, + "@configuration.workers": 1, + "idle": 1, + ".POW_TIMEOUT": 1, + "@configuration.timeout": 1, + "@pool.stdout": 1, + "@logger.info": 1, + "@pool.stderr": 1, + "@logger.warning": 1, + "@pool.on": 2, + "process": 2, + "@logger.debug": 2, + "readyCallback": 2, + "terminate": 1, + "@ready": 3, + "@pool.quit": 1, + "quitCallback": 2, + "handle": 1, + "req": 4, + "res": 3, + "next": 3, + "resume": 2, + "@setPoolRunOnceFlag": 1, + "@restartIfNecessary": 1, + "req.proxyMetaVariables": 1, + "SERVER_PORT": 1, + "@configuration.dstPort.toString": 1, + "@pool.proxy": 1, + "restart": 1, + "restartIfNecessary": 1, + "mtimeChanged": 2, + "@restart": 1, + "writeRvmBoilerplate": 1, + "powrc": 3, + "boilerplate": 2, + "@constructor.rvmBoilerplate": 1, + "fs.readFile": 1, + "contents": 2, + "contents.indexOf": 1, + "fs.writeFile": 1, + "@rvmBoilerplate": 1, + "dnsserver": 1, + "exports.Server": 1, + "Server": 2, + "dnsserver.Server": 1, + "NS_T_A": 3, + "NS_T_NS": 2, + "NS_T_CNAME": 1, + "NS_T_SOA": 2, + "NS_C_IN": 5, + "NS_RCODE_NXDOMAIN": 2, + "domain": 6, + "@rootAddress": 2, + "@domain": 3, + "domain.toLowerCase": 1, + "@soa": 2, + "createSOA": 2, + "@on": 1, + "@handleRequest": 1, + "handleRequest": 1, + "question": 5, + "req.question": 1, + "subdomain": 10, + "@extractSubdomain": 1, + "question.name": 3, + "isARequest": 2, + "res.addRR": 2, + "subdomain.getAddress": 1, + ".isEmpty": 1, + "isNSRequest": 2, + "res.header.rcode": 1, + "res.send": 1, + "extractSubdomain": 1, + "name": 5, + "Subdomain.extract": 1, + "question.type": 2, + "question.class": 2, + "mname": 2, + "rname": 2, + "serial": 2, + "Date": 1, + ".getTime": 1, + "refresh": 2, + "retry": 2, + "expire": 2, + "minimum": 2, + "dnsserver.createSOA": 1, + "exports.createServer": 1, + "address": 4, + "exports.Subdomain": 1, + "Subdomain": 4, + "@extract": 1, + "name.toLowerCase": 1, + "offset": 4, + "name.length": 1, + "domain.length": 1, + "name.slice": 2, + "@for": 2, + "IPAddressSubdomain.pattern.test": 1, + "IPAddressSubdomain": 2, + "EncodedSubdomain.pattern.test": 1, + "EncodedSubdomain": 2, + "@subdomain": 1, + "@address": 2, + "@labels": 2, + ".split": 1, + "@length": 3, + "@labels.length": 1, + "isEmpty": 1, + "getAddress": 3, + "@pattern": 2, + "@labels.slice": 1, + "a": 2, + "z0": 2, + "decode": 2, + "exports.encode": 1, + "encode": 1, + "ip": 2, + "byte": 2, + "ip.split": 1, + "<<": 1, + "PATTERN": 1, + "exports.decode": 1, + "PATTERN.test": 1, + "ip.push": 1, + "xFF": 1, + "ip.join": 1 + }, + "Common Lisp": { + ";": 10, + "-": 10, + "*": 2, + "lisp": 1, + "(": 14, + "in": 1, + "package": 1, + "foo": 2, + ")": 14, + "Header": 1, + "comment.": 4, + "defvar": 1, + "*foo*": 1, + "eval": 1, + "when": 1, + "execute": 1, + "compile": 1, + "toplevel": 2, + "load": 1, + "defun": 1, + "add": 1, + "x": 5, + "&": 3, + "optional": 1, + "y": 2, + "key": 1, + "z": 2, + "declare": 1, + "ignore": 1, + "Inline": 1, + "+": 2, + "or": 1, + "#": 2, + "|": 2, + "Multi": 1, + "line": 2, + "defmacro": 1, + "body": 1, + "b": 1, + "if": 1, + "After": 1 + }, + "Coq": { + "Inductive": 41, + "day": 9, + "Type": 86, + "|": 457, + "monday": 5, + "tuesday": 3, + "wednesday": 3, + "thursday": 3, + "friday": 3, + "saturday": 3, + "sunday": 2, + "day.": 1, + "Definition": 46, + "next_weekday": 3, + "(": 1248, + "d": 6, + ")": 1249, + "match": 70, + "with": 223, + "end.": 52, + "Example": 37, + "test_next_weekday": 1, + "tuesday.": 1, + "Proof.": 208, + "simpl.": 70, + "reflexivity.": 199, + "Qed.": 194, + "bool": 38, + "true": 68, + "false": 48, + "bool.": 1, + "negb": 10, + "b": 89, + "andb": 8, + "b1": 35, + "b2": 23, + "orb": 8, + "test_orb1": 1, + "true.": 16, + "test_orb2": 1, + "false.": 12, + "test_orb3": 1, + "test_orb4": 1, + "nandb": 5, + "end": 16, + "test_nandb1": 1, + "test_nandb2": 1, + "test_nandb3": 1, + "test_nandb4": 1, + "andb3": 5, + "b3": 2, + "test_andb31": 1, + "test_andb32": 1, + "test_andb33": 1, + "test_andb34": 1, + "Module": 11, + "Playground1.": 5, + "nat": 108, + "O": 98, + "S": 186, + "-": 508, + "nat.": 4, + "pred": 3, + "n": 369, + "minustwo": 1, + "Fixpoint": 36, + "evenb": 5, + "oddb": 5, + ".": 433, + "test_oddb1": 1, + "test_oddb2": 1, + "plus": 10, + "m": 201, + "mult": 3, + "minus": 3, + "_": 67, + "exp": 2, + "base": 3, + "power": 2, + "p": 81, + "factorial": 2, + "test_factorial1": 1, + "Notation": 39, + "x": 266, + "y": 116, + "at": 17, + "level": 11, + "left": 6, + "associativity": 7, + "nat_scope.": 3, + "beq_nat": 24, + "forall": 248, + "+": 227, + "n.": 44, + "Theorem": 115, + "plus_O_n": 1, + "intros": 258, + "plus_1_1": 1, + "mult_0_1": 1, + "*": 59, + "O.": 5, + "plus_id_example": 1, + "m.": 21, + "H.": 100, + "rewrite": 241, + "plus_id_exercise": 1, + "o": 25, + "o.": 4, + "H": 76, + "mult_0_plus": 1, + "plus_O_n.": 1, + "mult_1_plus": 1, + "plus_1_1.": 1, + "mult_1": 1, + "induction": 81, + "as": 77, + "[": 170, + "plus_1_neq_0": 1, + "destruct": 94, + "]": 173, + "Case": 51, + "IHn": 12, + "plus_comm": 3, + "plus_distr.": 1, + "beq_nat_refl": 3, + "plus_rearrange": 1, + "q": 15, + "q.": 2, + "assert": 68, + "plus_comm.": 3, + "plus_swap": 2, + "p.": 9, + "plus_assoc.": 4, + "H2": 12, + "H2.": 20, + "plus_swap.": 2, + "<->": 31, + "IHm": 2, + "reflexivity": 16, + "Qed": 23, + "mult_comm": 2, + "Proof": 12, + "0": 5, + "simpl": 116, + "mult_0_r.": 4, + "mult_distr": 1, + "mult_1_distr.": 1, + "mult_1.": 1, + "bad": 1, + "zero_nbeq_S": 1, + "andb_false_r": 1, + "plus_ble_compat_1": 1, + "ble_nat": 6, + "IHp.": 2, + "S_nbeq_0": 1, + "mult_1_1": 1, + "plus_0_r.": 1, + "all3_spec": 1, + "c": 70, + "c.": 5, + "b.": 14, + "Lemma": 51, + "mult_plus_1": 1, + "IHm.": 1, + "mult_mult": 1, + "IHn.": 3, + "mult_plus_1.": 1, + "mult_plus_distr_r": 1, + "mult_mult.": 3, + "H1": 18, + "plus_assoc": 1, + "H1.": 31, + "H3": 4, + "H3.": 5, + "mult_assoc": 1, + "mult_plus_distr_r.": 1, + "bin": 9, + "BO": 4, + "D": 9, + "M": 4, + "bin.": 1, + "incbin": 2, + "bin2un": 3, + "bin_comm": 1, + "End": 15, + "Require": 17, + "Import": 11, + "List": 2, + "Multiset": 2, + "PermutSetoid": 1, + "Relations": 2, + "Sorting.": 1, + "Section": 4, + "defs.": 2, + "Variable": 7, + "A": 113, + "Type.": 3, + "leA": 25, + "relation": 19, + "A.": 6, + "eqA": 29, + "Let": 8, + "gtA": 1, + "y.": 15, + "Hypothesis": 7, + "leA_dec": 4, + "{": 39, + "}": 35, + "eqA_dec": 26, + "leA_refl": 1, + "leA_trans": 2, + "z": 14, + "z.": 6, + "leA_antisym": 1, + "Hint": 9, + "Resolve": 5, + "leA_refl.": 1, + "Immediate": 1, + "leA_antisym.": 1, + "emptyBag": 4, + "EmptyBag": 2, + "singletonBag": 10, + "SingletonBag": 2, + "eqA_dec.": 2, + "Tree": 24, + "Tree_Leaf": 9, + "Tree_Node": 11, + "Tree.": 1, + "leA_Tree": 16, + "a": 207, + "t": 93, + "True": 1, + "T1": 25, + "T2": 20, + "leA_Tree_Leaf": 5, + "Tree_Leaf.": 1, + ";": 375, + "auto": 73, + "datatypes.": 47, + "leA_Tree_Node": 1, + "G": 6, + "is_heap": 18, + "Prop": 17, + "nil_is_heap": 5, + "node_is_heap": 7, + "invert_heap": 3, + "/": 41, + "T2.": 1, + "inversion": 104, + "is_heap_rect": 1, + "P": 32, + "T": 49, + "T.": 9, + "simple": 7, + "PG": 2, + "PD": 2, + "PN.": 2, + "elim": 21, + "H4": 7, + "intros.": 27, + "apply": 340, + "X0": 2, + "is_heap_rec": 1, + "Set": 4, + "X": 191, + "low_trans": 3, + "merge_lem": 3, + "l1": 89, + "l2": 73, + "list": 78, + "merge_exist": 5, + "l": 379, + "Sorted": 5, + "meq": 15, + "list_contents": 30, + "munion": 18, + "HdRel": 4, + "l2.": 8, + "Morphisms.": 2, + "Instance": 7, + "Equivalence": 2, + "@meq": 4, + "constructor": 6, + "red.": 1, + "meq_trans.": 1, + "Defined.": 1, + "Proper": 5, + "@munion": 1, + "now": 24, + "meq_congr.": 1, + "merge": 5, + "fix": 2, + "l1.": 5, + "rename": 2, + "into": 2, + "l.": 26, + "revert": 5, + "H0.": 24, + "a0": 15, + "l0": 7, + "Sorted_inv": 2, + "in": 221, + "H0": 16, + "clear": 7, + "merge0.": 2, + "using": 18, + "cons_sort": 2, + "cons_leA": 2, + "munion_ass.": 2, + "cons_leA.": 2, + "@HdRel_inv": 2, + "trivial": 15, + "merge0": 1, + "setoid_rewrite": 2, + "munion_ass": 1, + "munion_comm.": 2, + "repeat": 11, + "munion_comm": 1, + "contents": 12, + "multiset": 2, + "t1": 48, + "t2": 51, + "equiv_Tree": 1, + "insert_spec": 3, + "insert_exist": 4, + "insert": 2, + "unfold": 58, + "T0": 2, + "treesort_twist1": 1, + "T3": 2, + "HeapT3": 1, + "ConT3": 1, + "LeA.": 1, + "LeA": 1, + "treesort_twist2": 1, + "build_heap": 3, + "heap_exist": 3, + "list_to_heap": 2, + "nil": 46, + "exact": 4, + "nil_is_heap.": 1, + "i": 11, + "meq_trans": 10, + "meq_right": 2, + "meq_sym": 2, + "flat_spec": 3, + "flat_exist": 3, + "heap_to_list": 2, + "h": 14, + "s1": 20, + "i1": 15, + "m1": 1, + "s2": 2, + "i2": 10, + "m2.": 1, + "meq_congr": 1, + "munion_rotate.": 1, + "treesort": 1, + "&": 21, + "permutation": 43, + "intro": 27, + "permutation.": 1, + "exists": 60, + "Export": 10, + "SfLib.": 2, + "AExp.": 2, + "aexp": 30, + "ANum": 18, + "APlus": 14, + "AMinus": 9, + "AMult": 9, + "aexp.": 1, + "bexp": 22, + "BTrue": 10, + "BFalse": 11, + "BEq": 9, + "BLe": 9, + "BNot": 9, + "BAnd": 10, + "bexp.": 1, + "aeval": 46, + "e": 53, + "a1": 56, + "a2": 62, + "test_aeval1": 1, + "beval": 16, + "optimize_0plus": 15, + "e2": 54, + "e1": 58, + "test_optimize_0plus": 1, + "optimize_0plus_sound": 4, + "e.": 15, + "e1.": 1, + "SCase": 24, + "SSCase": 3, + "IHe2.": 10, + "IHe1.": 11, + "aexp_cases": 3, + "try": 17, + "IHe1": 6, + "IHe2": 6, + "optimize_0plus_all": 2, + "Tactic": 9, + "tactic": 9, + "first": 18, + "ident": 9, + "Case_aux": 38, + "optimize_0plus_all_sound": 1, + "bexp_cases": 4, + "optimize_and": 5, + "optimize_and_sound": 1, + "IHe": 2, + "aevalR_first_try.": 2, + "aevalR": 18, + "E_Anum": 1, + "E_APlus": 2, + "n1": 45, + "n2": 41, + "E_AMinus": 2, + "E_AMult": 2, + "Reserved": 4, + "E_ANum": 1, + "where": 6, + "bevalR": 11, + "E_BTrue": 1, + "E_BFalse": 1, + "E_BEq": 1, + "E_BLe": 1, + "E_BNot": 1, + "E_BAnd": 1, + "aeval_iff_aevalR": 9, + "split.": 17, + "subst": 7, + "generalize": 13, + "dependent": 6, + "IHa1": 1, + "IHa2": 1, + "beval_iff_bevalR": 1, + "*.": 110, + "subst.": 43, + "IHbevalR": 1, + "IHbevalR1": 1, + "IHbevalR2": 1, + "a.": 6, + "constructor.": 16, + "<": 76, + "remember": 12, + "IHa.": 1, + "IHa1.": 1, + "IHa2.": 1, + "silly_presburger_formula": 1, + "<=>": 12, + "3": 2, + "omega": 7, + "Id": 7, + "id": 7, + "id.": 1, + "beq_id": 14, + "id1": 2, + "id2": 2, + "beq_id_refl": 1, + "i.": 2, + "beq_nat_refl.": 1, + "beq_id_eq": 4, + "i2.": 8, + "i1.": 3, + "beq_nat_eq": 2, + "beq_id_false_not_eq": 1, + "C.": 3, + "n0": 5, + "beq_false_not_eq": 1, + "not_eq_beq_id_false": 1, + "not_eq_beq_false.": 1, + "beq_nat_sym": 2, + "AId": 4, + "com_cases": 1, + "SKIP": 5, + "IFB": 4, + "WHILE": 5, + "c1": 14, + "c2": 9, + "e3": 1, + "cl": 1, + "st": 113, + "E_IfTrue": 2, + "THEN": 3, + "ELSE": 3, + "FI": 3, + "E_WhileEnd": 2, + "DO": 4, + "END": 4, + "E_WhileLoop": 2, + "ceval_cases": 1, + "E_Skip": 1, + "E_Ass": 1, + "E_Seq": 1, + "E_IfFalse": 1, + "assignment": 1, + "command": 2, + "if": 10, + "st1": 2, + "IHi1": 3, + "Heqst1": 1, + "Hceval.": 4, + "Hceval": 2, + "assumption.": 61, + "bval": 2, + "ceval_step": 3, + "Some": 21, + "ceval_step_more": 7, + "x1.": 3, + "omega.": 7, + "x2.": 2, + "IHHce.": 2, + "%": 3, + "IHHce1.": 1, + "IHHce2.": 1, + "x0": 14, + "plus2": 1, + "nx": 3, + "Y": 38, + "ny": 2, + "XtimesYinZ": 1, + "Z": 11, + "ny.": 1, + "loop": 2, + "contra.": 19, + "loopdef.": 1, + "Heqloopdef.": 8, + "contra1.": 1, + "IHcontra2.": 1, + "no_whiles": 15, + "com": 5, + "ct": 2, + "cf": 2, + "no_Whiles": 10, + "noWhilesSKIP": 1, + "noWhilesAss": 1, + "noWhilesSeq": 1, + "noWhilesIf": 1, + "no_whiles_eqv": 1, + "noWhilesSKIP.": 1, + "noWhilesAss.": 1, + "noWhilesSeq.": 1, + "IHc1.": 2, + "auto.": 47, + "eauto": 10, + "andb_true_elim1": 4, + "IHc2.": 2, + "andb_true_elim2": 4, + "noWhilesIf.": 1, + "andb_true_intro.": 2, + "no_whiles_terminate": 1, + "state": 6, + "st.": 7, + "update": 2, + "IHc1": 2, + "IHc2": 2, + "H5.": 1, + "x1": 11, + "r": 11, + "r.": 3, + "symmetry": 4, + "Heqr.": 1, + "H4.": 2, + "s": 13, + "Heqr": 3, + "H8.": 1, + "H10": 1, + "assumption": 10, + "beval_short_circuit": 5, + "beval_short_circuit_eqv": 1, + "sinstr": 8, + "SPush": 8, + "SLoad": 6, + "SPlus": 10, + "SMinus": 11, + "SMult": 11, + "sinstr.": 1, + "s_execute": 21, + "stack": 7, + "prog": 2, + "cons": 26, + "al": 3, + "bl": 3, + "s_execute1": 1, + "empty_state": 2, + "s_execute2": 1, + "s_compile": 36, + "v": 28, + "s_compile1": 1, + "execute_theorem": 1, + "other": 20, + "other.": 4, + "app_ass.": 6, + "s_compile_correct": 1, + "app_nil_end.": 1, + "execute_theorem.": 1, + "Eqdep_dec.": 1, + "Arith.": 2, + "eq_rect_eq_nat": 2, + "Q": 3, + "eq_rect": 3, + "h.": 1, + "K_dec_set": 1, + "eq_nat_dec.": 1, + "Scheme": 1, + "le_ind": 1, + "replace": 4, + "le_n": 4, + "fun": 17, + "refl_equal": 4, + "pattern": 2, + "case": 2, + "trivial.": 14, + "contradiction": 8, + "le_Sn_n": 5, + "le_S": 6, + "Heq": 8, + "m0": 1, + "HeqS": 3, + "injection": 4, + "HeqS.": 2, + "eq_rect_eq_nat.": 1, + "IHp": 2, + "dep_pair_intro": 2, + "Hx": 20, + "Hy": 14, + "<=n),>": 1, + "x=": 1, + "exist": 7, + "Hy.": 3, + "Heq.": 6, + "le_uniqueness_proof": 1, + "Hy0": 1, + "card": 2, + "f": 108, + "card_interval": 1, + "<=n}>": 1, + "proj1_sig": 1, + "proj2_sig": 1, + "Hp": 5, + "Hq": 3, + "Hpq.": 1, + "Hmn.": 1, + "Hmn": 1, + "interval_dec": 1, + "left.": 3, + "dep_pair_intro.": 3, + "right.": 9, + "discriminate": 3, + "le_Sn_le": 2, + "eq_S.": 1, + "Hneq.": 2, + "card_inj_aux": 1, + "g": 6, + "False.": 1, + "Hfbound": 1, + "Hfinj": 1, + "Hgsurj.": 1, + "Hgsurj": 3, + "Hfx": 2, + "le_n_O_eq.": 2, + "Hfbound.": 2, + "Hx.": 5, + "le_lt_dec": 9, + "xSn": 21, + "then": 9, + "else": 9, + "is": 4, + "bounded": 1, + "injective": 6, + "Hlefx": 1, + "Hgefx": 1, + "Hlefy": 1, + "Hgefy": 1, + "Hfinj.": 3, + "sym_not_eq.": 2, + "Heqf.": 2, + "Hneqy.": 2, + "le_lt_trans": 2, + "le_O_n.": 2, + "le_neq_lt": 2, + "Hneqx.": 2, + "pred_inj.": 1, + "lt_O_neq": 2, + "neq_dep_intro": 2, + "inj_restrict": 1, + "Heqf": 1, + "surjective": 1, + "Hlep.": 3, + "Hle": 1, + "Hlt": 3, + "Hfsurj": 2, + "le_n_S": 1, + "Hlep": 4, + "Hneq": 7, + "Heqx.": 2, + "Heqx": 4, + "Hle.": 1, + "le_not_lt": 1, + "lt_trans": 4, + "lt_n_Sn.": 1, + "Hlt.": 1, + "lt_irrefl": 2, + "lt_le_trans": 1, + "pose": 2, + "let": 3, + "Hneqx": 1, + "Hneqy": 1, + "Heqg": 1, + "Hdec": 3, + "Heqy": 1, + "Hginj": 1, + "HSnx.": 1, + "HSnx": 1, + "interval_discr": 1, + "<=m}>": 1, + "card_inj": 1, + "interval_dec.": 1, + "card_interval.": 2, + "Basics.": 2, + "NatList.": 2, + "natprod": 5, + "pair": 7, + "natprod.": 1, + "fst": 3, + "snd": 3, + "swap_pair": 1, + "surjective_pairing": 1, + "count": 7, + "remove_one": 3, + "test_remove_one1": 1, + "remove_all": 2, + "bag": 3, + "app_ass": 1, + "l3": 12, + "natlist": 7, + "l3.": 1, + "remove_decreases_count": 1, + "s.": 4, + "ble_n_Sn.": 1, + "IHs.": 2, + "natoption": 5, + "None": 9, + "natoption.": 1, + "index": 3, + "option_elim": 2, + "hd_opt": 8, + "test_hd_opt1": 2, + "None.": 2, + "test_hd_opt2": 2, + "option_elim_hd": 1, + "head": 1, + "beq_natlist": 5, + "v1": 7, + "r1": 2, + "v2": 2, + "r2": 2, + "test_beq_natlist1": 1, + "test_beq_natlist2": 1, + "beq_natlist_refl": 1, + "IHl.": 7, + "silly1": 1, + "eq1": 6, + "eq2.": 9, + "eq2": 1, + "silly2a": 1, + "eq1.": 5, + "silly_ex": 1, + "silly3": 1, + "symmetry.": 2, + "rev_exercise": 1, + "rev_involutive.": 1, + "Setoid": 1, + "Compare_dec": 1, + "ListNotations.": 1, + "Implicit": 15, + "Arguments.": 2, + "Permutation.": 2, + "Permutation": 38, + "perm_nil": 1, + "perm_skip": 1, + "Local": 7, + "Constructors": 3, + "Permutation_nil": 2, + "HF.": 3, + "@nil": 1, + "HF": 2, + "||": 1, + "Permutation_nil_cons": 1, + "discriminate.": 2, + "Permutation_refl": 1, + "Permutation_sym": 1, + "Hperm": 7, + "perm_trans": 1, + "Permutation_trans": 4, + "Logic.eq": 2, + "@Permutation": 5, + "iff": 1, + "@In": 1, + "red": 6, + "Permutation_in.": 2, + "Permutation_app_tail": 2, + "tl": 8, + "eapply": 8, + "Permutation_app_head": 2, + "app_comm_cons": 5, + "Permutation_app": 3, + "Hpermmm": 1, + "idtac": 1, + "Global": 5, + "@app": 1, + "Permutation_app.": 1, + "Permutation_add_inside": 1, + "Permutation_cons_append": 1, + "IHl": 8, + "Permutation_cons_append.": 3, + "Permutation_app_comm": 3, + "app_nil_r": 1, + "app_assoc": 2, + "Permutation_cons_app": 3, + "Permutation_middle": 2, + "Permutation_rev": 3, + "rev": 7, + "1": 1, + "@rev": 1, + "2": 1, + "Permutation_length": 2, + "length": 21, + "transitivity": 4, + "@length": 1, + "Permutation_length.": 1, + "Permutation_ind_bis": 2, + "Hnil": 1, + "Hskip": 3, + "Hswap": 2, + "Htrans.": 1, + "Htrans": 1, + "eauto.": 7, + "Ltac": 1, + "break_list": 5, + "Permutation_nil_app_cons": 1, + "l4": 3, + "P.": 5, + "IH": 3, + "Permutation_middle.": 3, + "perm_swap.": 2, + "perm_swap": 1, + "eq_refl": 2, + "In_split": 1, + "Permutation_app_inv": 1, + "NoDup": 4, + "incl": 3, + "N.": 1, + "E": 7, + "Ha": 6, + "In": 6, + "N": 1, + "Hal": 1, + "Hl": 1, + "exfalso.": 1, + "NoDup_Permutation_bis": 2, + "inversion_clear": 6, + "intuition.": 2, + "Permutation_NoDup": 1, + "Permutation_map": 1, + "Hf": 15, + "injective_bounded_surjective": 1, + "set": 1, + "seq": 2, + "map": 4, + "x.": 3, + "in_map_iff.": 2, + "in_seq": 4, + "arith": 4, + "NoDup_cardinal_incl": 1, + "injective_map_NoDup": 2, + "seq_NoDup": 1, + "map_length": 1, + "by": 7, + "in_map_iff": 1, + "split": 14, + "nat_bijection_Permutation": 1, + "BD.": 1, + "seq_NoDup.": 1, + "map_length.": 1, + "Injection": 1, + "Permutation_alt": 1, + "Alternative": 1, + "characterization": 1, + "of": 4, + "via": 1, + "nth_error": 7, + "and": 1, + "nth": 2, + "adapt": 4, + "adapt_injective": 1, + "adapt.": 2, + "EQ.": 2, + "LE": 11, + "LT": 14, + "eq_add_S": 2, + "Hf.": 1, + "Lt.le_lt_or_eq": 3, + "LE.": 3, + "EQ": 8, + "lt": 3, + "LT.": 5, + "Lt.S_pred": 3, + "Lt.lt_not_le": 2, + "adapt_ok": 2, + "nth_error_app1": 1, + "nth_error_app2": 1, + "arith.": 8, + "Minus.minus_Sn_m": 1, + "Permutation_nth_error": 2, + "IHP": 2, + "IHP2": 1, + "Hg": 2, + "E.": 2, + "L12": 2, + "app_length.": 2, + "plus_n_Sm.": 1, + "adapt_injective.": 1, + "nth_error_None": 4, + "Hn": 1, + "Hf2": 1, + "Hf3": 2, + "Lt.le_or_lt": 1, + "Lt.lt_irrefl": 2, + "Lt.lt_le_trans": 2, + "Hf1": 1, + "do": 4, + "congruence.": 1, + "Permutation_alt.": 1, + "Permutation_app_swap": 1, + "only": 3, + "parsing": 3, + "Omega": 1, + "SetoidList.": 1, + "nil.": 2, + "..": 4, + "Permut.": 1, + "eqA_equiv": 1, + "eqA.": 1, + "list_contents_app": 5, + "permut_refl": 1, + "permut_sym": 4, + "permut_trans": 5, + "permut_cons_eq": 3, + "meq_left": 1, + "meq_singleton": 1, + "permut_cons": 5, + "permut_app": 1, + "specialize": 6, + "a0.": 1, + "decide": 1, + "permut_add_inside_eq": 1, + "permut_add_cons_inside": 3, + "permut_add_inside": 1, + "permut_middle": 1, + "permut_refl.": 5, + "permut_sym_app": 1, + "permut_rev": 1, + "permut_add_cons_inside.": 1, + "app_nil_end": 1, + "results": 1, + "permut_conv_inv": 1, + "plus_reg_l.": 1, + "permut_app_inv1": 1, + "list_contents_app.": 1, + "plus_reg_l": 1, + "multiplicity": 6, + "Fact": 3, + "if_eqA_then": 1, + "B": 6, + "if_eqA_refl": 3, + "decide_left": 1, + "if_eqA": 1, + "contradict": 3, + "A1": 2, + "if_eqA_rewrite_r": 1, + "A2": 4, + "Hxx": 1, + "multiplicity_InA": 4, + "InA": 8, + "multiplicity_InA_O": 2, + "multiplicity_InA_S": 1, + "multiplicity_NoDupA": 1, + "NoDupA": 3, + "NEQ": 1, + "compatible": 1, + "permut_InA_InA": 3, + "multiplicity_InA.": 1, + "meq.": 2, + "permut_cons_InA": 3, + "permut_nil": 3, + "Abs": 2, + "permut_length_1": 1, + "permut_length_2": 1, + "permut_length_1.": 2, + "@if_eqA_rewrite_l": 2, + "permut_length": 1, + "InA_split": 1, + "h2": 1, + "plus_n_Sm": 1, + "f_equal.": 1, + "app_length": 1, + "IHl1": 1, + "permut_remove_hd": 1, + "f_equal": 1, + "if_eqA_rewrite_l": 1, + "NoDupA_equivlistA_permut": 1, + "Equivalence_Reflexive.": 1, + "change": 1, + "Equivalence_Reflexive": 1, + "Forall2": 2, + "permutation_Permutation": 1, + "Forall2.": 1, + "proof": 1, + "IHA": 2, + "Forall2_app_inv_r": 1, + "Hl1": 1, + "Hl2": 1, + "Forall2_app": 1, + "Forall2_cons": 1, + "Permutation_impl_permutation": 1, + "permut_eqA": 1, + "Permut_permut.": 1, + "permut_right": 1, + "permut_tran": 1, + "Lists.": 1, + "X.": 4, + "app": 5, + "snoc": 9, + "Arguments": 11, + "list123": 1, + "right": 2, + "test_repeat1": 1, + "nil_app": 1, + "rev_snoc": 1, + "snoc_with_append": 1, + "v.": 1, + "IHl1.": 1, + "prod": 3, + "Y.": 1, + "type_scope.": 1, + "combine": 3, + "lx": 4, + "ly": 4, + "tx": 2, + "ty": 7, + "tp": 2, + "option": 6, + "xs": 7, + "plus3": 2, + "prod_curry": 3, + "prod_uncurry": 3, + "uncurry_uncurry": 1, + "curry_uncurry": 1, + "filter": 3, + "test": 4, + "countoddmembers": 1, + "k": 7, + "fmostlytrue": 5, + "override": 5, + "ftrue": 1, + "override_example1": 1, + "override_example2": 1, + "override_example3": 1, + "override_example4": 1, + "override_example": 1, + "constfun": 1, + "unfold_example_bad": 1, + "plus3.": 1, + "override_eq": 1, + "f.": 1, + "override.": 2, + "override_neq": 1, + "x2": 3, + "k1": 5, + "k2": 4, + "eq.": 11, + "silly4": 1, + "silly5": 1, + "sillyex1": 1, + "j": 6, + "j.": 1, + "silly6": 1, + "silly7": 1, + "sillyex2": 1, + "assertion": 3, + "Hl.": 1, + "eq": 4, + "beq_nat_O_l": 1, + "beq_nat_O_r": 1, + "double_injective": 1, + "double": 2, + "fold_map": 2, + "fold": 1, + "total": 2, + "fold_map_correct": 1, + "fold_map.": 1, + "forallb": 4, + "existsb": 3, + "existsb2": 2, + "existsb_correct": 1, + "existsb2.": 1, + "index_okx": 1, + "mumble": 5, + "mumble.": 1, + "grumble": 3, + "Logic.": 1, + "Prop.": 1, + "partial_function": 6, + "R": 54, + "y1": 6, + "y2": 5, + "y2.": 3, + "next_nat_partial_function": 1, + "next_nat.": 1, + "partial_function.": 5, + "Q.": 2, + "le_not_a_partial_function": 1, + "le": 1, + "not.": 3, + "Nonsense.": 4, + "le_n.": 6, + "le_S.": 4, + "total_relation_not_partial_function": 1, + "total_relation": 1, + "total_relation1.": 2, + "empty_relation_not_partial_funcion": 1, + "empty_relation.": 1, + "reflexive": 5, + "le_reflexive": 1, + "le.": 4, + "reflexive.": 1, + "transitive": 8, + "le_trans": 4, + "Hnm": 3, + "Hmo.": 4, + "Hnm.": 3, + "IHHmo.": 1, + "lt.": 2, + "transitive.": 1, + "Hm": 1, + "le_S_n": 2, + "Sn_le_Sm__n_le_m.": 1, + "not": 1, + "TODO": 1, + "Hmo": 1, + "symmetric": 2, + "antisymmetric": 3, + "le_antisymmetric": 1, + "Sn_le_Sm__n_le_m": 2, + "IHb": 1, + "equivalence": 1, + "order": 2, + "preorder": 1, + "le_order": 1, + "order.": 1, + "le_reflexive.": 1, + "le_antisymmetric.": 1, + "le_trans.": 1, + "clos_refl_trans": 8, + "rt_step": 1, + "rt_refl": 1, + "rt_trans": 3, + "next_nat_closure_is_le": 1, + "next_nat": 1, + "rt_refl.": 2, + "IHle.": 1, + "rt_step.": 2, + "nn.": 1, + "IHclos_refl_trans1.": 2, + "IHclos_refl_trans2.": 2, + "refl_step_closure": 11, + "rsc_refl": 1, + "rsc_step": 4, + "rsc_R": 2, + "rsc_refl.": 4, + "rsc_trans": 4, + "IHrefl_step_closure": 1, + "rtc_rsc_coincide": 1, + "IHrefl_step_closure.": 1, + "Imp.": 1, + "Relations.": 1, + "tm": 43, + "tm_const": 45, + "tm_plus": 30, + "tm.": 3, + "SimpleArith0.": 2, + "eval": 8, + "SimpleArith1.": 2, + "E_Const": 2, + "E_Plus": 2, + "test_step_1": 1, + "ST_Plus1.": 2, + "ST_PlusConstConst.": 3, + "test_step_2": 1, + "ST_Plus2.": 2, + "step_deterministic": 1, + "step.": 3, + "Hy1": 2, + "Hy2.": 2, + "step_cases": 4, + "Hy2": 3, + "SCase.": 3, + "Hy1.": 5, + "IHHy1": 2, + "SimpleArith2.": 1, + "value": 25, + "v_const": 4, + "step": 9, + "ST_PlusConstConst": 3, + "ST_Plus1": 2, + "strong_progress": 2, + "value_not_same_as_normal_form": 2, + "normal_form": 3, + "t.": 4, + "normal_form.": 2, + "v_funny.": 1, + "Temp1.": 1, + "Temp2.": 1, + "ST_Funny": 1, + "Temp3.": 1, + "Temp4.": 2, + "tm_true": 8, + "tm_false": 5, + "tm_if": 10, + "v_true": 1, + "v_false": 1, + "tm_false.": 3, + "ST_IfTrue": 1, + "ST_IfFalse": 1, + "ST_If": 1, + "t3": 6, + "bool_step_prop4": 1, + "bool_step_prop4_holds": 1, + "bool_step_prop4.": 2, + "ST_ShortCut.": 1, + "IHt1.": 1, + "t2.": 4, + "t3.": 2, + "ST_If.": 2, + "Temp5.": 1, + "stepmany": 4, + "normalizing": 1, + "IHt2": 3, + "H11": 2, + "H12": 2, + "H21": 3, + "H22": 2, + "nf_same_as_value": 3, + "H12.": 1, + "H22.": 1, + "H11.": 1, + "stepmany_congr_1": 1, + "stepmany_congr2": 1, + "eval__value": 1, + "HE.": 1, + "eval_cases": 1, + "HE": 1, + "v_const.": 1, + "Sorted.": 1, + "Mergesort.": 1, + "STLC.": 1, + "ty_Bool": 10, + "ty_arrow": 7, + "ty.": 2, + "tm_var": 6, + "tm_app": 7, + "tm_abs": 9, + "idB": 2, + "idBB": 2, + "idBBBB": 2, + "v_abs": 1, + "t_true": 1, + "t_false": 1, + "value.": 1, + "ST_App2": 1, + "step_example3": 1, + "idB.": 1, + "rsc_step.": 2, + "ST_App1.": 2, + "ST_AppAbs.": 3, + "v_abs.": 2, + "context": 1, + "partial_map": 4, + "Context.": 1, + "empty": 3, + "extend": 1, + "Gamma": 10, + "has_type": 4, + "appears_free_in": 1, + "S.": 1, + "HT": 1, + "T_Var.": 1, + "extend_neq": 1, + "Heqe.": 3, + "T_Abs.": 1, + "context_invariance...": 2, + "Hafi.": 2, + "extend.": 2, + "IHt.": 1, + "Coiso1.": 2, + "Coiso2.": 3, + "HeqCoiso1.": 1, + "HeqCoiso2.": 1, + "beq_id_false_not_eq.": 1, + "ex_falso_quodlibet.": 1, + "preservation": 1, + "HT.": 1, + "substitution_preserves_typing": 1, + "T11.": 4, + "HT1.": 1, + "T_App": 2, + "IHHT1.": 1, + "IHHT2.": 1, + "tm_cases": 1, + "Ht": 1, + "Ht.": 3, + "IHt1": 2, + "T11": 2, + "ST_App2.": 1, + "ty_Bool.": 1, + "IHt3": 1, + "ST_IfTrue.": 1, + "ST_IfFalse.": 1, + "types_unique": 1, + "T12": 2, + "IHhas_type.": 1, + "IHhas_type1.": 1, + "IHhas_type2.": 1 + }, + "Creole": { + "Creole": 6, + "is": 3, + "a": 2, + "-": 5, + "to": 2, + "HTML": 1, + "converter": 2, + "for": 1, + "the": 5, + "lightweight": 1, + "markup": 1, + "language": 1, + "(": 5, + "http": 4, + "//wikicreole.org/": 1, + ")": 5, + ".": 1, + "Github": 1, + "uses": 1, + "this": 1, + "render": 1, + "*.creole": 1, + "files.": 1, + "Project": 1, + "page": 1, + "on": 2, + "github": 1, + "*": 5, + "//github.com/minad/creole": 1, + "Travis": 1, + "CI": 1, + "https": 1, + "//travis": 1, + "ci.org/minad/creole": 1, + "RDOC": 1, + "//rdoc.info/projects/minad/creole": 1, + "INSTALLATION": 1, + "{": 6, + "gem": 1, + "install": 1, + "creole": 1, + "}": 6, + "SYNOPSIS": 1, + "require": 1, + "html": 1, + "Creole.creolize": 1, + "BUGS": 1, + "If": 1, + "you": 1, + "found": 1, + "bug": 1, + "please": 1, + "report": 1, + "it": 1, + "at": 1, + "project": 1, + "s": 1, + "tracker": 1, + "GitHub": 1, + "//github.com/minad/creole/issues": 1, + "AUTHORS": 1, + "Lars": 2, + "Christensen": 2, + "larsch": 1, + "Daniel": 2, + "Mendler": 1, + "minad": 1, + "LICENSE": 1, + "Copyright": 1, + "c": 1, + "Mendler.": 1, + "It": 1, + "free": 1, + "software": 1, + "and": 1, + "may": 1, + "be": 1, + "redistributed": 1, + "under": 1, + "terms": 1, + "specified": 1, + "in": 1, + "README": 1, + "file": 1, + "of": 1, + "Ruby": 1, + "distribution.": 1 + }, + "CSS": { + ".clearfix": 8, + "{": 1661, + "*zoom": 48, + ";": 4219, + "}": 1705, + "before": 48, + "after": 96, + "display": 135, + "table": 44, + "content": 66, + "line": 97, + "-": 8839, + "height": 141, + "clear": 32, + "both": 30, + ".hide": 12, + "text": 129, + "font": 142, + "/0": 2, + "a": 268, + "color": 711, + "transparent": 148, + "shadow": 254, + "none": 128, + "background": 770, + "border": 912, + ".input": 216, + "block": 133, + "level": 2, + "width": 215, + "%": 366, + "min": 14, + "px": 2535, + "webkit": 364, + "box": 264, + "sizing": 27, + "moz": 316, + "article": 2, + "aside": 2, + "details": 2, + "figcaption": 2, + "figure": 2, + "footer": 2, + "header": 12, + "hgroup": 2, + "nav": 2, + "section": 2, + "audio": 4, + "canvas": 2, + "video": 4, + "inline": 116, + "*display": 20, + "not": 6, + "(": 748, + "[": 384, + "controls": 2, + "]": 384, + ")": 748, + "html": 4, + "size": 104, + "adjust": 6, + "ms": 13, + "focus": 232, + "outline": 30, + "thin": 8, + "dotted": 10, + "#333": 6, + "auto": 50, + "ring": 6, + "offset": 6, + "hover": 144, + "active": 46, + "sub": 4, + "sup": 4, + "position": 342, + "relative": 18, + "vertical": 56, + "align": 72, + "baseline": 4, + "top": 376, + "em": 6, + "bottom": 309, + "img": 14, + "max": 18, + "middle": 20, + "interpolation": 2, + "mode": 2, + "bicubic": 2, + "#map_canvas": 2, + ".google": 2, + "maps": 2, + "button": 18, + "input": 336, + "select": 90, + "textarea": 76, + "margin": 424, + "*overflow": 3, + "visible": 8, + "normal": 18, + "inner": 37, + "padding": 174, + "type": 174, + "appearance": 6, + "cursor": 30, + "pointer": 12, + "label": 20, + "textfield": 2, + "search": 66, + "decoration": 33, + "cancel": 2, + "overflow": 21, + "@media": 2, + "print": 4, + "*": 2, + "important": 18, + "#000": 2, + "visited": 2, + "underline": 6, + "href": 28, + "attr": 4, + "abbr": 6, + "title": 10, + ".ir": 2, + "pre": 16, + "blockquote": 14, + "solid": 93, + "#999": 6, + "page": 6, + "break": 12, + "inside": 4, + "avoid": 6, + "thead": 38, + "group": 120, + "tr": 92, + "@page": 2, + "cm": 2, + "p": 14, + "h2": 14, + "h3": 14, + "orphans": 2, + "widows": 2, + "body": 3, + "family": 10, + "Helvetica": 6, + "Arial": 6, + "sans": 6, + "serif": 6, + "#333333": 26, + "#ffffff": 136, + "#0088cc": 24, + "#005580": 8, + ".img": 6, + "rounded": 2, + "radius": 534, + "polaroid": 2, + "#fff": 10, + "#ccc": 13, + "rgba": 409, + "circle": 18, + ".row": 126, + "left": 489, + "class*": 100, + "float": 84, + ".container": 32, + ".navbar": 332, + "static": 14, + "fixed": 36, + ".span12": 4, + ".span11": 4, + ".span10": 4, + ".span9": 4, + ".span8": 4, + ".span7": 4, + ".span6": 4, + ".span5": 4, + ".span4": 4, + ".span3": 4, + ".span2": 4, + ".span1": 4, + ".offset12": 6, + ".offset11": 6, + ".offset10": 6, + ".offset9": 6, + ".offset8": 6, + ".offset7": 6, + ".offset6": 6, + ".offset5": 6, + ".offset4": 6, + ".offset3": 6, + ".offset2": 6, + ".offset1": 6, + "fluid": 126, + "*margin": 70, + "first": 179, + "child": 301, + ".controls": 28, + "row": 20, + "+": 105, + "*width": 26, + ".pull": 16, + "right": 258, + ".lead": 2, + "weight": 28, + "small": 66, + "strong": 2, + "bold": 14, + "style": 21, + "italic": 4, + "cite": 2, + ".muted": 2, + "#999999": 50, + "a.muted": 4, + "#808080": 2, + ".text": 14, + "warning": 33, + "#c09853": 14, + "a.text": 16, + "#a47e3c": 4, + "error": 10, + "#b94a48": 20, + "#953b39": 6, + "info": 37, + "#3a87ad": 18, + "#2d6987": 6, + "success": 35, + "#468847": 18, + "#356635": 6, + "center": 17, + "h1": 11, + "h4": 20, + "h5": 6, + "h6": 6, + "inherit": 8, + "rendering": 2, + "optimizelegibility": 2, + ".page": 2, + "#eeeeee": 31, + "ul": 84, + "ol": 10, + "li": 205, + "ul.unstyled": 2, + "ol.unstyled": 2, + "list": 44, + "ul.inline": 4, + "ol.inline": 4, + "dl": 2, + "dt": 6, + "dd": 6, + ".dl": 12, + "horizontal": 60, + "hidden": 9, + "ellipsis": 2, + "white": 25, + "space": 23, + "nowrap": 14, + "hr": 2, + "data": 2, + "original": 2, + "help": 2, + "abbr.initialism": 2, + "transform": 4, + "uppercase": 4, + "blockquote.pull": 10, + "q": 4, + "address": 2, + "code": 6, + "Monaco": 2, + "Menlo": 2, + "Consolas": 2, + "monospace": 2, + "#d14": 2, + "#f7f7f9": 2, + "#e1e1e8": 2, + "word": 6, + "all": 10, + "wrap": 6, + "#f5f5f5": 26, + "pre.prettyprint": 2, + ".pre": 2, + "scrollable": 2, + "y": 2, + "scroll": 2, + ".label": 30, + ".badge": 30, + "empty": 7, + "a.label": 4, + "a.badge": 4, + "#f89406": 27, + "#c67605": 4, + "inverse": 110, + "#1a1a1a": 2, + ".btn": 506, + "mini": 34, + "collapse": 12, + "spacing": 3, + ".table": 180, + "th": 70, + "td": 66, + "#dddddd": 16, + "caption": 18, + "colgroup": 18, + "tbody": 68, + "condensed": 4, + "bordered": 76, + "separate": 4, + "*border": 8, + "topleft": 16, + "last": 118, + "topright": 16, + "tfoot": 12, + "bottomleft": 16, + "bottomright": 16, + "striped": 13, + "nth": 4, + "odd": 4, + "#f9f9f9": 12, + "cell": 2, + "td.span1": 2, + "th.span1": 2, + "td.span2": 2, + "th.span2": 2, + "td.span3": 2, + "th.span3": 2, + "td.span4": 2, + "th.span4": 2, + "td.span5": 2, + "th.span5": 2, + "td.span6": 2, + "th.span6": 2, + "td.span7": 2, + "th.span7": 2, + "td.span8": 2, + "th.span8": 2, + "td.span9": 2, + "th.span9": 2, + "td.span10": 2, + "th.span10": 2, + "td.span11": 2, + "th.span11": 2, + "td.span12": 2, + "th.span12": 2, + "tr.success": 4, + "#dff0d8": 6, + "tr.error": 4, + "#f2dede": 6, + "tr.warning": 4, + "#fcf8e3": 6, + "tr.info": 4, + "#d9edf7": 6, + "#d0e9c6": 2, + "#ebcccc": 2, + "#faf2cc": 2, + "#c4e3f3": 2, + "form": 38, + "fieldset": 2, + "legend": 6, + "#e5e5e5": 28, + ".uneditable": 80, + "#555555": 18, + "#cccccc": 18, + "inset": 132, + "transition": 36, + "linear": 204, + ".2s": 16, + "o": 48, + ".075": 12, + ".6": 6, + "multiple": 2, + "#fcfcfc": 2, + "allowed": 4, + "placeholder": 18, + ".radio": 26, + ".checkbox": 26, + ".radio.inline": 6, + ".checkbox.inline": 6, + "medium": 2, + "large": 40, + "xlarge": 2, + "xxlarge": 2, + "append": 120, + "prepend": 82, + "input.span12": 4, + "textarea.span12": 2, + "input.span11": 4, + "textarea.span11": 2, + "input.span10": 4, + "textarea.span10": 2, + "input.span9": 4, + "textarea.span9": 2, + "input.span8": 4, + "textarea.span8": 2, + "input.span7": 4, + "textarea.span7": 2, + "input.span6": 4, + "textarea.span6": 2, + "input.span5": 4, + "textarea.span5": 2, + "input.span4": 4, + "textarea.span4": 2, + "input.span3": 4, + "textarea.span3": 2, + "input.span2": 4, + "textarea.span2": 2, + "input.span1": 4, + "textarea.span1": 2, + "disabled": 36, + "readonly": 10, + ".control": 150, + "group.warning": 32, + ".help": 44, + "#dbc59e": 6, + ".add": 36, + "on": 36, + "group.error": 32, + "#d59392": 6, + "group.success": 32, + "#7aba7b": 6, + "group.info": 32, + "#7ab5d3": 6, + "invalid": 12, + "#ee5f5b": 18, + "#e9322d": 2, + "#f8b9b7": 6, + ".form": 132, + "actions": 10, + "#595959": 2, + ".dropdown": 126, + "menu": 42, + ".popover": 14, + "z": 12, + "index": 14, + "toggle": 84, + ".active": 86, + "#a9dba9": 2, + "#46a546": 2, + "prepend.input": 22, + "input.search": 2, + "query": 22, + ".search": 22, + "*padding": 36, + "image": 187, + "gradient": 175, + "#e6e6e6": 20, + "from": 40, + "to": 75, + "repeat": 66, + "x": 30, + "filter": 57, + "progid": 48, + "DXImageTransform.Microsoft.gradient": 48, + "startColorstr": 30, + "endColorstr": 30, + "GradientType": 30, + "#bfbfbf": 4, + "*background": 36, + "enabled": 18, + "false": 18, + "#b3b3b3": 2, + ".3em": 6, + ".2": 12, + ".05": 24, + ".btn.active": 8, + ".btn.disabled": 4, + "#d9d9d9": 4, + "s": 25, + ".15": 24, + "default": 12, + "opacity": 15, + "alpha": 7, + "class": 26, + "primary.active": 6, + "warning.active": 6, + "danger.active": 6, + "success.active": 6, + "info.active": 6, + "inverse.active": 6, + "primary": 14, + "#006dcc": 2, + "#0044cc": 20, + "#002a80": 2, + "primary.disabled": 2, + "#003bb3": 2, + "#003399": 2, + "#faa732": 3, + "#fbb450": 16, + "#ad6704": 2, + "warning.disabled": 2, + "#df8505": 2, + "danger": 21, + "#da4f49": 2, + "#bd362f": 20, + "#802420": 2, + "danger.disabled": 2, + "#a9302a": 2, + "#942a25": 2, + "#5bb75b": 2, + "#62c462": 16, + "#51a351": 20, + "#387038": 2, + "success.disabled": 2, + "#499249": 2, + "#408140": 2, + "#49afcd": 2, + "#5bc0de": 16, + "#2f96b4": 20, + "#1f6377": 2, + "info.disabled": 2, + "#2a85a0": 2, + "#24748c": 2, + "#363636": 2, + "#444444": 10, + "#222222": 32, + "#000000": 14, + "inverse.disabled": 2, + "#151515": 12, + "#080808": 2, + "button.btn": 4, + "button.btn.btn": 6, + ".btn.btn": 6, + "link": 28, + "url": 4, + "no": 2, + ".icon": 288, + ".nav": 308, + "pills": 28, + "submenu": 8, + "glass": 2, + "music": 2, + "envelope": 2, + "heart": 2, + "star": 4, + "user": 2, + "film": 2, + "ok": 6, + "remove": 6, + "zoom": 5, + "in": 10, + "out": 10, + "off": 4, + "signal": 2, + "cog": 2, + "trash": 2, + "home": 2, + "file": 2, + "time": 2, + "road": 2, + "download": 4, + "alt": 6, + "upload": 2, + "inbox": 2, + "play": 4, + "refresh": 2, + "lock": 2, + "flag": 2, + "headphones": 2, + "volume": 6, + "down": 12, + "up": 12, + "qrcode": 2, + "barcode": 2, + "tag": 2, + "tags": 2, + "book": 2, + "bookmark": 2, + "camera": 2, + "justify": 2, + "indent": 4, + "facetime": 2, + "picture": 2, + "pencil": 2, + "map": 2, + "marker": 2, + "tint": 2, + "edit": 2, + "share": 4, + "check": 2, + "move": 2, + "step": 4, + "backward": 6, + "fast": 4, + "pause": 2, + "stop": 32, + "forward": 6, + "eject": 2, + "chevron": 8, + "plus": 4, + "sign": 16, + "minus": 4, + "question": 2, + "screenshot": 2, + "ban": 2, + "arrow": 21, + "resize": 8, + "full": 2, + "asterisk": 2, + "exclamation": 2, + "gift": 2, + "leaf": 2, + "fire": 2, + "eye": 4, + "open": 4, + "close": 4, + "plane": 2, + "calendar": 2, + "random": 2, + "comment": 2, + "magnet": 2, + "retweet": 2, + "shopping": 2, + "cart": 2, + "folder": 4, + "hdd": 2, + "bullhorn": 2, + "bell": 2, + "certificate": 2, + "thumbs": 4, + "hand": 8, + "globe": 2, + "wrench": 2, + "tasks": 2, + "briefcase": 2, + "fullscreen": 2, + "toolbar": 8, + ".btn.large": 4, + ".large.dropdown": 2, + "group.open": 18, + ".125": 6, + ".btn.dropdown": 2, + "primary.dropdown": 2, + "warning.dropdown": 2, + "danger.dropdown": 2, + "success.dropdown": 2, + "info.dropdown": 2, + "inverse.dropdown": 2, + ".caret": 70, + ".dropup": 2, + ".divider": 8, + "tabs": 94, + "#ddd": 38, + "stacked": 24, + "tabs.nav": 12, + "pills.nav": 4, + ".dropdown.active": 4, + ".open": 8, + "li.dropdown.open.active": 14, + "li.dropdown.open": 14, + ".tabs": 62, + ".tabbable": 8, + ".tab": 8, + "below": 18, + "pane": 4, + ".pill": 6, + ".disabled": 22, + "*position": 2, + "*z": 2, + "#fafafa": 2, + "#f2f2f2": 22, + "#d4d4d4": 2, + "collapse.collapse": 2, + ".brand": 14, + "#777777": 12, + ".1": 24, + ".nav.pull": 2, + "navbar": 28, + "#ededed": 2, + "navbar.active": 8, + "navbar.disabled": 4, + "bar": 21, + "absolute": 8, + "li.dropdown": 12, + "li.dropdown.active": 8, + "menu.pull": 8, + "#1b1b1b": 2, + "#111111": 18, + "#252525": 2, + "#515151": 2, + "query.focused": 2, + "#0e0e0e": 2, + "#040404": 18, + ".breadcrumb": 8, + ".pagination": 78, + "span": 38, + "centered": 2, + ".pager": 34, + ".next": 4, + ".previous": 4, + ".thumbnails": 12, + ".thumbnail": 6, + "ease": 12, + "a.thumbnail": 4, + ".caption": 2, + ".alert": 34, + "#fbeed5": 2, + ".close": 2, + "#d6e9c6": 2, + "#eed3d7": 2, + "#bce8f1": 2, + "@": 8, + "keyframes": 8, + "progress": 15, + "stripes": 15, + "@keyframes": 2, + ".progress": 22, + "#f7f7f7": 3, + ".bar": 22, + "#0e90d2": 2, + "#149bdf": 11, + "#0480be": 10, + "deg": 20, + ".progress.active": 1, + "animation": 5, + "infinite": 5, + "#dd514c": 1, + "#c43c35": 5, + "danger.progress": 1, + "#5eb95e": 1, + "#57a957": 5, + "success.progress": 1, + "#4bb1cf": 1, + "#339bb9": 5, + "info.progress": 1, + "warning.progress": 1, + ".hero": 3, + "unit": 3, + "letter": 1, + ".media": 11, + "object": 1, + "heading": 1, + ".tooltip": 7, + "visibility": 1, + ".tooltip.in": 1, + ".tooltip.top": 2, + ".tooltip.right": 2, + ".tooltip.bottom": 2, + ".tooltip.left": 2, + "clip": 3, + ".popover.top": 3, + ".popover.right": 3, + ".popover.bottom": 3, + ".popover.left": 3, + "#ebebeb": 1, + ".arrow": 12, + ".modal": 5, + "backdrop": 2, + "backdrop.fade": 1, + "backdrop.fade.in": 1 + }, + "Cuda": { + "__global__": 2, + "void": 3, + "scalarProdGPU": 1, + "(": 20, + "float": 8, + "*d_C": 1, + "*d_A": 1, + "*d_B": 1, + "int": 14, + "vectorN": 2, + "elementN": 3, + ")": 20, + "{": 8, + "//Accumulators": 1, + "cache": 1, + "__shared__": 1, + "accumResult": 5, + "[": 11, + "ACCUM_N": 4, + "]": 11, + ";": 30, + "////////////////////////////////////////////////////////////////////////////": 2, + "for": 5, + "vec": 5, + "blockIdx.x": 2, + "<": 5, + "+": 12, + "gridDim.x": 1, + "vectorBase": 3, + "IMUL": 1, + "vectorEnd": 2, + "////////////////////////////////////////////////////////////////////////": 4, + "iAccum": 10, + "threadIdx.x": 4, + "blockDim.x": 3, + "sum": 3, + "pos": 5, + "d_A": 2, + "*": 2, + "d_B": 2, + "}": 8, + "stride": 5, + "/": 2, + "__syncthreads": 1, + "if": 3, + "d_C": 2, + "#include": 2, + "": 1, + "": 1, + "vectorAdd": 2, + "const": 2, + "*A": 1, + "*B": 1, + "*C": 1, + "numElements": 4, + "i": 5, + "C": 1, + "A": 1, + "B": 1, + "main": 1, + "cudaError_t": 1, + "err": 5, + "cudaSuccess": 2, + "threadsPerBlock": 4, + "blocksPerGrid": 1, + "-": 1, + "<<": 1, + "": 1, + "cudaGetLastError": 1, + "fprintf": 1, + "stderr": 1, + "cudaGetErrorString": 1, + "exit": 1, + "EXIT_FAILURE": 1, + "cudaDeviceReset": 1, + "return": 1 + }, + "Dart": { + "import": 1, + "as": 1, + "math": 1, + ";": 9, + "class": 1, + "Point": 5, + "{": 3, + "num": 2, + "x": 2, + "y": 2, + "(": 7, + "this.x": 1, + "this.y": 1, + ")": 7, + "distanceTo": 1, + "other": 1, + "var": 4, + "dx": 3, + "-": 2, + "other.x": 1, + "dy": 3, + "other.y": 1, + "return": 1, + "math.sqrt": 1, + "*": 2, + "+": 1, + "}": 3, + "void": 1, + "main": 1, + "p": 1, + "new": 2, + "q": 1, + "print": 1 + }, + "Diff": { + "diff": 1, + "-": 5, + "git": 1, + "a/lib/linguist.rb": 2, + "b/lib/linguist.rb": 2, + "index": 1, + "d472341..8ad9ffb": 1, + "+": 3 + }, + "DM": { + "#define": 4, + "PI": 6, + "#if": 1, + "G": 1, + "#elif": 1, + "I": 1, + "#else": 1, + "K": 1, + "#endif": 1, + "var/GlobalCounter": 1, + "var/const/CONST_VARIABLE": 1, + "var/list/MyList": 1, + "list": 3, + "(": 17, + "new": 1, + "/datum/entity": 2, + ")": 17, + "var/list/EmptyList": 1, + "[": 2, + "]": 2, + "//": 6, + "creates": 1, + "a": 1, + "of": 1, + "null": 2, + "entries": 1, + "var/list/NullList": 1, + "var/name": 1, + "var/number": 1, + "/datum/entity/proc/myFunction": 1, + "world.log": 5, + "<<": 5, + "/datum/entity/New": 1, + "number": 2, + "GlobalCounter": 1, + "+": 3, + "/datum/entity/unit": 1, + "name": 1, + "/datum/entity/unit/New": 1, + "..": 1, + "calls": 1, + "the": 2, + "parent": 1, + "s": 1, + "proc": 1, + ";": 3, + "equal": 1, + "to": 1, + "super": 1, + "and": 1, + "base": 1, + "in": 1, + "other": 1, + "languages": 1, + "rand": 1, + "/datum/entity/unit/myFunction": 1, + "/proc/ReverseList": 1, + "var/list/input": 1, + "var/list/output": 1, + "for": 1, + "var/i": 1, + "input.len": 1, + "i": 3, + "-": 2, + "IMPORTANT": 1, + "List": 1, + "Arrays": 1, + "count": 1, + "from": 1, + "output": 2, + "input": 1, + "is": 2, + "return": 3, + "/proc/DoStuff": 1, + "var/bitflag": 2, + "bitflag": 4, + "|": 1, + "/proc/DoOtherStuff": 1, + "bits": 1, + "maximum": 1, + "amount": 1, + "&": 1, + "/proc/DoNothing": 1, + "var/pi": 1, + "if": 2, + "pi": 2, + "else": 2, + "CONST_VARIABLE": 1, + "#undef": 1, + "Undefine": 1 + }, + "ECL": { + "#option": 1, + "(": 32, + "true": 1, + ")": 32, + ";": 23, + "namesRecord": 4, + "RECORD": 1, + "string20": 1, + "surname": 1, + "string10": 2, + "forename": 1, + "integer2": 5, + "age": 2, + "dadAge": 1, + "mumAge": 1, + "END": 1, + "namesRecord2": 3, + "record": 1, + "extra": 1, + "end": 1, + "namesTable": 11, + "dataset": 2, + "FLAT": 2, + "namesTable2": 9, + "aveAgeL": 3, + "l": 1, + "l.dadAge": 1, + "+": 16, + "l.mumAge": 1, + "/2": 2, + "aveAgeR": 4, + "r": 1, + "r.dadAge": 1, + "r.mumAge": 1, + "output": 9, + "join": 11, + "left": 2, + "right": 3, + "//Several": 1, + "simple": 1, + "examples": 1, + "of": 1, + "sliding": 2, + "syntax": 1, + "left.age": 8, + "right.age": 12, + "-": 5, + "and": 10, + "<": 1, + "between": 7, + "//Same": 1, + "but": 1, + "on": 1, + "strings.": 1, + "Also": 1, + "includes": 1, + "to": 1, + "ensure": 1, + "sort": 1, + "is": 1, + "done": 1, + "by": 1, + "non": 1, + "before": 1, + "sliding.": 1, + "left.surname": 2, + "right.surname": 4, + "[": 4, + "]": 4, + "all": 1, + "//This": 1, + "should": 1, + "not": 1, + "generate": 1, + "a": 1, + "self": 1 + }, + "edn": { + "[": 24, + "{": 22, + "db/id": 22, + "#db/id": 22, + "db.part/db": 6, + "]": 24, + "db/ident": 3, + "object/name": 18, + "db/doc": 4, + "db/valueType": 3, + "db.type/string": 2, + "db/index": 3, + "true": 3, + "db/cardinality": 3, + "db.cardinality/one": 3, + "db.install/_attribute": 3, + "}": 22, + "object/meanRadius": 18, + "db.type/double": 1, + "data/source": 2, + "db.part/tx": 2, + "db.part/user": 17 + }, + "Elm": { + "import": 3, + "List": 1, + "(": 119, + "intercalate": 2, + "intersperse": 3, + ")": 116, + "Website.Skeleton": 1, + "Website.ColorScheme": 1, + "addFolder": 4, + "folder": 2, + "lst": 6, + "let": 2, + "add": 2, + "x": 13, + "y": 7, + "+": 14, + "in": 2, + "f": 8, + "n": 2, + "xs": 9, + "map": 11, + "elements": 2, + "[": 31, + "]": 31, + "functional": 2, + "reactive": 2, + "-": 11, + "example": 3, + "name": 6, + "loc": 2, + "Text.link": 1, + "toText": 6, + "toLinks": 2, + "title": 2, + "links": 2, + "flow": 4, + "right": 8, + "width": 3, + "text": 4, + "italic": 1, + "bold": 2, + ".": 9, + "Text.color": 1, + "accent4": 1, + "insertSpace": 2, + "case": 5, + "of": 7, + "{": 1, + "spacer": 2, + ";": 1, + "}": 1, + "subsection": 2, + "w": 7, + "info": 2, + "down": 3, + "words": 2, + "markdown": 1, + "|": 3, + "###": 1, + "Basic": 1, + "Examples": 1, + "Each": 1, + "listed": 1, + "below": 1, + "focuses": 1, + "on": 1, + "a": 5, + "single": 1, + "function": 1, + "or": 1, + "concept.": 1, + "These": 1, + "examples": 1, + "demonstrate": 1, + "all": 1, + "the": 1, + "basic": 1, + "building": 1, + "blocks": 1, + "Elm.": 1, + "content": 2, + "exampleSets": 2, + "plainText": 1, + "main": 3, + "lift": 1, + "skeleton": 1, + "Window.width": 1, + "asText": 1, + "qsort": 4, + "filter": 2, + "<)x)>": 1, + "data": 1, + "Tree": 3, + "Node": 8, + "Empty": 8, + "empty": 2, + "singleton": 2, + "v": 8, + "insert": 4, + "tree": 7, + "left": 7, + "if": 2, + "then": 2, + "else": 2, + "<": 1, + "fromList": 3, + "foldl": 1, + "depth": 5, + "max": 1, + "t1": 2, + "t2": 3, + "display": 4, + "monospace": 1, + "concat": 1, + "show": 2 + }, + "Emacs Lisp": { + "(": 156, + "print": 1, + ")": 144, + ";": 333, + "ess": 48, + "-": 294, + "julia.el": 2, + "ESS": 5, + "julia": 39, + "mode": 12, + "and": 3, + "inferior": 13, + "interaction": 1, + "Copyright": 1, + "C": 2, + "Vitalie": 3, + "Spinu.": 1, + "Filename": 1, + "Author": 1, + "Spinu": 2, + "based": 1, + "on": 2, + "mode.el": 1, + "from": 3, + "lang": 1, + "project": 1, + "Maintainer": 1, + "Created": 1, + "Keywords": 1, + "This": 4, + "file": 10, + "is": 5, + "*NOT*": 1, + "part": 2, + "of": 8, + "GNU": 4, + "Emacs.": 1, + "program": 6, + "free": 1, + "software": 1, + "you": 1, + "can": 1, + "redistribute": 1, + "it": 3, + "and/or": 1, + "modify": 5, + "under": 1, + "the": 10, + "terms": 1, + "General": 3, + "Public": 3, + "License": 3, + "as": 1, + "published": 1, + "by": 1, + "Free": 2, + "Software": 2, + "Foundation": 2, + "either": 1, + "version": 2, + "any": 1, + "later": 1, + "version.": 1, + "distributed": 1, + "in": 3, + "hope": 1, + "that": 2, + "will": 1, + "be": 2, + "useful": 1, + "but": 2, + "WITHOUT": 1, + "ANY": 1, + "WARRANTY": 1, + "without": 1, + "even": 1, + "implied": 1, + "warranty": 1, + "MERCHANTABILITY": 1, + "or": 3, + "FITNESS": 1, + "FOR": 1, + "A": 1, + "PARTICULAR": 1, + "PURPOSE.": 1, + "See": 1, + "for": 8, + "more": 1, + "details.": 1, + "You": 1, + "should": 2, + "have": 1, + "received": 1, + "a": 4, + "copy": 2, + "along": 1, + "with": 4, + "this": 1, + "see": 2, + "COPYING.": 1, + "If": 1, + "not": 1, + "write": 2, + "to": 4, + "Inc.": 1, + "Franklin": 1, + "Street": 1, + "Fifth": 1, + "Floor": 1, + "Boston": 1, + "MA": 1, + "USA.": 1, + "Commentary": 1, + "customise": 1, + "name": 8, + "point": 6, + "your": 1, + "release": 1, + "basic": 1, + "start": 13, + "M": 2, + "x": 2, + "julia.": 2, + "require": 2, + "auto": 1, + "alist": 9, + "table": 9, + "character": 1, + "quote": 2, + "transpose": 1, + "syntax": 7, + "entry": 4, + ".": 40, + "Syntax": 3, + "inside": 1, + "char": 6, + "defvar": 5, + "let": 3, + "make": 4, + "defconst": 5, + "regex": 5, + "unquote": 1, + "forloop": 1, + "subset": 2, + "regexp": 6, + "font": 6, + "lock": 6, + "defaults": 2, + "list": 3, + "identity": 1, + "keyword": 2, + "face": 4, + "constant": 1, + "cons": 1, + "function": 7, + "keep": 2, + "string": 8, + "paragraph": 3, + "concat": 7, + "page": 2, + "delimiter": 2, + "separate": 1, + "ignore": 2, + "fill": 1, + "prefix": 2, + "t": 6, + "final": 1, + "newline": 1, + "comment": 6, + "add": 4, + "skip": 1, + "column": 1, + "indent": 8, + "S": 2, + "line": 5, + "calculate": 1, + "parse": 1, + "sexp": 1, + "comments": 1, + "style": 2, + "default": 1, + "ignored": 1, + "local": 6, + "process": 5, + "nil": 12, + "dump": 2, + "files": 1, + "_": 1, + "autoload": 1, + "defun": 5, + "send": 3, + "visibly": 1, + "temporary": 1, + "directory": 2, + "temp": 2, + "insert": 1, + "format": 3, + "load": 1, + "command": 5, + "get": 3, + "help": 3, + "topics": 1, + "&": 3, + "optional": 3, + "proc": 3, + "words": 1, + "vector": 1, + "com": 1, + "error": 6, + "s": 5, + "*in": 1, + "[": 3, + "n": 1, + "]": 3, + "*": 1, + "at": 5, + ".*": 2, + "+": 5, + "w*": 1, + "http": 1, + "//docs.julialang.org/en/latest/search/": 1, + "q": 1, + "%": 1, + "include": 1, + "funargs": 1, + "re": 2, + "args": 10, + "language": 1, + "STERM": 1, + "editor": 2, + "R": 2, + "pager": 2, + "versions": 1, + "Julia": 1, + "made": 1, + "available.": 1, + "String": 1, + "arguments": 2, + "used": 1, + "when": 2, + "starting": 1, + "group": 1, + "###autoload": 2, + "interactive": 2, + "setq": 2, + "customize": 5, + "emacs": 1, + "<": 1, + "hook": 4, + "complete": 1, + "object": 2, + "completion": 4, + "functions": 2, + "first": 1, + "if": 4, + "fboundp": 1, + "end": 1, + "workaround": 1, + "set": 3, + "variable": 3, + "post": 1, + "run": 2, + "settings": 1, + "notably": 1, + "null": 1, + "dribble": 1, + "buffer": 3, + "debugging": 1, + "only": 1, + "dialect": 1, + "current": 2, + "arg": 1, + "let*": 2, + "jl": 2, + "space": 1, + "just": 1, + "case": 1, + "read": 1, + "..": 3, + "multi": 1, + "...": 1, + "tb": 1, + "logo": 1, + "goto": 2, + "min": 1, + "while": 1, + "search": 1, + "forward": 1, + "replace": 1, + "match": 1, + "max": 1, + "inject": 1, + "code": 1, + "etc": 1, + "hooks": 1, + "busy": 1, + "funname": 5, + "eldoc": 1, + "show": 1, + "symbol": 2, + "aggressive": 1, + "car": 1, + "funname.start": 1, + "sequence": 1, + "nth": 1, + "W": 1, + "window": 2, + "width": 1, + "minibuffer": 1, + "length": 1, + "doc": 1, + "propertize": 1, + "use": 1, + "classes": 1, + "screws": 1, + "egrep": 1 + }, + "Erlang": { + "SHEBANG#!escript": 3, + "%": 134, + "-": 262, + "*": 9, + "erlang": 5, + "smp": 1, + "enable": 1, + "sname": 1, + "factorial": 1, + "mnesia": 1, + "debug": 1, + "verbose": 1, + "main": 4, + "(": 236, + "[": 66, + "String": 2, + "]": 61, + ")": 230, + "try": 2, + "N": 6, + "list_to_integer": 1, + "F": 16, + "fac": 4, + "io": 5, + "format": 7, + "catch": 2, + "_": 52, + "usage": 3, + "end": 3, + ";": 56, + ".": 37, + "halt": 2, + "export": 2, + "main/1": 1, + "For": 1, + "each": 1, + "header": 1, + "file": 6, + "it": 2, + "scans": 1, + "thru": 1, + "all": 1, + "records": 1, + "and": 8, + "create": 1, + "helper": 1, + "functions": 2, + "Helper": 1, + "are": 3, + "setters": 1, + "getters": 1, + "fields": 4, + "fields_atom": 4, + "type": 6, + "module": 2, + "record_helper": 1, + "make/1": 1, + "make/2": 1, + "make": 3, + "HeaderFiles": 5, + "atom_to_list": 18, + "X": 12, + "||": 6, + "<->": 5, + "hrl": 1, + "relative": 1, + "to": 2, + "current": 1, + "dir": 1, + "OutDir": 4, + "ModuleName": 3, + "HeaderComment": 2, + "ModuleDeclaration": 2, + "+": 214, + "<": 1, + "Src": 10, + "format_src": 8, + "lists": 11, + "sort": 1, + "flatten": 6, + "read": 2, + "generate_type_default_function": 2, + "write_file": 1, + "erl": 1, + "list_to_binary": 1, + "HeaderFile": 4, + "epp": 1, + "parse_file": 1, + "of": 9, + "{": 109, + "ok": 34, + "Tree": 4, + "}": 109, + "parse": 2, + "error": 4, + "Error": 4, + "catched_error": 1, + "end.": 3, + "|": 25, + "T": 24, + "when": 29, + "length": 6, + "Type": 3, + "A": 5, + "B": 4, + "NSrc": 4, + "_Type": 1, + "Type1": 2, + "parse_record": 3, + "attribute": 1, + "record": 4, + "RecordInfo": 2, + "RecordName": 41, + "RecordFields": 10, + "if": 1, + "generate_setter_getter_function": 5, + "generate_type_function": 3, + "true": 3, + "generate_fields_function": 2, + "generate_fields_atom_function": 2, + "parse_field_name": 5, + "record_field": 9, + "atom": 9, + "FieldName": 26, + "field": 4, + "_FieldName": 2, + "ParentRecordName": 8, + "parent_field": 2, + "parse_field_name_atom": 5, + "concat": 5, + "_S": 3, + "S": 6, + "concat_ext": 4, + "parse_field": 6, + "AccFields": 6, + "AccParentFields": 6, + "case": 3, + "Field": 2, + "PField": 2, + "parse_field_atom": 4, + "zzz": 1, + "Fields": 4, + "field_atom": 1, + "to_setter_getter_function": 5, + "setter": 2, + "getter": 2, + "This": 2, + "is": 1, + "auto": 1, + "generated": 1, + "file.": 1, + "Please": 1, + "don": 1, + "t": 1, + "edit": 1, + "record_utils": 1, + "compile": 2, + "export_all": 1, + "include": 1, + "abstract_message": 21, + "async_message": 12, + "clientId": 5, + "destination": 5, + "messageId": 5, + "timestamp": 5, + "timeToLive": 5, + "headers": 5, + "body": 5, + "correlationId": 5, + "correlationIdBytes": 5, + "get": 12, + "Obj": 49, + "is_record": 25, + "Obj#abstract_message.body": 1, + "Obj#abstract_message.clientId": 1, + "Obj#abstract_message.destination": 1, + "Obj#abstract_message.headers": 1, + "Obj#abstract_message.messageId": 1, + "Obj#abstract_message.timeToLive": 1, + "Obj#abstract_message.timestamp": 1, + "Obj#async_message.correlationId": 1, + "Obj#async_message.correlationIdBytes": 1, + "parent": 5, + "Obj#async_message.parent": 3, + "ParentProperty": 6, + "is_atom": 2, + "set": 13, + "Value": 35, + "NewObj": 20, + "Obj#abstract_message": 7, + "Obj#async_message": 3, + "NewParentObject": 2, + "undefined.": 1, + "Mode": 1, + "coding": 1, + "utf": 1, + "tab": 1, + "width": 1, + "c": 2, + "basic": 1, + "offset": 1, + "indent": 1, + "tabs": 1, + "mode": 2, + "BSD": 1, + "LICENSE": 1, + "Copyright": 1, + "Michael": 2, + "Truog": 2, + "": 1, + "at": 1, + "gmail": 1, + "dot": 1, + "com": 1, + "All": 2, + "rights": 1, + "reserved.": 1, + "Redistribution": 1, + "use": 2, + "in": 3, + "source": 2, + "binary": 2, + "forms": 1, + "with": 2, + "or": 3, + "without": 2, + "modification": 1, + "permitted": 1, + "provided": 2, + "that": 1, + "the": 9, + "following": 4, + "conditions": 3, + "met": 1, + "Redistributions": 2, + "code": 2, + "must": 3, + "retain": 1, + "above": 2, + "copyright": 2, + "notice": 2, + "this": 4, + "list": 2, + "disclaimer.": 1, + "form": 1, + "reproduce": 1, + "disclaimer": 1, + "documentation": 1, + "and/or": 1, + "other": 1, + "materials": 2, + "distribution.": 1, + "advertising": 1, + "mentioning": 1, + "features": 1, + "software": 3, + "display": 1, + "acknowledgment": 1, + "product": 1, + "includes": 1, + "developed": 1, + "by": 1, + "The": 1, + "name": 1, + "author": 2, + "may": 1, + "not": 1, + "be": 1, + "used": 1, + "endorse": 1, + "promote": 1, + "products": 1, + "derived": 1, + "from": 1, + "specific": 1, + "prior": 1, + "written": 1, + "permission": 1, + "THIS": 2, + "SOFTWARE": 2, + "IS": 1, + "PROVIDED": 1, + "BY": 1, + "THE": 5, + "COPYRIGHT": 2, + "HOLDERS": 1, + "AND": 4, + "CONTRIBUTORS": 2, + "ANY": 4, + "EXPRESS": 1, + "OR": 8, + "IMPLIED": 2, + "WARRANTIES": 2, + "INCLUDING": 3, + "BUT": 2, + "NOT": 2, + "LIMITED": 2, + "TO": 2, + "OF": 8, + "MERCHANTABILITY": 1, + "FITNESS": 1, + "FOR": 2, + "PARTICULAR": 1, + "PURPOSE": 1, + "ARE": 1, + "DISCLAIMED.": 1, + "IN": 3, + "NO": 1, + "EVENT": 1, + "SHALL": 1, + "OWNER": 1, + "BE": 1, + "LIABLE": 1, + "DIRECT": 1, + "INDIRECT": 1, + "INCIDENTAL": 1, + "SPECIAL": 1, + "EXEMPLARY": 1, + "CONSEQUENTIAL": 1, + "DAMAGES": 1, + "PROCUREMENT": 1, + "SUBSTITUTE": 1, + "GOODS": 1, + "SERVICES": 1, + "LOSS": 1, + "USE": 2, + "DATA": 1, + "PROFITS": 1, + "BUSINESS": 1, + "INTERRUPTION": 1, + "HOWEVER": 1, + "CAUSED": 1, + "ON": 1, + "THEORY": 1, + "LIABILITY": 2, + "WHETHER": 1, + "CONTRACT": 1, + "STRICT": 1, + "TORT": 1, + "NEGLIGENCE": 1, + "OTHERWISE": 1, + "ARISING": 1, + "WAY": 1, + "OUT": 1, + "EVEN": 1, + "IF": 1, + "ADVISED": 1, + "POSSIBILITY": 1, + "SUCH": 1, + "DAMAGE.": 1, + "sys": 2, + "RelToolConfig": 5, + "target_dir": 2, + "TargetDir": 14, + "overlay": 2, + "OverlayConfig": 4, + "consult": 1, + "Spec": 2, + "reltool": 2, + "get_target_spec": 1, + "make_dir": 1, + "eexist": 1, + "exit_code": 3, + "eval_target_spec": 1, + "root_dir": 1, + "process_overlay": 2, + "shell": 3, + "Command": 3, + "Arguments": 3, + "CommandSuffix": 2, + "reverse": 4, + "os": 1, + "cmd": 1, + "io_lib": 2, + "boot_rel_vsn": 2, + "Config": 2, + "_RelToolConfig": 1, + "rel": 2, + "_Name": 1, + "Ver": 1, + "proplists": 1, + "lookup": 1, + "Ver.": 1, + "minimal": 2, + "parsing": 1, + "for": 1, + "handling": 1, + "mustache": 11, + "syntax": 1, + "Body": 2, + "Context": 11, + "Result": 10, + "_Context": 1, + "KeyStr": 6, + "mustache_key": 4, + "C": 4, + "Rest": 10, + "Key": 2, + "list_to_existing_atom": 1, + "dict": 2, + "find": 1, + "support": 1, + "based": 1, + "on": 1, + "rebar": 1, + "overlays": 1, + "BootRelVsn": 2, + "OverlayVars": 2, + "from_list": 1, + "erts_vsn": 1, + "system_info": 1, + "version": 1, + "rel_vsn": 1, + "hostname": 1, + "net_adm": 1, + "localhost": 1, + "BaseDir": 7, + "get_cwd": 1, + "execute_overlay": 6, + "_Vars": 1, + "_BaseDir": 1, + "_TargetDir": 1, + "mkdir": 1, + "Out": 4, + "Vars": 7, + "filename": 3, + "join": 3, + "copy": 1, + "In": 2, + "InFile": 3, + "OutFile": 2, + "filelib": 1, + "is_file": 1, + "ExitCode": 2, + "flush": 1 + }, + "fish": { + "#": 18, + "set": 49, + "-": 102, + "g": 1, + "IFS": 4, + "n": 5, + "t": 2, + "l": 15, + "configdir": 2, + "/.config": 1, + "if": 21, + "q": 9, + "XDG_CONFIG_HOME": 2, + "end": 33, + "not": 8, + "fish_function_path": 4, + "configdir/fish/functions": 1, + "__fish_sysconfdir/functions": 1, + "__fish_datadir/functions": 3, + "contains": 4, + "[": 13, + "]": 13, + "fish_complete_path": 4, + "configdir/fish/completions": 1, + "__fish_sysconfdir/completions": 1, + "__fish_datadir/completions": 3, + "test": 7, + "d": 3, + "/usr/xpg4/bin": 3, + "PATH": 6, + "path_list": 4, + "/bin": 1, + "/usr/bin": 1, + "/usr/X11R6/bin": 1, + "/usr/local/bin": 1, + "__fish_bin_dir": 1, + "switch": 3, + "USER": 1, + "case": 9, + "root": 1, + "/sbin": 1, + "/usr/sbin": 1, + "/usr/local/sbin": 1, + "for": 1, + "i": 5, + "in": 2, + "function": 6, + "fish_sigtrap_handler": 1, + "on": 2, + "signal": 1, + "TRAP": 1, + "no": 2, + "scope": 1, + "shadowing": 1, + "description": 2, + "breakpoint": 1, + "__fish_on_interactive": 2, + "event": 1, + "fish_prompt": 1, + "__fish_config_interactive": 1, + "functions": 5, + "e": 6, + "eval": 5, + "S": 1, + "If": 2, + "we": 2, + "are": 1, + "an": 1, + "interactive": 8, + "shell": 1, + "should": 2, + "enable": 1, + "full": 4, + "job": 5, + "control": 5, + "since": 1, + "it": 1, + "behave": 1, + "like": 2, + "the": 1, + "real": 1, + "code": 1, + "was": 1, + "executed.": 1, + "don": 1, + "do": 1, + "this": 1, + "commands": 1, + "that": 1, + "expect": 1, + "to": 1, + "be": 1, + "used": 1, + "interactively": 1, + "less": 1, + "wont": 1, + "work": 1, + "using": 1, + "eval.": 1, + "mode": 5, + "status": 7, + "is": 3, + "else": 3, + "none": 1, + "echo": 3, + "|": 3, + ".": 2, + "<": 1, + "&": 1, + "res": 2, + "return": 6, + "funced": 3, + "editor": 7, + "EDITOR": 1, + "funcname": 14, + "while": 2, + "argv": 9, + "h": 1, + "help": 1, + "__fish_print_help": 1, + "set_color": 4, + "red": 2, + "printf": 3, + "(": 7, + "_": 3, + ")": 7, + "normal": 2, + "begin": 2, + ";": 7, + "or": 3, + "init": 5, + "nend": 2, + "editor_cmd": 2, + "type": 1, + "f": 3, + "/dev/null": 2, + "fish": 3, + "z": 1, + "fish_indent": 2, + "indent": 1, + "prompt": 2, + "read": 1, + "p": 1, + "c": 1, + "s": 1, + "cmd": 2, + "TMPDIR": 2, + "/tmp": 1, + "tmpname": 8, + "%": 2, + "self": 2, + "random": 2, + "stat": 2, + "rm": 1 + }, + "Forth": { + "(": 88, + "Block": 2, + "words.": 6, + ")": 87, + "variable": 3, + "blk": 3, + "current": 5, + "-": 473, + "block": 8, + "n": 22, + "addr": 11, + ";": 61, + "buffer": 2, + "evaluate": 1, + "extended": 3, + "semantics": 3, + "flush": 1, + "load": 2, + "...": 4, + "dup": 10, + "save": 2, + "input": 2, + "in": 4, + "@": 13, + "source": 5, + "#source": 2, + "interpret": 1, + "restore": 1, + "buffers": 2, + "update": 1, + "extension": 4, + "empty": 2, + "scr": 2, + "list": 1, + "bounds": 1, + "do": 2, + "i": 5, + "emit": 2, + "loop": 4, + "refill": 2, + "thru": 1, + "x": 10, + "y": 5, + "+": 17, + "swap": 12, + "*": 9, + "forth": 2, + "Copyright": 3, + "Lars": 3, + "Brinkhoff": 3, + "Kernel": 4, + "#tib": 2, + "TODO": 12, + ".r": 1, + ".": 5, + "[": 16, + "char": 10, + "]": 15, + "parse": 5, + "type": 3, + "immediate": 19, + "<": 14, + "flag": 4, + "r": 18, + "x1": 5, + "x2": 5, + "R": 13, + "rot": 2, + "r@": 2, + "noname": 1, + "align": 2, + "here": 9, + "c": 3, + "allot": 2, + "lastxt": 4, + "SP": 1, + "query": 1, + "tib": 1, + "body": 1, + "true": 1, + "tuck": 2, + "over": 5, + "u.r": 1, + "u": 3, + "if": 9, + "drop": 4, + "false": 1, + "else": 6, + "then": 5, + "unused": 1, + "value": 1, + "create": 2, + "does": 5, + "within": 1, + "compile": 2, + "Forth2012": 2, + "core": 1, + "action": 1, + "of": 3, + "defer": 2, + "name": 1, + "s": 4, + "c@": 2, + "negate": 1, + "nip": 2, + "bl": 4, + "word": 9, + "ahead": 2, + "resolve": 4, + "literal": 4, + "postpone": 14, + "nonimmediate": 1, + "caddr": 1, + "C": 9, + "find": 2, + "cells": 1, + "postponers": 1, + "execute": 1, + "unresolved": 4, + "orig": 5, + "chars": 1, + "n1": 2, + "n2": 2, + "orig1": 1, + "orig2": 1, + "branch": 5, + "dodoes_code": 1, + "code": 3, + "begin": 2, + "dest": 5, + "while": 2, + "repeat": 2, + "until": 1, + "recurse": 1, + "pad": 3, + "If": 1, + "necessary": 1, + "and": 3, + "keep": 1, + "parsing.": 1, + "string": 3, + "cmove": 1, + "state": 2, + "cr": 3, + "abort": 3, + "": 1, + "Undefined": 1, + "ok": 1, + "HELLO": 4, + "KataDiversion": 1, + "Forth": 1, + "utils": 1, + "the": 7, + "stack": 3, + "EMPTY": 1, + "DEPTH": 2, + "IF": 10, + "BEGIN": 3, + "DROP": 5, + "UNTIL": 3, + "THEN": 10, + "power": 2, + "**": 2, + "n1_pow_n2": 1, + "SWAP": 8, + "DUP": 14, + "DO": 2, + "OVER": 2, + "LOOP": 2, + "NIP": 4, + "compute": 1, + "highest": 1, + "below": 1, + "N.": 1, + "e.g.": 2, + "MAXPOW2": 2, + "log2_n": 1, + "ABORT": 1, + "ELSE": 7, + "|": 4, + "I": 5, + "i*2": 1, + "/": 3, + "kata": 1, + "test": 1, + "given": 3, + "N": 6, + "has": 1, + "two": 2, + "adjacent": 2, + "bits": 3, + "NOT": 3, + "TWO": 3, + "ADJACENT": 3, + "BITS": 3, + "bool": 1, + "uses": 1, + "following": 1, + "algorithm": 1, + "return": 5, + "A": 5, + "X": 5, + "LOG2": 1, + "end": 1, + "OR": 1, + "INVERT": 1, + "maximum": 1, + "number": 4, + "which": 3, + "can": 2, + "be": 2, + "made": 2, + "with": 2, + "MAX": 2, + "NB": 3, + "m": 2, + "**n": 1, + "numbers": 1, + "or": 1, + "less": 1, + "have": 1, + "not": 1, + "bits.": 1, + "see": 1, + "http": 1, + "//www.codekata.com/2007/01/code_kata_fifte.html": 1, + "HOW": 1, + "MANY": 1, + "Tools": 2, + ".s": 1, + "depth": 1, + "traverse": 1, + "dictionary": 1, + "assembler": 1, + "kernel": 1, + "bye": 1, + "cs": 2, + "pick": 1, + "roll": 1, + "editor": 1, + "forget": 1, + "reveal": 1, + "tools": 1, + "nr": 1, + "synonym": 1, + "undefined": 2, + "defined": 1, + "invert": 1, + "/cell": 2, + "cell": 2 + }, + "Frege": { + "module": 2, + "examples.CommandLineClock": 1, + "where": 39, + "data": 3, + "Date": 5, + "native": 4, + "java.util.Date": 1, + "new": 9, + "(": 339, + ")": 345, + "-": 730, + "IO": 13, + "MutableIO": 1, + "toString": 2, + "Mutable": 1, + "s": 21, + "ST": 1, + "String": 9, + "d.toString": 1, + "action": 2, + "to": 13, + "give": 2, + "us": 1, + "the": 20, + "current": 4, + "time": 1, + "as": 33, + "do": 38, + "d": 3, + "<->": 35, + "java": 5, + "lang": 2, + "Thread": 2, + "sleep": 4, + "takes": 1, + "a": 99, + "long": 4, + "and": 14, + "returns": 2, + "nothing": 2, + "but": 2, + "may": 1, + "throw": 1, + "an": 6, + "InterruptedException": 4, + "This": 2, + "is": 24, + "without": 1, + "doubt": 1, + "public": 1, + "static": 1, + "void": 2, + "millis": 1, + "throws": 4, + "Encoded": 1, + "in": 22, + "Frege": 1, + "argument": 1, + "type": 8, + "Long": 3, + "result": 11, + "does": 2, + "defined": 1, + "frege": 1, + "Lang": 1, + "main": 11, + "args": 2, + "forever": 1, + "print": 25, + "stdout.flush": 1, + "Thread.sleep": 4, + "examples.Concurrent": 1, + "import": 7, + "System.Random": 1, + "Java.Net": 1, + "URL": 2, + "Control.Concurrent": 1, + "C": 6, + "main2": 1, + "m": 2, + "<": 84, + "newEmptyMVar": 1, + "forkIO": 11, + "m.put": 3, + "replicateM_": 3, + "c": 33, + "m.take": 1, + "println": 25, + "example1": 1, + "putChar": 2, + "example2": 2, + "getLine": 2, + "case": 6, + "of": 32, + "Right": 6, + "n": 38, + "setReminder": 3, + "Left": 5, + "_": 60, + "+": 200, + "show": 24, + "L*n": 1, + "table": 1, + "mainPhil": 2, + "[": 120, + "fork1": 3, + "fork2": 3, + "fork3": 3, + "fork4": 3, + "fork5": 3, + "]": 116, + "mapM": 3, + "MVar": 3, + "1": 2, + "5": 1, + "philosopher": 7, + "Kant": 1, + "Locke": 1, + "Wittgenstein": 1, + "Nozick": 1, + "Mises": 1, + "return": 17, + "Int": 6, + "me": 13, + "left": 4, + "right": 4, + "g": 4, + "Random.newStdGen": 1, + "let": 8, + "phil": 4, + "tT": 2, + "g1": 2, + "Random.randomR": 2, + "L": 6, + "eT": 2, + "g2": 3, + "thinkTime": 3, + "*": 5, + "eatTime": 3, + "fl": 4, + "left.take": 1, + "rFork": 2, + "poll": 1, + "Just": 2, + "fr": 3, + "right.put": 1, + "left.put": 2, + "table.notifyAll": 2, + "Nothing": 2, + "table.wait": 1, + "inter": 3, + "catch": 2, + "getURL": 4, + "xx": 2, + "url": 1, + "URL.new": 1, + "con": 3, + "url.openConnection": 1, + "con.connect": 1, + "con.getInputStream": 1, + "typ": 5, + "con.getContentType": 1, + "stderr.println": 3, + "ir": 2, + "InputStreamReader.new": 2, + "fromMaybe": 1, + "charset": 2, + "unsupportedEncoding": 3, + "br": 4, + "BufferedReader": 1, + "getLines": 1, + "InputStream": 1, + "UnsupportedEncodingException": 1, + "InputStreamReader": 1, + "x": 45, + "x.catched": 1, + "ctyp": 2, + "charset=": 1, + "m.group": 1, + "SomeException": 2, + "Throwable": 1, + "m1": 1, + "MVar.newEmpty": 3, + "m2": 1, + "m3": 2, + "r": 7, + "catchAll": 3, + ".": 41, + "m1.put": 1, + "m2.put": 1, + "m3.put": 1, + "r1": 2, + "m1.take": 1, + "r2": 3, + "m2.take": 1, + "r3": 3, + "take": 13, + "ss": 8, + "mapM_": 5, + "putStrLn": 2, + "|": 62, + "x.getClass.getName": 1, + "y": 15, + "sum": 2, + "map": 49, + "length": 20, + "package": 2, + "examples.Sudoku": 1, + "Data.TreeMap": 1, + "Tree": 4, + "keys": 2, + "Data.List": 1, + "DL": 1, + "hiding": 1, + "find": 20, + "union": 10, + "Element": 6, + "Zelle": 8, + "set": 4, + "candidates": 18, + "Position": 22, + "Feld": 3, + "Brett": 13, + "for": 25, + "assumptions": 10, + "conclusions": 2, + "Assumption": 21, + "ISNOT": 14, + "IS": 16, + "derive": 2, + "Eq": 1, + "Ord": 1, + "instance": 1, + "Show": 1, + "p": 72, + "e": 15, + "pname": 10, + "e.show": 2, + "showcs": 5, + "cs": 27, + "joined": 4, + "Assumption.show": 1, + "elements": 12, + "all": 22, + "possible": 2, + "..": 1, + "positions": 16, + "rowstarts": 4, + "row": 20, + "starting": 3, + "colstarts": 3, + "column": 2, + "boxstarts": 3, + "box": 15, + "boxmuster": 3, + "pattern": 1, + "by": 3, + "adding": 1, + "upper": 2, + "position": 9, + "results": 1, + "real": 1, + "extract": 2, + "field": 9, + "getf": 16, + "f": 19, + "fs": 22, + "fst": 9, + "otherwise": 8, + "cell": 24, + "getc": 12, + "b": 113, + "snd": 20, + "compute": 5, + "list": 7, + "that": 18, + "belong": 3, + "same": 8, + "given": 3, + "z..": 1, + "z": 12, + "quot": 1, + "col": 17, + "mod": 3, + "ri": 2, + "div": 3, + "or": 15, + "depending": 1, + "on": 4, + "ci": 3, + "index": 3, + "middle": 2, + "check": 2, + "if": 5, + "candidate": 10, + "has": 2, + "exactly": 2, + "one": 2, + "member": 1, + "i.e.": 1, + "been": 1, + "solved": 1, + "single": 9, + "Bool": 2, + "true": 16, + "false": 13, + "unsolved": 10, + "rows": 4, + "cols": 6, + "boxes": 1, + "allrows": 8, + "allcols": 5, + "allboxs": 5, + "allrcb": 5, + "zip": 7, + "repeat": 3, + "containers": 6, + "PRINTING": 1, + "printable": 1, + "coordinate": 1, + "a1": 3, + "lower": 1, + "i9": 1, + "packed": 1, + "chr": 2, + "ord": 6, + "board": 41, + "printb": 4, + "p1line": 2, + "pfld": 4, + "line": 2, + "brief": 1, + "no": 4, + "some": 2, + "zs": 1, + "initial/final": 1, + "msg": 6, + "res012": 2, + "concatMap": 1, + "a*100": 1, + "b*10": 1, + "BOARD": 1, + "ALTERATION": 1, + "ACTIONS": 1, + "message": 1, + "about": 1, + "what": 1, + "done": 1, + "turnoff1": 3, + "i": 16, + "off": 11, + "nc": 7, + "head": 19, + "newb": 7, + "filter": 26, + "notElem": 7, + "turnoff": 11, + "turnoffh": 1, + "ps": 8, + "foldM": 2, + "toh": 2, + "setto": 3, + "cname": 4, + "nf": 2, + "SOLVING": 1, + "STRATEGIES": 1, + "reduce": 3, + "sets": 2, + "contains": 1, + "numbers": 1, + "already": 1, + "finds": 1, + "logs": 1, + "NAKED": 5, + "SINGLEs": 1, + "passing.": 1, + "sss": 3, + "each": 2, + "with": 15, + "more": 2, + "than": 2, + "fields": 6, + "are": 6, + "rcb": 16, + "elem": 16, + "collect": 1, + "remove": 3, + "from": 7, + "look": 10, + "number": 4, + "appears": 1, + "container": 9, + "this": 2, + "can": 9, + "go": 1, + "other": 2, + "place": 1, + "HIDDEN": 6, + "SINGLE": 1, + "hiddenSingle": 2, + "select": 1, + "containername": 1, + "FOR": 11, + "IN": 9, + "occurs": 5, + "PAIRS": 8, + "TRIPLES": 8, + "QUADS": 2, + "nakedPair": 4, + "t": 14, + "nm": 6, + "SELECT": 3, + "pos": 5, + "tuple": 2, + "name": 2, + "//": 8, + "u": 6, + "fold": 7, + "non": 2, + "outof": 6, + "tuples": 2, + "hit": 7, + "subset": 3, + "any": 3, + "hiddenPair": 4, + "minus": 2, + "uniq": 4, + "sort": 4, + "common": 4, + "bs": 7, + "undefined": 1, + "cannot": 1, + "happen": 1, + "because": 1, + "either": 1, + "empty": 4, + "not": 5, + "intersectionlist": 2, + "intersections": 2, + "reason": 8, + "reson": 1, + "cpos": 7, + "WHERE": 2, + "tail": 2, + "intersection": 1, + "we": 5, + "occurences": 1, + "XY": 2, + "Wing": 2, + "there": 6, + "exists": 6, + "A": 7, + "X": 5, + "Y": 4, + "B": 5, + "Z": 6, + "shares": 2, + "reasoning": 1, + "will": 4, + "be": 9, + "since": 1, + "indeed": 1, + "thus": 1, + "see": 1, + "xyWing": 2, + "rcba": 4, + "share": 1, + "b1": 11, + "b2": 10, + "&&": 9, + "||": 2, + "then": 1, + "else": 1, + "c1": 4, + "c2": 3, + "N": 5, + "Fish": 1, + "Swordfish": 1, + "Jellyfish": 1, + "When": 2, + "particular": 1, + "digit": 1, + "located": 2, + "only": 1, + "columns": 2, + "eliminate": 1, + "those": 2, + "which": 2, + "fish": 7, + "fishname": 5, + "rset": 4, + "certain": 1, + "rflds": 2, + "rowset": 1, + "colss": 3, + "must": 4, + "appear": 1, + "at": 3, + "least": 3, + "cstart": 2, + "immediate": 1, + "consequences": 6, + "assumption": 8, + "form": 1, + "conseq": 3, + "cp": 3, + "two": 1, + "contradict": 2, + "contradicts": 7, + "get": 3, + "aPos": 5, + "List": 1, + "turned": 1, + "when": 2, + "true/false": 1, + "toClear": 7, + "whose": 1, + "implications": 5, + "themself": 1, + "chain": 2, + "paths": 12, + "solution": 6, + "reverse": 4, + "css": 7, + "yields": 1, + "contradictory": 1, + "chainContra": 2, + "pro": 7, + "contra": 4, + "ALL": 2, + "conlusions": 1, + "uniqBy": 2, + "using": 2, + "sortBy": 2, + "comparing": 2, + "conslusion": 1, + "chains": 4, + "LET": 1, + "BE": 1, + "final": 2, + "conclusion": 4, + "THE": 1, + "FIRST": 1, + "implication": 2, + "ai": 2, + "so": 1, + "a0": 1, + "OR": 7, + "a2": 2, + "...": 2, + "IMPLIES": 1, + "For": 2, + "cells": 1, + "pi": 2, + "have": 1, + "construct": 2, + "p0": 1, + "p1": 1, + "c0": 1, + "cellRegionChain": 2, + "os": 3, + "cellas": 2, + "regionas": 2, + "iss": 3, + "ass": 2, + "first": 2, + "candidates@": 1, + "region": 2, + "oss": 2, + "Liste": 1, + "aller": 1, + "Annahmen": 1, + "ein": 1, + "bestimmtes": 1, + "acstree": 3, + "Tree.fromList": 1, + "bypass": 1, + "maybe": 1, + "tree": 1, + "lookup": 2, + "error": 1, + "performance": 1, + "resons": 1, + "confine": 1, + "ourselves": 1, + "20": 1, + "per": 1, + "mkPaths": 3, + "acst": 3, + "impl": 2, + "{": 1, + "a3": 1, + "ordered": 1, + "impls": 2, + "ns": 2, + "concat": 1, + "takeUntil": 1, + "null": 1, + "iterate": 1, + "expandchain": 3, + "avoid": 1, + "loops": 1, + "uni": 3, + "SOLVE": 1, + "SUDOKU": 1, + "Apply": 1, + "available": 1, + "strategies": 1, + "until": 1, + "changes": 1, + "anymore": 1, + "Strategy": 1, + "functions": 2, + "supposed": 1, + "applied": 1, + "changed": 1, + "board.": 1, + "strategy": 2, + "anything": 1, + "alter": 1, + "it": 2, + "next": 1, + "tried.": 1, + "solve": 19, + "res@": 16, + "apply": 17, + "res": 16, + "smallest": 1, + "comment": 16, + "SINGLES": 1, + "locked": 1, + "2": 3, + "QUADRUPELS": 6, + "3": 3, + "4": 3, + "WINGS": 1, + "FISH": 3, + "pcomment": 2, + "9": 5, + "forcing": 1, + "allow": 1, + "infer": 1, + "both": 1, + "brd": 2, + "com": 5, + "stderr": 3, + "<<": 4, + "log": 1, + "turn": 1, + "string": 3, + "into": 1, + "mkrow": 2, + "mkrow1": 2, + "xs": 4, + "make": 1, + "sure": 1, + "unpacked": 2, + "<=>": 1, + "0": 2, + "ignored": 1, + "h": 1, + "help": 1, + "usage": 1, + "Sudoku": 2, + "file": 4, + "81": 3, + "char": 1, + "consisting": 1, + "digits": 2, + "One": 1, + "such": 1, + "going": 1, + "http": 3, + "www": 1, + "sudokuoftheday": 1, + "pages": 1, + "o": 1, + "php": 1, + "click": 1, + "puzzle": 1, + "open": 1, + "tab": 1, + "Copy": 1, + "address": 1, + "your": 1, + "browser": 1, + "There": 1, + "also": 1, + "hard": 1, + "sudokus": 1, + "examples": 1, + "top95": 1, + "txt": 1, + "W": 1, + "felder": 2, + "decode": 4, + "files": 2, + "forM_": 1, + "sudoku": 2, + "openReader": 1, + "lines": 2, + "BufferedReader.getLines": 1, + "process": 5, + "candi": 2, + "consider": 3, + "acht": 4, + "neun": 2, + "examples.SwingExamples": 1, + "Java.Awt": 1, + "ActionListener": 2, + "Java.Swing": 1, + "rs": 2, + "Runnable.new": 1, + "helloWorldGUI": 2, + "buttonDemoGUI": 2, + "celsiusConverterGUI": 2, + "invokeLater": 1, + "tempTextField": 2, + "JTextField.new": 1, + "celsiusLabel": 1, + "JLabel.new": 3, + "convertButton": 1, + "JButton.new": 3, + "fahrenheitLabel": 1, + "frame": 3, + "JFrame.new": 3, + "frame.setDefaultCloseOperation": 3, + "JFrame.dispose_on_close": 3, + "frame.setTitle": 1, + "celsiusLabel.setText": 1, + "convertButton.setText": 1, + "convertButtonActionPerformed": 2, + "celsius": 3, + "getText": 1, + "double": 1, + "fahrenheitLabel.setText": 3, + "c*1.8": 1, + ".long": 1, + "ActionListener.new": 2, + "convertButton.addActionListener": 1, + "contentPane": 2, + "frame.getContentPane": 2, + "layout": 2, + "GroupLayout.new": 1, + "contentPane.setLayout": 1, + "TODO": 1, + "continue": 1, + "//docs.oracle.com/javase/tutorial/displayCode.html": 1, + "code": 1, + "//docs.oracle.com/javase/tutorial/uiswing/examples/learn/CelsiusConverterProject/src/learn/CelsiusConverterGUI.java": 1, + "frame.pack": 3, + "frame.setVisible": 3, + "label": 2, + "cp.add": 1, + "newContentPane": 2, + "JPanel.new": 1, + "JButton": 4, + "b1.setVerticalTextPosition": 1, + "SwingConstants.center": 2, + "b1.setHorizontalTextPosition": 1, + "SwingConstants.leading": 2, + "b2.setVerticalTextPosition": 1, + "b2.setHorizontalTextPosition": 1, + "b3": 7, + "Enable": 1, + "button": 1, + "setVerticalTextPosition": 1, + "SwingConstants": 2, + "center": 1, + "setHorizontalTextPosition": 1, + "leading": 1, + "setEnabled": 7, + "action1": 2, + "action3": 2, + "b1.addActionListener": 1, + "b3.addActionListener": 1, + "newContentPane.add": 3, + "newContentPane.setOpaque": 1, + "frame.setContentPane": 1 + }, + "Game Maker Language": { + "//draws": 1, + "the": 62, + "sprite": 12, + "draw": 3, + "true": 73, + ";": 1282, + "if": 397, + "(": 1501, + "facing": 17, + "RIGHT": 10, + ")": 1502, + "image_xscale": 17, + "-": 212, + "else": 151, + "blinkToggle": 1, + "{": 300, + "state": 50, + "CLIMBING": 5, + "or": 78, + "sprite_index": 14, + "sPExit": 1, + "sDamselExit": 1, + "sTunnelExit": 1, + "and": 155, + "global.hasJetpack": 4, + "not": 63, + "whipping": 5, + "draw_sprite_ext": 10, + "x": 76, + "y": 85, + "image_yscale": 14, + "image_angle": 14, + "image_blend": 2, + "image_alpha": 10, + "//draw_sprite": 1, + "draw_sprite": 9, + "sJetpackBack": 1, + "false": 85, + "}": 307, + "sJetpackRight": 1, + "sJetpackLeft": 1, + "+": 206, + "redColor": 2, + "make_color_rgb": 1, + "holdArrow": 4, + "ARROW_NORM": 2, + "sArrowRight": 1, + "ARROW_BOMB": 2, + "holdArrowToggle": 2, + "sBombArrowRight": 2, + "LEFT": 7, + "sArrowLeft": 1, + "sBombArrowLeft": 2, + "hangCountMax": 2, + "//////////////////////////////////////": 2, + "kLeft": 12, + "checkLeft": 1, + "kLeftPushedSteps": 3, + "kLeftPressed": 2, + "checkLeftPressed": 1, + "kLeftReleased": 3, + "checkLeftReleased": 1, + "kRight": 12, + "checkRight": 1, + "kRightPushedSteps": 3, + "kRightPressed": 2, + "checkRightPressed": 1, + "kRightReleased": 3, + "checkRightReleased": 1, + "kUp": 5, + "checkUp": 1, + "kDown": 5, + "checkDown": 1, + "//key": 1, + "canRun": 1, + "kRun": 2, + "kJump": 6, + "checkJump": 1, + "kJumpPressed": 11, + "checkJumpPressed": 1, + "kJumpReleased": 5, + "checkJumpReleased": 1, + "cantJump": 3, + "global.isTunnelMan": 1, + "sTunnelAttackL": 1, + "holdItem": 1, + "kAttack": 2, + "checkAttack": 2, + "kAttackPressed": 2, + "checkAttackPressed": 1, + "kAttackReleased": 2, + "checkAttackReleased": 1, + "kItemPressed": 2, + "checkItemPressed": 1, + "xPrev": 1, + "yPrev": 1, + "stunned": 3, + "dead": 3, + "//////////////////////////////////////////": 2, + "colSolidLeft": 4, + "colSolidRight": 3, + "colLeft": 6, + "colRight": 6, + "colTop": 4, + "colBot": 11, + "colLadder": 3, + "colPlatBot": 6, + "colPlat": 5, + "colWaterTop": 3, + "colIceBot": 2, + "runKey": 4, + "isCollisionMoveableSolidLeft": 1, + "isCollisionMoveableSolidRight": 1, + "isCollisionLeft": 2, + "isCollisionRight": 2, + "isCollisionTop": 1, + "isCollisionBottom": 1, + "isCollisionLadder": 1, + "isCollisionPlatformBottom": 1, + "isCollisionPlatform": 1, + "isCollisionWaterTop": 1, + "collision_point": 30, + "oIce": 1, + "checkRun": 1, + "runHeld": 3, + "HANGING": 10, + "approximatelyZero": 4, + "xVel": 24, + "xAcc": 12, + "platformCharacterIs": 23, + "ON_GROUND": 18, + "DUCKING": 4, + "pushTimer": 3, + "//if": 5, + "SS_IsSoundPlaying": 2, + "global.sndPush": 4, + "playSound": 3, + "runAcc": 2, + "abs": 9, + "alarm": 13, + "[": 99, + "]": 103, + "<": 39, + "floor": 11, + "/": 5, + "/xVel": 1, + "instance_exists": 8, + "oCape": 2, + "oCape.open": 6, + "kJumped": 7, + "ladderTimer": 4, + "ladder": 5, + "oLadder": 4, + "ladder.x": 3, + "oLadderTop": 2, + "yAcc": 26, + "climbAcc": 2, + "FALLING": 8, + "STANDING": 2, + "departLadderXVel": 2, + "departLadderYVel": 1, + "JUMPING": 6, + "jumpButtonReleased": 7, + "jumpTime": 8, + "IN_AIR": 5, + "gravityIntensity": 2, + "yVel": 20, + "RUNNING": 3, + "jumps": 3, + "//playSound": 1, + "global.sndLand": 1, + "grav": 22, + "global.hasGloves": 3, + "hangCount": 14, + "*": 18, + "yVel*0.3": 1, + "oWeb": 2, + "obj": 14, + "instance_place": 3, + "obj.life": 1, + "initialJumpAcc": 6, + "xVel/2": 3, + "gravNorm": 7, + "global.hasCape": 1, + "jetpackFuel": 2, + "fallTimer": 2, + "global.hasJordans": 1, + "yAccLimit": 2, + "global.hasSpringShoes": 1, + "global.sndJump": 1, + "jumpTimeTotal": 2, + "//let": 1, + "character": 20, + "continue": 4, + "to": 62, + "jump": 1, + "jumpTime/jumpTimeTotal": 1, + "looking": 2, + "UP": 1, + "LOOKING_UP": 4, + "oSolid": 14, + "move_snap": 6, + "oTree": 4, + "oArrow": 5, + "instance_nearest": 1, + "obj.stuck": 1, + "//the": 2, + "can": 1, + "t": 23, + "want": 1, + "use": 4, + "because": 2, + "is": 9, + "too": 2, + "high": 1, + "yPrevHigh": 1, + "//": 11, + "we": 5, + "ll": 1, + "move": 2, + "correct": 1, + "distance": 1, + "but": 2, + "need": 1, + "shorten": 1, + "out": 4, + "a": 55, + "little": 1, + "ratio": 1, + "xVelInteger": 2, + "/dist*0.9": 1, + "//can": 1, + "be": 4, + "changed": 1, + "moveTo": 2, + "round": 6, + "xVelInteger*ratio": 1, + "yVelInteger*ratio": 1, + "slopeChangeInY": 1, + "maxDownSlope": 1, + "floating": 1, + "just": 1, + "above": 1, + "slope": 1, + "so": 2, + "down": 1, + "upYPrev": 1, + "for": 26, + "<=upYPrev+maxDownSlope;y+=1)>": 1, + "hit": 1, + "solid": 1, + "below": 1, + "upYPrev=": 1, + "I": 1, + "know": 1, + "that": 2, + "this": 2, + "doesn": 1, + "seem": 1, + "make": 1, + "sense": 1, + "of": 25, + "name": 9, + "variable": 1, + "it": 6, + "all": 3, + "works": 1, + "correctly": 1, + "after": 1, + "break": 58, + "loop": 1, + "y=": 1, + "figures": 1, + "what": 1, + "index": 11, + "should": 25, + "characterSprite": 1, + "sets": 1, + "previous": 2, + "previously": 1, + "statePrevPrev": 1, + "statePrev": 2, + "calculates": 1, + "image_speed": 9, + "based": 1, + "on": 4, + "s": 6, + "velocity": 1, + "runAnimSpeed": 1, + "0": 21, + "1": 32, + "sqrt": 1, + "sqr": 2, + "climbAnimSpeed": 1, + "<=>": 3, + "4": 2, + "setCollisionBounds": 3, + "8": 9, + "5": 5, + "DUCKTOHANG": 1, + "image_index": 1, + "limit": 5, + "at": 23, + "animation": 1, + "always": 1, + "looks": 1, + "good": 1, + "var": 79, + "i": 95, + "playerObject": 1, + "playerID": 1, + "player": 36, + "otherPlayerID": 1, + "otherPlayer": 1, + "sameVersion": 1, + "buffer": 1, + "plugins": 4, + "pluginsRequired": 2, + "usePlugins": 1, + "tcp_eof": 3, + "global.serverSocket": 10, + "gotServerHello": 2, + "show_message": 7, + "instance_destroy": 7, + "exit": 10, + "room": 1, + "DownloadRoom": 1, + "keyboard_check": 1, + "vk_escape": 1, + "downloadingMap": 2, + "while": 15, + "tcp_receive": 3, + "min": 4, + "downloadMapBytes": 2, + "buffer_size": 2, + "downloadMapBuffer": 6, + "write_buffer": 2, + "write_buffer_to_file": 1, + "downloadMapName": 3, + "buffer_destroy": 8, + "roomchange": 2, + "do": 1, + "switch": 9, + "read_ubyte": 10, + "case": 50, + "HELLO": 1, + "global.joinedServerName": 2, + "receivestring": 4, + "advertisedMapMd5": 1, + "receiveCompleteMessage": 1, + "global.tempBuffer": 3, + "string_pos": 20, + "Server": 3, + "sent": 7, + "illegal": 2, + "map": 47, + "This": 2, + "server": 10, + "requires": 1, + "following": 2, + "play": 2, + "#": 3, + "suggests": 1, + "optional": 1, + "Error": 2, + "ocurred": 1, + "loading": 1, + "plugins.": 1, + "Maps/": 2, + ".png": 2, + "The": 6, + "version": 4, + "Enter": 1, + "Password": 1, + "Incorrect": 1, + "Password.": 1, + "Incompatible": 1, + "protocol": 3, + "version.": 1, + "Name": 1, + "Exploit": 1, + "Invalid": 2, + "plugin": 6, + "packet": 3, + "ID": 2, + "There": 1, + "are": 1, + "many": 1, + "connections": 1, + "from": 5, + "your": 1, + "IP": 1, + "You": 1, + "have": 2, + "been": 1, + "kicked": 1, + "server.": 1, + ".": 12, + "#Server": 1, + "went": 1, + "invalid": 1, + "internal": 1, + "#Exiting.": 1, + "full.": 1, + "noone": 7, + "ERROR": 1, + "when": 1, + "reading": 1, + "no": 1, + "such": 1, + "unexpected": 1, + "data.": 1, + "until": 1, + "downloadHandle": 3, + "url": 62, + "tmpfile": 3, + "window_oldshowborder": 2, + "window_oldfullscreen": 2, + "timeLeft": 1, + "counter": 1, + "AudioControlPlaySong": 1, + "window_get_showborder": 1, + "window_get_fullscreen": 1, + "window_set_fullscreen": 2, + "window_set_showborder": 1, + "global.updaterBetaChannel": 3, + "UPDATE_SOURCE_BETA": 1, + "UPDATE_SOURCE": 1, + "temp_directory": 1, + "httpGet": 1, + "httpRequestStatus": 1, + "download": 1, + "isn": 1, + "extract": 1, + "downloaded": 1, + "file": 2, + "now.": 1, + "extractzip": 1, + "working_directory": 6, + "execute_program": 1, + "game_end": 1, + "victim": 10, + "killer": 11, + "assistant": 16, + "damageSource": 18, + "argument0": 28, + "argument1": 10, + "argument2": 3, + "argument3": 1, + "//*************************************": 6, + "//*": 3, + "Scoring": 1, + "Kill": 1, + "log": 1, + "recordKillInLog": 1, + "victim.stats": 1, + "DEATHS": 1, + "WEAPON_KNIFE": 1, + "||": 16, + "WEAPON_BACKSTAB": 1, + "killer.stats": 8, + "STABS": 2, + "killer.roundStats": 8, + "POINTS": 10, + "victim.object.currentWeapon.object_index": 1, + "Medigun": 2, + "victim.object.currentWeapon.uberReady": 1, + "BONUS": 2, + "KILLS": 2, + "victim.object.intel": 1, + "DEFENSES": 2, + "recordEventInLog": 1, + "killer.team": 1, + "killer.name": 2, + "global.myself": 4, + "assistant.stats": 2, + "ASSISTS": 2, + "assistant.roundStats": 2, + ".5": 2, + "//SPEC": 1, + "instance_create": 20, + "victim.object.x": 3, + "victim.object.y": 3, + "Spectator": 1, + "Gibbing": 2, + "xoffset": 5, + "yoffset": 5, + "xsize": 3, + "ysize": 3, + "view_xview": 3, + "view_yview": 3, + "view_wview": 2, + "view_hview": 2, + "randomize": 1, + "with": 47, + "victim.object": 2, + "WEAPON_ROCKETLAUNCHER": 1, + "WEAPON_MINEGUN": 1, + "FRAG_BOX": 2, + "WEAPON_REFLECTED_STICKY": 1, + "WEAPON_REFLECTED_ROCKET": 1, + "FINISHED_OFF_GIB": 2, + "GENERATOR_EXPLOSION": 2, + "player.class": 15, + "CLASS_QUOTE": 3, + "global.gibLevel": 14, + "distance_to_point": 3, + "xsize/2": 2, + "ysize/2": 2, + "hasReward": 4, + "repeat": 7, + "createGib": 14, + "PumpkinGib": 1, + "hspeed": 14, + "vspeed": 13, + "random": 21, + "choose": 8, + "Gib": 1, + "player.team": 8, + "TEAM_BLUE": 6, + "BlueClump": 1, + "TEAM_RED": 8, + "RedClump": 1, + "blood": 2, + "BloodDrop": 1, + "blood.hspeed": 1, + "blood.vspeed": 1, + "blood.sprite_index": 1, + "PumpkinJuiceS": 1, + "//All": 1, + "Classes": 1, + "gib": 1, + "head": 1, + "hands": 2, + "feet": 1, + "Headgib": 1, + "//Medic": 1, + "has": 2, + "specially": 1, + "colored": 1, + "CLASS_MEDIC": 2, + "Hand": 3, + "Feet": 1, + "//Class": 1, + "specific": 1, + "gibs": 1, + "CLASS_PYRO": 2, + "Accesory": 5, + "CLASS_SOLDIER": 2, + "CLASS_ENGINEER": 3, + "CLASS_SNIPER": 3, + "playsound": 2, + "deadbody": 2, + "DeathSnd1": 1, + "DeathSnd2": 1, + "DeadGuy": 1, + "deadbody.sprite_index": 2, + "haxxyStatue": 1, + "deadbody.image_index": 2, + "CHARACTER_ANIMATION_DEAD": 1, + "deadbody.hspeed": 1, + "deadbody.vspeed": 1, + "deadbody.image_xscale": 1, + "global.gg_birthday": 1, + "myHat": 2, + "PartyHat": 1, + "myHat.image_index": 2, + "victim.team": 2, + "global.xmas": 1, + "XmasHat": 1, + "Deathcam": 1, + "global.killCam": 3, + "KILL_BOX": 1, + "FINISHED_OFF": 5, + "DeathCam": 1, + "DeathCam.killedby": 1, + "DeathCam.name": 1, + "DeathCam.oldxview": 1, + "DeathCam.oldyview": 1, + "DeathCam.lastDamageSource": 1, + "DeathCam.team": 1, + "global.myself.team": 3, + "xr": 19, + "yr": 19, + "cloakAlpha": 1, + "team": 13, + "canCloak": 1, + "cloakAlpha/2": 1, + "invisible": 1, + "stabbing": 2, + "power": 1, + "currentWeapon.stab.alpha": 1, + "&&": 6, + "global.showHealthBar": 3, + "draw_set_alpha": 3, + "draw_healthbar": 1, + "hp*100/maxHp": 1, + "c_black": 1, + "c_red": 3, + "c_green": 1, + "mouse_x": 1, + "mouse_y": 1, + "<25)>": 1, + "cloak": 2, + "global": 8, + "myself": 2, + "draw_set_halign": 1, + "fa_center": 1, + "draw_set_valign": 1, + "fa_bottom": 1, + "team=": 1, + "draw_set_color": 2, + "c_blue": 2, + "draw_text": 4, + "35": 1, + "showTeammateStats": 1, + "weapons": 3, + "50": 3, + "Superburst": 1, + "string": 13, + "currentWeapon": 2, + "uberCharge": 1, + "20": 1, + "Shotgun": 1, + "Nuts": 1, + "N": 1, + "Bolts": 1, + "nutsNBolts": 1, + "Minegun": 1, + "Lobbed": 1, + "Mines": 1, + "lobbed": 1, + "ubercolour": 6, + "overlaySprite": 6, + "zoomed": 1, + "SniperCrouchRedS": 1, + "SniperCrouchBlueS": 1, + "sniperCrouchOverlay": 1, + "overlay": 1, + "omnomnomnom": 2, + "draw_sprite_ext_overlay": 7, + "omnomnomnomSprite": 2, + "omnomnomnomOverlay": 2, + "omnomnomnomindex": 4, + "c_white": 13, + "ubered": 7, + "7": 4, + "taunting": 2, + "tauntsprite": 2, + "tauntOverlay": 2, + "tauntindex": 2, + "humiliated": 1, + "humiliationPoses": 1, + "animationImage": 9, + "humiliationOffset": 1, + "animationOffset": 6, + "burnDuration": 2, + "burnIntensity": 2, + "numFlames": 1, + "maxIntensity": 1, + "FlameS": 1, + "flameArray_x": 1, + "flameArray_y": 1, + "maxDuration": 1, + "demon": 4, + "demonX": 5, + "median": 2, + "demonY": 4, + "demonOffset": 4, + "demonDir": 2, + "dir": 3, + "demonFrame": 5, + "sprite_get_number": 1, + "*player.team": 2, + "dir*1": 2, + "#define": 26, + "__http_init": 3, + "global.__HttpClient": 4, + "object_add": 1, + "object_set_persistent": 1, + "__http_split": 3, + "text": 19, + "delimeter": 7, + "list": 36, + "count": 4, + "ds_list_create": 5, + "ds_list_add": 23, + "string_copy": 32, + "string_length": 25, + "return": 56, + "__http_parse_url": 4, + "ds_map_create": 4, + "ds_map_add": 15, + "colonPos": 22, + "string_char_at": 13, + "slashPos": 13, + "real": 14, + "queryPos": 12, + "ds_map_destroy": 6, + "__http_resolve_url": 2, + "baseUrl": 3, + "refUrl": 18, + "urlParts": 15, + "refUrlParts": 5, + "canParseRefUrl": 3, + "result": 11, + "ds_map_find_value": 22, + "__http_resolve_path": 3, + "ds_map_replace": 3, + "ds_map_exists": 11, + "ds_map_delete": 1, + "path": 10, + "query": 4, + "relUrl": 1, + "__http_construct_url": 2, + "basePath": 4, + "refPath": 7, + "parts": 29, + "refParts": 5, + "lastPart": 3, + "ds_list_find_value": 9, + "ds_list_size": 11, + "ds_list_delete": 5, + "ds_list_destroy": 4, + "part": 6, + "ds_list_replace": 3, + "__http_parse_hex": 2, + "hexString": 4, + "hexValues": 3, + "digit": 4, + "__http_prepare_request": 4, + "client": 33, + "headers": 11, + "parsed": 18, + "show_error": 2, + "destroyed": 3, + "CR": 10, + "chr": 3, + "LF": 5, + "CRLF": 17, + "socket": 40, + "tcp_connect": 1, + "errored": 19, + "error": 18, + "linebuf": 33, + "line": 19, + "statusCode": 6, + "reasonPhrase": 2, + "responseBody": 19, + "buffer_create": 7, + "responseBodySize": 5, + "responseBodyProgress": 5, + "responseHeaders": 9, + "requestUrl": 2, + "requestHeaders": 2, + "write_string": 9, + "key": 17, + "ds_map_find_first": 1, + "is_string": 2, + "ds_map_find_next": 1, + "socket_send": 1, + "__http_parse_header": 3, + "ord": 16, + "headerValue": 9, + "string_lower": 3, + "headerName": 4, + "__http_client_step": 2, + "socket_has_error": 1, + "socket_error": 1, + "__http_client_destroy": 20, + "available": 7, + "tcp_receive_available": 1, + "bytesRead": 6, + "c": 20, + "read_string": 9, + "Reached": 2, + "end": 11, + "HTTP": 1, + "defines": 1, + "sequence": 2, + "as": 1, + "marker": 1, + "elements": 1, + "except": 2, + "entity": 1, + "body": 2, + "see": 1, + "appendix": 1, + "19": 1, + "3": 1, + "tolerant": 1, + "applications": 1, + "Strip": 1, + "trailing": 1, + "First": 1, + "status": 2, + "code": 2, + "first": 3, + "Response": 1, + "message": 1, + "Status": 1, + "Line": 1, + "consisting": 1, + "followed": 1, + "by": 5, + "numeric": 1, + "its": 1, + "associated": 1, + "textual": 1, + "phrase": 1, + "each": 18, + "element": 8, + "separated": 1, + "SP": 1, + "characters": 3, + "No": 3, + "allowed": 1, + "in": 21, + "final": 1, + "httpVer": 2, + "spacePos": 11, + "space": 4, + "response": 5, + "second": 2, + "Other": 1, + "Blank": 1, + "write": 1, + "remainder": 1, + "write_buffer_part": 3, + "Header": 1, + "Receiving": 1, + "transfer": 6, + "encoding": 2, + "chunked": 4, + "Chunked": 1, + "let": 1, + "decode": 36, + "actualResponseBody": 8, + "actualResponseSize": 1, + "actualResponseBodySize": 3, + "Parse": 1, + "chunks": 1, + "chunk": 12, + "size": 7, + "extension": 3, + "data": 4, + "HEX": 1, + "buffer_bytes_left": 6, + "chunkSize": 11, + "Read": 1, + "byte": 2, + "We": 1, + "found": 21, + "semicolon": 1, + "beginning": 1, + "skip": 1, + "stuff": 2, + "header": 2, + "Doesn": 1, + "did": 1, + "empty": 13, + "something": 1, + "up": 6, + "Parsing": 1, + "failed": 56, + "hex": 2, + "was": 1, + "hexadecimal": 1, + "Is": 1, + "bigger": 2, + "than": 1, + "remaining": 1, + "2": 2, + "responseHaders": 1, + "location": 4, + "resolved": 5, + "socket_destroy": 4, + "http_new_get": 1, + "variable_global_exists": 2, + "http_new_get_ex": 1, + "http_step": 1, + "client.errored": 3, + "client.state": 3, + "http_status_code": 1, + "client.statusCode": 1, + "http_reason_phrase": 1, + "client.error": 1, + "client.reasonPhrase": 1, + "http_response_body": 1, + "client.responseBody": 1, + "http_response_body_size": 1, + "client.responseBodySize": 1, + "http_response_body_progress": 1, + "client.responseBodyProgress": 1, + "http_response_headers": 1, + "client.responseHeaders": 1, + "http_destroy": 1, + "RoomChangeObserver": 1, + "set_little_endian_global": 1, + "file_exists": 5, + "file_delete": 3, + "backupFilename": 5, + "file_find_first": 1, + "file_find_next": 1, + "file_find_close": 1, + "customMapRotationFile": 7, + "restart": 4, + "//import": 1, + "wav": 1, + "files": 1, + "music": 1, + "global.MenuMusic": 3, + "sound_add": 3, + "global.IngameMusic": 3, + "global.FaucetMusic": 3, + "sound_volume": 3, + "global.sendBuffer": 19, + "global.HudCheck": 1, + "global.map_rotation": 19, + "global.CustomMapCollisionSprite": 1, + "window_set_region_scale": 1, + "ini_open": 2, + "global.playerName": 7, + "ini_read_string": 12, + "string_count": 2, + "MAX_PLAYERNAME_LENGTH": 2, + "global.fullscreen": 3, + "ini_read_real": 65, + "global.useLobbyServer": 2, + "global.hostingPort": 2, + "global.music": 2, + "MUSIC_BOTH": 1, + "global.playerLimit": 4, + "//thy": 1, + "playerlimit": 1, + "shalt": 1, + "exceed": 1, + "global.dedicatedMode": 7, + "ini_write_real": 60, + "global.multiClientLimit": 2, + "global.particles": 2, + "PARTICLES_NORMAL": 1, + "global.monitorSync": 3, + "set_synchronization": 2, + "global.medicRadar": 2, + "global.showHealer": 2, + "global.showHealing": 2, + "global.showTeammateStats": 2, + "global.serverPluginsPrompt": 2, + "global.restartPrompt": 2, + "//user": 1, + "HUD": 1, + "settings": 1, + "global.timerPos": 2, + "global.killLogPos": 2, + "global.kothHudPos": 2, + "global.clientPassword": 1, + "global.shuffleRotation": 2, + "global.timeLimitMins": 2, + "max": 2, + "global.serverPassword": 2, + "global.mapRotationFile": 1, + "global.serverName": 2, + "global.welcomeMessage": 2, + "global.caplimit": 3, + "global.caplimitBkup": 1, + "global.autobalance": 2, + "global.Server_RespawntimeSec": 4, + "global.rewardKey": 1, + "unhex": 1, + "global.rewardId": 1, + "global.mapdownloadLimitBps": 2, + "isBetaVersion": 1, + "global.attemptPortForward": 2, + "global.serverPluginList": 3, + "global.serverPluginsRequired": 2, + "CrosshairFilename": 5, + "CrosshairRemoveBG": 4, + "global.queueJumping": 2, + "global.backgroundHash": 2, + "global.backgroundTitle": 2, + "global.backgroundURL": 2, + "global.backgroundShowVersion": 2, + "readClasslimitsFromIni": 1, + "global.currentMapArea": 1, + "global.totalMapAreas": 1, + "global.setupTimer": 1, + "global.serverPluginsInUse": 1, + "global.pluginPacketBuffers": 1, + "global.pluginPacketPlayers": 1, + "ini_write_string": 10, + "ini_key_delete": 1, + "global.classlimits": 10, + "CLASS_SCOUT": 1, + "CLASS_HEAVY": 2, + "CLASS_DEMOMAN": 1, + "CLASS_SPY": 1, + "//screw": 1, + "will": 1, + "start": 1, + "//map_truefort": 1, + "maps": 37, + "//map_2dfort": 1, + "//map_conflict": 1, + "//map_classicwell": 1, + "//map_waterway": 1, + "//map_orange": 1, + "//map_dirtbowl": 1, + "//map_egypt": 1, + "//arena_montane": 1, + "//arena_lumberyard": 1, + "//gen_destroy": 1, + "//koth_valley": 1, + "//koth_corinth": 1, + "//koth_harvest": 1, + "//dkoth_atalia": 1, + "//dkoth_sixties": 1, + "//Server": 1, + "respawn": 1, + "time": 1, + "calculator.": 1, + "Converts": 1, + "frame.": 1, + "read": 1, + "multiply": 1, + "hehe": 1, + "global.Server_Respawntime": 3, + "global.mapchanging": 1, + "ini_close": 2, + "global.protocolUuid": 2, + "parseUuid": 2, + "PROTOCOL_UUID": 1, + "global.gg2lobbyId": 2, + "GG2_LOBBY_UUID": 1, + "initRewards": 1, + "IPRaw": 3, + "portRaw": 3, + "doubleCheck": 8, + "global.launchMap": 5, + "parameter_count": 1, + "parameter_string": 8, + "global.serverPort": 1, + "global.serverIP": 1, + "global.isHost": 1, + "Client": 1, + "global.customMapdesginated": 2, + "fileHandle": 6, + "mapname": 9, + "file_text_open_read": 1, + "file_text_eof": 1, + "file_text_read_string": 1, + "starts": 1, + "tab": 2, + "string_delete": 1, + "delete": 1, + "comment": 1, + "starting": 1, + "file_text_readln": 1, + "file_text_close": 1, + "load": 1, + "ini": 1, + "Maps": 9, + "section": 1, + "//Set": 1, + "rotation": 1, + "sort_list": 7, + "*maps": 1, + "ds_list_sort": 1, + "mod": 1, + "global.gg2Font": 2, + "font_add_sprite": 2, + "gg2FontS": 1, + "global.countFont": 1, + "countFontS": 1, + "draw_set_font": 1, + "cursor_sprite": 1, + "CrosshairS": 5, + "directory_exists": 2, + "directory_create": 2, + "AudioControl": 1, + "SSControl": 1, + "message_background": 1, + "popupBackgroundB": 1, + "message_button": 1, + "popupButtonS": 1, + "message_text_font": 1, + "message_button_font": 1, + "message_input_font": 1, + "//Key": 1, + "Mapping": 1, + "global.jump": 1, + "global.down": 1, + "global.left": 1, + "global.right": 1, + "global.attack": 1, + "MOUSE_LEFT": 1, + "global.special": 1, + "MOUSE_RIGHT": 1, + "global.taunt": 1, + "global.chat1": 1, + "global.chat2": 1, + "global.chat3": 1, + "global.medic": 1, + "global.drop": 1, + "global.changeTeam": 1, + "global.changeClass": 1, + "global.showScores": 1, + "vk_shift": 1, + "calculateMonthAndDay": 1, + "loadplugins": 1, + "registry_set_root": 1, + "HKLM": 1, + "global.NTKernelVersion": 1, + "registry_read_string_ext": 1, + "CurrentVersion": 1, + "SIC": 1, + "sprite_replace": 1, + "sprite_set_offset": 1, + "sprite_get_width": 1, + "/2": 2, + "sprite_get_height": 1, + "AudioControlToggleMute": 1, + "room_goto_fix": 2, + "Menu": 2, + "__jso_gmt_tuple": 1, + "//Position": 1, + "address": 1, + "table": 1, + "pos": 2, + "addr_table": 2, + "*argument_count": 1, + "//Build": 1, + "tuple": 1, + "ca": 1, + "isstr": 1, + "datastr": 1, + "argument_count": 1, + "//Check": 1, + "argument": 10, + "Unexpected": 18, + "position": 16, + "f": 5, + "JSON": 5, + "string.": 5, + "Cannot": 5, + "parse": 3, + "boolean": 3, + "value": 13, + "expecting": 9, + "digit.": 9, + "e": 4, + "E": 4, + "dot": 1, + "an": 24, + "integer": 6, + "Expected": 6, + "least": 6, + "arguments": 26, + "got": 6, + "find": 10, + "lookup.": 4, + "indices": 1, + "nested": 27, + "lists": 6, + "Index": 1, + "overflow": 4, + "Recursive": 1, + "abcdef": 1, + "number": 7, + "num": 1, + "assert_true": 1, + "_assert_error_popup": 2, + "string_repeat": 2, + "_assert_newline": 2, + "assert_false": 1, + "assert_equal": 1, + "//Safe": 1, + "equality": 1, + "check": 1, + "won": 1, + "support": 1, + "instead": 1, + "_assert_debug_value": 1, + "//String": 1, + "os_browser": 1, + "browser_not_a_browser": 1, + "string_replace_all": 1, + "//Numeric": 1, + "GMTuple": 1, + "jso_encode_string": 1, + "encode": 8, + "escape": 2, + "jso_encode_map": 4, + "one": 42, + "key1": 3, + "key2": 3, + "multi": 7, + "jso_encode_list": 3, + "three": 36, + "_jso_decode_string": 5, + "small": 1, + "quick": 2, + "brown": 2, + "fox": 2, + "over": 2, + "lazy": 2, + "dog.": 2, + "simple": 1, + "Waahoo": 1, + "negg": 1, + "mixed": 1, + "_jso_decode_boolean": 2, + "_jso_decode_real": 11, + "standard": 1, + "zero": 4, + "signed": 2, + "decimal": 1, + "digits": 1, + "positive": 7, + "negative": 7, + "exponent": 4, + "_jso_decode_integer": 3, + "_jso_decode_map": 14, + "didn": 14, + "include": 14, + "right": 14, + "prefix": 14, + "#1": 14, + "#2": 14, + "entry": 29, + "pi": 2, + "bool": 2, + "waahoo": 10, + "woohah": 8, + "mix": 4, + "_jso_decode_list": 14, + "woo": 2, + "Empty": 4, + "equal": 20, + "other.": 12, + "junk": 2, + "info": 1, + "taxi": 1, + "An": 4, + "filled": 4, + "map.": 2, + "A": 24, + "B": 18, + "C": 8, + "same": 6, + "content": 4, + "entered": 4, + "different": 12, + "orders": 4, + "D": 1, + "keys": 2, + "values": 4, + "six": 1, + "corresponding": 4, + "types": 4, + "other": 4, + "crash.": 4, + "list.": 2, + "Lists": 4, + "two": 16, + "entries": 2, + "also": 2, + "jso_map_check": 9, + "existing": 9, + "single": 11, + "jso_map_lookup": 3, + "wrong": 10, + "trap": 2, + "jso_map_lookup_type": 3, + "type": 8, + "four": 21, + "inexistent": 11, + "multiple": 20, + "jso_list_check": 8, + "jso_list_lookup": 3, + "jso_list_lookup_type": 3, + "inner": 1, + "indexing": 1, + "bad": 1, + "jso_cleanup_map": 1, + "one_map": 1, + "hashList": 5, + "pluginname": 9, + "pluginhash": 4, + "realhash": 1, + "handle": 1, + "filesize": 1, + "progress": 1, + "tempfile": 1, + "tempdir": 1, + "lastContact": 2, + "isCached": 2, + "isDebug": 2, + "split": 1, + "checkpluginname": 1, + "ds_list_find_index": 1, + ".zip": 3, + "ServerPluginsCache": 6, + "@": 5, + ".zip.tmp": 1, + ".tmp": 2, + "ServerPluginsDebug": 1, + "Warning": 2, + "being": 2, + "loaded": 2, + "ServerPluginsDebug.": 2, + "Make": 2, + "sure": 2, + "clients": 1, + "they": 1, + "may": 2, + "unable": 2, + "connect.": 2, + "you": 1, + "Downloading": 1, + "last_plugin.log": 2, + "plugin.gml": 1, + "playerId": 11, + "commandLimitRemaining": 4, + "variable_local_exists": 4, + "commandReceiveState": 1, + "commandReceiveExpectedBytes": 1, + "commandReceiveCommand": 1, + "player.socket": 12, + "player.commandReceiveExpectedBytes": 7, + "player.commandReceiveState": 7, + "player.commandReceiveCommand": 4, + "commandBytes": 2, + "commandBytesInvalidCommand": 1, + "commandBytesPrefixLength1": 1, + "commandBytesPrefixLength2": 1, + "default": 1, + "read_ushort": 2, + "PLAYER_LEAVE": 1, + "PLAYER_CHANGECLASS": 1, + "class": 8, + "getCharacterObject": 2, + "player.object": 12, + "SpawnRoom": 2, + "lastDamageDealer": 8, + "sendEventPlayerDeath": 4, + "BID_FAREWELL": 4, + "doEventPlayerDeath": 4, + "secondToLastDamageDealer": 2, + "lastDamageDealer.object": 2, + "lastDamageDealer.object.healer": 4, + "player.alarm": 4, + "<=0)>": 1, + "checkClasslimits": 2, + "ServerPlayerChangeclass": 2, + "sendBuffer": 1, + "PLAYER_CHANGETEAM": 1, + "newTeam": 7, + "balance": 5, + "redSuperiority": 6, + "calculate": 1, + "which": 1, + "Player": 1, + "TEAM_SPECTATOR": 1, + "newClass": 4, + "ServerPlayerChangeteam": 1, + "ServerBalanceTeams": 1, + "CHAT_BUBBLE": 2, + "bubbleImage": 5, + "global.aFirst": 1, + "write_ubyte": 20, + "setChatBubble": 1, + "BUILD_SENTRY": 2, + "collision_circle": 1, + "player.object.x": 3, + "player.object.y": 3, + "Sentry": 1, + "player.object.nutsNBolts": 1, + "player.sentry": 2, + "player.object.onCabinet": 1, + "write_ushort": 2, + "global.serializeBuffer": 3, + "player.object.x*5": 1, + "player.object.y*5": 1, + "write_byte": 1, + "player.object.image_xscale": 2, + "buildSentry": 1, + "DESTROY_SENTRY": 1, + "DROP_INTEL": 1, + "player.object.intel": 1, + "sendEventDropIntel": 1, + "doEventDropIntel": 1, + "OMNOMNOMNOM": 2, + "player.humiliated": 1, + "player.object.taunting": 1, + "player.object.omnomnomnom": 1, + "player.object.canEat": 1, + "omnomnomnomend": 2, + "xscale": 1, + "TOGGLE_ZOOM": 2, + "toggleZoom": 1, + "PLAYER_CHANGENAME": 2, + "nameLength": 4, + "socket_receivebuffer_size": 3, + "KICK": 2, + "KICK_NAME": 1, + "current_time": 2, + "lastNamechange": 2, + "INPUTSTATE": 1, + "keyState": 1, + "netAimDirection": 1, + "aimDirection": 1, + "netAimDirection*360/65536": 1, + "event_user": 1, + "REWARD_REQUEST": 1, + "player.rewardId": 1, + "player.challenge": 2, + "rewardCreateChallenge": 1, + "REWARD_CHALLENGE_CODE": 1, + "write_binstring": 1, + "REWARD_CHALLENGE_RESPONSE": 1, + "answer": 3, + "authbuffer": 1, + "read_binstring": 1, + "rewardAuthStart": 1, + "challenge": 1, + "rewardId": 1, + "PLUGIN_PACKET": 1, + "packetID": 3, + "buf": 5, + "success": 3, + "_PluginPacketPush": 1, + "KICK_BAD_PLUGIN_PACKET": 1, + "CLIENT_SETTINGS": 2, + "mirror": 4, + "player.queueJump": 1, + "global.levelType": 22, + "//global.currLevel": 1, + "global.currLevel": 22, + "global.hadDarkLevel": 4, + "global.startRoomX": 1, + "global.startRoomY": 1, + "global.endRoomX": 1, + "global.endRoomY": 1, + "oGame.levelGen": 2, + "j": 14, + "global.roomPath": 1, + "k": 5, + "global.lake": 3, + "isLevel": 1, + "999": 2, + "levelType": 2, + "16": 14, + "656": 3, + "oDark": 2, + "invincible": 2, + "sDark": 1, + "oTemple": 2, + "cityOfGold": 1, + "sTemple": 2, + "lake": 1, + "i*16": 8, + "j*16": 6, + "oLush": 2, + "obj.sprite_index": 4, + "sLush": 2, + "obj.invincible": 3, + "oBrick": 1, + "sBrick": 1, + "global.cityOfGold": 2, + "*16": 2, + "//instance_create": 2, + "oSpikes": 1, + "background_index": 1, + "bgTemple": 1, + "global.temp1": 1, + "global.gameStart": 3, + "scrLevelGen": 1, + "global.cemetary": 3, + "rand": 10, + "global.probCemetary": 1, + "oRoom": 1, + "scrRoomGen": 1, + "global.blackMarket": 3, + "scrRoomGenMarket": 1, + "scrRoomGen2": 1, + "global.yetiLair": 2, + "scrRoomGenYeti": 1, + "scrRoomGen3": 1, + "scrRoomGen4": 1, + "scrRoomGen5": 1, + "global.darkLevel": 4, + "global.noDarkLevel": 1, + "global.probDarkLevel": 1, + "oPlayer1.x": 2, + "oPlayer1.y": 2, + "oFlare": 1, + "global.genUdjatEye": 4, + "global.madeUdjatEye": 1, + "global.genMarketEntrance": 4, + "global.madeMarketEntrance": 1, + "////////////////////////////": 2, + "global.temp2": 1, + "isRoom": 3, + "scrEntityGen": 1, + "oEntrance": 1, + "global.customLevel": 1, + "oEntrance.x": 1, + "oEntrance.y": 1, + "global.snakePit": 1, + "global.alienCraft": 1, + "global.sacrificePit": 1, + "oPlayer1": 1, + "scrSetupWalls": 3, + "global.graphicsHigh": 1, + "tile_add": 4, + "bgExtrasLush": 1, + "*rand": 12, + "bgExtrasIce": 1, + "bgExtrasTemple": 1, + "bgExtras": 1, + "global.murderer": 1, + "global.thiefLevel": 1, + "isRealLevel": 1, + "oExit": 1, + "oShopkeeper": 1, + "obj.status": 1, + "oTreasure": 1, + "oWater": 1, + "sWaterTop": 1, + "sLavaTop": 1, + "scrCheckWaterTop": 1, + "global.temp3": 1 + }, + "GAS": { + ".cstring": 1, + "LC0": 2, + ".ascii": 2, + ".text": 1, + ".globl": 2, + "_main": 2, + "LFB3": 4, + "pushq": 1, + "%": 6, + "rbp": 2, + "LCFI0": 3, + "movq": 1, + "rsp": 1, + "LCFI1": 2, + "leaq": 1, + "(": 1, + "rip": 1, + ")": 1, + "rdi": 1, + "call": 1, + "_puts": 1, + "movl": 1, + "eax": 1, + "leave": 1, + "ret": 1, + "LFE3": 2, + ".section": 1, + "__TEXT": 1, + "__eh_frame": 1, + "coalesced": 1, + "no_toc": 1, + "+": 2, + "strip_static_syms": 1, + "live_support": 1, + "EH_frame1": 2, + ".set": 5, + "L": 10, + "set": 10, + "LECIE1": 2, + "-": 7, + "LSCIE1": 2, + ".long": 6, + ".byte": 20, + "xc": 1, + ".align": 2, + "_main.eh": 2, + "LSFDE1": 1, + "LEFDE1": 2, + "LASFDE1": 3, + ".quad": 2, + ".": 1, + "xe": 1, + "xd": 1, + ".subsections_via_symbols": 1 + }, + "GLSL": { + "////": 4, + "High": 1, + "quality": 2, + "(": 386, + "Some": 1, + "browsers": 1, + "may": 1, + "freeze": 1, + "or": 1, + "crash": 1, + ")": 386, + "//#define": 10, + "HIGHQUALITY": 2, + "Medium": 1, + "Should": 1, + "be": 1, + "fine": 1, + "on": 3, + "all": 1, + "systems": 1, + "works": 1, + "Intel": 1, + "HD2000": 1, + "Win7": 1, + "but": 1, + "quite": 1, + "slow": 1, + "MEDIUMQUALITY": 2, + "Defaults": 1, + "REFLECTIONS": 3, + "#define": 13, + "SHADOWS": 5, + "GRASS": 3, + "SMALL_WAVES": 4, + "RAGGED_LEAVES": 5, + "DETAILED_NOISE": 3, + "LIGHT_AA": 3, + "//": 36, + "sample": 2, + "SSAA": 2, + "HEAVY_AA": 2, + "x2": 5, + "RG": 1, + "TONEMAP": 5, + "Configurations": 1, + "#ifdef": 14, + "#endif": 14, + "const": 18, + "float": 103, + "eps": 5, + "e": 4, + "-": 108, + ";": 353, + "PI": 3, + "vec3": 165, + "sunDir": 5, + "skyCol": 4, + "sandCol": 2, + "treeCol": 2, + "grassCol": 2, + "leavesCol": 4, + "leavesPos": 4, + "sunCol": 5, + "#else": 5, + "exposure": 1, + "Only": 1, + "used": 1, + "when": 1, + "tonemapping": 1, + "mod289": 4, + "x": 11, + "{": 61, + "return": 47, + "floor": 8, + "*": 115, + "/": 24, + "}": 61, + "vec4": 72, + "permute": 4, + "x*34.0": 1, + "+": 108, + "*x": 3, + "taylorInvSqrt": 2, + "r": 14, + "snoise": 7, + "v": 8, + "vec2": 26, + "C": 1, + "/6.0": 1, + "/3.0": 1, + "D": 1, + "i": 38, + "dot": 30, + "C.yyy": 2, + "x0": 7, + "C.xxx": 2, + "g": 2, + "step": 2, + "x0.yzx": 1, + "x0.xyz": 1, + "l": 1, + "i1": 2, + "min": 11, + "g.xyz": 2, + "l.zxy": 2, + "i2": 2, + "max": 9, + "x1": 4, + "*C.x": 2, + "/3": 1, + "C.y": 1, + "x3": 4, + "D.yyy": 1, + "D.y": 1, + "p": 26, + "i.z": 1, + "i1.z": 1, + "i2.z": 1, + "i.y": 1, + "i1.y": 1, + "i2.y": 1, + "i.x": 1, + "i1.x": 1, + "i2.x": 1, + "n_": 2, + "/7.0": 1, + "ns": 4, + "D.wyz": 1, + "D.xzx": 1, + "j": 4, + "ns.z": 3, + "mod": 2, + "*7": 1, + "x_": 3, + "y_": 2, + "N": 1, + "*ns.x": 2, + "ns.yyyy": 2, + "y": 2, + "h": 21, + "abs": 2, + "b0": 3, + "x.xy": 1, + "y.xy": 1, + "b1": 3, + "x.zw": 1, + "y.zw": 1, + "//vec4": 3, + "s0": 2, + "lessThan": 2, + "*2.0": 4, + "s1": 2, + "sh": 1, + "a0": 1, + "b0.xzyw": 1, + "s0.xzyw*sh.xxyy": 1, + "a1": 1, + "b1.xzyw": 1, + "s1.xzyw*sh.zzww": 1, + "p0": 5, + "a0.xy": 1, + "h.x": 1, + "p1": 5, + "a0.zw": 1, + "h.y": 1, + "p2": 5, + "a1.xy": 1, + "h.z": 1, + "p3": 5, + "a1.zw": 1, + "h.w": 1, + "//Normalise": 1, + "gradients": 1, + "norm": 1, + "norm.x": 1, + "norm.y": 1, + "norm.z": 1, + "norm.w": 1, + "m": 8, + "m*m": 1, + "fbm": 2, + "final": 5, + "waterHeight": 4, + "d": 10, + "length": 7, + "p.xz": 2, + "sin": 8, + "iGlobalTime": 7, + "Island": 1, + "waves": 3, + "p*0.5": 1, + "Other": 1, + "bump": 2, + "pos": 42, + "rayDir": 43, + "s": 23, + "Fade": 1, + "out": 1, + "to": 1, + "reduce": 1, + "aliasing": 1, + "dist": 7, + "<": 23, + "sqrt": 6, + "Calculate": 1, + "normal": 7, + "from": 2, + "heightmap": 1, + "pos.x": 1, + "iGlobalTime*0.5": 1, + "pos.z": 2, + "*0.7": 1, + "*s": 4, + "normalize": 14, + "e.xyy": 1, + "e.yxy": 1, + "intersectSphere": 2, + "rpos": 5, + "rdir": 3, + "rad": 2, + "op": 5, + "b": 5, + "det": 11, + "b*b": 2, + "rad*rad": 2, + "if": 29, + "t": 44, + "rdir*t": 1, + "intersectCylinder": 1, + "rdir2": 2, + "rdir.yz": 1, + "op.yz": 3, + "rpos.yz": 2, + "rdir2*t": 2, + "pos.yz": 2, + "intersectPlane": 3, + "rayPos": 38, + "n": 18, + "sign": 1, + "rotate": 5, + "theta": 6, + "c": 6, + "cos": 4, + "p.x": 2, + "p.z": 2, + "p.y": 1, + "impulse": 2, + "k": 8, + "by": 1, + "iq": 2, + "k*x": 1, + "exp": 2, + "grass": 2, + "Optimization": 1, + "Avoid": 1, + "noise": 1, + "too": 1, + "far": 1, + "away": 1, + "pos.y": 8, + "tree": 2, + "pos.y*0.03": 2, + "mat2": 2, + "m*pos.xy": 1, + "width": 2, + "clamp": 4, + "scene": 7, + "vtree": 4, + "vgrass": 2, + ".x": 4, + "eps.xyy": 1, + "eps.yxy": 1, + "eps.yyx": 1, + "plantsShadow": 2, + "Soft": 1, + "shadow": 4, + "taken": 1, + "for": 7, + "int": 7, + "rayDir*t": 2, + "res": 6, + "res.x": 3, + "k*res.x/t": 1, + "s*s*": 1, + "intersectWater": 2, + "rayPos.y": 1, + "rayDir.y": 1, + "intersectSand": 3, + "intersectTreasure": 2, + "intersectLeaf": 2, + "openAmount": 4, + "dir": 2, + "offset": 5, + "rayDir*res.w": 1, + "pos*0.8": 2, + "||": 3, + "res.w": 6, + "res2": 2, + "dir.xy": 1, + "dir.z": 1, + "rayDir*res2.w": 1, + "res2.w": 3, + "&&": 10, + "leaves": 7, + "e20": 3, + "sway": 5, + "fract": 1, + "upDownSway": 2, + "angleOffset": 3, + "Left": 1, + "right": 1, + "alpha": 3, + "Up": 1, + "down": 1, + "k*10.0": 1, + "p.xzy": 1, + ".xzy": 2, + "d.xzy": 1, + "Shift": 1, + "Intersect": 11, + "individual": 1, + "leaf": 1, + "res.xyz": 1, + "sand": 2, + "resSand": 2, + "//if": 1, + "resSand.w": 4, + "plants": 6, + "resLeaves": 3, + "resLeaves.w": 10, + "e7": 3, + "light": 5, + "sunDir*0.01": 2, + "col": 32, + "n.y": 3, + "lightLeaves": 3, + "ao": 5, + "sky": 5, + "res.y": 2, + "uvFact": 2, + "uv": 12, + "n.x": 1, + "tex": 6, + "texture2D": 6, + "iChannel0": 3, + ".rgb": 2, + "e8": 1, + "traceReflection": 2, + "resPlants": 2, + "resPlants.w": 6, + "resPlants.xyz": 2, + "pos.xz": 2, + "leavesPos.xz": 2, + ".r": 3, + "resLeaves.xyz": 2, + "trace": 2, + "resSand.xyz": 1, + "treasure": 1, + "chest": 1, + "resTreasure": 1, + "resTreasure.w": 4, + "resTreasure.xyz": 1, + "water": 1, + "resWater": 1, + "resWater.w": 4, + "ct": 2, + "fresnel": 2, + "pow": 3, + "trans": 2, + "reflDir": 3, + "reflect": 1, + "refl": 3, + "resWater.t": 1, + "mix": 2, + "camera": 8, + "px": 4, + "rd": 1, + "iResolution.yy": 1, + "iResolution.x/iResolution.y*0.5": 1, + "rd.x": 1, + "rd.y": 1, + "void": 5, + "main": 3, + "gl_FragCoord.xy": 7, + "*0.25": 4, + "*0.5": 1, + "Optimized": 1, + "Haarm": 1, + "Peter": 1, + "Duiker": 1, + "curve": 1, + "col*exposure": 1, + "x*": 2, + ".5": 1, + "gl_FragColor": 2, + "NUM_LIGHTS": 4, + "AMBIENT": 2, + "MAX_DIST": 3, + "MAX_DIST_SQUARED": 3, + "uniform": 7, + "lightColor": 3, + "[": 29, + "]": 29, + "varying": 3, + "fragmentNormal": 2, + "cameraVector": 2, + "lightVector": 4, + "initialize": 1, + "diffuse/specular": 1, + "lighting": 1, + "diffuse": 4, + "specular": 4, + "the": 1, + "fragment": 1, + "and": 2, + "direction": 1, + "cameraDir": 2, + "loop": 1, + "through": 1, + "each": 1, + "calculate": 1, + "distance": 1, + "between": 1, + "distFactor": 3, + "lightDir": 3, + "diffuseDot": 2, + "halfAngle": 2, + "specularColor": 2, + "specularDot": 2, + "sample.rgb": 1, + "sample.a": 1, + "#version": 1, + "kCoeff": 2, + "kCube": 2, + "uShift": 3, + "vShift": 3, + "chroma_red": 2, + "chroma_green": 2, + "chroma_blue": 2, + "bool": 1, + "apply_disto": 4, + "sampler2D": 1, + "input1": 4, + "adsk_input1_w": 4, + "adsk_input1_h": 3, + "adsk_input1_aspect": 1, + "adsk_input1_frameratio": 5, + "adsk_result_w": 3, + "adsk_result_h": 2, + "distortion_f": 3, + "f": 17, + "r*r": 1, + "inverse_f": 2, + "lut": 9, + "max_r": 2, + "incr": 2, + "lut_r": 5, + ".z": 5, + ".y": 2, + "aberrate": 4, + "chroma": 2, + "chromaticize_and_invert": 2, + "rgb_f": 5, + "px.x": 2, + "px.y": 2, + "uv.x": 11, + "uv.y": 7, + "*2": 2, + "uv.x*uv.x": 1, + "uv.y*uv.y": 1, + "else": 1, + "rgb_uvs": 12, + "rgb_f.rr": 1, + "rgb_f.gg": 1, + "rgb_f.bb": 1, + "sampled": 1, + "sampled.r": 1, + "sampled.g": 1, + ".g": 1, + "sampled.b": 1, + ".b": 1, + "gl_FragColor.rgba": 1, + "sampled.rgb": 1 + }, + "Gnuplot": { + "set": 98, + "label": 14, + "at": 14, + "-": 102, + "left": 15, + "norotate": 18, + "back": 23, + "textcolor": 13, + "rgb": 8, + "nopoint": 14, + "offset": 25, + "character": 22, + "lt": 15, + "style": 7, + "line": 4, + "linetype": 11, + "linecolor": 4, + "linewidth": 11, + "pointtype": 4, + "pointsize": 4, + "default": 4, + "pointinterval": 4, + "noxtics": 2, + "noytics": 2, + "title": 13, + "xlabel": 6, + "xrange": 3, + "[": 18, + "]": 18, + "noreverse": 13, + "nowriteback": 12, + "yrange": 4, + "bmargin": 1, + "unset": 2, + "colorbox": 3, + "plot": 3, + "cos": 9, + "(": 52, + "x": 7, + ")": 52, + "ls": 4, + ".2": 1, + ".4": 1, + ".6": 1, + ".8": 1, + "lc": 3, + "boxwidth": 1, + "absolute": 1, + "fill": 1, + "solid": 1, + "border": 3, + "key": 1, + "inside": 1, + "right": 1, + "top": 1, + "vertical": 2, + "Right": 1, + "noenhanced": 1, + "autotitles": 1, + "nobox": 1, + "histogram": 1, + "clustered": 1, + "gap": 1, + "datafile": 1, + "missing": 1, + "data": 1, + "histograms": 1, + "xtics": 3, + "in": 1, + "scale": 1, + "nomirror": 1, + "rotate": 3, + "by": 3, + "autojustify": 1, + "norangelimit": 3, + "font": 8, + "i": 1, + "using": 2, + "xtic": 1, + "ti": 4, + "col": 4, + "u": 25, + "SHEBANG#!gnuplot": 1, + "reset": 1, + "terminal": 1, + "png": 1, + "output": 1, + "ylabel": 5, + "#set": 2, + "xr": 1, + "yr": 1, + "pt": 2, + "notitle": 15, + "dummy": 3, + "v": 31, + "arrow": 7, + "from": 7, + "to": 7, + "head": 7, + "nofilled": 7, + "parametric": 3, + "view": 3, + "samples": 3, + "isosamples": 3, + "hidden3d": 2, + "trianglepattern": 2, + "undefined": 2, + "altdiagonal": 2, + "bentover": 2, + "ztics": 2, + "zlabel": 4, + "zrange": 2, + "sinc": 13, + "sin": 3, + "sqrt": 4, + "u**2": 4, + "+": 6, + "v**2": 4, + "/": 2, + "GPFUN_sinc": 2, + "xx": 2, + "dx": 2, + "x0": 4, + "x1": 4, + "x2": 4, + "x3": 4, + "x4": 4, + "x5": 4, + "x6": 4, + "x7": 4, + "x8": 4, + "x9": 4, + "splot": 3, + "<": 10, + "xmin": 3, + "xmax": 1, + "n": 1, + "zbase": 2, + ".5": 2, + "*n": 1, + "floor": 3, + "u/3": 1, + "*dx": 1, + "%": 2, + "u/3.*dx": 1, + "/0": 1, + "angles": 1, + "degrees": 1, + "mapping": 1, + "spherical": 1, + "noztics": 1, + "urange": 1, + "vrange": 1, + "cblabel": 1, + "cbrange": 1, + "user": 1, + "origin": 1, + "screen": 2, + "size": 1, + "front": 1, + "bdefault": 1, + "*cos": 1, + "*sin": 1, + "with": 3, + "lines": 2, + "labels": 1, + "point": 1, + "lw": 1, + ".1": 1, + "tc": 1, + "pal": 1 + }, + "Gosu": { + "<%!-->": 1, + "defined": 1, + "in": 3, + "Hello": 2, + "gst": 1, + "<": 1, + "%": 2, + "@": 1, + "params": 1, + "(": 53, + "users": 2, + "Collection": 1, + "": 1, + ")": 54, + "<%>": 2, + "for": 2, + "user": 1, + "{": 28, + "user.LastName": 1, + "}": 28, + "user.FirstName": 1, + "user.Department": 1, + "package": 2, + "example": 2, + "enhancement": 1, + "String": 6, + "function": 11, + "toPerson": 1, + "Person": 7, + "var": 10, + "vals": 4, + "this.split": 1, + "return": 4, + "new": 6, + "[": 4, + "]": 4, + "as": 3, + "int": 2, + "Relationship.valueOf": 2, + "hello": 1, + "print": 3, + "uses": 2, + "java.util.*": 1, + "java.io.File": 1, + "class": 1, + "extends": 1, + "Contact": 1, + "implements": 1, + "IEmailable": 2, + "_name": 4, + "_age": 3, + "Integer": 3, + "Age": 1, + "_relationship": 2, + "Relationship": 3, + "readonly": 1, + "RelationshipOfPerson": 1, + "delegate": 1, + "_emailHelper": 2, + "represents": 1, + "enum": 1, + "FRIEND": 1, + "FAMILY": 1, + "BUSINESS_CONTACT": 1, + "static": 7, + "ALL_PEOPLE": 2, + "HashMap": 1, + "": 1, + "construct": 1, + "name": 4, + "age": 4, + "relationship": 2, + "EmailHelper": 1, + "this": 1, + "property": 2, + "get": 1, + "Name": 3, + "set": 1, + "override": 1, + "getEmailName": 1, + "incrementAge": 1, + "+": 2, + "@Deprecated": 1, + "printPersonInfo": 1, + "addPerson": 4, + "p": 5, + "if": 4, + "ALL_PEOPLE.containsKey": 2, + ".Name": 1, + "throw": 1, + "IllegalArgumentException": 1, + "p.Name": 2, + "addAllPeople": 1, + "contacts": 2, + "List": 1, + "": 1, + "contact": 3, + "typeis": 1, + "and": 1, + "not": 1, + "contact.Name": 1, + "getAllPeopleOlderThanNOrderedByName": 1, + "allPeople": 1, + "ALL_PEOPLE.Values": 3, + "allPeople.where": 1, + "-": 3, + "p.Age": 1, + ".orderBy": 1, + "loadPersonFromDB": 1, + "id": 1, + "using": 2, + "conn": 1, + "DBConnectionManager.getConnection": 1, + "stmt": 1, + "conn.prepareStatement": 1, + "stmt.setInt": 1, + "result": 1, + "stmt.executeQuery": 1, + "result.next": 1, + "result.getString": 2, + "result.getInt": 1, + "loadFromFile": 1, + "file": 3, + "File": 2, + "file.eachLine": 1, + "line": 1, + "line.HasContent": 1, + "line.toPerson": 1, + "saveToFile": 1, + "writer": 2, + "FileWriter": 1, + "PersonCSVTemplate.renderToString": 1, + "PersonCSVTemplate.render": 1 + }, + "Groovy": { + "task": 1, + "echoDirListViaAntBuilder": 1, + "(": 7, + ")": 7, + "{": 3, + "description": 1, + "//Docs": 1, + "http": 1, + "//ant.apache.org/manual/Types/fileset.html": 1, + "//Echo": 1, + "the": 3, + "Gradle": 1, + "project": 1, + "name": 1, + "via": 1, + "ant": 1, + "echo": 1, + "plugin": 1, + "ant.echo": 3, + "message": 1, + "project.name": 1, + "path": 2, + "//Gather": 1, + "list": 1, + "of": 1, + "files": 1, + "in": 1, + "a": 1, + "subdirectory": 1, + "ant.fileScanner": 1, + "fileset": 1, + "dir": 1, + "}": 3, + ".each": 1, + "//Print": 1, + "each": 1, + "file": 1, + "to": 1, + "screen": 1, + "with": 1, + "CWD": 1, + "projectDir": 1, + "removed.": 1, + "println": 2, + "it.toString": 1, + "-": 1, + "SHEBANG#!groovy": 1 + }, + "Groovy Server Pages": { + "": 4, + "": 4, + "": 4, + "http": 3, + "equiv=": 3, + "content=": 4, + "": 4, + "Testing": 3, + "with": 3, + "SiteMesh": 2, + "and": 2, + "Resources": 2, + "": 4, + "name=": 1, + "": 2, + "module=": 2, + "": 4, + "": 4, + "": 4, + "": 4, + "<%@>": 1, + "page": 2, + "contentType=": 1, + "Using": 1, + "directive": 1, + "tag": 1, + "": 2, + "Print": 1, + "{": 1, + "example": 1, + "}": 1 + }, + "Haml": { + "%": 1, + "p": 1, + "Hello": 1, + "World": 1 + }, + "Handlebars": { + "
": 5, + "class=": 5, + "

": 3, + "{": 16, + "title": 1, + "}": 16, + "

": 3, + "body": 3, + "
": 5, + "By": 2, + "fullName": 2, + "author": 2, + "Comments": 1, + "#each": 1, + "comments": 1, + "

": 1, + "

": 1, + "/each": 1 + }, + "Hy": { + ";": 4, + "Fibonacci": 1, + "example": 2, + "in": 2, + "Hy.": 2, + "(": 28, + "defn": 2, + "fib": 4, + "[": 10, + "n": 5, + "]": 10, + "if": 2, + "<": 1, + ")": 28, + "+": 1, + "-": 10, + "__name__": 1, + "for": 2, + "x": 3, + "print": 1, + "The": 1, + "concurrent.futures": 2, + "import": 1, + "ThreadPoolExecutor": 2, + "as": 3, + "completed": 2, + "random": 1, + "randint": 2, + "sh": 1, + "sleep": 2, + "task": 2, + "to": 2, + "do": 2, + "with": 1, + "executor": 2, + "setv": 1, + "jobs": 2, + "list": 1, + "comp": 1, + ".submit": 1, + "range": 1, + "future": 2, + ".result": 1 + }, + "IDL": { + ";": 59, + "docformat": 3, + "+": 8, + "Inverse": 1, + "hyperbolic": 2, + "cosine.": 1, + "Uses": 1, + "the": 7, + "formula": 1, + "text": 1, + "{": 3, + "acosh": 1, + "}": 3, + "(": 26, + "z": 9, + ")": 26, + "ln": 1, + "sqrt": 4, + "-": 14, + "Examples": 2, + "The": 1, + "arc": 1, + "sine": 1, + "function": 4, + "looks": 1, + "like": 2, + "IDL": 5, + "x": 8, + "*": 2, + "findgen": 1, + "/": 1, + "plot": 1, + "mg_acosh": 2, + "xstyle": 1, + "This": 1, + "should": 1, + "look": 1, + "..": 1, + "image": 1, + "acosh.png": 1, + "Returns": 3, + "float": 1, + "double": 2, + "complex": 2, + "or": 1, + "depending": 1, + "on": 1, + "input": 2, + "Params": 3, + "in": 4, + "required": 4, + "type": 5, + "numeric": 1, + "compile_opt": 3, + "strictarr": 3, + "return": 5, + "alog": 1, + "end": 5, + "MODULE": 1, + "mg_analysis": 1, + "DESCRIPTION": 1, + "Tools": 1, + "for": 2, + "analysis": 1, + "VERSION": 1, + "SOURCE": 1, + "mgalloy": 1, + "BUILD_DATE": 1, + "January": 1, + "FUNCTION": 2, + "MG_ARRAY_EQUAL": 1, + "KEYWORDS": 1, + "MG_TOTAL": 1, + "Find": 1, + "greatest": 1, + "common": 1, + "denominator": 1, + "GCD": 1, + "two": 1, + "positive": 2, + "integers.": 1, + "integer": 5, + "a": 4, + "first": 1, + "b": 4, + "second": 1, + "mg_gcd": 2, + "on_error": 1, + "if": 5, + "n_params": 1, + "ne": 1, + "then": 5, + "message": 2, + "mg_isinteger": 2, + "||": 1, + "begin": 2, + "endif": 2, + "_a": 3, + "abs": 2, + "_b": 3, + "minArg": 5, + "<": 1, + "maxArg": 3, + "eq": 2, + "remainder": 3, + "mod": 1, + "Truncate": 1, + "argument": 2, + "towards": 1, + "i.e.": 1, + "takes": 1, + "FLOOR": 1, + "of": 4, + "values": 2, + "and": 1, + "CEIL": 1, + "negative": 1, + "values.": 1, + "Try": 1, + "main": 2, + "level": 2, + "program": 2, + "at": 1, + "this": 1, + "file.": 1, + "It": 1, + "does": 1, + "print": 4, + "mg_trunc": 3, + "[": 6, + "]": 6, + "floor": 2, + "ceil": 2, + "array": 2, + "same": 1, + "as": 1, + "float/double": 1, + "containing": 1, + "to": 1, + "truncate": 1, + "result": 3, + "posInd": 3, + "where": 1, + "gt": 2, + "nposInd": 2, + "L": 1, + "example": 1 + }, + "Idris": { + "module": 1, + "Prelude.Char": 1, + "import": 1, + "Builtins": 1, + "isUpper": 4, + "Char": 13, + "-": 8, + "Bool": 8, + "x": 36, + "&&": 3, + "<=>": 3, + "Z": 1, + "isLower": 4, + "z": 1, + "isAlpha": 3, + "||": 9, + "isDigit": 3, + "(": 8, + "9": 1, + "isAlphaNum": 2, + "isSpace": 2, + "isNL": 2, + "toUpper": 3, + "if": 2, + ")": 7, + "then": 2, + "prim__intToChar": 2, + "prim__charToInt": 2, + "else": 2, + "toLower": 2, + "+": 1, + "isHexDigit": 2, + "elem": 1, + "hexChars": 3, + "where": 1, + "List": 1, + "[": 1, + "]": 1 + }, + "INI": { + ";": 1, + "editorconfig.org": 1, + "root": 1, + "true": 3, + "[": 2, + "*": 1, + "]": 2, + "indent_style": 1, + "space": 1, + "indent_size": 1, + "end_of_line": 1, + "lf": 1, + "charset": 1, + "utf": 1, + "-": 1, + "trim_trailing_whitespace": 1, + "insert_final_newline": 1, + "user": 1, + "name": 1, + "Josh": 1, + "Peek": 1, + "email": 1, + "josh@github.com": 1 + }, + "Ioke": { + "SHEBANG#!ioke": 1, + "println": 1 + }, + "Jade": { + "p.": 1, + "Hello": 1, + "World": 1 + }, + "Java": { + "package": 6, + "clojure.asm": 1, + ";": 891, + "import": 66, + "java.lang.reflect.Constructor": 1, + "java.lang.reflect.Method": 1, + "public": 214, + "class": 12, + "Type": 42, + "{": 434, + "final": 78, + "static": 141, + "int": 62, + "VOID": 5, + "BOOLEAN": 6, + "CHAR": 6, + "BYTE": 6, + "SHORT": 6, + "INT": 6, + "FLOAT": 6, + "LONG": 7, + "DOUBLE": 7, + "ARRAY": 6, + "OBJECT": 7, + "VOID_TYPE": 3, + "new": 131, + "(": 1097, + ")": 1097, + "BOOLEAN_TYPE": 3, + "CHAR_TYPE": 3, + "BYTE_TYPE": 3, + "SHORT_TYPE": 3, + "INT_TYPE": 3, + "FLOAT_TYPE": 3, + "LONG_TYPE": 3, + "DOUBLE_TYPE": 3, + "private": 77, + "sort": 18, + "char": 13, + "[": 54, + "]": 54, + "buf": 43, + "off": 25, + "len": 24, + "this.sort": 2, + "this.len": 2, + "}": 434, + "this.buf": 2, + "this.off": 1, + "getType": 10, + "String": 33, + "typeDescriptor": 1, + "return": 267, + "typeDescriptor.toCharArray": 1, + "Class": 10, + "c": 21, + "if": 116, + "c.isPrimitive": 2, + "Integer.TYPE": 2, + "else": 33, + "Void.TYPE": 3, + "Boolean.TYPE": 2, + "Byte.TYPE": 2, + "Character.TYPE": 2, + "Short.TYPE": 2, + "Double.TYPE": 2, + "Float.TYPE": 2, + "getDescriptor": 15, + "getObjectType": 1, + "name": 10, + "l": 5, + "name.length": 2, + "+": 83, + "name.getChars": 1, + "getArgumentTypes": 2, + "methodDescriptor": 2, + "methodDescriptor.toCharArray": 2, + "size": 16, + "while": 10, + "true": 21, + "car": 18, + "break": 4, + "args": 6, + ".len": 1, + "Method": 3, + "method": 2, + "classes": 2, + "method.getParameterTypes": 1, + "types": 3, + "classes.length": 2, + "for": 16, + "i": 54, + "-": 15, + "getReturnType": 2, + "methodDescriptor.indexOf": 1, + "method.getReturnType": 1, + "switch": 6, + "case": 56, + "//": 16, + "default": 6, + "getSort": 1, + "getDimensions": 3, + "getElementType": 2, + "getClassName": 1, + "StringBuffer": 14, + "b": 7, + ".getClassName": 1, + "b.append": 1, + "b.toString": 1, + ".replace": 2, + "getInternalName": 2, + "buf.toString": 4, + "getMethodDescriptor": 2, + "returnType": 1, + "argumentTypes": 2, + "buf.append": 21, + "<": 13, + "argumentTypes.length": 1, + ".getDescriptor": 1, + "returnType.getDescriptor": 1, + "void": 25, + "c.getName": 1, + "getConstructorDescriptor": 1, + "Constructor": 1, + "parameters": 4, + "c.getParameterTypes": 1, + "parameters.length": 2, + ".toString": 1, + "m": 1, + "m.getParameterTypes": 1, + "m.getReturnType": 1, + "d": 10, + "d.isPrimitive": 1, + "d.isArray": 1, + "d.getComponentType": 1, + "d.getName": 1, + "name.charAt": 1, + "getSize": 1, + "||": 8, + "getOpcode": 1, + "opcode": 17, + "Opcodes.IALOAD": 1, + "Opcodes.IASTORE": 1, + "boolean": 36, + "equals": 2, + "Object": 31, + "o": 12, + "this": 16, + "instanceof": 19, + "false": 12, + "t": 6, + "t.sort": 1, + "Type.OBJECT": 2, + "Type.ARRAY": 2, + "t.len": 1, + "j": 9, + "t.off": 1, + "end": 4, + "t.buf": 1, + "hashCode": 1, + "hc": 4, + "*": 2, + "toString": 1, + "clojure.lang": 1, + "java.lang.ref.Reference": 1, + "java.math.BigInteger": 1, + "java.util.Map": 3, + "java.util.concurrent.ConcurrentHashMap": 1, + "java.lang.ref.SoftReference": 1, + "java.lang.ref.ReferenceQueue": 1, + "Util": 1, + "equiv": 17, + "k1": 40, + "k2": 38, + "null": 80, + "Number": 9, + "&&": 6, + "Numbers.equal": 1, + "IPersistentCollection": 5, + "pcequiv": 2, + "k1.equals": 2, + "long": 5, + "double": 4, + "c1": 2, + "c2": 2, + ".equiv": 2, + "identical": 1, + "classOf": 1, + "x": 8, + "x.getClass": 1, + "compare": 1, + "Numbers.compare": 1, + "Comparable": 1, + ".compareTo": 1, + "hash": 3, + "o.hashCode": 2, + "hasheq": 1, + "Numbers.hasheq": 1, + "IHashEq": 2, + ".hasheq": 1, + "hashCombine": 1, + "seed": 5, + "//a": 1, + "la": 1, + "boost": 1, + "e3779b9": 1, + "<<": 1, + "isPrimitive": 1, + "isInteger": 1, + "Integer": 2, + "Long": 1, + "BigInt": 1, + "BigInteger": 1, + "ret1": 2, + "ret": 4, + "nil": 2, + "ISeq": 2, + "": 1, + "clearCache": 1, + "ReferenceQueue": 1, + "rq": 1, + "ConcurrentHashMap": 1, + "K": 2, + "Reference": 3, + "": 3, + "cache": 1, + "//cleanup": 1, + "any": 1, + "dead": 1, + "entries": 1, + "rq.poll": 2, + "Map.Entry": 1, + "e": 31, + "cache.entrySet": 1, + "val": 3, + "e.getValue": 1, + "val.get": 1, + "cache.remove": 1, + "e.getKey": 1, + "RuntimeException": 5, + "runtimeException": 2, + "s": 10, + "Throwable": 4, + "sneakyThrow": 1, + "throw": 9, + "NullPointerException": 3, + "Util.": 1, + "": 1, + "sneakyThrow0": 2, + "@SuppressWarnings": 1, + "": 1, + "extends": 10, + "throws": 26, + "T": 2, + "nokogiri.internals": 1, + "nokogiri.internals.NokogiriHelpers.getNokogiriClass": 1, + "nokogiri.internals.NokogiriHelpers.isNamespace": 1, + "nokogiri.internals.NokogiriHelpers.stringOrNil": 1, + "nokogiri.HtmlDocument": 1, + "nokogiri.NokogiriService": 1, + "nokogiri.XmlDocument": 1, + "org.apache.xerces.parsers.DOMParser": 1, + "org.apache.xerces.xni.Augmentations": 1, + "org.apache.xerces.xni.QName": 1, + "org.apache.xerces.xni.XMLAttributes": 1, + "org.apache.xerces.xni.XNIException": 1, + "org.apache.xerces.xni.parser.XMLDocumentFilter": 1, + "org.apache.xerces.xni.parser.XMLParserConfiguration": 1, + "org.cyberneko.html.HTMLConfiguration": 1, + "org.cyberneko.html.filters.DefaultFilter": 1, + "org.jruby.Ruby": 2, + "org.jruby.RubyClass": 2, + "org.jruby.runtime.ThreadContext": 1, + "org.jruby.runtime.builtin.IRubyObject": 2, + "org.w3c.dom.Document": 1, + "org.w3c.dom.NamedNodeMap": 1, + "org.w3c.dom.NodeList": 1, + "HtmlDomParserContext": 3, + "XmlDomParserContext": 1, + "Ruby": 43, + "runtime": 88, + "IRubyObject": 35, + "options": 4, + "super": 7, + "encoding": 2, + "@Override": 6, + "protected": 8, + "initErrorHandler": 1, + "options.strict": 1, + "errorHandler": 6, + "NokogiriStrictErrorHandler": 1, + "options.noError": 2, + "options.noWarning": 2, + "NokogiriNonStrictErrorHandler4NekoHtml": 1, + "initParser": 1, + "XMLParserConfiguration": 1, + "config": 2, + "HTMLConfiguration": 1, + "XMLDocumentFilter": 3, + "removeNSAttrsFilter": 2, + "RemoveNSAttrsFilter": 2, + "elementValidityCheckFilter": 3, + "ElementValidityCheckFilter": 3, + "//XMLDocumentFilter": 1, + "filters": 3, + "config.setErrorHandler": 1, + "this.errorHandler": 2, + "parser": 1, + "DOMParser": 1, + "setProperty": 4, + "java_encoding": 2, + "setFeature": 4, + "enableDocumentFragment": 1, + "XmlDocument": 8, + "getNewEmptyDocument": 1, + "ThreadContext": 2, + "context": 8, + "XmlDocument.rbNew": 1, + "getNokogiriClass": 1, + "context.getRuntime": 3, + "wrapDocument": 1, + "RubyClass": 92, + "klazz": 107, + "Document": 2, + "document": 5, + "HtmlDocument": 7, + "htmlDocument": 6, + "NokogiriService.HTML_DOCUMENT_ALLOCATOR.allocate": 1, + "htmlDocument.setDocumentNode": 1, + "ruby_encoding.isNil": 1, + "detected_encoding": 2, + "detected_encoding.isNil": 1, + "ruby_encoding": 3, + "charset": 2, + "tryGetCharsetFromHtml5MetaTag": 2, + "stringOrNil": 1, + "htmlDocument.setEncoding": 1, + "htmlDocument.setParsedEncoding": 1, + ".equalsIgnoreCase": 5, + "document.getDocumentElement": 2, + ".getNodeName": 4, + "NodeList": 2, + "list": 1, + ".getChildNodes": 2, + "list.getLength": 1, + "list.item": 2, + "headers": 1, + "headers.getLength": 1, + "headers.item": 2, + "NamedNodeMap": 1, + "nodeMap": 1, + ".getAttributes": 1, + "k": 5, + "nodeMap.getLength": 1, + "nodeMap.item": 2, + ".getNodeValue": 1, + "DefaultFilter": 2, + "startElement": 2, + "QName": 2, + "element": 3, + "XMLAttributes": 2, + "attrs": 4, + "Augmentations": 2, + "augs": 4, + "XNIException": 2, + "attrs.getLength": 1, + "isNamespace": 1, + "attrs.getQName": 1, + "attrs.removeAttributeAt": 1, + "element.uri": 1, + "super.startElement": 2, + "NokogiriErrorHandler": 2, + "element_names": 3, + "g": 1, + "r": 1, + "w": 1, + "y": 1, + "z": 1, + "isValid": 2, + "testee": 1, + "testee.toCharArray": 1, + "index": 4, + ".length": 1, + "testee.equals": 1, + "name.rawname": 2, + "errorHandler.getErrors": 1, + ".add": 1, + "Exception": 1, + "hudson.model": 1, + "hudson.ExtensionListView": 1, + "hudson.Functions": 1, + "hudson.Platform": 1, + "hudson.PluginManager": 1, + "hudson.cli.declarative.CLIResolver": 1, + "hudson.model.listeners.ItemListener": 1, + "hudson.slaves.ComputerListener": 1, + "hudson.util.CopyOnWriteList": 1, + "hudson.util.FormValidation": 1, + "jenkins.model.Jenkins": 1, + "org.jvnet.hudson.reactor.ReactorException": 1, + "org.kohsuke.stapler.QueryParameter": 1, + "org.kohsuke.stapler.Stapler": 1, + "org.kohsuke.stapler.StaplerRequest": 1, + "org.kohsuke.stapler.StaplerResponse": 1, + "javax.servlet.ServletContext": 1, + "javax.servlet.ServletException": 1, + "java.io.File": 1, + "java.io.IOException": 10, + "java.text.NumberFormat": 1, + "java.text.ParseException": 1, + "java.util.Collections": 2, + "java.util.List": 1, + "hudson.Util.fixEmpty": 1, + "Hudson": 5, + "Jenkins": 2, + "transient": 2, + "CopyOnWriteList": 4, + "": 2, + "itemListeners": 2, + "ExtensionListView.createCopyOnWriteList": 2, + "ItemListener.class": 1, + "": 2, + "computerListeners": 2, + "ComputerListener.class": 1, + "@CLIResolver": 1, + "getInstance": 2, + "Jenkins.getInstance": 2, + "File": 2, + "root": 6, + "ServletContext": 2, + "IOException": 8, + "InterruptedException": 2, + "ReactorException": 2, + "PluginManager": 1, + "pluginManager": 2, + "getJobListeners": 1, + "getComputerListeners": 1, + "Slave": 3, + "getSlave": 1, + "Node": 1, + "n": 3, + "getNode": 1, + "List": 3, + "": 2, + "getSlaves": 1, + "slaves": 3, + "setSlaves": 1, + "setNodes": 1, + "TopLevelItem": 3, + "getJob": 1, + "getItem": 1, + "getJobCaseInsensitive": 1, + "match": 2, + "Functions.toEmailSafeString": 2, + "item": 2, + "getItems": 1, + "item.getName": 1, + "synchronized": 1, + "doQuietDown": 2, + "StaplerResponse": 4, + "rsp": 6, + "ServletException": 3, + ".generateResponse": 2, + "doLogRss": 1, + "StaplerRequest": 4, + "req": 6, + "qs": 3, + "req.getQueryString": 1, + "rsp.sendRedirect2": 1, + "doFieldCheck": 3, + "fixEmpty": 8, + "req.getParameter": 4, + "FormValidation": 2, + "@QueryParameter": 4, + "value": 11, + "type": 3, + "errorText": 3, + "warningText": 3, + "FormValidation.error": 4, + "FormValidation.warning": 1, + "try": 26, + "type.equalsIgnoreCase": 2, + "NumberFormat.getInstance": 2, + ".parse": 2, + ".floatValue": 1, + "<=>": 1, + "0": 1, + "error": 1, + "Messages": 1, + "Hudson_NotAPositiveNumber": 1, + "equalsIgnoreCase": 1, + "number": 1, + "negative": 1, + "NumberFormat": 1, + "parse": 1, + "floatValue": 1, + "Messages.Hudson_NotANegativeNumber": 1, + "catch": 27, + "ParseException": 1, + "Messages.Hudson_NotANumber": 1, + "FormValidation.ok": 1, + "isWindows": 1, + "File.pathSeparatorChar": 1, + "isDarwin": 1, + "Platform.isDarwin": 1, + "adminCheck": 3, + "Stapler.getCurrentRequest": 1, + "Stapler.getCurrentResponse": 1, + "isAdmin": 4, + "rsp.sendError": 1, + "StaplerResponse.SC_FORBIDDEN": 1, + ".getACL": 1, + ".hasPermission": 1, + "ADMINISTER": 1, + "XSTREAM.alias": 1, + "Hudson.class": 1, + "MasterComputer": 1, + "Jenkins.MasterComputer": 1, + "CloudList": 3, + "Jenkins.CloudList": 1, + "h": 2, + "needed": 1, + "XStream": 1, + "deserialization": 1, + "nokogiri": 6, + "java.util.HashMap": 1, + "org.jruby.RubyArray": 1, + "org.jruby.RubyFixnum": 1, + "org.jruby.RubyModule": 1, + "org.jruby.runtime.ObjectAllocator": 1, + "org.jruby.runtime.load.BasicLibraryService": 1, + "NokogiriService": 1, + "implements": 3, + "BasicLibraryService": 1, + "nokogiriClassCacheGvarName": 1, + "Map": 1, + "": 2, + "nokogiriClassCache": 2, + "basicLoad": 1, + "ruby": 25, + "init": 2, + "createNokogiriClassCahce": 2, + "Collections.synchronizedMap": 1, + "HashMap": 1, + "nokogiriClassCache.put": 26, + "ruby.getClassFromPath": 26, + "RubyModule": 18, + "ruby.defineModule": 1, + "xmlModule": 7, + "nokogiri.defineModuleUnder": 3, + "xmlSaxModule": 3, + "xmlModule.defineModuleUnder": 1, + "htmlModule": 5, + "htmlSaxModule": 3, + "htmlModule.defineModuleUnder": 1, + "xsltModule": 3, + "createNokogiriModule": 2, + "createSyntaxErrors": 2, + "xmlNode": 5, + "createXmlModule": 2, + "createHtmlModule": 2, + "createDocuments": 2, + "createSaxModule": 2, + "createXsltModule": 2, + "encHandler": 1, + "nokogiri.defineClassUnder": 2, + "ruby.getObject": 13, + "ENCODING_HANDLER_ALLOCATOR": 2, + "encHandler.defineAnnotatedMethods": 1, + "EncodingHandler.class": 1, + "syntaxError": 2, + "ruby.getStandardError": 2, + ".getAllocator": 1, + "xmlSyntaxError": 4, + "xmlModule.defineClassUnder": 23, + "XML_SYNTAXERROR_ALLOCATOR": 2, + "xmlSyntaxError.defineAnnotatedMethods": 1, + "XmlSyntaxError.class": 1, + "node": 14, + "XML_NODE_ALLOCATOR": 2, + "node.defineAnnotatedMethods": 1, + "XmlNode.class": 1, + "attr": 1, + "XML_ATTR_ALLOCATOR": 2, + "attr.defineAnnotatedMethods": 1, + "XmlAttr.class": 1, + "attrDecl": 1, + "XML_ATTRIBUTE_DECL_ALLOCATOR": 2, + "attrDecl.defineAnnotatedMethods": 1, + "XmlAttributeDecl.class": 1, + "characterData": 3, + "comment": 1, + "XML_COMMENT_ALLOCATOR": 2, + "comment.defineAnnotatedMethods": 1, + "XmlComment.class": 1, + "text": 2, + "XML_TEXT_ALLOCATOR": 2, + "text.defineAnnotatedMethods": 1, + "XmlText.class": 1, + "cdata": 1, + "XML_CDATA_ALLOCATOR": 2, + "cdata.defineAnnotatedMethods": 1, + "XmlCdata.class": 1, + "dtd": 1, + "XML_DTD_ALLOCATOR": 2, + "dtd.defineAnnotatedMethods": 1, + "XmlDtd.class": 1, + "documentFragment": 1, + "XML_DOCUMENT_FRAGMENT_ALLOCATOR": 2, + "documentFragment.defineAnnotatedMethods": 1, + "XmlDocumentFragment.class": 1, + "XML_ELEMENT_ALLOCATOR": 2, + "element.defineAnnotatedMethods": 1, + "XmlElement.class": 1, + "elementContent": 1, + "XML_ELEMENT_CONTENT_ALLOCATOR": 2, + "elementContent.defineAnnotatedMethods": 1, + "XmlElementContent.class": 1, + "elementDecl": 1, + "XML_ELEMENT_DECL_ALLOCATOR": 2, + "elementDecl.defineAnnotatedMethods": 1, + "XmlElementDecl.class": 1, + "entityDecl": 1, + "XML_ENTITY_DECL_ALLOCATOR": 2, + "entityDecl.defineAnnotatedMethods": 1, + "XmlEntityDecl.class": 1, + "entityDecl.defineConstant": 6, + "RubyFixnum.newFixnum": 6, + "XmlEntityDecl.INTERNAL_GENERAL": 1, + "XmlEntityDecl.EXTERNAL_GENERAL_PARSED": 1, + "XmlEntityDecl.EXTERNAL_GENERAL_UNPARSED": 1, + "XmlEntityDecl.INTERNAL_PARAMETER": 1, + "XmlEntityDecl.EXTERNAL_PARAMETER": 1, + "XmlEntityDecl.INTERNAL_PREDEFINED": 1, + "entref": 1, + "XML_ENTITY_REFERENCE_ALLOCATOR": 2, + "entref.defineAnnotatedMethods": 1, + "XmlEntityReference.class": 1, + "namespace": 1, + "XML_NAMESPACE_ALLOCATOR": 2, + "namespace.defineAnnotatedMethods": 1, + "XmlNamespace.class": 1, + "nodeSet": 1, + "XML_NODESET_ALLOCATOR": 2, + "nodeSet.defineAnnotatedMethods": 1, + "XmlNodeSet.class": 1, + "pi": 1, + "XML_PROCESSING_INSTRUCTION_ALLOCATOR": 2, + "pi.defineAnnotatedMethods": 1, + "XmlProcessingInstruction.class": 1, + "reader": 1, + "XML_READER_ALLOCATOR": 2, + "reader.defineAnnotatedMethods": 1, + "XmlReader.class": 1, + "schema": 2, + "XML_SCHEMA_ALLOCATOR": 2, + "schema.defineAnnotatedMethods": 1, + "XmlSchema.class": 1, + "relaxng": 1, + "XML_RELAXNG_ALLOCATOR": 2, + "relaxng.defineAnnotatedMethods": 1, + "XmlRelaxng.class": 1, + "xpathContext": 1, + "XML_XPATHCONTEXT_ALLOCATOR": 2, + "xpathContext.defineAnnotatedMethods": 1, + "XmlXpathContext.class": 1, + "htmlElemDesc": 1, + "htmlModule.defineClassUnder": 3, + "HTML_ELEMENT_DESCRIPTION_ALLOCATOR": 2, + "htmlElemDesc.defineAnnotatedMethods": 1, + "HtmlElementDescription.class": 1, + "htmlEntityLookup": 1, + "HTML_ENTITY_LOOKUP_ALLOCATOR": 2, + "htmlEntityLookup.defineAnnotatedMethods": 1, + "HtmlEntityLookup.class": 1, + "xmlDocument": 5, + "XML_DOCUMENT_ALLOCATOR": 2, + "xmlDocument.defineAnnotatedMethods": 1, + "XmlDocument.class": 1, + "//RubyModule": 1, + "htmlDoc": 1, + "html.defineOrGetClassUnder": 1, + "HTML_DOCUMENT_ALLOCATOR": 2, + "htmlDocument.defineAnnotatedMethods": 1, + "HtmlDocument.class": 1, + "xmlSaxParserContext": 5, + "xmlSaxModule.defineClassUnder": 2, + "XML_SAXPARSER_CONTEXT_ALLOCATOR": 2, + "xmlSaxParserContext.defineAnnotatedMethods": 1, + "XmlSaxParserContext.class": 1, + "xmlSaxPushParser": 1, + "XML_SAXPUSHPARSER_ALLOCATOR": 2, + "xmlSaxPushParser.defineAnnotatedMethods": 1, + "XmlSaxPushParser.class": 1, + "htmlSaxParserContext": 4, + "htmlSaxModule.defineClassUnder": 1, + "HTML_SAXPARSER_CONTEXT_ALLOCATOR": 2, + "htmlSaxParserContext.defineAnnotatedMethods": 1, + "HtmlSaxParserContext.class": 1, + "stylesheet": 1, + "xsltModule.defineClassUnder": 1, + "XSLT_STYLESHEET_ALLOCATOR": 2, + "stylesheet.defineAnnotatedMethods": 1, + "XsltStylesheet.class": 2, + "xsltModule.defineAnnotatedMethod": 1, + "ObjectAllocator": 60, + "allocate": 30, + "EncodingHandler": 1, + "clone": 47, + "htmlDocument.clone": 1, + "clone.setMetaClass": 23, + "CloneNotSupportedException": 23, + "HtmlSaxParserContext": 5, + "htmlSaxParserContext.clone": 1, + "HtmlElementDescription": 1, + "HtmlEntityLookup": 1, + "XmlAttr": 5, + "xmlAttr": 3, + "xmlAttr.clone": 1, + "XmlCdata": 5, + "xmlCdata": 3, + "xmlCdata.clone": 1, + "XmlComment": 5, + "xmlComment": 3, + "xmlComment.clone": 1, + "xmlDocument.clone": 1, + "XmlDocumentFragment": 5, + "xmlDocumentFragment": 3, + "xmlDocumentFragment.clone": 1, + "XmlDtd": 5, + "xmlDtd": 3, + "xmlDtd.clone": 1, + "XmlElement": 5, + "xmlElement": 3, + "xmlElement.clone": 1, + "XmlElementDecl": 5, + "xmlElementDecl": 3, + "xmlElementDecl.clone": 1, + "XmlEntityReference": 5, + "xmlEntityRef": 3, + "xmlEntityRef.clone": 1, + "XmlNamespace": 5, + "xmlNamespace": 3, + "xmlNamespace.clone": 1, + "XmlNode": 5, + "xmlNode.clone": 1, + "XmlNodeSet": 5, + "xmlNodeSet": 5, + "xmlNodeSet.clone": 1, + "xmlNodeSet.setNodes": 1, + "RubyArray.newEmptyArray": 1, + "XmlProcessingInstruction": 5, + "xmlProcessingInstruction": 3, + "xmlProcessingInstruction.clone": 1, + "XmlReader": 5, + "xmlReader": 5, + "xmlReader.clone": 1, + "XmlAttributeDecl": 1, + "XmlEntityDecl": 1, + "runtime.newNotImplementedError": 1, + "XmlRelaxng": 5, + "xmlRelaxng": 3, + "xmlRelaxng.clone": 1, + "XmlSaxParserContext": 5, + "xmlSaxParserContext.clone": 1, + "XmlSaxPushParser": 1, + "XmlSchema": 5, + "xmlSchema": 3, + "xmlSchema.clone": 1, + "XmlSyntaxError": 5, + "xmlSyntaxError.clone": 1, + "XmlText": 6, + "xmlText": 3, + "xmlText.clone": 1, + "XmlXpathContext": 5, + "xmlXpathContext": 3, + "xmlXpathContext.clone": 1, + "XsltStylesheet": 4, + "xsltStylesheet": 3, + "xsltStylesheet.clone": 1, + "persons": 1, + "ProtocolBuffer": 2, + "registerAllExtensions": 1, + "com.google.protobuf.ExtensionRegistry": 2, + "registry": 1, + "interface": 1, + "PersonOrBuilder": 2, + "com.google.protobuf.MessageOrBuilder": 1, + "hasName": 5, + "java.lang.String": 15, + "getName": 3, + "com.google.protobuf.ByteString": 13, + "getNameBytes": 5, + "Person": 10, + "com.google.protobuf.GeneratedMessage": 1, + "com.google.protobuf.GeneratedMessage.Builder": 2, + "": 1, + "builder": 4, + "this.unknownFields": 4, + "builder.getUnknownFields": 1, + "noInit": 1, + "com.google.protobuf.UnknownFieldSet.getDefaultInstance": 1, + "defaultInstance": 4, + "getDefaultInstance": 2, + "getDefaultInstanceForType": 2, + "com.google.protobuf.UnknownFieldSet": 2, + "unknownFields": 3, + "@java.lang.Override": 4, + "getUnknownFields": 3, + "com.google.protobuf.CodedInputStream": 5, + "input": 18, + "com.google.protobuf.ExtensionRegistryLite": 8, + "extensionRegistry": 16, + "com.google.protobuf.InvalidProtocolBufferException": 9, + "initFields": 2, + "mutable_bitField0_": 1, + "com.google.protobuf.UnknownFieldSet.Builder": 1, + "com.google.protobuf.UnknownFieldSet.newBuilder": 1, + "done": 4, + "tag": 3, + "input.readTag": 1, + "parseUnknownField": 1, + "bitField0_": 15, + "|": 5, + "name_": 18, + "input.readBytes": 1, + "e.setUnfinishedMessage": 1, + "e.getMessage": 1, + ".setUnfinishedMessage": 1, + "finally": 2, + "unknownFields.build": 1, + "makeExtensionsImmutable": 1, + "com.google.protobuf.Descriptors.Descriptor": 4, + "persons.ProtocolBuffer.internal_static_persons_Person_descriptor": 3, + "com.google.protobuf.GeneratedMessage.FieldAccessorTable": 4, + "internalGetFieldAccessorTable": 2, + "persons.ProtocolBuffer.internal_static_persons_Person_fieldAccessorTable": 2, + ".ensureFieldAccessorsInitialized": 2, + "persons.ProtocolBuffer.Person.class": 2, + "persons.ProtocolBuffer.Person.Builder.class": 2, + "com.google.protobuf.Parser": 2, + "": 3, + "PARSER": 2, + "com.google.protobuf.AbstractParser": 1, + "parsePartialFrom": 1, + "getParserForType": 1, + "NAME_FIELD_NUMBER": 1, + "java.lang.Object": 7, + "&": 7, + "ref": 16, + "bs": 1, + "bs.toStringUtf8": 1, + "bs.isValidUtf8": 1, + "com.google.protobuf.ByteString.copyFromUtf8": 2, + "byte": 4, + "memoizedIsInitialized": 4, + "isInitialized": 5, + "writeTo": 1, + "com.google.protobuf.CodedOutputStream": 2, + "output": 2, + "getSerializedSize": 2, + "output.writeBytes": 1, + ".writeTo": 1, + "memoizedSerializedSize": 3, + ".computeBytesSize": 1, + ".getSerializedSize": 1, + "serialVersionUID": 1, + "L": 1, + "writeReplace": 1, + "java.io.ObjectStreamException": 1, + "super.writeReplace": 1, + "persons.ProtocolBuffer.Person": 22, + "parseFrom": 8, + "data": 8, + "PARSER.parseFrom": 8, + "java.io.InputStream": 4, + "parseDelimitedFrom": 2, + "PARSER.parseDelimitedFrom": 2, + "Builder": 20, + "newBuilder": 5, + "Builder.create": 1, + "newBuilderForType": 2, + "prototype": 2, + ".mergeFrom": 2, + "toBuilder": 1, + "com.google.protobuf.GeneratedMessage.BuilderParent": 2, + "parent": 4, + "": 1, + "persons.ProtocolBuffer.PersonOrBuilder": 1, + "maybeForceBuilderInitialization": 3, + "com.google.protobuf.GeneratedMessage.alwaysUseFieldBuilders": 1, + "create": 2, + "clear": 1, + "super.clear": 1, + "buildPartial": 3, + "getDescriptorForType": 1, + "persons.ProtocolBuffer.Person.getDefaultInstance": 2, + "build": 1, + "result": 5, + "result.isInitialized": 1, + "newUninitializedMessageException": 1, + "from_bitField0_": 2, + "to_bitField0_": 3, + "result.name_": 1, + "result.bitField0_": 1, + "onBuilt": 1, + "mergeFrom": 5, + "com.google.protobuf.Message": 1, + "other": 6, + "super.mergeFrom": 1, + "other.hasName": 1, + "other.name_": 1, + "onChanged": 4, + "this.mergeUnknownFields": 1, + "other.getUnknownFields": 1, + "parsedMessage": 5, + "PARSER.parsePartialFrom": 1, + "e.getUnfinishedMessage": 1, + ".toStringUtf8": 1, + "setName": 1, + "clearName": 1, + ".getName": 1, + "setNameBytes": 1, + "defaultInstance.initFields": 1, + "internal_static_persons_Person_descriptor": 3, + "internal_static_persons_Person_fieldAccessorTable": 2, + "com.google.protobuf.Descriptors.FileDescriptor": 5, + "descriptor": 3, + "descriptorData": 2, + "com.google.protobuf.Descriptors.FileDescriptor.InternalDescriptorAssigner": 2, + "assigner": 2, + "assignDescriptors": 1, + ".getMessageTypes": 1, + ".get": 1, + ".internalBuildGeneratedFileFrom": 1 + }, + "JavaScript": { + "function": 1210, + "(": 8513, + ")": 8521, + "{": 2736, + ";": 4052, + "//": 410, + "jshint": 1, + "_": 9, + "var": 910, + "Modal": 2, + "content": 5, + "options": 56, + "this.options": 6, + "this.": 2, + "element": 19, + ".delegate": 2, + ".proxy": 1, + "this.hide": 1, + "this": 577, + "}": 2712, + "Modal.prototype": 1, + "constructor": 8, + "toggle": 10, + "return": 944, + "[": 1459, + "this.isShown": 3, + "]": 1456, + "show": 10, + "that": 33, + "e": 663, + ".Event": 1, + "element.trigger": 1, + "if": 1230, + "||": 648, + "e.isDefaultPrevented": 2, + ".addClass": 1, + "true": 147, + "escape.call": 1, + "backdrop.call": 1, + "transition": 1, + ".support.transition": 1, + "&&": 1017, + "that.": 3, + "element.hasClass": 1, + "element.parent": 1, + ".length": 24, + "element.appendTo": 1, + "document.body": 8, + "//don": 1, + "in": 170, + "shown": 2, + "hide": 8, + "body": 22, + "modal": 4, + "-": 705, + "open": 2, + "fade": 4, + "hidden": 12, + "
": 4, + "class=": 5, + "static": 2, + "keyup.dismiss.modal": 2, + "object": 59, + "string": 41, + "click.modal.data": 1, + "api": 1, + "data": 145, + "target": 44, + "href": 9, + ".extend": 1, + "target.data": 1, + "this.data": 5, + "e.preventDefault": 1, + "target.modal": 1, + "option": 12, + "window.jQuery": 7, + "Animal": 12, + "Horse": 12, + "Snake": 12, + "sam": 4, + "tom": 4, + "__hasProp": 2, + "Object.prototype.hasOwnProperty": 6, + "__extends": 6, + "child": 17, + "parent": 15, + "for": 262, + "key": 85, + "__hasProp.call": 2, + "ctor": 6, + "this.constructor": 5, + "ctor.prototype": 3, + "parent.prototype": 6, + "child.prototype": 4, + "new": 86, + "child.__super__": 3, + "name": 161, + "this.name": 7, + "Animal.prototype.move": 2, + "meters": 4, + "alert": 11, + "+": 1135, + "Snake.__super__.constructor.apply": 2, + "arguments": 83, + "Snake.prototype.move": 2, + "Snake.__super__.move.call": 2, + "Horse.__super__.constructor.apply": 2, + "Horse.prototype.move": 2, + "Horse.__super__.move.call": 2, + "sam.move": 2, + "tom.move": 2, + ".call": 10, + ".hasOwnProperty": 2, + "Animal.name": 1, + "_super": 4, + "Snake.name": 1, + "Horse.name": 1, + "console.log": 3, + "util": 1, + "require": 9, + "net": 1, + "stream": 1, + "url": 23, + "EventEmitter": 3, + ".EventEmitter": 1, + "FreeList": 2, + ".FreeList": 1, + "HTTPParser": 2, + "process.binding": 1, + ".HTTPParser": 1, + "assert": 8, + ".ok": 1, + "END_OF_FILE": 3, + "debug": 15, + "process.env.NODE_DEBUG": 2, + "/http/.test": 1, + "x": 33, + "console.error": 3, + "else": 307, + "parserOnHeaders": 2, + "headers": 41, + "this.maxHeaderPairs": 2, + "<": 209, + "this._headers.length": 1, + "this._headers": 13, + "this._headers.concat": 1, + "this._url": 1, + "parserOnHeadersComplete": 2, + "info": 2, + "parser": 27, + "info.headers": 1, + "info.url": 1, + "parser._headers": 6, + "parser._url": 4, + "parser.incoming": 9, + "IncomingMessage": 4, + "parser.socket": 4, + "parser.incoming.httpVersionMajor": 1, + "info.versionMajor": 2, + "parser.incoming.httpVersionMinor": 1, + "info.versionMinor": 2, + "parser.incoming.httpVersion": 1, + "parser.incoming.url": 1, + "n": 874, + "headers.length": 2, + "parser.maxHeaderPairs": 4, + "Math.min": 5, + "i": 853, + "k": 302, + "v": 135, + "parser.incoming._addHeaderLine": 2, + "info.method": 2, + "parser.incoming.method": 1, + "parser.incoming.statusCode": 2, + "info.statusCode": 1, + "parser.incoming.upgrade": 4, + "info.upgrade": 2, + "skipBody": 3, + "false": 142, + "response": 3, + "to": 92, + "HEAD": 3, + "or": 38, + "CONNECT": 1, + "parser.onIncoming": 3, + "info.shouldKeepAlive": 1, + "parserOnBody": 2, + "b": 961, + "start": 20, + "len": 11, + "slice": 10, + "b.slice": 1, + "parser.incoming._paused": 2, + "parser.incoming._pendings.length": 2, + "parser.incoming._pendings.push": 2, + "parser.incoming._emitData": 1, + "parserOnMessageComplete": 2, + "parser.incoming.complete": 2, + "parser.incoming.readable": 1, + "parser.incoming._emitEnd": 1, + "parser.socket.readable": 1, + "parser.socket.resume": 1, + "parsers": 2, + "HTTPParser.REQUEST": 2, + "parser.onHeaders": 1, + "parser.onHeadersComplete": 1, + "parser.onBody": 1, + "parser.onMessageComplete": 1, + "exports.parsers": 1, + "CRLF": 13, + "STATUS_CODES": 2, + "exports.STATUS_CODES": 1, + "RFC": 16, + "obsoleted": 1, + "by": 12, + "connectionExpression": 1, + "/Connection/i": 1, + "transferEncodingExpression": 1, + "/Transfer": 1, + "Encoding/i": 1, + "closeExpression": 1, + "/close/i": 1, + "chunkExpression": 1, + "/chunk/i": 1, + "contentLengthExpression": 1, + "/Content": 1, + "Length/i": 1, + "dateExpression": 1, + "/Date/i": 1, + "expectExpression": 1, + "/Expect/i": 1, + "continueExpression": 1, + "/100": 2, + "continue/i": 1, + "dateCache": 5, + "utcDate": 2, + "d": 771, + "Date": 4, + "d.toUTCString": 1, + "setTimeout": 19, + "undefined": 328, + "d.getMilliseconds": 1, + "socket": 26, + "stream.Stream.call": 2, + "this.socket": 10, + "this.connection": 8, + "this.httpVersion": 1, + "null": 427, + "this.complete": 2, + "this.headers": 2, + "this.trailers": 2, + "this.readable": 1, + "this._paused": 3, + "this._pendings": 1, + "this._endEmitted": 3, + "this.url": 1, + "this.method": 2, + "this.statusCode": 3, + "this.client": 1, + "util.inherits": 7, + "stream.Stream": 2, + "exports.IncomingMessage": 1, + "IncomingMessage.prototype.destroy": 1, + "error": 20, + "this.socket.destroy": 3, + "IncomingMessage.prototype.setEncoding": 1, + "encoding": 26, + "StringDecoder": 2, + ".StringDecoder": 1, + "lazy": 1, + "load": 5, + "this._decoder": 2, + "IncomingMessage.prototype.pause": 1, + "this.socket.pause": 1, + "IncomingMessage.prototype.resume": 1, + "this.socket.resume": 1, + "this._emitPending": 1, + "IncomingMessage.prototype._emitPending": 1, + "callback": 23, + "this._pendings.length": 1, + "self": 17, + "process.nextTick": 1, + "while": 53, + "self._paused": 1, + "self._pendings.length": 2, + "chunk": 14, + "self._pendings.shift": 1, + "Buffer.isBuffer": 2, + "self._emitData": 1, + "self.readable": 1, + "self._emitEnd": 1, + "IncomingMessage.prototype._emitData": 1, + "this._decoder.write": 1, + "string.length": 1, + "this.emit": 5, + "IncomingMessage.prototype._emitEnd": 1, + "IncomingMessage.prototype._addHeaderLine": 1, + "field": 36, + "value": 98, + "dest": 12, + "field.toLowerCase": 1, + "switch": 30, + "case": 136, + ".push": 3, + "break": 111, + "default": 21, + "field.slice": 1, + "OutgoingMessage": 5, + "this.output": 3, + "this.outputEncodings": 2, + "this.writable": 1, + "this._last": 3, + "this.chunkedEncoding": 6, + "this.shouldKeepAlive": 4, + "this.useChunkedEncodingByDefault": 4, + "this.sendDate": 3, + "this._hasBody": 6, + "this._trailer": 5, + "this.finished": 4, + "exports.OutgoingMessage": 1, + "OutgoingMessage.prototype.destroy": 1, + "OutgoingMessage.prototype._send": 1, + "this._headerSent": 5, + "typeof": 132, + "this._header": 10, + "this.output.unshift": 1, + "this.outputEncodings.unshift": 1, + "this._writeRaw": 2, + "OutgoingMessage.prototype._writeRaw": 1, + "data.length": 3, + "this.connection._httpMessage": 3, + "this.connection.writable": 3, + "this.output.length": 5, + "this._buffer": 2, + "c": 775, + "this.output.shift": 2, + "this.outputEncodings.shift": 2, + "this.connection.write": 4, + "OutgoingMessage.prototype._buffer": 1, + "length": 48, + "this.output.push": 2, + "this.outputEncodings.push": 2, + "lastEncoding": 2, + "lastData": 2, + "data.constructor": 1, + "lastData.constructor": 1, + "OutgoingMessage.prototype._storeHeader": 1, + "firstLine": 2, + "sentConnectionHeader": 3, + "sentContentLengthHeader": 4, + "sentTransferEncodingHeader": 3, + "sentDateHeader": 3, + "sentExpect": 3, + "messageHeader": 7, + "store": 3, + "connectionExpression.test": 1, + "closeExpression.test": 1, + "self._last": 4, + "self.shouldKeepAlive": 4, + "transferEncodingExpression.test": 1, + "chunkExpression.test": 1, + "self.chunkedEncoding": 1, + "contentLengthExpression.test": 1, + "dateExpression.test": 1, + "expectExpression.test": 1, + "keys": 11, + "Object.keys": 5, + "isArray": 10, + "Array.isArray": 7, + "l": 312, + "keys.length": 5, + "j": 265, + "value.length": 1, + "shouldSendKeepAlive": 2, + "this.agent": 2, + "this._send": 8, + "OutgoingMessage.prototype.setHeader": 1, + "arguments.length": 18, + "throw": 27, + "Error": 16, + "name.toLowerCase": 6, + "this._headerNames": 5, + "OutgoingMessage.prototype.getHeader": 1, + "OutgoingMessage.prototype.removeHeader": 1, + "delete": 39, + "OutgoingMessage.prototype._renderHeaders": 1, + "OutgoingMessage.prototype.write": 1, + "this._implicitHeader": 2, + "TypeError": 2, + "chunk.length": 2, + "ret": 62, + "Buffer.byteLength": 2, + "len.toString": 2, + "OutgoingMessage.prototype.addTrailers": 1, + "OutgoingMessage.prototype.end": 1, + "hot": 3, + ".toString": 3, + "this.write": 1, + "Last": 2, + "chunk.": 1, + "this._finish": 2, + "OutgoingMessage.prototype._finish": 1, + "instanceof": 19, + "ServerResponse": 5, + "DTRACE_HTTP_SERVER_RESPONSE": 1, + "ClientRequest": 6, + "DTRACE_HTTP_CLIENT_REQUEST": 1, + "OutgoingMessage.prototype._flush": 1, + "this.socket.writable": 2, + "XXX": 1, + "Necessary": 1, + "this.socket.write": 1, + "req": 32, + "OutgoingMessage.call": 2, + "req.method": 5, + "req.httpVersionMajor": 2, + "req.httpVersionMinor": 2, + "exports.ServerResponse": 1, + "ServerResponse.prototype.statusCode": 1, + "onServerResponseClose": 3, + "this._httpMessage.emit": 2, + "ServerResponse.prototype.assignSocket": 1, + "socket._httpMessage": 9, + "socket.on": 2, + "this._flush": 1, + "ServerResponse.prototype.detachSocket": 1, + "socket.removeListener": 5, + "ServerResponse.prototype.writeContinue": 1, + "this._sent100": 2, + "ServerResponse.prototype._implicitHeader": 1, + "this.writeHead": 1, + "ServerResponse.prototype.writeHead": 1, + "statusCode": 7, + "reasonPhrase": 4, + "headerIndex": 4, + "obj": 40, + "this._renderHeaders": 3, + "obj.length": 1, + "obj.push": 1, + "statusLine": 2, + "statusCode.toString": 1, + "this._expect_continue": 1, + "this._storeHeader": 2, + "ServerResponse.prototype.writeHeader": 1, + "this.writeHead.apply": 1, + "Agent": 5, + "self.options": 2, + "self.requests": 6, + "self.sockets": 3, + "self.maxSockets": 1, + "self.options.maxSockets": 1, + "Agent.defaultMaxSockets": 2, + "self.on": 1, + "host": 29, + "port": 29, + "localAddress": 15, + ".shift": 1, + ".onSocket": 1, + "socket.destroy": 10, + "self.createConnection": 2, + "net.createConnection": 3, + "exports.Agent": 1, + "Agent.prototype.defaultPort": 1, + "Agent.prototype.addRequest": 1, + "this.sockets": 9, + "this.maxSockets": 1, + "req.onSocket": 1, + "this.createSocket": 2, + "this.requests": 5, + "Agent.prototype.createSocket": 1, + "util._extend": 1, + "options.port": 4, + "options.host": 4, + "options.localAddress": 3, + "s": 290, + "onFree": 3, + "self.emit": 9, + "s.on": 4, + "onClose": 3, + "err": 5, + "self.removeSocket": 2, + "onRemove": 3, + "s.removeListener": 3, + "Agent.prototype.removeSocket": 1, + "index": 5, + ".indexOf": 2, + ".splice": 5, + ".emit": 1, + "globalAgent": 3, + "exports.globalAgent": 1, + "cb": 16, + "self.agent": 3, + "options.agent": 3, + "defaultPort": 3, + "options.defaultPort": 1, + "options.hostname": 1, + "options.setHost": 1, + "setHost": 2, + "self.socketPath": 4, + "options.socketPath": 1, + "method": 30, + "self.method": 3, + "options.method": 2, + ".toUpperCase": 3, + "self.path": 3, + "options.path": 2, + "self.once": 2, + "options.headers": 7, + "self.setHeader": 1, + "this.getHeader": 2, + "hostHeader": 3, + "this.setHeader": 2, + "options.auth": 2, + "//basic": 1, + "auth": 1, + "Buffer": 1, + "self.useChunkedEncodingByDefault": 2, + "self._storeHeader": 2, + "self.getHeader": 1, + "self._renderHeaders": 1, + "options.createConnection": 4, + "self.onSocket": 3, + "self.agent.addRequest": 1, + "conn": 3, + "self._deferToConnect": 1, + "self._flush": 1, + "exports.ClientRequest": 1, + "ClientRequest.prototype._implicitHeader": 1, + "this.path": 1, + "ClientRequest.prototype.abort": 1, + "this._deferToConnect": 3, + "createHangUpError": 3, + "error.code": 1, + "freeParser": 9, + "parser.socket.onend": 1, + "parser.socket.ondata": 1, + "parser.socket.parser": 1, + "parsers.free": 1, + "req.parser": 1, + "socketCloseListener": 2, + "socket.parser": 3, + "req.emit": 8, + "req.res": 8, + "req.res.readable": 1, + "req.res.emit": 1, + "res": 14, + "req.res._emitPending": 1, + "res._emitEnd": 1, + "res.emit": 1, + "req._hadError": 3, + "parser.finish": 6, + "socketErrorListener": 2, + "err.message": 1, + "err.stack": 1, + "socketOnEnd": 1, + "this._httpMessage": 3, + "this.parser": 2, + "socketOnData": 1, + "end": 14, + "parser.execute": 2, + "bytesParsed": 4, + "socket.ondata": 3, + "socket.onend": 3, + "bodyHead": 4, + "d.slice": 2, + "eventName": 21, + "req.listeners": 1, + "req.upgradeOrConnect": 1, + "socket.emit": 1, + "parserOnIncomingClient": 1, + "shouldKeepAlive": 4, + "res.upgrade": 1, + "skip": 5, + "isHeadResponse": 2, + "res.statusCode": 1, + "Clear": 1, + "so": 8, + "we": 25, + "don": 5, + "continue": 18, + "ve": 3, + "been": 5, + "upgraded": 1, + "via": 2, + "WebSockets": 1, + "also": 5, + "shouldn": 2, + "AGENT": 2, + "socket.destroySoon": 2, + "keep": 1, + "alive": 1, + "close": 2, + "free": 1, + "number": 13, + "an": 12, + "important": 1, + "promisy": 1, + "thing": 2, + "all": 16, + "the": 107, + "onSocket": 3, + "self.socket.writable": 1, + "self.socket": 5, + ".apply": 7, + "arguments_": 2, + "self.socket.once": 1, + "ClientRequest.prototype.setTimeout": 1, + "msecs": 4, + "this.once": 2, + "emitTimeout": 4, + "this.socket.setTimeout": 1, + "this.socket.once": 1, + "this.setTimeout": 3, + "sock": 1, + "ClientRequest.prototype.setNoDelay": 1, + "ClientRequest.prototype.setSocketKeepAlive": 1, + "ClientRequest.prototype.clearTimeout": 1, + "exports.request": 2, + "url.parse": 1, + "options.protocol": 3, + "exports.get": 1, + "req.end": 1, + "ondrain": 3, + "httpSocketSetup": 2, + "Server": 6, + "requestListener": 6, + "net.Server.call": 1, + "allowHalfOpen": 1, + "this.addListener": 2, + "this.httpAllowHalfOpen": 1, + "connectionListener": 3, + "net.Server": 1, + "exports.Server": 1, + "exports.createServer": 1, + "outgoing": 2, + "incoming": 2, + "abortIncoming": 3, + "incoming.length": 2, + "incoming.shift": 2, + "serverSocketCloseListener": 3, + "socket.setTimeout": 1, + "*": 70, + "minute": 1, + "timeout": 2, + "socket.once": 1, + "parsers.alloc": 1, + "parser.reinitialize": 1, + "this.maxHeadersCount": 2, + "<<": 4, + "socket.addListener": 2, + "self.listeners": 2, + "req.socket": 1, + "self.httpAllowHalfOpen": 1, + "socket.writable": 2, + "socket.end": 2, + "outgoing.length": 2, + "._last": 1, + "socket._httpMessage._last": 1, + "incoming.push": 1, + "res.shouldKeepAlive": 1, + "DTRACE_HTTP_SERVER_REQUEST": 1, + "outgoing.push": 1, + "res.assignSocket": 1, + "res.on": 1, + "res.detachSocket": 1, + "res._last": 1, + "m": 76, + "outgoing.shift": 1, + "m.assignSocket": 1, + "req.headers": 2, + "continueExpression.test": 1, + "res._expect_continue": 1, + "res.writeContinue": 1, + "Not": 4, + "a": 1489, + "response.": 1, + "even": 3, + "exports._connectionListener": 1, + "Client": 6, + "this.host": 1, + "this.port": 1, + "maxSockets": 1, + "Client.prototype.request": 1, + "path": 5, + "self.host": 1, + "self.port": 1, + "c.on": 2, + "exports.Client": 1, + "module.deprecate": 2, + "exports.createClient": 1, + "cubes": 4, + "list": 21, + "math": 4, + "num": 23, + "opposite": 6, + "race": 4, + "square": 10, + "__slice": 2, + "Array.prototype.slice": 6, + "root": 5, + "Math.sqrt": 2, + "cube": 2, + "runners": 6, + "winner": 6, + "__slice.call": 2, + "print": 2, + "elvis": 4, + "_i": 10, + "_len": 6, + "_results": 6, + "list.length": 5, + "_results.push": 2, + "math.cube": 2, + ".slice": 6, + "A": 24, + "w": 110, + "ma": 3, + "c.isReady": 4, + "try": 44, + "s.documentElement.doScroll": 2, + "catch": 38, + "c.ready": 7, + "Qa": 1, + "b.src": 4, + "c.ajax": 1, + "async": 5, + "dataType": 6, + "c.globalEval": 1, + "b.text": 3, + "b.textContent": 2, + "b.innerHTML": 3, + "b.parentNode": 4, + "b.parentNode.removeChild": 2, + "X": 6, + "f": 666, + "a.length": 23, + "o": 322, + "c.isFunction": 9, + "d.call": 3, + "J": 5, + ".getTime": 3, + "Y": 3, + "Z": 6, + "na": 1, + ".type": 2, + "c.event.handle.apply": 1, + "oa": 1, + "r": 261, + "c.data": 12, + "a.liveFired": 4, + "i.live": 1, + "a.button": 2, + "a.type": 14, + "u": 304, + "i.live.slice": 1, + "u.length": 3, + "i.origType.replace": 1, + "O": 6, + "f.push": 5, + "i.selector": 3, + "u.splice": 1, + "a.target": 5, + ".closest": 4, + "a.currentTarget": 4, + "j.length": 2, + ".selector": 1, + ".elem": 1, + "i.preType": 2, + "a.relatedTarget": 2, + "d.push": 1, + "elem": 101, + "handleObj": 2, + "d.length": 8, + "j.elem": 2, + "a.data": 2, + "j.handleObj.data": 1, + "a.handleObj": 2, + "j.handleObj": 1, + "j.handleObj.origHandler.apply": 1, + "pa": 1, + "b.replace": 3, + "/": 290, + "./g": 2, + ".replace": 38, + "/g": 37, + "qa": 1, + "a.parentNode": 6, + "a.parentNode.nodeType": 2, + "ra": 1, + "b.each": 1, + "this.nodeName": 4, + ".nodeName": 2, + "f.events": 1, + "e.handle": 2, + "e.events": 2, + "c.event.add": 1, + ".data": 3, + "sa": 2, + ".ownerDocument": 5, + "ta.test": 1, + "c.support.checkClone": 2, + "ua.test": 1, + "c.fragments": 2, + "b.createDocumentFragment": 1, + "c.clean": 1, + "fragment": 27, + "cacheable": 2, + "K": 4, + "c.each": 2, + "va.concat.apply": 1, + "va.slice": 1, + "wa": 1, + "a.document": 3, + "a.nodeType": 27, + "a.defaultView": 2, + "a.parentWindow": 2, + "c.fn.init": 1, + "Ra": 2, + "A.jQuery": 3, + "Sa": 2, + "A.": 3, + "A.document": 1, + "T": 4, + "Ta": 1, + "<[\\w\\W]+>": 4, + "|": 206, + "#": 13, + "Ua": 1, + ".": 91, + "Va": 1, + "S/": 4, + "Wa": 2, + "u00A0": 2, + "Xa": 1, + "<(\\w+)\\s*\\/?>": 4, + "<\\/\\1>": 4, + "P": 4, + "navigator.userAgent": 3, + "xa": 3, + "Q": 6, + "L": 10, + "Object.prototype.toString": 7, + "aa": 1, + "ba": 3, + "Array.prototype.push": 4, + "R": 2, + "ya": 2, + "Array.prototype.indexOf": 4, + "c.fn": 2, + "c.prototype": 1, + "init": 7, + "this.context": 17, + "this.length": 40, + "s.body": 2, + "this.selector": 16, + "Ta.exec": 1, + "b.ownerDocument": 6, + "Xa.exec": 1, + "c.isPlainObject": 3, + "s.createElement": 10, + "c.fn.attr.call": 1, + "f.createElement": 1, + "a.cacheable": 1, + "a.fragment.cloneNode": 1, + "a.fragment": 1, + ".childNodes": 2, + "c.merge": 4, + "s.getElementById": 1, + "b.id": 1, + "T.find": 1, + "/.test": 19, + "s.getElementsByTagName": 2, + "b.jquery": 1, + ".find": 5, + "T.ready": 1, + "a.selector": 4, + "a.context": 2, + "c.makeArray": 3, + "selector": 40, + "jquery": 3, + "size": 6, + "toArray": 2, + "R.call": 2, + "get": 24, + "this.toArray": 3, + "this.slice": 5, + "pushStack": 4, + "c.isArray": 5, + "ba.apply": 1, + "f.prevObject": 1, + "f.context": 1, + "f.selector": 2, + "each": 17, + "ready": 31, + "c.bindReady": 1, + "a.call": 17, + "Q.push": 1, + "eq": 2, + "first": 10, + "this.eq": 4, + "last": 6, + "this.pushStack": 12, + "R.apply": 1, + ".join": 14, + "map": 7, + "c.map": 1, + "this.prevObject": 3, + "push": 11, + "sort": 4, + ".sort": 9, + "splice": 5, + "c.fn.init.prototype": 1, + "c.extend": 7, + "c.fn.extend": 4, + "noConflict": 4, + "isReady": 5, + "c.fn.triggerHandler": 1, + ".triggerHandler": 1, + "bindReady": 5, + "s.readyState": 2, + "s.addEventListener": 3, + "A.addEventListener": 1, + "s.attachEvent": 3, + "A.attachEvent": 1, + "A.frameElement": 1, + "isFunction": 12, + "isPlainObject": 4, + "a.setInterval": 2, + "a.constructor": 2, + "aa.call": 3, + "a.constructor.prototype": 2, + "isEmptyObject": 7, + "parseJSON": 4, + "c.trim": 3, + "a.replace": 7, + "@": 1, + "d*": 8, + "eE": 4, + "s*": 15, + "A.JSON": 1, + "A.JSON.parse": 2, + "Function": 3, + "c.error": 2, + "noop": 3, + "globalEval": 2, + "Va.test": 1, + "s.documentElement": 2, + "d.type": 2, + "c.support.scriptEval": 2, + "d.appendChild": 3, + "s.createTextNode": 2, + "d.text": 1, + "b.insertBefore": 3, + "b.firstChild": 5, + "b.removeChild": 3, + "nodeName": 20, + "a.nodeName": 12, + "a.nodeName.toUpperCase": 2, + "b.toUpperCase": 3, + "b.apply": 2, + "b.call": 4, + "trim": 5, + "makeArray": 3, + "ba.call": 1, + "inArray": 5, + "b.indexOf": 2, + "b.length": 12, + "merge": 2, + "grep": 6, + "f.length": 5, + "f.concat.apply": 1, + "guid": 5, + "proxy": 4, + "a.apply": 2, + "b.guid": 2, + "a.guid": 7, + "c.guid": 1, + "uaMatch": 3, + "a.toLowerCase": 4, + "webkit": 6, + "w.": 17, + "/.exec": 4, + "opera": 4, + ".*version": 4, + "msie": 4, + "/compatible/.test": 1, + "mozilla": 4, + ".*": 20, + "rv": 4, + "browser": 11, + "version": 10, + "c.uaMatch": 1, + "P.browser": 2, + "c.browser": 1, + "c.browser.version": 1, + "P.version": 1, + "c.browser.webkit": 1, + "c.browser.safari": 1, + "c.inArray": 2, + "ya.call": 1, + "s.removeEventListener": 1, + "s.detachEvent": 1, + "c.support": 2, + "d.style.display": 5, + "d.innerHTML": 2, + "d.getElementsByTagName": 6, + "e.length": 9, + "leadingWhitespace": 3, + "d.firstChild.nodeType": 1, + "tbody": 7, + "htmlSerialize": 3, + "style": 30, + "/red/.test": 1, + "j.getAttribute": 2, + "hrefNormalized": 3, + "opacity": 13, + "j.style.opacity": 1, + "cssFloat": 4, + "j.style.cssFloat": 1, + "checkOn": 4, + ".value": 1, + "optSelected": 3, + ".appendChild": 1, + ".selected": 1, + "parentNode": 10, + "d.removeChild": 1, + ".parentNode": 7, + "deleteExpando": 3, + "checkClone": 1, + "scriptEval": 1, + "noCloneEvent": 3, + "boxModel": 1, + "b.type": 4, + "b.appendChild": 1, + "a.insertBefore": 2, + "a.firstChild": 6, + "b.test": 1, + "c.support.deleteExpando": 2, + "a.removeChild": 2, + "d.attachEvent": 2, + "d.fireEvent": 1, + "c.support.noCloneEvent": 1, + "d.detachEvent": 1, + "d.cloneNode": 1, + ".fireEvent": 3, + "s.createDocumentFragment": 1, + "a.appendChild": 3, + "d.firstChild": 2, + "a.cloneNode": 3, + ".cloneNode": 4, + ".lastChild.checked": 2, + "k.style.width": 1, + "k.style.paddingLeft": 1, + "s.body.appendChild": 1, + "c.boxModel": 1, + "c.support.boxModel": 1, + "k.offsetWidth": 1, + "s.body.removeChild": 1, + ".style.display": 5, + "n.setAttribute": 1, + "c.support.submitBubbles": 1, + "c.support.changeBubbles": 1, + "c.props": 2, + "readonly": 3, + "maxlength": 2, + "cellspacing": 2, + "rowspan": 2, + "colspan": 2, + "tabindex": 4, + "usemap": 2, + "frameborder": 2, + "G": 11, + "Ya": 2, + "za": 3, + "cache": 45, + "expando": 14, + "noData": 3, + "embed": 3, + "applet": 2, + "c.noData": 2, + "a.nodeName.toLowerCase": 3, + "c.cache": 2, + "removeData": 8, + "c.isEmptyObject": 1, + "c.removeData": 2, + "c.expando": 2, + "a.removeAttribute": 3, + "this.each": 42, + "a.split": 4, + "this.triggerHandler": 6, + "this.trigger": 2, + ".each": 3, + "queue": 7, + "dequeue": 6, + "c.queue": 3, + "d.shift": 2, + "d.unshift": 2, + "f.call": 1, + "c.dequeue": 4, + "delay": 4, + "c.fx": 1, + "c.fx.speeds": 1, + "this.queue": 4, + "clearQueue": 2, + "Aa": 3, + "t": 436, + "ca": 6, + "Za": 2, + "r/g": 2, + "/href": 1, + "src": 7, + "style/": 1, + "ab": 1, + "button": 24, + "input": 25, + "/i": 22, + "bb": 2, + "select": 20, + "textarea": 8, + "area": 2, + "Ba": 3, + "/radio": 1, + "checkbox/": 1, + "attr": 13, + "c.attr": 4, + "removeAttr": 5, + "this.nodeType": 4, + "this.removeAttribute": 1, + "addClass": 2, + "r.addClass": 1, + "r.attr": 1, + ".split": 19, + "e.nodeType": 7, + "e.className": 14, + "j.indexOf": 1, + "removeClass": 2, + "n.removeClass": 1, + "n.attr": 1, + "j.replace": 2, + "toggleClass": 2, + "j.toggleClass": 1, + "j.attr": 1, + "i.hasClass": 1, + "this.className": 10, + "hasClass": 2, + "": 1, + "className": 4, + "replace": 8, + "indexOf": 5, + "val": 13, + "c.nodeName": 4, + "b.attributes.value": 1, + ".specified": 1, + "b.value": 4, + "b.selectedIndex": 2, + "b.options": 1, + "": 1, + "i=": 31, + "selected": 5, + "a=": 23, + "test": 21, + "type": 49, + "support": 13, + "getAttribute": 3, + "on": 37, + "o=": 13, + "n=": 10, + "r=": 18, + "nodeType=": 6, + "call": 9, + "checked=": 1, + "this.selected": 1, + ".val": 5, + "this.selectedIndex": 1, + "this.value": 4, + "attrFn": 2, + "css": 7, + "html": 10, + "text": 14, + "width": 32, + "height": 25, + "offset": 21, + "c.attrFn": 1, + "c.isXMLDoc": 1, + "a.test": 2, + "ab.test": 1, + "a.getAttributeNode": 7, + ".nodeValue": 1, + "b.specified": 2, + "bb.test": 2, + "cb.test": 1, + "a.href": 2, + "c.support.style": 1, + "a.style.cssText": 3, + "a.setAttribute": 7, + "c.support.hrefNormalized": 1, + "a.getAttribute": 11, + "c.style": 1, + "db": 1, + "handle": 15, + "click": 11, + "events": 18, + "altKey": 4, + "attrChange": 4, + "attrName": 4, + "bubbles": 4, + "cancelable": 4, + "charCode": 7, + "clientX": 6, + "clientY": 5, + "ctrlKey": 6, + "currentTarget": 4, + "detail": 3, + "eventPhase": 4, + "fromElement": 6, + "handler": 14, + "keyCode": 6, + "layerX": 3, + "layerY": 3, + "metaKey": 5, + "newValue": 3, + "offsetX": 4, + "offsetY": 4, + "originalTarget": 1, + "pageX": 4, + "pageY": 4, + "prevValue": 3, + "relatedNode": 4, + "relatedTarget": 6, + "screenX": 4, + "screenY": 4, + "shiftKey": 4, + "srcElement": 5, + "toElement": 5, + "view": 4, + "wheelDelta": 3, + "which": 8, + "mouseover": 12, + "mouseout": 12, + "form": 12, + "click.specialSubmit": 2, + "submit": 14, + "image": 5, + "keypress.specialSubmit": 2, + "password": 5, + ".specialSubmit": 2, + "radio": 17, + "checkbox": 14, + "multiple": 7, + "_change_data": 6, + "focusout": 11, + "change": 16, + "file": 5, + ".specialChange": 4, + "focusin": 9, + "bind": 3, + "one": 15, + "unload": 5, + "live": 8, + "lastToggle": 4, + "die": 3, + "hover": 3, + "mouseenter": 9, + "mouseleave": 9, + "focus": 7, + "blur": 8, + "resize": 3, + "scroll": 6, + "dblclick": 3, + "mousedown": 3, + "mouseup": 3, + "mousemove": 3, + "keydown": 4, + "keypress": 4, + "keyup": 3, + "onunload": 1, + "g": 441, + "h": 499, + "q": 34, + "h.nodeType": 4, + "p": 110, + "y": 101, + "S": 8, + "H": 8, + "M": 9, + "I": 7, + "f.exec": 2, + "p.push": 2, + "p.length": 10, + "r.exec": 1, + "n.relative": 5, + "ga": 2, + "p.shift": 4, + "n.match.ID.test": 2, + "k.find": 6, + "v.expr": 4, + "k.filter": 5, + "v.set": 5, + "expr": 2, + "p.pop": 4, + "set": 22, + "z": 21, + "h.parentNode": 3, + "D": 9, + "k.error": 2, + "j.call": 2, + ".nodeType": 9, + "E": 11, + "l.push": 2, + "l.push.apply": 1, + "k.uniqueSort": 5, + "B": 5, + "g.sort": 1, + "g.length": 2, + "g.splice": 2, + "k.matches": 1, + "n.order.length": 1, + "n.order": 1, + "n.leftMatch": 1, + ".exec": 2, + "q.splice": 1, + "y.substr": 1, + "y.length": 1, + "Syntax": 3, + "unrecognized": 3, + "expression": 4, + "ID": 8, + "NAME": 2, + "TAG": 2, + "u00c0": 2, + "uFFFF": 2, + "leftMatch": 2, + "attrMap": 2, + "attrHandle": 2, + "g.getAttribute": 1, + "relative": 4, + "W/.test": 1, + "h.toLowerCase": 2, + "": 1, + "previousSibling": 5, + "nth": 5, + "odd": 2, + "not": 26, + "reset": 2, + "contains": 8, + "only": 10, + "id": 38, + "class": 5, + "Array": 3, + "sourceIndex": 1, + "div": 28, + "script": 7, + "": 4, + "name=": 2, + "href=": 2, + "": 2, + "

": 2, + "

": 2, + ".TEST": 2, + "
": 3, + "CLASS": 1, + "HTML": 9, + "find": 7, + "filter": 10, + "nextSibling": 3, + "iframe": 3, + "": 1, + "": 1, + "
": 1, + "
": 1, + "
": 2, - "Title": 1, - "": 1, - "": 1, - "match=": 1, - "
": 4, + "
": 5, + "": 3, + "": 3, + "": 2, + "": 2, + "": 1, + "": 1, + "": 1, + "": 1, + "before": 8, + "after": 7, + "position": 7, + "absolute": 2, + "top": 12, + "left": 14, + "margin": 8, + "border": 7, + "px": 31, + "solid": 2, + "#000": 2, + "padding": 4, + "": 1, + "": 1, + "fixed": 1, + "marginTop": 3, + "marginLeft": 2, + "using": 5, + "borderTopWidth": 1, + "borderLeftWidth": 1, + "Left": 1, + "Top": 1, + "pageXOffset": 2, + "pageYOffset": 1, + "Height": 1, + "Width": 1, + "inner": 2, + "outer": 2, + "scrollTo": 1, + "CSS1Compat": 1, + "client": 3, + "window": 16, + "document": 26, + "window.document": 2, + "navigator": 3, + "window.navigator": 2, + "location": 2, + "window.location": 5, + "jQuery": 48, + "context": 48, + "The": 9, + "is": 67, + "actually": 2, + "just": 2, + "jQuery.fn.init": 2, + "rootjQuery": 8, + "Map": 4, + "over": 7, + "of": 28, + "overwrite": 4, + "_jQuery": 4, + "window.": 6, + "central": 2, + "reference": 5, + "simple": 3, + "way": 2, + "check": 8, + "strings": 8, + "both": 2, + "optimize": 3, + "quickExpr": 2, + "Check": 10, + "has": 9, + "non": 8, + "whitespace": 7, + "character": 3, + "it": 112, + "rnotwhite": 2, + "Used": 3, + "trimming": 2, + "trimLeft": 4, + "trimRight": 4, + "digits": 3, + "rdigit": 1, + "d/": 3, + "Match": 3, + "standalone": 2, + "tag": 2, + "rsingleTag": 2, + "JSON": 5, + "RegExp": 12, + "rvalidchars": 2, + "rvalidescape": 2, + "rvalidbraces": 2, + "Useragent": 2, + "rwebkit": 2, + "ropera": 2, + "rmsie": 2, + "rmozilla": 2, + "Keep": 2, + "UserAgent": 2, + "use": 10, + "with": 18, + "jQuery.browser": 4, + "userAgent": 3, + "For": 5, + "matching": 3, + "engine": 2, + "and": 42, + "browserMatch": 3, + "deferred": 25, + "used": 13, + "DOM": 21, + "readyList": 6, + "event": 31, + "DOMContentLoaded": 14, + "Save": 2, + "some": 2, + "core": 2, + "methods": 8, + "toString": 4, + "hasOwn": 2, + "String.prototype.trim": 3, + "Class": 2, + "pairs": 2, + "class2type": 3, + "jQuery.fn": 4, + "jQuery.prototype": 2, + "match": 30, + "doc": 4, + "Handle": 14, + "DOMElement": 2, + "selector.nodeType": 2, + "exists": 9, + "once": 4, + "finding": 2, + "Are": 2, + "dealing": 2, + "selector.charAt": 4, + "selector.length": 4, + "Assume": 2, + "are": 18, + "regex": 3, + "quickExpr.exec": 2, + "Verify": 3, + "no": 19, + "was": 6, + "specified": 4, + "#id": 3, + "HANDLE": 2, + "array": 7, + "context.ownerDocument": 2, + "If": 21, + "single": 2, + "passed": 5, + "clean": 3, + "like": 5, + "method.": 3, + "jQuery.fn.init.prototype": 2, + "jQuery.extend": 11, + "jQuery.fn.extend": 4, + "copy": 16, + "copyIsArray": 2, + "clone": 5, + "deep": 12, + "situation": 2, + "boolean": 8, + "when": 20, + "something": 3, + "possible": 3, + "jQuery.isFunction": 6, + "extend": 13, + "itself": 4, + "argument": 2, + "Only": 5, + "deal": 2, + "null/undefined": 2, + "values": 10, + "Extend": 2, + "base": 2, + "Prevent": 2, + "never": 2, + "ending": 2, + "loop": 7, + "Recurse": 2, + "bring": 2, + "Return": 2, + "modified": 3, + "Is": 2, + "be": 12, + "Set": 4, + "occurs.": 2, + "counter": 2, + "track": 2, + "how": 2, + "many": 3, + "items": 2, + "wait": 12, + "fires.": 2, + "See": 9, + "#6781": 2, + "readyWait": 6, + "Hold": 2, + "release": 2, + "holdReady": 3, + "hold": 6, + "jQuery.readyWait": 6, + "jQuery.ready": 16, + "Either": 2, + "released": 2, + "DOMready/load": 2, + "yet": 2, + "jQuery.isReady": 6, + "Make": 17, + "sure": 18, + "at": 58, + "least": 4, + "IE": 28, + "gets": 6, + "little": 4, + "overzealous": 4, + "ticket": 4, + "#5443": 4, + "Remember": 2, + "normal": 2, + "Ready": 2, + "fired": 12, + "decrement": 2, + "need": 10, + "there": 6, + "functions": 6, + "bound": 8, + "execute": 4, + "readyList.resolveWith": 1, + "Trigger": 2, + "any": 12, + "jQuery.fn.trigger": 2, + ".trigger": 3, + ".unbind": 4, + "jQuery._Deferred": 3, + "Catch": 2, + "cases": 4, + "where": 2, + ".ready": 2, + "called": 2, + "already": 6, + "occurred.": 2, + "document.readyState": 4, + "asynchronously": 2, + "allow": 6, + "scripts": 2, + "opportunity": 2, + "Mozilla": 2, + "Opera": 2, + "nightlies": 3, + "currently": 4, + "document.addEventListener": 6, + "Use": 7, + "handy": 2, + "fallback": 4, + "window.onload": 4, + "will": 7, + "always": 6, + "work": 6, + "window.addEventListener": 2, + "model": 14, + "document.attachEvent": 6, + "ensure": 2, + "firing": 16, + "onload": 2, + "maybe": 2, + "late": 2, + "but": 4, + "safe": 3, + "iframes": 2, + "window.attachEvent": 2, + "frame": 23, + "continually": 2, + "see": 6, + "toplevel": 7, + "window.frameElement": 2, + "document.documentElement.doScroll": 4, + "doScrollCheck": 6, + "test/unit/core.js": 2, + "details": 3, + "concerning": 2, + "isFunction.": 2, + "Since": 3, + "aren": 5, + "pass": 7, + "through": 3, + "as": 11, + "well": 2, + "jQuery.type": 4, + "obj.nodeType": 2, + "jQuery.isWindow": 2, + "own": 4, + "property": 15, + "must": 4, + "Object": 4, + "obj.constructor": 2, + "hasOwn.call": 6, + "obj.constructor.prototype": 2, + "Own": 2, + "properties": 7, + "enumerated": 2, + "firstly": 2, + "speed": 4, + "up": 4, + "then": 8, + "own.": 2, + "msg": 4, + "leading/trailing": 2, + "removed": 3, + "can": 10, + "breaking": 1, + "spaces": 3, + "rnotwhite.test": 2, + "xA0": 7, + "document.removeEventListener": 2, + "document.detachEvent": 2, + "trick": 2, + "Diego": 2, + "Perini": 2, + "http": 6, + "//javascript.nwbox.com/IEContentLoaded/": 2, + "waiting": 2, + "Promise": 1, + "promiseMethods": 3, + "Static": 1, + "sliceDeferred": 1, + "Create": 1, + "callbacks": 10, + "_Deferred": 4, + "stored": 4, + "args": 31, + "avoid": 5, + "doing": 3, + "flag": 1, + "know": 3, + "cancelled": 5, + "done": 10, + "f1": 1, + "f2": 1, + "...": 1, + "_fired": 5, + "args.length": 3, + "deferred.done.apply": 2, + "callbacks.push": 1, + "deferred.resolveWith": 5, + "resolve": 7, + "given": 3, + "resolveWith": 4, + "make": 2, + "available": 1, + "#8421": 1, + "callbacks.shift": 1, + "finally": 3, + "Has": 1, + "resolved": 1, + "isResolved": 3, + "Cancel": 1, + "cancel": 6, + "Full": 1, + "fledged": 1, + "two": 1, + "Deferred": 5, + "func": 3, + "failDeferred": 1, + "promise": 14, + "Add": 4, + "errorDeferred": 1, + "doneCallbacks": 2, + "failCallbacks": 2, + "deferred.done": 2, + ".fail": 2, + ".fail.apply": 1, + "fail": 10, + "failDeferred.done": 1, + "rejectWith": 2, + "failDeferred.resolveWith": 1, + "reject": 4, + "failDeferred.resolve": 1, + "isRejected": 2, + "failDeferred.isResolved": 1, + "pipe": 2, + "fnDone": 2, + "fnFail": 2, + "jQuery.Deferred": 1, + "newDefer": 3, + "jQuery.each": 2, + "fn": 14, + "action": 3, + "returned": 4, + "fn.apply": 1, + "returned.promise": 2, + ".then": 3, + "newDefer.resolve": 1, + "newDefer.reject": 1, + ".promise": 5, + "Get": 4, + "provided": 1, + "aspect": 1, + "added": 1, + "promiseMethods.length": 1, + "failDeferred.cancel": 1, + "deferred.cancel": 2, + "Unexpose": 1, + "Call": 1, + "func.call": 1, + "helper": 1, + "firstParam": 6, + "count": 4, + "<=>": 1, + "1": 97, + "resolveFunc": 2, + "sliceDeferred.call": 2, + "Strange": 1, + "bug": 3, + "FF4": 1, + "Values": 1, + "changed": 3, + "onto": 2, + "sometimes": 1, + "outside": 2, + ".when": 1, + "Cloning": 2, + "into": 2, + "fresh": 1, + "solves": 1, + "issue": 1, + "deferred.reject": 1, + "deferred.promise": 1, + "jQuery.support": 1, + "document.createElement": 26, + "documentElement": 2, + "document.documentElement": 2, + "opt": 2, + "marginDiv": 5, + "bodyStyle": 1, + "tds": 6, + "isSupported": 7, + "Preliminary": 1, + "tests": 48, + "div.setAttribute": 1, + "div.innerHTML": 7, + "div.getElementsByTagName": 6, + "Can": 2, + "automatically": 2, + "inserted": 1, + "insert": 1, + "them": 3, + "empty": 3, + "tables": 1, + "link": 2, + "elements": 9, + "serialized": 3, + "correctly": 1, + "innerHTML": 1, + "This": 3, + "requires": 1, + "wrapper": 1, + "information": 5, + "from": 7, + "uses": 3, + ".cssText": 2, + "instead": 6, + "/top/.test": 2, + "URLs": 1, + "optgroup": 5, + "opt.selected": 1, + "Test": 3, + "setAttribute": 1, + "camelCase": 3, + "class.": 1, + "works": 1, + "attrFixes": 1, + "get/setAttribute": 1, + "ie6/7": 1, + "getSetAttribute": 3, + "div.className": 1, + "Will": 2, + "defined": 3, + "later": 1, + "submitBubbles": 3, + "changeBubbles": 3, + "focusinBubbles": 2, + "inlineBlockNeedsLayout": 3, + "shrinkWrapBlocks": 2, + "reliableMarginRight": 2, + "checked": 4, + "status": 3, + "properly": 2, + "cloned": 1, + "input.checked": 1, + "support.noCloneChecked": 1, + "input.cloneNode": 1, + ".checked": 2, + "inside": 3, + "disabled": 11, + "selects": 1, + "Fails": 2, + "Internet": 1, + "Explorer": 1, + "div.test": 1, + "support.deleteExpando": 1, + "div.addEventListener": 1, + "div.attachEvent": 2, + "div.fireEvent": 1, + "node": 23, + "being": 2, + "appended": 2, + "input.value": 5, + "input.setAttribute": 5, + "support.radioValue": 2, + "div.appendChild": 4, + "document.createDocumentFragment": 3, + "fragment.appendChild": 2, + "div.firstChild": 3, + "WebKit": 9, + "doesn": 2, + "inline": 3, + "display": 7, + "none": 4, + "GC": 2, + "references": 1, + "across": 1, + "JS": 7, + "boundary": 1, + "isNode": 11, + "elem.nodeType": 8, + "nodes": 14, + "global": 5, + "attached": 1, + "directly": 2, + "occur": 1, + "jQuery.cache": 3, + "defining": 1, + "objects": 7, + "its": 2, + "allows": 1, + "code": 2, + "shortcut": 1, + "same": 1, + "jQuery.expando": 12, + "Avoid": 1, + "more": 6, + "than": 3, + "trying": 1, + "pvt": 8, + "internalKey": 12, + "getByName": 3, + "unique": 2, + "since": 1, + "their": 3, + "ends": 1, + "jQuery.uuid": 1, + "TODO": 2, + "hack": 2, + "ONLY.": 2, + "Avoids": 2, + "exposing": 2, + "metadata": 2, + "plain": 2, + "JSON.stringify": 4, + ".toJSON": 4, + "jQuery.noop": 2, + "An": 1, + "jQuery.data": 15, + "key/value": 1, + "pair": 1, + "shallow": 1, + "copied": 1, + "existing": 1, + "thisCache": 15, + "Internal": 1, + "separate": 1, + "destroy": 1, + "unless": 2, + "internal": 8, + "had": 1, + "isEmptyDataObject": 3, + "internalCache": 3, + "Browsers": 1, + "deletion": 1, + "refuse": 1, + "expandos": 2, + "other": 3, + "browsers": 2, + "faster": 1, + "iterating": 1, + "persist": 1, + "existed": 1, + "Otherwise": 2, + "eliminate": 2, + "lookups": 2, + "entries": 2, + "longer": 2, + "exist": 2, + "does": 9, + "us": 2, + "nor": 2, + "have": 6, + "removeAttribute": 3, + "Document": 2, + "these": 2, + "jQuery.support.deleteExpando": 3, + "elem.removeAttribute": 6, + "only.": 2, + "_data": 3, + "determining": 3, + "acceptData": 3, + "elem.nodeName": 2, + "jQuery.noData": 2, + "elem.nodeName.toLowerCase": 2, + "elem.getAttribute": 7, + ".attributes": 2, + "attr.length": 2, + ".name": 3, + "name.indexOf": 2, + "jQuery.camelCase": 6, + "name.substring": 2, + "dataAttr": 6, + "parts": 28, + "key.split": 2, + "Try": 4, + "fetch": 4, + "internally": 5, + "jQuery.removeData": 2, + "nothing": 2, + "found": 10, + "HTML5": 3, + "attribute": 5, + "key.replace": 2, + "rmultiDash": 3, + ".toLowerCase": 7, + "jQuery.isNaN": 1, + "parseFloat": 30, + "rbrace.test": 2, + "jQuery.parseJSON": 2, + "isn": 2, + "option.selected": 2, + "jQuery.support.optDisabled": 2, + "option.disabled": 2, + "option.getAttribute": 2, + "option.parentNode.disabled": 2, + "jQuery.nodeName": 3, + "option.parentNode": 2, + "specific": 2, + "We": 6, + "get/set": 2, + "attributes": 14, + "comment": 3, + "nType": 8, + "jQuery.attrFn": 2, + "Fallback": 2, + "prop": 24, + "supported": 2, + "jQuery.prop": 2, + "hooks": 14, + "notxml": 8, + "jQuery.isXMLDoc": 2, + "Normalize": 1, + "needed": 2, + "jQuery.attrFix": 2, + "jQuery.attrHooks": 2, + "boolHook": 3, + "rboolean.test": 4, + "value.toLowerCase": 2, + "formHook": 3, + "forms": 1, + "certain": 2, + "characters": 6, + "rinvalidChar.test": 1, + "jQuery.removeAttr": 2, + "hooks.set": 2, + "elem.setAttribute": 2, + "hooks.get": 2, + "Non": 3, + "existent": 2, + "normalize": 2, + "propName": 8, + "jQuery.support.getSetAttribute": 1, + "jQuery.attr": 2, + "elem.removeAttributeNode": 1, + "elem.getAttributeNode": 1, + "corresponding": 2, + "jQuery.propFix": 2, + "attrHooks": 3, + "tabIndex": 4, + "readOnly": 2, + "htmlFor": 2, + "maxLength": 2, + "cellSpacing": 2, + "cellPadding": 2, + "rowSpan": 2, + "colSpan": 2, + "useMap": 2, + "frameBorder": 2, + "contentEditable": 2, + "auto": 3, + "&": 13, + "getData": 3, + "setData": 3, + "changeData": 3, + "bubbling": 1, + "live.": 2, + "hasDuplicate": 1, + "baseHasDuplicate": 2, + "rBackslash": 1, + "rNonWord": 1, + "W/": 2, + "Sizzle": 1, + "results": 4, + "seed": 1, + "origContext": 1, + "context.nodeType": 2, + "checkSet": 1, + "extra": 1, + "cur": 6, + "pop": 1, + "prune": 1, + "contextXML": 1, + "Sizzle.isXML": 1, + "soFar": 1, + "Reset": 1, + "cy": 4, + "f.isWindow": 2, + "cv": 2, + "cj": 4, + ".appendTo": 2, + "b.css": 1, + "b.remove": 1, + "ck": 5, + "c.createElement": 12, + "ck.frameBorder": 1, + "ck.width": 1, + "ck.height": 1, + "c.body.appendChild": 1, + "cl": 3, + "ck.createElement": 1, + "ck.contentWindow": 1, + "ck.contentDocument": 1, + ".document": 1, + "cl.write": 1, + "cl.createElement": 1, + "cl.body.appendChild": 1, + "f.css": 24, + "c.body.removeChild": 1, + "cu": 18, + "f.each": 21, + "cp.concat.apply": 1, + "cp.slice": 1, + "ct": 34, + "cq": 3, + "cs": 3, + "f.now": 2, + "ci": 29, + "a.ActiveXObject": 3, + "ch": 58, + "a.XMLHttpRequest": 1, + "a.dataFilter": 2, + "a.dataType": 1, + "a.dataTypes": 2, + "a.converters": 3, + "o.split": 1, + "f.error": 4, + "m.replace": 1, + "a.contents": 1, + "a.responseFields": 1, + "f.shift": 1, + "a.mimeType": 1, + "c.getResponseHeader": 1, + ".test": 1, + "f.unshift": 2, + "b_": 4, + "f.isArray": 8, + "bF.test": 1, + "c.dataTypes": 1, + "h.length": 3, + "bU": 4, + "c.dataTypes.unshift": 1, + "bZ": 3, + "f.isFunction": 21, + "b.toLowerCase": 3, + "bQ": 3, + "h.substr": 1, + "bD": 3, + "bx": 2, + "a.offsetWidth": 6, + "a.offsetHeight": 2, + "bn": 2, + "f.ajax": 3, + "f.globalEval": 2, + "bf": 6, + "bm": 3, + "f.nodeName": 16, + "bl": 3, + "a.getElementsByTagName": 9, + "f.grep": 3, + "a.defaultChecked": 1, + "a.checked": 4, + "bk": 5, + "a.querySelectorAll": 1, + "bj": 3, + "b.nodeType": 6, + "b.clearAttributes": 2, + "b.mergeAttributes": 2, + "b.nodeName.toLowerCase": 1, + "b.outerHTML": 1, + "a.outerHTML": 1, + "b.selected": 1, + "a.defaultSelected": 1, + "b.defaultValue": 1, + "a.defaultValue": 1, + "b.defaultChecked": 1, + "b.checked": 1, + "a.value": 8, + "b.removeAttribute": 3, + "f.expando": 23, + "bi": 27, + "f.hasData": 2, + "f.data": 25, + "d.events": 1, + "f.extend": 23, + "": 1, + "bh": 1, + "table": 6, + "getElementsByTagName": 1, + "0": 220, + "appendChild": 1, + "ownerDocument": 9, + "createElement": 3, + "b=": 25, + "e=": 21, + "nodeType": 1, + "d=": 15, + "W": 3, + "N": 2, + "f._data": 15, + "r.live": 1, + "a.target.disabled": 1, + "a.namespace": 1, + "a.namespace.split": 1, + "r.live.slice": 1, + "s.length": 2, + "g.origType.replace": 1, + "q.push": 1, + "g.selector": 3, + "s.splice": 1, + "m.selector": 1, + "n.test": 2, + "g.namespace": 1, + "m.elem.disabled": 1, + "m.elem": 1, + "g.preType": 3, + "f.contains": 5, + "level": 3, + "m.level": 1, + "": 1, + "e.elem": 2, + "e.handleObj.data": 1, + "e.handleObj": 1, + "e.handleObj.origHandler.apply": 1, + "a.isPropagationStopped": 1, + "e.level": 1, + "a.isImmediatePropagationStopped": 1, + "e.type": 6, + "e.originalEvent": 1, + "e.liveFired": 1, + "f.event.handle.call": 1, + ".preventDefault": 1, + "F": 8, + "f.removeData": 4, + "i.resolve": 1, + "c.replace": 4, + "f.isNaN": 3, + "i.test": 1, + "f.parseJSON": 2, + "a.navigator": 1, + "a.location": 1, + "e.isReady": 1, + "c.documentElement.doScroll": 2, + "e.ready": 6, + "e.fn.init": 1, + "a.jQuery": 2, + "a.": 2, + "d.userAgent": 1, + "C": 4, + "e.fn": 2, + "e.prototype": 1, + "c.body": 4, + "a.charAt": 2, + "i.exec": 1, + "d.ownerDocument": 1, + "n.exec": 1, + "e.isPlainObject": 1, + "e.fn.attr.call": 1, + "k.createElement": 1, + "e.buildFragment": 1, + "j.cacheable": 1, + "e.clone": 1, + "j.fragment": 2, + "e.merge": 3, + "c.getElementById": 1, + "h.id": 1, + "f.find": 2, + "d.jquery": 1, + "e.isFunction": 5, + "f.ready": 1, + "e.makeArray": 1, + "D.call": 4, + "e.isArray": 2, + "C.apply": 1, + "d.prevObject": 1, + "d.context": 2, + "d.selector": 2, + "e.each": 2, + "e.bindReady": 1, + "y.done": 1, + "D.apply": 1, + "e.map": 1, + "e.fn.init.prototype": 1, + "e.extend": 2, + "e.fn.extend": 1, + "": 1, + "f=": 13, + "g=": 15, + "h=": 19, + "jQuery=": 2, + "isReady=": 1, + "y.resolveWith": 1, + "e.fn.trigger": 1, + "e._Deferred": 1, + "c.readyState": 2, + "c.addEventListener": 4, + "a.addEventListener": 4, + "c.attachEvent": 3, + "a.attachEvent": 6, + "a.frameElement": 1, + "isWindow": 2, + "isNaN": 6, + "m.test": 1, + "String": 2, + "A.call": 1, + "e.isWindow": 2, + "B.call": 3, + "e.trim": 1, + "a.JSON": 1, + "a.JSON.parse": 2, + "o.test": 1, + "e.error": 2, + "parseXML": 1, + "a.DOMParser": 1, + "DOMParser": 1, + "d.parseFromString": 1, + "ActiveXObject": 1, + "c.async": 4, + "c.loadXML": 1, + "c.documentElement": 4, + "d.nodeName": 4, + "j.test": 3, + "a.execScript": 1, + "a.eval.call": 1, + "c.apply": 2, + "c.call": 3, + "E.call": 1, + "C.call": 1, + "F.call": 1, + "c.length": 8, + "": 1, + "j=": 14, + "k=": 11, + "h.concat.apply": 1, + "f.concat": 1, + "g.guid": 3, + "e.guid": 3, + "access": 2, + "e.access": 1, + "now": 5, + "s.exec": 1, + "t.exec": 1, + "u.exec": 1, + "a.indexOf": 2, + "v.exec": 1, + "sub": 4, + "a.fn.init": 2, + "a.superclass": 1, + "a.fn": 2, + "a.prototype": 1, + "a.fn.constructor": 1, + "a.sub": 1, + "this.sub": 2, + "e.fn.init.call": 1, + "a.fn.init.prototype": 1, + "e.uaMatch": 1, + "x.browser": 2, + "e.browser": 1, + "e.browser.version": 1, + "x.version": 1, + "e.browser.webkit": 1, + "e.browser.safari": 1, + "c.removeEventListener": 2, + "c.detachEvent": 1, + "": 1, + "c=": 24, + "shift": 1, + "apply": 8, + "h.call": 2, + "g.resolveWith": 3, + "<=1&&a&&f.isFunction(a.promise)?a:f.Deferred();if(d>": 1, + "g.reject": 1, + "g.promise": 1, + "f.support": 2, + "a.innerHTML": 7, + "f.appendChild": 1, + "a.firstChild.nodeType": 2, + "e.getAttribute": 2, + "e.style.opacity": 1, + "e.style.cssFloat": 1, + "h.value": 3, + "g.selected": 1, + "a.className": 1, + "h.checked": 2, + "j.noCloneChecked": 1, + "h.cloneNode": 1, + "f.disabled": 1, + "j.optDisabled": 1, + "g.disabled": 1, + "j.deleteExpando": 1, + "a.fireEvent": 1, + "j.noCloneEvent": 1, + "a.detachEvent": 1, + "h.setAttribute": 2, + "j.radioValue": 1, + "c.createDocumentFragment": 1, + "k.appendChild": 1, + "j.checkClone": 1, + "k.cloneNode": 1, + "a.style.width": 1, + "a.style.paddingLeft": 1, + "visibility": 3, + "background": 56, + "l.style": 1, + "l.appendChild": 1, + "j.appendChecked": 1, + "j.boxModel": 1, + "a.style": 8, + "a.style.display": 3, + "a.style.zoom": 1, + "j.inlineBlockNeedsLayout": 1, + "j.shrinkWrapBlocks": 1, + ".offsetHeight": 4, + "j.reliableHiddenOffsets": 1, + "c.defaultView": 2, + "c.defaultView.getComputedStyle": 3, + "i.style.width": 1, + "i.style.marginRight": 1, + "j.reliableMarginRight": 1, + "parseInt": 12, + "marginRight": 2, + ".marginRight": 2, + "l.innerHTML": 1, + "f.boxModel": 1, + "f.support.boxModel": 4, + "uuid": 2, + "f.fn.jquery": 1, + "Math.random": 2, + "D/g": 2, + "hasData": 2, + "f.cache": 5, + "f.acceptData": 4, + "f.uuid": 1, + "f.noop": 4, + "f.camelCase": 5, + ".events": 1, + "f.support.deleteExpando": 3, + "f.noData": 2, + "f.fn.extend": 9, + "g.indexOf": 2, + "g.substring": 1, + "b.triggerHandler": 2, + "_mark": 2, + "_unmark": 3, + "f.makeArray": 5, + "e.push": 3, + "f.queue": 3, + "c.shift": 2, + "c.unshift": 1, + "f.dequeue": 4, + "f.fx": 2, + "f.fx.speeds": 1, + "d.resolveWith": 1, + "f.Deferred": 2, + "f._Deferred": 2, + "l.done": 1, + "d.promise": 1, + "rea": 1, + "autofocus": 1, + "autoplay": 1, + "controls": 1, + "defer": 1, + "required": 1, + "scoped": 1, + "f.access": 3, + "f.attr": 2, + "f.removeAttr": 3, + "f.prop": 2, + "removeProp": 1, + "f.propFix": 6, + "c.addClass": 1, + "f.trim": 2, + "c.removeClass": 1, + "g.nodeType": 6, + "g.className": 4, + "h.replace": 2, + "d.toggleClass": 1, + "d.attr": 1, + "h.hasClass": 1, + "": 1, + "f.valHooks": 7, + "e.nodeName.toLowerCase": 1, + "c.get": 1, + "e.value": 1, + "e.val": 1, + "f.map": 5, + "this.nodeName.toLowerCase": 1, + "this.type": 3, + "c.set": 1, + "valHooks": 1, + "a.attributes.value": 1, + "a.text": 1, + "a.selectedIndex": 3, + "a.options": 2, + "": 3, + "optDisabled": 1, + "selected=": 1, + "attrFix": 1, + "f.attrFn": 3, + "f.isXMLDoc": 4, + "f.attrFix": 3, + "f.attrHooks": 5, + "t.test": 2, + "d.toLowerCase": 1, + "c.toLowerCase": 4, + "u.test": 1, + "i.set": 1, + "i.get": 1, + "f.support.getSetAttribute": 2, + "a.removeAttributeNode": 1, + "q.test": 1, + "f.support.radioValue": 1, + "c.specified": 1, + "c.value": 1, + "r.test": 1, + "s.test": 1, + "propFix": 1, + "cellpadding": 1, + "contenteditable": 1, + "f.propHooks": 1, + "h.set": 1, + "h.get": 1, + "propHooks": 1, + "f.attrHooks.value": 1, + "v.get": 1, + "f.attrHooks.name": 1, + "f.valHooks.button": 1, + "d.nodeValue": 3, + "f.support.hrefNormalized": 1, + "f.support.style": 1, + "f.attrHooks.style": 1, + "a.style.cssText.toLowerCase": 1, + "f.support.optSelected": 1, + "f.propHooks.selected": 2, + "b.parentNode.selectedIndex": 1, + "f.support.checkOn": 1, + "f.inArray": 4, + "s.": 1, + "f.event": 2, + "add": 15, + "d.handler": 1, + "g.handler": 1, + "d.guid": 4, + "f.guid": 3, + "i.events": 2, + "i.handle": 2, + "f.event.triggered": 3, + "f.event.handle.apply": 1, + "k.elem": 2, + "c.split": 2, + "l.indexOf": 1, + "l.split": 1, + "n.shift": 1, + "h.namespace": 2, + "n.slice": 1, + "h.type": 1, + "h.guid": 2, + "f.event.special": 5, + "p.setup": 1, + "p.setup.call": 1, + "p.add": 1, + "p.add.call": 1, + "h.handler.guid": 2, + "o.push": 1, + "f.event.global": 2, + "remove": 9, + "s.events": 1, + "c.type": 9, + "c.handler": 1, + "c.charAt": 1, + "f.event.remove": 5, + "h.indexOf": 3, + "h.split": 2, + "m.shift": 1, + "m.slice": 1, + "q.namespace": 1, + "q.handler": 1, + "p.splice": 1, + "": 1, + "u=": 12, + "elem=": 4, + "customEvent": 1, + "trigger": 4, + "h.slice": 1, + "i.shift": 1, + "i.sort": 1, + "f.event.customEvent": 1, + "f.Event": 2, + "c.exclusive": 2, + "c.namespace": 2, + "i.join": 2, + "c.namespace_re": 1, + "c.preventDefault": 3, + "c.stopPropagation": 1, + "b.events": 4, + "f.event.trigger": 6, + "b.handle.elem": 2, + "c.result": 3, + "c.target": 3, + "do": 15, + "c.currentTarget": 2, + "m.apply": 1, + "k.parentNode": 1, + "k.ownerDocument": 1, + "c.target.ownerDocument": 1, + "c.isPropagationStopped": 1, + "c.isDefaultPrevented": 2, + "o._default": 1, + "o._default.call": 1, + "e.ownerDocument": 1, + "f.event.fix": 2, + "a.event": 1, + "Array.prototype.slice.call": 1, + "namespace_re": 1, + "namespace": 1, + "handler=": 1, + "data=": 2, + "handleObj=": 1, + "result=": 1, + "preventDefault": 4, + "stopPropagation": 5, + "isImmediatePropagationStopped": 2, + "result": 9, + "props": 21, + "split": 4, + "fix": 1, + "Event": 3, + "target=": 2, + "relatedTarget=": 1, + "fromElement=": 1, + "pageX=": 2, + "scrollLeft": 2, + "clientLeft": 2, + "pageY=": 1, + "scrollTop": 2, + "clientTop": 2, + "which=": 3, + "metaKey=": 1, + "2": 66, + "3": 13, + "4": 4, + "1e8": 1, + "special": 3, + "setup": 5, + "teardown": 6, + "origType": 2, + "beforeunload": 1, + "onbeforeunload=": 3, + "removeEvent=": 1, + "removeEventListener": 3, + "detachEvent": 2, + "Event=": 1, + "originalEvent=": 1, + "type=": 5, + "isDefaultPrevented=": 2, + "defaultPrevented": 1, + "returnValue=": 2, + "getPreventDefault": 2, + "timeStamp=": 1, + "prototype=": 2, + "originalEvent": 2, + "isPropagationStopped=": 1, + "cancelBubble=": 1, + "stopImmediatePropagation": 1, + "isImmediatePropagationStopped=": 1, + "isDefaultPrevented": 1, + "isPropagationStopped": 1, + "G=": 1, + "H=": 1, + "submit=": 1, + "specialSubmit": 3, + "closest": 3, + "keyCode=": 1, + "J=": 1, + "selectedIndex": 1, + "a.selected": 1, + "z.test": 3, + "d.readOnly": 1, + "c.liveFired": 1, + "f.event.special.change": 1, + "filters": 1, + "beforedeactivate": 1, + "K.call": 2, + "a.keyCode": 2, + "beforeactivate": 1, + "f.event.add": 2, + "f.event.special.change.filters": 1, + "I.focus": 1, + "I.beforeactivate": 1, + "f.support.focusinBubbles": 1, + "c.originalEvent": 1, + "a.preventDefault": 3, + "f.fn": 9, + "e.apply": 1, + "this.one": 1, + "unbind": 2, + "this.unbind": 2, + "delegate": 1, + "this.live": 1, + "undelegate": 1, + "this.die": 1, + "triggerHandler": 1, + "%": 26, + ".guid": 1, + "this.click": 1, + "this.mouseenter": 1, + ".mouseleave": 1, + "g.charAt": 1, + "n.unbind": 1, + "y.exec": 1, + "a.push": 2, + "n.length": 1, + "": 1, + "this.bind": 2, + "": 2, + "sizcache=": 4, + "sizset": 2, + "sizset=": 2, + "toLowerCase": 3, + "d.nodeType": 5, + "k.isXML": 4, + "a.exec": 2, + "x.push": 1, + "x.length": 8, + "m.exec": 1, + "l.relative": 6, + "x.shift": 4, + "l.match.ID.test": 2, + "q.expr": 4, + "q.set": 4, + "x.pop": 4, + "d.parentNode": 4, + "e.call": 1, + "f.push.apply": 1, + "k.contains": 5, + "a.sort": 1, + "": 1, + "matches=": 1, + "matchesSelector=": 1, + "l.order.length": 1, + "l.order": 1, + "l.leftMatch": 1, + "j.substr": 1, + "": 1, + "__sizzle__": 1, + "sizzle": 1, + "l.match.PSEUDO.test": 1, + "a.document.nodeType": 1, + "a.getElementsByClassName": 3, + "a.lastChild.className": 1, + "l.order.splice": 1, + "l.find.CLASS": 1, + "b.getElementsByClassName": 2, + "c.documentElement.contains": 1, + "a.contains": 2, + "c.documentElement.compareDocumentPosition": 1, + "a.compareDocumentPosition": 1, + "a.ownerDocument": 1, + ".documentElement": 1, + "b.nodeName": 2, + "l.match.PSEUDO.exec": 1, + "l.match.PSEUDO": 1, + "f.expr": 4, + "k.selectors": 1, + "f.expr.filters": 3, + "f.unique": 4, + "f.text": 2, + "k.getText": 1, + "/Until": 1, + "parents": 2, + "prevUntil": 2, + "prevAll": 2, + "U": 1, + "f.expr.match.POS": 1, + "V": 2, + "children": 3, + "contents": 4, + "next": 9, + "prev": 2, + ".filter": 2, + "": 1, + "e.splice": 1, + "this.filter": 2, + "": 1, + "": 1, + ".is": 2, + "c.push": 3, + "g.parentNode": 2, + "U.test": 1, + "": 1, + "f.find.matchesSelector": 2, + "g.ownerDocument": 1, + "this.parent": 2, + ".children": 1, + "a.jquery": 2, + "f.merge": 2, + "this.get": 1, + "andSelf": 1, + "this.add": 1, + "f.dir": 6, + "parentsUntil": 1, + "f.nth": 2, + "nextAll": 1, + "nextUntil": 1, + "siblings": 1, + "f.sibling": 2, + "a.parentNode.firstChild": 1, + "a.contentDocument": 1, + "a.contentWindow.document": 1, + "a.childNodes": 1, + "T.call": 1, + "P.test": 1, + "f.filter": 2, + "R.test": 1, + "Q.test": 1, + "e.reverse": 1, + "g.join": 1, + "f.find.matches": 1, + "dir": 1, + "sibling": 1, + "a.nextSibling": 1, + "<(?!area|br|col|embed|hr|img|input|link|meta|param)(([\\w:]+)[^>": 1, + "/ig": 3, + "tbody/i": 1, + "bc": 1, + "bd": 1, + "/checked": 1, + "s*.checked.": 1, + "java": 1, + "ecma": 1, + "script/i": 1, + "CDATA": 1, + "bg": 3, + "legend": 1, + "thead": 2, + "tr": 23, + "td": 3, + "col": 7, + "_default": 5, + "bg.optgroup": 1, + "bg.option": 1, + "bg.tbody": 1, + "bg.tfoot": 1, + "bg.colgroup": 1, + "bg.caption": 1, + "bg.thead": 1, + "bg.th": 1, + "bg.td": 1, + "f.support.htmlSerialize": 1, + "bg._default": 2, + "c.text": 2, + "this.empty": 3, + ".append": 6, + ".createTextNode": 1, + "wrapAll": 1, + ".wrapAll": 2, + ".eq": 1, + ".clone": 1, + "b.map": 1, + "wrapInner": 1, + ".wrapInner": 1, + "b.contents": 1, + "c.wrapAll": 1, + "b.append": 1, + "wrap": 2, + "unwrap": 1, + ".replaceWith": 1, + "this.childNodes": 1, + ".end": 1, + "append": 1, + "this.domManip": 4, + "this.appendChild": 1, + "prepend": 1, + "this.insertBefore": 1, + "this.firstChild": 1, + "this.parentNode.insertBefore": 2, + "a.push.apply": 2, + "this.nextSibling": 2, + ".toArray": 1, + "f.cleanData": 4, + "d.parentNode.removeChild": 1, + "b.getElementsByTagName": 1, + "this.map": 3, + "f.clone": 2, + ".innerHTML.replace": 1, + "bc.test": 2, + "f.support.leadingWhitespace": 2, + "Z.test": 2, + "_.exec": 2, + ".getElementsByTagName": 2, + ".innerHTML": 3, + "c.html": 3, + "replaceWith": 1, + "c.replaceWith": 1, + ".detach": 1, + "this.parentNode": 1, + ".remove": 2, + ".before": 1, + "detach": 1, + "this.remove": 1, + "domManip": 1, + "f.support.checkClone": 2, + "bd.test": 2, + ".domManip": 1, + "g.html": 1, + "g.domManip": 1, + "j.parentNode": 1, + "f.support.parentNode": 1, + "i.nodeType": 1, + "i.childNodes.length": 1, + "f.buildFragment": 2, + "e.fragment": 1, + "h.childNodes.length": 1, + "h.firstChild": 2, + "": 1, + "k.length": 2, + ".charAt": 1, + "f.fragments": 3, + "i.createDocumentFragment": 1, + "f.clean": 1, + "appendTo": 1, + "prependTo": 1, + "insertBefore": 1, + "insertAfter": 1, + "replaceAll": 1, + "g.childNodes.length": 1, + "this.clone": 1, + ".get": 3, + "d.concat": 1, + "e.selector": 1, + "f.support.noCloneEvent": 1, + "f.support.noCloneChecked": 1, + "b.createElement": 2, + "b.createTextNode": 2, + "k.replace": 2, + "o.innerHTML": 1, + "o.lastChild": 1, + "f.support.tbody": 1, + "ba.test": 1, + "o.firstChild": 2, + "o.firstChild.childNodes": 1, + "o.childNodes": 2, + "q.length": 1, + ".childNodes.length": 1, + ".parentNode.removeChild": 2, + "o.insertBefore": 1, + "Z.exec": 1, + "f.support.appendChecked": 1, + "k.nodeType": 1, + "h.push": 1, + "be.test": 1, + ".type.toLowerCase": 1, + "h.splice.apply": 1, + ".concat": 3, + "cleanData": 1, + "j.nodeName": 1, + "j.nodeName.toLowerCase": 1, + "f.removeEvent": 1, + "b.handle": 2, + "j.removeAttribute": 2, + "bo": 2, + "/alpha": 1, + "bp": 1, + "/opacity": 1, + "bq": 2, + "br": 19, + "ms": 2, + "bs": 2, + "bt": 42, + "bu": 11, + "bv": 2, + "de": 1, + "bw": 2, + "bz": 7, + "bA": 3, + "bB": 5, + "bC": 2, + "f.fn.css": 1, + "f.style": 4, + "cssHooks": 1, + "a.style.opacity": 2, + "cssNumber": 3, + "zIndex": 1, + "fontWeight": 1, + "zoom": 1, + "lineHeight": 1, + "widows": 1, + "orphans": 1, + "cssProps": 1, + "f.support.cssFloat": 1, + "f.cssHooks": 3, + "f.cssProps": 2, + "k.get": 1, + "bu.test": 1, + "d.replace": 1, + "f.cssNumber": 1, + "k.set": 1, + "g.get": 1, + "swap": 1, + "f.curCSS": 1, + "f.swap": 2, + "<0||e==null){e=a.style[b];return>": 1, + "0px": 1, + "f.support.opacity": 1, + "f.cssHooks.opacity": 1, + "bp.test": 1, + "a.currentStyle": 4, + "a.currentStyle.filter": 1, + "a.style.filter": 1, + "RegExp.": 1, + "c.zoom": 1, + "b*100": 1, + "d.filter": 1, + "c.filter": 2, + "bo.test": 1, + "g.replace": 1, + "f.support.reliableMarginRight": 1, + "f.cssHooks.marginRight": 1, + "a.style.marginRight": 1, + "a.ownerDocument.defaultView": 1, + "e.getComputedStyle": 1, + "g.getPropertyValue": 1, + "a.ownerDocument.documentElement": 1, + "c.documentElement.currentStyle": 1, + "a.runtimeStyle": 2, + "bs.test": 1, + "bt.test": 1, + "f.left": 3, + "a.runtimeStyle.left": 2, + "a.currentStyle.left": 1, + "f.pixelLeft": 1, + "f.expr.filters.hidden": 2, + "f.support.reliableHiddenOffsets": 1, + "f.expr.filters.visible": 1, + "bE": 2, + "bF": 1, + "bG": 3, + "n/g": 1, + "bH": 2, + "/#.*": 1, + "bI": 1, + "/mg": 1, + "bJ": 1, + "color": 4, + "date": 1, + "datetime": 1, + "email": 2, + "month": 1, + "range": 2, + "search": 5, + "tel": 2, + "time": 1, + "week": 1, + "bK": 1, + "about": 1, + "app": 2, + "storage": 1, + "extension": 1, + "widget": 1, + "bL": 1, + "GET": 1, + "bM": 2, + "bN": 2, + "bO": 2, + "<\\/script>": 2, + "/gi": 2, + "bP": 1, + "bR": 2, + "*/": 2, + "bS": 1, + "bT": 2, + "f.fn.load": 1, + "bV": 3, + "bW": 5, + "bX": 8, + "e.href": 1, + "bY": 1, + "bW.href": 2, + "bS.exec": 1, + "bW.toLowerCase": 1, + "bT.apply": 1, + "a.slice": 2, + "f.param": 2, + "f.ajaxSettings.traditional": 2, + "complete": 6, + "a.responseText": 1, + "a.isResolved": 1, + "a.done": 1, + "i.html": 1, + "i.each": 1, + "serialize": 1, + "this.serializeArray": 1, + "serializeArray": 1, + "this.elements": 2, + "this.disabled": 1, + "this.checked": 1, + "bP.test": 1, + "bJ.test": 1, + ".map": 1, + "b.name": 2, + "success": 2, + "getScript": 1, + "f.get": 2, + "getJSON": 1, + "ajaxSetup": 1, + "f.ajaxSettings": 4, + "ajaxSettings": 1, + "isLocal": 1, + "bK.test": 1, + "contentType": 4, + "processData": 3, + "accepts": 5, + "xml": 3, + "json": 2, + "/xml/": 1, + "/html/": 1, + "/json/": 1, + "responseFields": 1, + "converters": 2, + "a.String": 1, + "f.parseXML": 1, + "ajaxPrefilter": 1, + "ajaxTransport": 1, + "ajax": 2, + "clearTimeout": 2, + "v.readyState": 1, + "d.ifModified": 1, + "v.getResponseHeader": 2, + "f.lastModified": 1, + "f.etag": 1, + "v.status": 1, + "v.statusText": 1, + "h.resolveWith": 1, + "h.rejectWith": 1, + "v.statusCode": 2, + "g.trigger": 2, + "i.resolveWith": 1, + "f.active": 1, + "f.ajaxSetup": 3, + "d.statusCode": 1, + "readyState": 1, + "setRequestHeader": 6, + "getAllResponseHeaders": 1, + "getResponseHeader": 1, + "bI.exec": 1, + "overrideMimeType": 1, + "d.mimeType": 1, + "abort": 4, + "p.abort": 1, + "h.promise": 1, + "v.success": 1, + "v.done": 1, + "v.error": 1, + "v.fail": 1, + "v.complete": 1, + "i.done": 1, + "<2)for(b>": 1, + "url=": 1, + "dataTypes=": 1, + "crossDomain=": 2, + "exec": 8, + "80": 2, + "443": 2, + "param": 3, + "traditional": 1, + "s=": 12, + "t=": 19, + "toUpperCase": 1, + "hasContent=": 1, + "active": 2, + "ajaxStart": 1, + "hasContent": 2, + "cache=": 1, + "x=": 1, + "y=": 5, + "1_=": 1, + "_=": 1, + "Content": 1, + "Type": 1, + "ifModified": 1, + "lastModified": 3, + "Modified": 1, + "etag": 3, + "None": 1, + "Accept": 1, + "dataTypes": 4, + "q=": 1, + "01": 1, + "beforeSend": 2, + "p=": 5, + "No": 1, + "Transport": 1, + "readyState=": 1, + "ajaxSend": 1, + "v.abort": 1, + "d.timeout": 1, + "p.send": 1, + "encodeURIComponent": 2, + "f.isPlainObject": 1, + "d.join": 1, + "cc": 2, + "cd": 3, + "jsonp": 1, + "jsonpCallback": 1, + "f.ajaxPrefilter": 2, + "b.contentType": 1, + "b.data": 5, + "b.dataTypes": 2, + "b.jsonp": 3, + "cd.test": 2, + "b.url": 4, + "b.jsonpCallback": 4, + "d.always": 1, + "b.converters": 1, + "/javascript": 1, + "ecmascript/": 1, + "a.cache": 2, + "a.crossDomain": 2, + "a.global": 1, + "f.ajaxTransport": 2, + "c.head": 1, + "c.getElementsByTagName": 1, + "send": 2, + "d.async": 1, + "a.scriptCharset": 2, + "d.charset": 1, + "d.src": 1, + "a.url": 1, + "d.onload": 3, + "d.onreadystatechange": 2, + "d.readyState": 2, + "/loaded": 1, + "complete/.test": 1, + "e.removeChild": 1, + "e.insertBefore": 1, + "e.firstChild": 1, + "ce": 6, + "cg": 7, + "cf": 7, + "f.ajaxSettings.xhr": 2, + "this.isLocal": 1, + "cors": 1, + "f.support.ajax": 1, + "c.crossDomain": 3, + "f.support.cors": 1, + "c.xhr": 1, + "c.username": 2, + "h.open": 2, + "c.url": 2, + "c.password": 1, + "c.xhrFields": 3, + "c.mimeType": 2, + "h.overrideMimeType": 2, + "h.setRequestHeader": 1, + "h.send": 1, + "c.hasContent": 1, + "h.readyState": 3, + "h.onreadystatechange": 2, + "h.abort": 1, + "h.status": 1, + "h.getAllResponseHeaders": 1, + "h.responseXML": 1, + "n.documentElement": 1, + "m.xml": 1, + "m.text": 2, + "h.responseText": 1, + "h.statusText": 1, + "c.isLocal": 1, + ".unload": 1, + "cm": 2, + "cn": 1, + "co": 5, + "cp": 1, + "cr": 20, + "a.webkitRequestAnimationFrame": 1, + "a.mozRequestAnimationFrame": 1, + "a.oRequestAnimationFrame": 1, + "this.animate": 2, + "d.style": 3, + ".style": 1, + "": 1, + "_toggle": 2, + "animate": 4, + "fadeTo": 1, + "queue=": 2, + "animatedProperties=": 1, + "animatedProperties": 2, + "specialEasing": 2, + "easing": 3, + "swing": 2, + "overflow=": 2, + "overflow": 2, + "overflowX": 1, + "overflowY": 1, + "float": 3, + "display=": 3, + "zoom=": 1, + "fx": 10, + "l=": 10, + "m=": 2, + "custom": 5, + "stop": 7, + "timers": 3, + "slideDown": 1, + "slideUp": 1, + "slideToggle": 1, + "fadeIn": 1, + "fadeOut": 1, + "fadeToggle": 1, + "duration": 4, + "duration=": 2, + "off": 1, + "speeds": 4, + "old=": 1, + "complete=": 1, + "old": 2, + "linear": 1, + "Math": 51, + "cos": 1, + "PI": 54, + "5": 23, + "options=": 1, + "prop=": 3, + "orig=": 1, + "orig": 3, + "step": 7, + "startTime=": 1, + "start=": 1, + "end=": 1, + "unit=": 1, + "unit": 1, + "now=": 1, + "pos=": 1, + "state=": 1, + "co=": 2, + "tick": 3, + "interval": 3, + "show=": 1, + "hide=": 1, + "e.duration": 3, + "this.startTime": 2, + "this.now": 3, + "this.end": 2, + "this.pos": 4, + "this.state": 3, + "this.update": 2, + "e.animatedProperties": 5, + "this.prop": 2, + "e.overflow": 2, + "f.support.shrinkWrapBlocks": 1, + "e.hide": 2, + ".hide": 2, + "e.show": 1, + "e.orig": 1, + "e.complete.call": 1, + "Infinity": 1, + "h/e.duration": 1, + "f.easing": 1, + "this.start": 2, + "*this.pos": 1, + "f.timers": 2, + "a.splice": 1, + "f.fx.stop": 1, + "clearInterval": 6, + "slow": 1, + "fast": 1, + "a.elem": 2, + "a.now": 4, + "a.elem.style": 3, + "a.prop": 5, + "Math.max": 10, + "a.unit": 1, + "f.expr.filters.animated": 1, + "b.elem": 1, + "cw": 1, + "able": 1, + "cx": 2, + "f.fn.offset": 2, + "f.offset.setOffset": 2, + "b.ownerDocument.body": 2, + "f.offset.bodyOffset": 2, + "b.getBoundingClientRect": 1, + "e.documentElement": 4, + "c.top": 4, + "c.left": 4, + "e.body": 3, + "g.clientTop": 1, + "h.clientTop": 1, + "g.clientLeft": 1, + "h.clientLeft": 1, + "i.pageYOffset": 1, + "g.scrollTop": 1, + "h.scrollTop": 2, + "i.pageXOffset": 1, + "g.scrollLeft": 1, + "h.scrollLeft": 2, + "f.offset.initialize": 3, + "b.offsetParent": 2, + "g.documentElement": 1, + "g.body": 1, + "g.defaultView": 1, + "j.getComputedStyle": 2, + "b.currentStyle": 2, + "b.offsetTop": 2, + "b.offsetLeft": 2, + "f.offset.supportsFixedPosition": 2, + "k.position": 4, + "b.scrollTop": 1, + "b.scrollLeft": 1, + "f.offset.doesNotAddBorder": 1, + "f.offset.doesAddBorderForTableAndCells": 1, + "cw.test": 1, + "c.borderTopWidth": 2, + "c.borderLeftWidth": 2, + "f.offset.subtractsBorderForOverflowNotVisible": 1, + "c.overflow": 1, + "i.offsetTop": 1, + "i.offsetLeft": 1, + "i.scrollTop": 1, + "i.scrollLeft": 1, + "f.offset": 1, + "initialize": 3, + "b.style": 1, + "d.nextSibling.firstChild.firstChild": 1, + "this.doesNotAddBorder": 1, + "e.offsetTop": 4, + "this.doesAddBorderForTableAndCells": 1, + "h.offsetTop": 1, + "e.style.position": 2, + "e.style.top": 2, + "this.supportsFixedPosition": 1, + "d.style.overflow": 1, + "d.style.position": 1, + "this.subtractsBorderForOverflowNotVisible": 1, + "this.doesNotIncludeMarginInBodyOffset": 1, + "a.offsetTop": 2, + "bodyOffset": 1, + "a.offsetLeft": 1, + "f.offset.doesNotIncludeMarginInBodyOffset": 1, + "setOffset": 1, + "a.style.position": 1, + "e.offset": 1, + "e.position": 1, + "l.top": 1, + "l.left": 1, + "b.top": 2, + "k.top": 1, + "g.top": 1, + "b.left": 2, + "k.left": 1, + "g.left": 1, + "b.using.call": 1, + "e.css": 1, + "this.offsetParent": 2, + "this.offset": 2, + "cx.test": 2, + "b.offset": 1, + "d.top": 2, + "d.left": 2, + "offsetParent": 1, + "a.offsetParent": 1, + "g.document.documentElement": 1, + "g.document.body": 1, + "g.scrollTo": 1, + ".scrollLeft": 1, + ".scrollTop": 1, + "e.document.documentElement": 1, + "e.document.compatMode": 1, + "e.document.body": 1, + "this.css": 1, + "Prioritize": 1, + "": 1, + "XSS": 1, + "location.hash": 1, + "#9521": 1, + "Matches": 1, + "dashed": 1, + "camelizing": 1, + "rdashAlpha": 1, + "rmsPrefix": 1, + "fcamelCase": 1, + "letter": 3, + "readyList.fireWith": 1, + ".off": 1, + "jQuery.Callbacks": 2, + "IE8": 2, + "exceptions": 2, + "#9897": 1, + "elems": 9, + "chainable": 4, + "emptyGet": 3, + "bulk": 3, + "elems.length": 1, + "Sets": 3, + "jQuery.access": 2, + "Optionally": 1, + "executed": 1, + "Bulk": 1, + "operations": 1, + "iterate": 1, + "executing": 1, + "exec.call": 1, + "they": 2, + "run": 1, + "against": 1, + "entire": 1, + "fn.call": 2, + "value.call": 1, + "Gets": 2, + "frowned": 1, + "upon.": 1, + "More": 1, + "//docs.jquery.com/Utilities/jQuery.browser": 1, + "ua": 6, + "ua.toLowerCase": 1, + "rwebkit.exec": 1, + "ropera.exec": 1, + "rmsie.exec": 1, + "ua.indexOf": 1, + "rmozilla.exec": 1, + "jQuerySub": 7, + "jQuerySub.fn.init": 2, + "jQuerySub.superclass": 1, + "jQuerySub.fn": 2, + "jQuerySub.prototype": 1, + "jQuerySub.fn.constructor": 1, + "jQuerySub.sub": 1, + "jQuery.fn.init.call": 1, + "rootjQuerySub": 2, + "jQuerySub.fn.init.prototype": 1, + "jQuery.uaMatch": 1, + "browserMatch.browser": 2, + "jQuery.browser.version": 1, + "browserMatch.version": 1, + "jQuery.browser.webkit": 1, + "jQuery.browser.safari": 1, + "flagsCache": 3, + "createFlags": 2, + "flags": 13, + "flags.split": 1, + "flags.length": 1, + "Convert": 1, + "formatted": 2, + "Actual": 2, + "Stack": 1, + "fire": 4, + "calls": 1, + "repeatable": 1, + "lists": 2, + "stack": 2, + "forgettable": 1, + "memory": 8, + "Flag": 2, + "First": 3, + "fireWith": 1, + "firingStart": 3, + "End": 1, + "firingLength": 4, + "Index": 1, + "firingIndex": 5, + "several": 1, + "actual": 1, + "Inspect": 1, + "recursively": 1, + "mode": 1, + "flags.unique": 1, + "self.has": 1, + "list.push": 1, + "Fire": 1, + "flags.memory": 1, + "flags.stopOnFalse": 1, + "Mark": 1, + "halted": 1, + "flags.once": 1, + "stack.length": 1, + "stack.shift": 1, + "self.fireWith": 1, + "self.disable": 1, + "Callbacks": 1, + "collection": 3, + "Do": 2, + "current": 7, + "batch": 2, + "With": 1, + "/a": 1, + ".55": 1, + "basic": 1, + "all.length": 1, + "supports": 2, + "select.appendChild": 1, + "strips": 1, + "leading": 1, + "div.firstChild.nodeType": 1, + "manipulated": 1, + "normalizes": 1, + "around": 1, + "issue.": 1, + "#5145": 1, + "existence": 1, + "styleFloat": 1, + "a.style.cssFloat": 1, + "defaults": 3, + "working": 1, + "property.": 1, + "too": 1, + "marked": 1, + "marks": 1, + "select.disabled": 1, + "support.optDisabled": 1, + "opt.disabled": 1, + "handlers": 1, + "support.noCloneEvent": 1, + "div.cloneNode": 1, + "maintains": 1, + "#11217": 1, + "loses": 1, + "div.lastChild": 1, + "conMarginTop": 3, + "paddingMarginBorder": 5, + "positionTopLeftWidthHeight": 3, + "paddingMarginBorderVisibility": 3, + "container": 4, + "container.style.cssText": 1, + "body.insertBefore": 1, + "body.firstChild": 1, + "Construct": 1, + "container.appendChild": 1, + "cells": 3, + "still": 4, + "offsetWidth/Height": 3, + "visible": 1, + "row": 1, + "reliable": 1, + "offsets": 1, + "safety": 1, + "goggles": 1, + "#4512": 1, + "fails": 2, + "support.reliableHiddenOffsets": 1, + "explicit": 1, + "right": 3, + "incorrectly": 1, + "computed": 1, + "based": 1, + "container.": 1, + "#3333": 1, + "Feb": 1, + "Bug": 1, + "getComputedStyle": 3, + "returns": 1, + "wrong": 1, + "window.getComputedStyle": 6, + "marginDiv.style.width": 1, + "marginDiv.style.marginRight": 1, + "div.style.width": 2, + "support.reliableMarginRight": 1, + "div.style.zoom": 2, + "natively": 1, + "block": 4, + "act": 1, + "setting": 2, + "giving": 1, + "layout": 2, + "div.style.padding": 1, + "div.style.border": 1, + "div.style.overflow": 2, + "div.style.display": 2, + "support.inlineBlockNeedsLayout": 1, + "div.offsetWidth": 2, + "shrink": 1, + "support.shrinkWrapBlocks": 1, + "div.style.cssText": 1, + "outer.firstChild": 1, + "outer.nextSibling.firstChild.firstChild": 1, + "offsetSupport": 2, + "doesNotAddBorder": 1, + "inner.offsetTop": 4, + "doesAddBorderForTableAndCells": 1, + "td.offsetTop": 1, + "inner.style.position": 2, + "inner.style.top": 2, + "safari": 1, + "subtracts": 1, + "here": 1, + "offsetSupport.fixedPosition": 1, + "outer.style.overflow": 1, + "outer.style.position": 1, + "offsetSupport.subtractsBorderForOverflowNotVisible": 1, + "offsetSupport.doesNotIncludeMarginInBodyOffset": 1, + "body.offsetTop": 1, + "div.style.marginTop": 1, + "support.pixelMargin": 1, + ".marginTop": 1, + "container.style.zoom": 2, + "body.removeChild": 1, + "rbrace": 1, + "Please": 1, + "caution": 1, + "Unique": 1, + "page": 1, + "rinlinejQuery": 1, + "jQuery.fn.jquery": 1, + "following": 1, + "uncatchable": 1, + "you": 1, + "attempt": 2, + "them.": 1, + "Ban": 1, + "except": 1, + "Flash": 1, + "jQuery.acceptData": 2, + "privateCache": 1, + "differently": 1, + "because": 1, + "IE6": 1, + "order": 1, + "collisions": 1, + "between": 1, + "user": 1, + "data.": 1, + "thisCache.data": 3, + "Users": 1, + "should": 1, + "inspect": 1, + "undocumented": 1, + "subject": 1, + "change.": 1, + "But": 1, + "anyone": 1, + "listen": 1, + "No.": 1, + "isEvents": 1, + "privateCache.events": 1, + "converted": 2, + "camel": 2, + "names": 2, + "camelCased": 1, + "Reference": 1, + "entry": 1, + "purpose": 1, + "continuing": 1, + "Support": 1, + "space": 1, + "separated": 1, + "jQuery.isArray": 1, + "manipulation": 1, + "cased": 1, + "name.split": 1, + "name.length": 1, + "want": 1, + "let": 1, + "destroyed": 2, + "jQuery.isEmptyObject": 1, + "Don": 1, + "care": 1, + "Ensure": 1, + "#10080": 1, + "cache.setInterval": 1, + "part": 8, + "jQuery._data": 2, + "elem.attributes": 1, + "self.triggerHandler": 2, + "jQuery.isNumeric": 1, + "All": 1, + "lowercase": 1, + "Grab": 1, + "necessary": 1, + "hook": 1, + "nodeHook": 1, + "attrNames": 3, + "isBool": 4, + "rspace": 1, + "attrNames.length": 1, + "#9699": 1, + "explanation": 1, + "approach": 1, + "removal": 1, + "#10870": 1, + "**": 1, + "timeStamp": 1, + "char": 2, + "buttons": 1, + "SHEBANG#!node": 2, + "http.createServer": 1, + "res.writeHead": 1, + "res.end": 1, + ".listen": 1, + "Date.prototype.toJSON": 2, + "isFinite": 1, + "this.valueOf": 2, + "this.getUTCFullYear": 1, + "this.getUTCMonth": 1, + "this.getUTCDate": 1, + "this.getUTCHours": 1, + "this.getUTCMinutes": 1, + "this.getUTCSeconds": 1, + "String.prototype.toJSON": 1, + "Number.prototype.toJSON": 1, + "Boolean.prototype.toJSON": 1, + "u0000": 1, + "u00ad": 1, + "u0600": 1, + "u0604": 1, + "u070f": 1, + "u17b4": 1, + "u17b5": 1, + "u200c": 1, + "u200f": 1, + "u2028": 3, + "u202f": 1, + "u2060": 1, + "u206f": 1, + "ufeff": 1, + "ufff0": 1, + "uffff": 1, + "escapable": 1, + "/bfnrt": 1, + "fA": 2, + "JSON.parse": 1, + "PUT": 1, + "DELETE": 1, + "_id": 1, + "ties": 1, + "collection.": 1, + "_removeReference": 1, + "model.collection": 2, + "model.unbind": 1, + "this._onModelEvent": 1, + "_onModelEvent": 1, + "ev": 5, + "this._remove": 1, + "model.idAttribute": 2, + "this._byId": 2, + "model.previous": 1, + "model.id": 1, + "this.trigger.apply": 2, + "_.each": 1, + "Backbone.Collection.prototype": 1, + "this.models": 1, + "_.toArray": 1, + "Backbone.Router": 1, + "options.routes": 2, + "this.routes": 4, + "this._bindRoutes": 1, + "this.initialize.apply": 2, + "namedParam": 2, + "splatParam": 2, + "escapeRegExp": 2, + "_.extend": 9, + "Backbone.Router.prototype": 1, + "Backbone.Events": 2, + "route": 18, + "Backbone.history": 2, + "Backbone.History": 2, + "_.isRegExp": 1, + "this._routeToRegExp": 1, + "Backbone.history.route": 1, + "_.bind": 2, + "this._extractParameters": 1, + "callback.apply": 1, + "navigate": 2, + "triggerRoute": 4, + "Backbone.history.navigate": 1, + "_bindRoutes": 1, + "routes": 4, + "routes.unshift": 1, + "routes.length": 1, + "this.route": 1, + "_routeToRegExp": 1, + "route.replace": 1, + "_extractParameters": 1, + "route.exec": 1, + "this.handlers": 2, + "_.bindAll": 1, + "hashStrip": 4, + "#*": 1, + "isExplorer": 1, + "/msie": 1, + "historyStarted": 3, + "Backbone.History.prototype": 1, + "getFragment": 1, + "forcePushState": 2, + "this._hasPushState": 6, + "window.location.pathname": 1, + "window.location.search": 1, + "fragment.indexOf": 1, + "this.options.root": 6, + "fragment.substr": 1, + "this.options.root.length": 1, + "window.location.hash": 3, + "fragment.replace": 1, + "this._wantsPushState": 3, + "this.options.pushState": 2, + "window.history": 2, + "window.history.pushState": 2, + "this.getFragment": 6, + "docMode": 3, + "document.documentMode": 3, + "oldIE": 3, + "isExplorer.exec": 1, + "navigator.userAgent.toLowerCase": 1, + "this.iframe": 4, + ".contentWindow": 1, + "this.navigate": 2, + ".bind": 3, + "this.checkUrl": 3, + "setInterval": 6, + "this.interval": 1, + "this.fragment": 13, + "loc": 2, + "atRoot": 3, + "loc.pathname": 1, + "loc.hash": 1, + "loc.hash.replace": 1, + "window.history.replaceState": 1, + "document.title": 2, + "loc.protocol": 2, + "loc.host": 2, + "this.loadUrl": 4, + "this.handlers.unshift": 1, + "checkUrl": 1, + "this.iframe.location.hash": 3, + "decodeURIComponent": 2, + "loadUrl": 1, + "fragmentOverride": 2, + "matched": 2, + "_.any": 1, + "handler.route.test": 1, + "handler.callback": 1, + "frag": 13, + "frag.indexOf": 1, + "this.iframe.document.open": 1, + ".close": 1, + "Backbone.View": 1, + "this.cid": 3, + "_.uniqueId": 1, + "this._configure": 1, + "this._ensureElement": 1, + "this.delegateEvents": 1, + "selectorDelegate": 2, + "this.el": 10, + "eventSplitter": 2, + "viewOptions": 2, + "Backbone.View.prototype": 1, + "tagName": 3, + "render": 1, + "el": 4, + ".attr": 1, + ".html": 1, + "delegateEvents": 1, + "this.events": 1, + "key.match": 1, + "_configure": 1, + "viewOptions.length": 1, + "_ensureElement": 1, + "attrs": 6, + "this.attributes": 1, + "this.id": 2, + "attrs.id": 1, + "this.make": 1, + "this.tagName": 1, + "_.isString": 1, + "protoProps": 6, + "classProps": 2, + "inherits": 2, + "child.extend": 1, + "this.extend": 1, + "Backbone.Model.extend": 1, + "Backbone.Collection.extend": 1, + "Backbone.Router.extend": 1, + "Backbone.View.extend": 1, + "methodMap": 2, + "Backbone.sync": 1, + "params": 2, + "params.url": 2, + "getUrl": 2, + "urlError": 2, + "params.data": 5, + "params.contentType": 2, + "model.toJSON": 1, + "Backbone.emulateJSON": 2, + "params.processData": 1, + "Backbone.emulateHTTP": 1, + "params.data._method": 1, + "params.type": 1, + "params.beforeSend": 1, + "xhr": 1, + "xhr.setRequestHeader": 1, + ".ajax": 1, + "staticProps": 3, + "protoProps.hasOwnProperty": 1, + "protoProps.constructor": 1, + "parent.apply": 1, + "child.prototype.constructor": 1, + "object.url": 4, + "_.isFunction": 1, + "wrapError": 1, + "onError": 3, + "resp": 3, + "model.trigger": 1, + "escapeHTML": 1, + "string.replace": 1, + "#x": 1, + "da": 1, + "": 1, + "lt": 55, + "#x27": 1, + "#x2F": 1, + "window.Modernizr": 1, + "Modernizr": 12, + "enableClasses": 3, + "docElement": 1, + "mod": 12, + "modElem": 2, + "mStyle": 2, + "modElem.style": 1, + "inputElem": 6, + "smile": 4, + "prefixes": 2, + "omPrefixes": 1, + "cssomPrefixes": 2, + "omPrefixes.split": 1, + "domPrefixes": 3, + "omPrefixes.toLowerCase": 1, + "ns": 1, + "inputs": 3, + "classes": 1, + "classes.slice": 1, + "featureName": 5, + "testing": 1, + "injectElementWithStyles": 9, + "rule": 5, + "testnames": 3, + "fakeBody": 4, + "node.id": 1, + "div.id": 1, + "fakeBody.appendChild": 1, + "//avoid": 1, + "crashing": 1, + "fakeBody.style.background": 1, + "docElement.appendChild": 2, + "fakeBody.parentNode.removeChild": 1, + "div.parentNode.removeChild": 1, + "testMediaQuery": 2, + "mq": 3, + "matchMedia": 3, + "window.matchMedia": 1, + "window.msMatchMedia": 1, + ".matches": 1, + "bool": 30, + "node.currentStyle": 2, + "isEventSupported": 5, + "TAGNAMES": 2, + "element.setAttribute": 3, + "element.removeAttribute": 2, + "_hasOwnProperty": 2, + "hasOwnProperty": 5, + "_hasOwnProperty.call": 2, + "object.constructor.prototype": 1, + "Function.prototype.bind": 2, + "slice.call": 3, + "F.prototype": 1, + "target.prototype": 1, + "target.apply": 2, + "args.concat": 2, + "setCss": 7, + "str": 4, + "mStyle.cssText": 1, + "setCssAll": 2, + "str1": 6, + "str2": 4, + "prefixes.join": 3, + "substr": 2, + "testProps": 3, + "prefixed": 7, + "testDOMProps": 2, + "item": 4, + "item.bind": 1, + "testPropsAll": 17, + "ucProp": 5, + "prop.charAt": 1, + "prop.substr": 1, + "cssomPrefixes.join": 1, + "elem.getContext": 2, + ".getContext": 8, + ".fillText": 1, + "window.WebGLRenderingContext": 1, + "window.DocumentTouch": 1, + "DocumentTouch": 1, + "node.offsetTop": 1, + "window.postMessage": 1, + "window.openDatabase": 1, + "history.pushState": 1, + "mStyle.backgroundColor": 3, + "mStyle.background": 1, + ".style.textShadow": 1, + "mStyle.opacity": 1, + "str3": 2, + "str1.length": 1, + "mStyle.backgroundImage": 1, + "docElement.style": 1, + "node.offsetLeft": 1, + "node.offsetHeight": 2, + "document.styleSheets": 1, + "document.styleSheets.length": 1, + "cssText": 4, + "style.cssRules": 3, + "style.cssText": 1, + "/src/i.test": 1, + "cssText.indexOf": 1, + "rule.split": 1, + "elem.canPlayType": 10, + "Boolean": 2, + "bool.ogg": 2, + "bool.h264": 1, + "bool.webm": 1, + "bool.mp3": 1, + "bool.wav": 1, + "bool.m4a": 1, + "localStorage.setItem": 1, + "localStorage.removeItem": 1, + "sessionStorage.setItem": 1, + "sessionStorage.removeItem": 1, + "window.Worker": 1, + "window.applicationCache": 1, + "document.createElementNS": 6, + "ns.svg": 4, + ".createSVGRect": 1, + "div.firstChild.namespaceURI": 1, + "/SVGAnimate/.test": 1, + "toString.call": 2, + "/SVGClipPath/.test": 1, + "webforms": 2, + "props.length": 2, + "attrs.list": 2, + "window.HTMLDataListElement": 1, + "inputElemType": 5, + "defaultView": 2, + "inputElem.setAttribute": 1, + "inputElem.type": 1, + "inputElem.value": 2, + "inputElem.style.cssText": 1, + "inputElem.style.WebkitAppearance": 1, + "document.defaultView": 1, + "defaultView.getComputedStyle": 2, + ".WebkitAppearance": 1, + "inputElem.offsetHeight": 1, + "docElement.removeChild": 1, + "inputElem.checkValidity": 2, + "feature": 12, + "feature.toLowerCase": 2, + "classes.push": 1, + "Modernizr.input": 1, + "Modernizr.addTest": 2, + "docElement.className": 2, + "chaining.": 1, + "window.html5": 2, + "reSkip": 1, + "saveClones": 1, + "fieldset": 1, + "h1": 5, + "h2": 5, + "h3": 3, + "h4": 3, + "h5": 1, + "h6": 1, + "img": 1, + "label": 2, + "li": 19, + "ol": 1, + "span": 1, + "strong": 1, + "tfoot": 1, + "th": 1, + "ul": 1, + "supportsHtml5Styles": 5, + "supportsUnknownElements": 3, + "//if": 2, + "implemented": 1, + "assume": 1, + "Styles": 1, + "Chrome": 2, + "additional": 1, + "solve": 1, + "node.hidden": 1, + ".display": 1, + "a.childNodes.length": 1, + "frag.cloneNode": 1, + "frag.createDocumentFragment": 1, + "frag.createElement": 2, + "addStyleSheet": 2, + "ownerDocument.createElement": 3, + "ownerDocument.getElementsByTagName": 1, + "ownerDocument.documentElement": 1, + "p.innerHTML": 1, + "parent.insertBefore": 1, + "p.lastChild": 1, + "parent.firstChild": 1, + "getElements": 2, + "html5.elements": 1, + "elements.split": 1, + "shivMethods": 2, + "docCreateElement": 5, + "docCreateFragment": 2, + "ownerDocument.createDocumentFragment": 2, + "//abort": 1, + "shiv": 1, + "html5.shivMethods": 1, + "saveClones.test": 1, + "node.canHaveChildren": 1, + "reSkip.test": 1, + "frag.appendChild": 1, + "html5": 3, + "shivDocument": 3, + "shived": 5, + "ownerDocument.documentShived": 2, + "html5.shivCSS": 1, + "options.elements": 1, + "options.shivCSS": 1, + "options.shivMethods": 1, + "Modernizr._version": 1, + "Modernizr._prefixes": 1, + "Modernizr._domPrefixes": 1, + "Modernizr._cssomPrefixes": 1, + "Modernizr.mq": 1, + "Modernizr.hasEvent": 1, + "Modernizr.testProp": 1, + "Modernizr.testAllProps": 1, + "Modernizr.testStyles": 1, + "Modernizr.prefixed": 1, + "docElement.className.replace": 1, + "js": 1, + "classes.join": 1, + "this.document": 1, + "PEG.parser": 1, + "quote": 3, + "result0": 264, + "result1": 81, + "result2": 77, + "parse_singleQuotedCharacter": 3, + "result1.push": 3, + "input.charCodeAt": 18, + "pos": 197, + "reportFailures": 64, + "matchFailed": 40, + "pos1": 63, + "chars": 1, + "chars.join": 1, + "pos0": 51, + "parse_simpleSingleQuotedCharacter": 2, + "parse_simpleEscapeSequence": 3, + "parse_zeroEscapeSequence": 3, + "parse_hexEscapeSequence": 3, + "parse_unicodeEscapeSequence": 3, + "parse_eolEscapeSequence": 3, + "pos2": 22, + "parse_eolChar": 6, + "input.length": 9, + "input.charAt": 21, + "char_": 9, + "parse_class": 1, + "result3": 35, + "result4": 12, + "result5": 4, + "parse_classCharacterRange": 3, + "parse_classCharacter": 5, + "result2.push": 1, + "parse___": 2, + "inverted": 4, + "partsConverted": 2, + "part.data": 1, + "rawText": 5, + "part.rawText": 1, + "ignoreCase": 1, + "begin": 1, + "begin.data.charCodeAt": 1, + "end.data.charCodeAt": 1, + "this.SyntaxError": 2, + "begin.rawText": 2, + "end.rawText": 2, + "begin.data": 1, + "end.data": 1, + "parse_bracketDelimitedCharacter": 2, + "quoteForRegexpClass": 1, + "parse_simpleBracketDelimitedCharacter": 2, + "parse_digit": 3, + "recognize": 1, + "input.substr": 9, + "parse_hexDigit": 7, + "String.fromCharCode": 4, + "parse_eol": 4, + "eol": 2, + "parse_letter": 1, + "parse_lowerCaseLetter": 2, + "parse_upperCaseLetter": 2, + "parse_whitespace": 3, + "parse_comment": 3, + "result0.push": 1, + "parse_singleLineComment": 2, + "parse_multiLineComment": 2, + "u2029": 2, + "x0B": 1, + "uFEFF": 1, + "u1680": 1, + "u180E": 1, + "u2000": 1, + "u200A": 1, + "u202F": 1, + "u205F": 1, + "u3000": 1, + "cleanupExpected": 2, + "expected": 12, + "expected.sort": 1, + "lastExpected": 3, + "cleanExpected": 2, + "expected.length": 4, + "cleanExpected.push": 1, + "computeErrorPosition": 2, + "line": 14, + "column": 8, + "seenCR": 5, + "rightmostFailuresPos": 2, + "parseFunctions": 1, + "startRule": 1, + "errorPosition": 1, + "rightmostFailuresExpected": 1, + "errorPosition.line": 1, + "errorPosition.column": 1, + "toSource": 1, + "this._source": 1, + "result.SyntaxError": 1, + "buildMessage": 2, + "expectedHumanized": 5, + "foundHumanized": 3, + "expected.slice": 1, + "this.expected": 1, + "this.found": 1, + "this.message": 3, + "this.line": 3, + "this.column": 1, + "result.SyntaxError.prototype": 1, + "Error.prototype": 1, + "steelseries": 10, + "n.charAt": 1, + "n.substring": 1, + "i.substring": 3, + "this.color": 1, + "ui": 31, + "/255": 1, + "t.getRed": 4, + "t.getGreen": 4, + "t.getBlue": 4, + "t.getAlpha": 4, + "i.getRed": 1, + "i.getGreen": 1, + "i.getBlue": 1, + "i.getAlpha": 1, + "*f": 2, + "w/r": 1, + "p/r": 1, + "s/r": 1, + "o/r": 1, + "e*u": 1, + ".toFixed": 3, + "l*u": 1, + "c*u": 1, + "h*u": 1, + "vr": 20, + "Math.floor": 26, + "Math.log10": 1, + "n/Math.pow": 1, + "": 1, + "beginPath": 12, + "moveTo": 10, + "lineTo": 22, + "quadraticCurveTo": 4, + "closePath": 8, + "stroke": 7, + "canvas": 22, + "width=": 17, + "height=": 17, + "ii": 29, + "getContext": 26, + "2d": 26, + "ft": 70, + "fillStyle=": 13, + "rect": 3, + "fill": 10, + "getImageData": 1, + "wt": 26, + "32": 1, + "62": 1, + "84": 1, + "94": 1, + "ar": 20, + "255": 3, + "max": 1, + "min": 2, + ".5": 7, + "u/": 3, + "/u": 3, + "f/": 1, + "vt": 50, + "n*6": 2, + "i*": 3, + "h*t": 1, + "*t": 3, + "f*255": 1, + "u*255": 1, + "r*255": 1, + "st": 59, + "n/255": 1, + "t/255": 1, + "i/255": 1, + "f/r": 1, + "/f": 3, + "<0?0:n>": 1, + "si": 23, + "ti": 39, + "Math.round": 7, + "/r": 1, + "u*r": 1, + "ni": 30, + "tt": 53, + "ei": 26, + "ot": 43, + "i.gaugeType": 6, + "steelseries.GaugeType.TYPE4": 2, + "i.size": 6, + "i.minValue": 10, + "i.maxValue": 10, + "i.niceScale": 10, + "i.threshold": 10, + "/2": 25, + "i.section": 8, + "i.area": 4, + "lu": 10, + "i.titleString": 10, + "au": 10, + "i.unitString": 10, + "hu": 11, + "i.frameDesign": 10, + "steelseries.FrameDesign.METAL": 7, + "wu": 9, + "i.frameVisible": 10, + "i.backgroundColor": 10, + "steelseries.BackgroundColor.DARK_GRAY": 7, + "i.backgroundVisible": 10, + "pt": 48, + "i.pointerType": 4, + "steelseries.PointerType.TYPE1": 3, + "i.pointerColor": 4, + "steelseries.ColorDef.RED": 7, + "ee": 2, + "i.knobType": 4, + "steelseries.KnobType.STANDARD_KNOB": 14, + "fi": 26, + "i.knobStyle": 4, + "steelseries.KnobStyle.SILVER": 4, + "i.lcdColor": 8, + "steelseries.LcdColor.STANDARD": 9, + "i.lcdVisible": 8, + "eu": 13, + "i.lcdDecimals": 8, + "ye": 2, + "i.digitalFont": 8, + "pe": 2, + "i.fractionalScaleDecimals": 4, + "i.ledColor": 10, + "steelseries.LedColor.RED_LED": 7, + "ru": 14, + "i.ledVisible": 10, + "vf": 5, + "i.thresholdVisible": 8, + "kr": 17, + "i.minMeasuredValueVisible": 8, + "dr": 16, + "i.maxMeasuredValueVisible": 8, + "i.foregroundType": 6, + "steelseries.ForegroundType.TYPE1": 5, + "af": 5, + "i.foregroundVisible": 10, + "oe": 2, + "i.labelNumberFormat": 10, + "steelseries.LabelNumberFormat.STANDARD": 5, + "yr": 17, + "i.playAlarm": 10, + "uf": 5, + "i.alarmSound": 10, + "fe": 2, + "i.customLayer": 4, + "le": 1, + "i.tickLabelOrientation": 4, + "steelseries.GaugeType.TYPE1": 4, + "steelseries.TickLabelOrientation.TANGENT": 2, + "steelseries.TickLabelOrientation.NORMAL": 2, + "wr": 18, + "i.trendVisible": 4, + "hr": 17, + "i.trendColors": 4, + "steelseries.LedColor.GREEN_LED": 2, + "steelseries.LedColor.CYAN_LED": 2, + "sr": 21, + "i.useOdometer": 2, + "i.odometerParams": 2, + "wf": 4, + "i.odometerUseValue": 2, + "ki": 21, + "r.createElement": 11, + "ki.setAttribute": 2, + "yf": 3, + "ri": 24, + "ht": 34, + "ef": 5, + "steelseries.TrendState.OFF": 4, + "lr": 19, + "f*.06": 1, + "f*.29": 19, + "er": 19, + "f*.36": 4, + "et": 45, + "gi": 26, + "rr": 21, + "*lt": 9, + "r.getElementById": 7, + "u.save": 7, + "u.clearRect": 5, + "u.canvas.width": 7, + "u.canvas.height": 7, + "s/2": 2, + "k/2": 1, + "pf": 4, + ".6*s": 1, + "ne": 2, + ".4*k": 1, + "pr": 16, + "s/10": 1, + "ae": 2, + "hf": 4, + "k*.13": 2, + "s*.4": 1, + "sf": 5, + "rf": 5, + "k*.57": 1, + "tf": 5, + "k*.61": 1, + "Math.PI/2": 40, + "ue": 1, + "Math.PI/180": 5, + "ff": 5, + "ir": 23, + "nr": 22, + "ai": 21, + "yt": 32, + "fr": 21, + "oi": 23, + "lf": 5, + "re": 2, + "ai/": 2, + "h/vt": 1, + "*vt": 4, + "Math.ceil": 63, + "b/vt": 1, + "vt/": 3, + "ot.type": 10, + "Math.PI": 13, + "at/yt": 4, + "*Math.PI": 10, + "*ue": 1, + "ci/2": 1, + "wi": 24, + "nf": 7, + "wi.getContext": 2, + "di": 22, + "ut": 59, + "di.getContext": 2, + "fu": 13, + "hi": 15, + "f*.093457": 10, + "uu": 13, + "hi.getContext": 6, + "gt": 32, + "nu": 11, + "gt.getContext": 3, + "iu": 14, + "f*.028037": 6, + "se": 1, + "iu.getContext": 1, + "gr": 12, + "he": 1, + "gr.getContext": 1, + "vi": 16, + "tu": 13, + "vi.getContext": 2, + "yi": 17, + "ou": 13, + "yi.getContext": 2, + "pi": 24, + "kt": 24, + "pi.getContext": 2, + "pu": 9, + "li.getContext": 6, + "gu": 9, + "du": 10, + "ku": 9, + "yu": 10, + "su": 12, + "tr.getContext": 1, + "kf": 3, + "u.textAlign": 2, + "u.strokeStyle": 2, + "ei.textColor": 2, + "u.fillStyle": 2, + "steelseries.LcdColor.STANDARD_GREEN": 4, + "u.shadowColor": 2, + "u.shadowOffsetX": 2, + "s*.007": 3, + "u.shadowOffsetY": 2, + "u.shadowBlur": 2, + "u.font": 2, + "u.fillText": 2, + "n.toFixed": 2, + "bi*.05": 1, + "hf*.5": 1, + "pr*.38": 1, + "bi*.9": 1, + "u.restore": 6, + "te": 2, + "n.save": 35, + "n.drawImage": 14, + "k*.037383": 11, + "s*.523364": 2, + "k*.130841": 1, + "s*.130841": 1, + "k*.514018": 2, + "s*.831775": 1, + "k*.831775": 1, + "s*.336448": 1, + "k*.803738": 2, + "s*.626168": 1, + "n.restore": 35, + "ie": 2, + "t.width": 2, + "f*.046728": 1, + "t.height": 2, + "t.width*.9": 4, + "t.getContext": 2, + "n.createLinearGradient": 17, + ".1": 18, + "t.height*.9": 6, + "i.addColorStop": 27, + ".3": 8, + ".59": 4, + "n.fillStyle": 36, + "n.beginPath": 39, + "n.moveTo": 37, + "t.width*.5": 4, + "n.lineTo": 33, + "t.width*.1": 2, + "n.closePath": 34, + "n.fill": 17, + "n.strokeStyle": 27, + "n.stroke": 31, + "vu": 10, + "": 1, + "": 1, + "n.lineWidth": 30, + "s*.035": 2, + "at/yt*t": 1, + "at/yt*h": 1, + "yt/at": 1, + "n.translate": 93, + "n.rotate": 53, + "n.arc": 6, + "s*.365": 2, + "n.lineWidth/2": 2, + "df": 3, + "bt.labelColor.setAlpha": 1, + "n.textAlign": 12, + "n.textBaseline": 10, + "s*.04": 1, + "n.font": 34, + "bt.labelColor.getRgbaColor": 2, + "lt*fr": 1, + "s*.38": 2, + "s*.35": 1, + "s*.355": 1, + "s*.36": 1, + "s*.3": 1, + "s*.1": 1, + "oi/2": 2, + "b.toFixed": 1, + "c.toFixed": 2, + "le.type": 1, + "t.format": 7, + "n.fillText": 54, + "e.toFixed": 2, + "e.toPrecision": 1, + "n.frame": 22, + "n.background": 22, + "n.led": 20, + "n.pointer": 10, + "n.foreground": 22, + "n.trend": 4, + "n.odo": 2, + "rt": 45, + "uu.drawImage": 1, + "nu.drawImage": 3, + "se.drawImage": 1, + "steelseries.ColorDef.BLUE.dark.getRgbaColor": 6, + "he.drawImage": 1, + "steelseries.ColorDef.RED.medium.getRgbaColor": 6, + "ii.length": 2, + ".start": 12, + ".stop": 11, + ".color": 13, + "ui.length": 2, + "ut.save": 1, + "ut.translate": 3, + "ut.rotate": 1, + "ut.drawImage": 2, + "s*.475": 1, + "ut.restore": 1, + "steelseries.Odometer": 1, + "_context": 1, + "f*.075": 1, + "decimals": 1, + "wt.decimals": 1, + "wt.digits": 2, + "valueForeColor": 1, + "wt.valueForeColor": 1, + "valueBackColor": 1, + "wt.valueBackColor": 1, + "decimalForeColor": 1, + "wt.decimalForeColor": 1, + "decimalBackColor": 1, + "wt.decimalBackColor": 1, + "font": 1, + "wt.font": 1, + "tr.width": 1, + "nt": 75, + "bt.labelColor": 2, + "pt.type": 6, + "steelseries.TrendState.UP": 2, + "steelseries.TrendState.STEADY": 2, + "steelseries.TrendState.DOWN": 2, + "dt": 30, + "wi.width": 1, + "wi.height": 1, + "di.width": 1, + "di.height": 1, + "hi.width": 3, + "hi.height": 3, + "gt.width": 2, + "gt.height": 1, + "vi.width": 1, + "vi.height": 1, + "yi.width": 1, + "yi.height": 1, + "pi.width": 1, + "pi.height": 1, + "li.width": 3, + "li.height": 3, + "gf": 2, + "yf.repaint": 1, + "ur": 20, + "e3": 5, + "this.setValue": 7, + "": 5, + "ki.pause": 1, + "ki.play": 1, + "this.repaint": 126, + "this.getValue": 7, + "this.setOdoValue": 1, + "this.getOdoValue": 1, + "this.setValueAnimated": 7, + "t.playing": 1, + "t.stop": 1, + "Tween": 11, + "Tween.regularEaseInOut": 6, + "t.onMotionChanged": 1, + "n.target._pos": 7, + "": 1, + "i.repaint": 1, + "t.start": 1, + "this.resetMinMeasuredValue": 4, + "this.resetMaxMeasuredValue": 4, + "this.setMinMeasuredValueVisible": 4, + "this.setMaxMeasuredValueVisible": 4, + "this.setMaxMeasuredValue": 3, + "this.setMinMeasuredValue": 3, + "this.setTitleString": 4, + "this.setUnitString": 4, + "this.setMinValue": 4, + "this.getMinValue": 3, + "this.setMaxValue": 3, + "this.getMaxValue": 4, + "this.setThreshold": 4, + "this.setArea": 1, + "foreground": 30, + "this.setSection": 4, + "this.setThresholdVisible": 4, + "this.setLcdDecimals": 3, + "this.setFrameDesign": 7, + "this.setBackgroundColor": 7, + "pointer": 28, + "this.setForegroundType": 5, + "this.setPointerType": 3, + "this.setPointerColor": 4, + "this.setLedColor": 5, + "led": 18, + "this.setLcdColor": 5, + "this.setTrend": 2, + "this.setTrendVisible": 2, + "trend": 2, + "odo": 1, + "u.drawImage": 22, + "cu.setValue": 1, + "of.state": 1, + "u.translate": 8, + "u.rotate": 4, + "u.canvas.width*.4865": 2, + "u.canvas.height*.105": 2, + "s*.006": 1, + "kt.clearRect": 1, + "kt.save": 1, + "kt.translate": 2, + "kt.rotate": 1, + "kt.drawImage": 1, + "kt.restore": 1, + "i.useSectionColors": 4, + "i.valueColor": 6, + "i.valueGradient": 4, + "i.useValueGradient": 4, + "yi.setAttribute": 2, + "e/2": 2, + "ut/2": 4, + "e/10": 3, + "ut*.13": 1, + "e*.4": 1, + "or/2": 1, + "e*.116822": 3, + "e*.485981": 3, + "s*.093457": 5, + "e*.53": 1, + "ut*.61": 1, + "s*.06": 1, + "s*.57": 1, + "dt.type": 4, + "l/Math.PI*180": 4, + "l/et": 8, + "Math.PI/3": 1, + "ft/2": 2, + "Math.PI/": 1, + "ai.getContext": 2, + "s*.060747": 2, + "s*.023364": 2, + "ri.getContext": 6, + "yt.getContext": 5, + "si.getContext": 4, + "ci/": 2, + "f/ht": 1, + "*ht": 8, + "h/ht": 1, + "ht/": 2, + "*kt": 5, + "angle": 1, + "*st": 1, + "n.value": 4, + "tu.drawImage": 1, + "gr.drawImage": 3, + "at.getImageData": 1, + "at.drawImage": 1, + "bt.length": 4, + "ii.push": 1, + "Math.abs": 19, + "ai.width": 1, + "ai.height": 1, + "ri.width": 3, + "ri.height": 3, + "yt.width": 2, + "yt.height": 2, + "si.width": 2, + "si.height": 2, + "s*.085": 1, + "e*.35514": 2, + ".107476*ut": 1, + ".897195*ut": 1, + "t.addColorStop": 6, + ".22": 1, + ".76": 1, + "s*.075": 1, + ".112149*ut": 1, + ".892523*ut": 1, + "r.addColorStop": 6, + "e*.060747": 2, + "e*.023364": 2, + "n.createRadialGradient": 4, + ".030373*e": 1, + "u.addColorStop": 14, + "i*kt": 1, + "n.rect": 4, + "n.canvas.width": 3, + "n.canvas.height": 3, + "n.canvas.width/2": 6, + "n.canvas.height/2": 4, + "u.createRadialGradient": 1, + "t.light.getRgbaColor": 2, + "t.dark.getRgbaColor": 2, + "ni.textColor": 2, + "e*.007": 5, + "oi*.05": 1, + "or*.5": 1, + "cr*.38": 1, + "oi*.9": 1, + "ei.labelColor.setAlpha": 1, + "e*.04": 1, + "ei.labelColor.getRgbaColor": 2, + "st*di": 1, + "e*.28": 1, + "e*.1": 1, + "e*.0375": 1, + "h.toFixed": 3, + "df.type": 1, + "u.toFixed": 2, + "u.toPrecision": 1, + "kf.repaint": 1, + "": 3, + "yi.pause": 1, + "yi.play": 1, + "ti.playing": 1, + "ti.stop": 1, + "ti.onMotionChanged": 1, + "t.repaint": 4, + "ti.start": 1, + "this.setValueColor": 3, + "this.setSectionActive": 2, + "this.setGradient": 2, + "this.setGradientActive": 2, + "useGradient": 2, + "n/lt*": 1, + "vi.getEnd": 1, + "vi.getStart": 1, + "s/c": 1, + "vi.getColorAt": 1, + ".getRgbaColor": 3, + "": 1, + "e.medium.getHexColor": 1, + "i.medium.getHexColor": 1, + "n*kt": 1, + "pu.state": 1, + "i.orientation": 2, + "steelseries.Orientation.NORTH": 2, + "hi.setAttribute": 2, + "steelseries.GaugeType.TYPE5": 1, + "kt/at": 2, + "f.clearRect": 2, + "f.canvas.width": 3, + "f.canvas.height": 3, + "h/2": 1, + "k*.733644": 1, + ".455*h": 1, + ".51*k": 1, + "bi/": 2, + "l/ot": 1, + "*ot": 2, + "d/ot": 1, + "ot/": 1, + "ui.getContext": 4, + "u*.093457": 10, + "ii.getContext": 5, + "st.getContext": 2, + "u*.028037": 6, + "hr.getContext": 1, + "er.getContext": 1, + "fi.getContext": 4, + "kr.type": 1, + "ft.type": 1, + "h*.44": 3, + "k*.8": 1, + "k*.16": 1, + "h*.2": 2, + "k*.446666": 2, + "h*.8": 1, + "u*.046728": 1, + "h*.035": 1, + "kt/at*t": 1, + "kt/at*l": 1, + "at/kt": 1, + "h*.365": 2, + "it.labelColor.getRgbaColor": 4, + "vertical": 1, + ".046728*h": 1, + "n.measureText": 2, + ".width": 2, + "k*.4": 1, + "h*.3": 1, + "k*.47": 1, + "it.labelColor.setAlpha": 1, + "steelseries.Orientation.WEST": 6, + "h*.04": 1, + "ht*yi": 1, + "h*.41": 1, + "h*.415": 1, + "h*.42": 1, + "h*.48": 1, + "h*.0375": 1, + "d.toFixed": 1, + "f.toFixed": 1, + "i.toFixed": 2, + "i.toPrecision": 1, + "u/2": 5, + "cr.drawImage": 3, + "ar.drawImage": 1, + "or.drawImage": 1, + "or.restore": 1, + "rr.drawImage": 1, + "rr.restore": 1, + "gt.length": 2, + "p.save": 2, + "p.translate": 8, + "p.rotate": 4, + "p.restore": 3, + "ni.length": 2, + "p.drawImage": 1, + "h*.475": 1, + "k*.32": 1, + "h*1.17": 2, + "it.labelColor": 2, + "ut.type": 6, + "ui.width": 2, + "ui.height": 2, + "ii.width": 2, + "ii.height": 2, + "st.width": 1, + "st.height": 1, + "fi.width": 2, + "fi.height": 2, + "wu.repaint": 1, + "": 2, + "hi.pause": 1, + "hi.play": 1, + "dt.playing": 2, + "dt.stop": 2, + "dt.onMotionChanged": 2, + "": 1, + "dt.start": 2, + "f.save": 5, + "f.drawImage": 9, + "f.translate": 10, + "f.rotate": 5, + "f.canvas.width*.4865": 2, + "f.canvas.height*.27": 2, + "f.restore": 5, + "h*.006": 1, + "h*1.17/2": 1, + "et.clearRect": 1, + "et.save": 1, + "et.translate": 2, + "et.rotate": 1, + "et.drawImage": 1, + "et.restore": 1, + "i.width": 6, + "i.height": 6, + "fi.setAttribute": 2, + "l.type": 26, + "y.clearRect": 2, + "y.canvas.width": 3, + "y.canvas.height": 3, + "*.05": 4, + "f/2": 13, + "it/2": 2, + ".053": 1, + ".038": 1, + "*u": 1, + "u/22": 2, + ".89*f": 2, + "u/10": 2, + "ei/": 1, + "e/ut": 1, + "*ut": 2, + "s/ut": 1, + "ut/": 1, + "kt.getContext": 2, + "rt.getContext": 2, + "dt.getContext": 1, + "ni.getContext": 4, + "lt.textColor": 2, + "n.shadowColor": 2, + "n.shadowOffsetX": 4, + "u*.003": 2, + "n.shadowOffsetY": 4, + "n.shadowBlur": 4, + "u*.004": 1, + "u*.007": 2, + "u*.009": 1, + "f*.571428": 8, + "u*.88": 2, + "u*.055": 2, + "f*.7": 2, + "f*.695": 4, + "f*.18": 4, + "u*.22": 3, + "u*.15": 2, + "t.toFixed": 2, + "i.getContext": 2, + "t.save": 2, + "t.createLinearGradient": 2, + "i.height*.9": 6, + "t.fillStyle": 2, + "t.beginPath": 4, + "t.moveTo": 4, + "i.height*.5": 2, + "t.lineTo": 8, + "i.width*.9": 6, + "t.closePath": 4, + "i.width*.5": 2, + "t.fill": 2, + "t.strokeStyle": 2, + "t.stroke": 2, + "t.restore": 2, + "w.labelColor.setAlpha": 1, + "f*.1": 5, + "w.labelColor.getRgbaColor": 2, + ".34*f": 2, + ".36*f": 6, + ".33*f": 2, + ".32*f": 2, + "u*.12864": 3, + "u*.856796": 1, + "u*.7475": 1, + "c/": 2, + ".65*u": 1, + ".63*u": 3, + ".66*u": 1, + ".67*u": 1, + "f*.142857": 4, + "f*.871012": 2, + "f*.19857": 1, + "f*.82": 1, + "v/": 1, + "tickCounter": 4, + "currentPos": 20, + "tickCounter*a": 2, + "r.toFixed": 8, + "f*.28": 6, + "r.toPrecision": 4, + "u*.73": 3, + "ui/2": 1, + "vi.drawImage": 2, + "yi.drawImage": 2, + "hr.drawImage": 2, + "k.save": 1, + ".856796": 2, + ".7475": 2, + ".12864": 2, + "u*i": 1, + "u*r*": 1, + "bt/": 1, + "k.translate": 2, + "f*.365": 2, + "nt/2": 2, + ".871012": 3, + ".82": 2, + ".142857": 5, + ".19857": 6, + "f*r*bt/": 1, + "f*": 5, + "u*.58": 1, + "k.drawImage": 3, + "k.restore": 1, + "kt.width": 1, + "b*.093457": 2, + "kt.height": 1, + "d*.093457": 2, + "rt.width": 1, + "rt.height": 1, + "ni.width": 2, + "ni.height": 2, + "hu.repaint": 1, + "w.labelColor": 1, + "i*.12864": 2, + "i*.856796": 2, + "i*.7475": 1, + "t*.871012": 1, + "t*.142857": 8, + "t*.82": 1, + "t*.19857": 1, + "steelseries.BackgroundColor.CARBON": 2, + "steelseries.BackgroundColor.PUNCHED_SHEET": 2, + "steelseries.BackgroundColor.STAINLESS": 2, + "steelseries.BackgroundColor.BRUSHED_STAINLESS": 2, + "steelseries.BackgroundColor.TURNED": 2, + "r.setAlpha": 8, + ".05": 2, + "p.addColorStop": 4, + "r.getRgbaColor": 8, + ".15": 2, + ".48": 7, + ".49": 4, + "n.fillRect": 16, + "t*.435714": 4, + "i*.435714": 4, + "i*.142857": 1, + "b.addColorStop": 4, + ".69": 1, + ".7": 1, + ".4": 2, + "t*.007142": 4, + "t*.571428": 2, + "i*.007142": 4, + "i*.571428": 2, + "t*.45": 4, + "t*.114285": 1, + "t/2": 1, + "i*.0486/2": 1, + "i*.053": 1, + "i*.45": 4, + "i*.114285": 1, + "i/2": 1, + "t*.025": 1, + "t*.053": 1, + "ut.addColorStop": 2, + "wt.medium.getRgbaColor": 3, + "wt.light.getRgbaColor": 2, + "i*.05": 2, + "t*.05": 2, + "ot.addColorStop": 2, + ".98": 1, + "Math.PI*.5": 2, + "f*.05": 2, + ".049*t": 8, + ".825*t": 9, + "n.bezierCurveTo": 42, + ".7975*t": 2, + ".0264*t": 4, + ".775*t": 3, + ".0013*t": 12, + ".85*t": 2, + ".8725*t": 3, + ".0365*t": 9, + ".8075*t": 4, + ".7925*t": 3, + ".0214*t": 13, + ".7875*t": 4, + ".7825*t": 5, + ".0189*t": 4, + ".785*t": 1, + ".8175*t": 2, + ".815*t": 1, + ".8125*t": 2, + ".8*t": 2, + ".0377*t": 2, + ".86*t": 4, + ".0415*t": 2, + ".845*t": 1, + ".0465*t": 2, + ".805*t": 2, + ".0113*t": 10, + ".0163*t": 7, + ".8025*t": 1, + ".8225*t": 3, + ".8425*t": 1, + ".03*t": 2, + ".115*t": 5, + ".1075*t": 2, + ".1025*t": 8, + ".0038*t": 2, + ".76*t": 4, + ".7675*t": 2, + ".7725*t": 6, + ".34": 1, + ".0516*t": 7, + ".8525*t": 2, + ".0289*t": 8, + ".875*t": 3, + ".044*t": 1, + ".0314*t": 5, + ".12*t": 4, + ".0875*t": 3, + ".79*t": 1, + "": 5, + "fi.pause": 1, + "fi.play": 1, + "yt.playing": 1, + "yt.stop": 1, + "yt.onMotionChanged": 1, + "t.setValue": 1, + "yt.start": 1, + "mminMeasuredValue": 1, + "": 1, + "setMaxValue=": 1, + "y.drawImage": 6, + "u*n": 2, + "u*i*": 2, + "at/": 1, + "f*.34": 3, + "gt.height/2": 2, + "f*i*at/": 1, + "u*.65": 2, + "ft/": 1, + "dt.width": 1, + "dt.height/2": 2, + ".8": 1, + ".14857": 1, + "f*i*ft/": 1, + "y.save": 1, + "y.restore": 1, + "oi.setAttribute": 2, + "v.clearRect": 2, + "v.canvas.width": 4, + "v.canvas.height": 4, + ".053*e": 1, + "e/22": 2, + "e/1.95": 1, + "u/vt": 1, + "s/vt": 1, + "g.width": 4, + "f*.121428": 2, + "g.height": 4, + "e*.012135": 2, + "f*.012135": 2, + "e*.121428": 2, + "g.getContext": 2, + "d.width": 4, + "d.height": 4, + "d.getContext": 2, + "pt.getContext": 2, + "ci.getContext": 1, + "kt.textColor": 2, + "f*.007": 2, + "f*.009": 1, + "e*.009": 1, + "e*.88": 2, + "e*.055": 2, + "e*.22": 3, + "e*.15": 2, + "k.labelColor.setAlpha": 1, + "k.labelColor.getRgbaColor": 5, + "e*.12864": 3, + "e*.856796": 3, + ".65*e": 1, + ".63*e": 3, + ".66*e": 1, + ".67*e": 1, + "g/": 1, + "tickCounter*h": 2, + "e*.73": 3, + "ti/2": 1, + "n.bargraphled": 4, + "nr.drawImage": 2, + "tr.drawImage": 2, + "nt.save": 1, + "e*.728155*": 1, + "st/": 1, + "nt.translate": 2, + "rt/2": 2, + "f*.856796": 2, + "f*.12864": 2, + "*st/": 1, + "e*.58": 1, + "nt.drawImage": 3, + "nt.restore": 1, + "f*.012135/2": 1, + "ft.push": 1, + "*c": 2, + "y*.121428": 2, + "w*.012135": 2, + "y*.012135": 2, + "w*.121428": 2, + "y*.093457": 2, + "w*.093457": 2, + "pt.width": 1, + "pt.height": 1, + "ku.repaint": 1, + "k.labelColor": 1, + "r*": 2, + "r*1.014": 5, + "t*.856796": 1, + "t*.12864": 1, + "t*.13": 3, + "r*1.035": 4, + "f.setAlpha": 8, + ".047058": 2, + "rt.addColorStop": 4, + "f.getRgbaColor": 8, + ".145098": 1, + ".149019": 1, + "t*.15": 1, + "i*.152857": 1, + ".298039": 1, + "it.addColorStop": 4, + ".686274": 1, + ".698039": 1, + "i*.851941": 1, + "t*.121428": 1, + "i*.012135": 1, + "t*.012135": 1, + "i*.121428": 1, + "*r": 4, + "o/r*": 1, + "yt.getEnd": 2, + "yt.getStart": 2, + "lt/ct": 2, + "yt.getColorAt": 2, + "": 1, + "st.medium.getHexColor": 2, + "a.medium.getHexColor": 2, + "b/2": 2, + "e/r*": 1, + "": 1, + "v.createRadialGradient": 2, + "": 5, + "oi.pause": 1, + "oi.play": 1, + "": 1, + "bargraphled": 3, + "v.drawImage": 2, + "": 1, + "856796": 4, + "728155": 2, + "34": 2, + "12864": 2, + "142857": 2, + "65": 2, + "drawImage": 12, + "save": 27, + "restore": 14, + "repaint": 23, + "dr=": 1, + "128": 2, + "48": 1, + "w=": 4, + "lcdColor": 4, + "LcdColor": 4, + "STANDARD": 3, + "pt=": 5, + "lcdDecimals": 4, + "lt=": 4, + "unitString": 4, + "at=": 3, + "unitStringVisible": 4, + "ht=": 6, + "digitalFont": 4, + "bt=": 3, + "valuesNumeric": 4, + "ct=": 5, + "autoScroll": 2, + "section": 2, + "wt=": 3, + "getElementById": 4, + "clearRect": 8, + "v=": 5, + "floor": 13, + "ot=": 4, + "sans": 12, + "serif": 13, + "it=": 7, + "nt=": 5, + "et=": 6, + "kt=": 4, + "textAlign=": 7, + "strokeStyle=": 8, + "clip": 1, + "font=": 28, + "measureText": 4, + "toFixed": 3, + "fillText": 23, + "38": 5, + "o*.2": 1, + "<=o-4&&(e=0,c=!1),u.fillText(n,o-2-e,h*.5+v*.38)),u.restore()},dt=function(n,i,r,u){var>": 1, + "rt=": 3, + "095": 1, + "createLinearGradient": 6, + "addColorStop": 25, + "4c4c4c": 1, + "08": 1, + "666666": 2, + "92": 1, + "e6e6e6": 1, + "gradientStartColor": 1, + "tt=": 3, + "gradientFraction1Color": 1, + "gradientFraction2Color": 1, + "gradientFraction3Color": 1, + "gradientStopColor": 1, + "yt=": 4, + "31": 26, + "ut=": 6, + "rgb": 6, + "03": 1, + "49": 1, + "57": 1, + "83": 1, + "wt.repaint": 1, + "resetBuffers": 1, + "this.setScrolling": 1, + "w.textColor": 1, + "": 1, + "<=f[n].stop){t=et[n],i=ut[n];break}u.drawImage(t,0,0),kt(a,i)},this.repaint(),this},wr=function(n,t){t=t||{};var>": 1, + "64": 1, + "875": 2, + "textBaseline=": 4, + "textColor": 2, + "STANDARD_GREEN": 1, + "shadowColor=": 1, + "shadowOffsetX=": 1, + "05": 2, + "shadowOffsetY=": 1, + "shadowBlur=": 1, + "06": 1, + "46": 1, + "8": 2, + "setValue=": 2, + "setLcdColor=": 2, + "repaint=": 2, + "br=": 1, + "200": 2, + "st=": 3, + "decimalsVisible": 2, + "gt=": 1, + "textOrientationFixed": 2, + "frameDesign": 4, + "FrameDesign": 2, + "METAL": 2, + "frameVisible": 4, + "backgroundColor": 2, + "BackgroundColor": 1, + "DARK_GRAY": 1, + "vt=": 2, + "backgroundVisible": 2, + "pointerColor": 4, + "ColorDef": 2, + "RED": 1, + "foregroundType": 4, + "ForegroundType": 2, + "TYPE1": 2, + "foregroundVisible": 4, + "180": 26, + "ni=": 1, + "labelColor": 6, + "getRgbaColor": 21, + "translate": 38, + "360": 15, + "p.labelColor.getRgbaColor": 4, + "f*.38": 7, + "f*.37": 3, + "": 1, + "rotate": 31, + "u00b0": 8, + "41": 3, + "45": 5, + "25": 9, + "085": 4, + "100": 4, + "90": 3, + "21": 2, + "u221e": 2, + "135": 1, + "225": 1, + "75": 3, + "270": 1, + "315": 1, + "ti=": 2, + "200934": 2, + "434579": 4, + "163551": 5, + "560747": 4, + "lineWidth=": 6, + "lineCap=": 5, + "lineJoin=": 5, + "471962": 4, + "205607": 1, + "523364": 5, + "799065": 2, + "836448": 5, + "794392": 1, + "ii=": 2, + "350467": 5, + "130841": 1, + "476635": 2, + "bezierCurveTo": 6, + "490654": 3, + "345794": 3, + "509345": 1, + "154205": 1, + "350466": 1, + "dark": 2, + "light": 5, + "setAlpha": 8, + "70588": 4, + "59": 3, + "dt=": 2, + "285046": 5, + "514018": 6, + "21028": 1, + "481308": 4, + "280373": 3, + "495327": 2, + "504672": 2, + "224299": 1, + "289719": 1, + "714953": 5, + "789719": 1, + "719626": 3, + "7757": 1, + "71028": 1, + "ft=": 3, + "*10": 2, + "": 2, + "": 2, + "": 2, + "": 2, + "<-90&&e>": 2, + "<-180&&e>": 2, + "<-270&&e>": 2, + "d.playing": 2, + "d.stop": 2, + "d.onMotionChanged": 2, + "d.start": 2, + "s.save": 4, + "s.clearRect": 3, + "s.canvas.width": 4, + "s.canvas.height": 4, + "s.drawImage": 8, + "e*kt": 1, + "s.translate": 6, + "s.rotate": 3, + "s.fillStyle": 1, + "s.textAlign": 1, + "s.textBaseline": 1, + "s.restore": 6, + "s.font": 2, + "f*.15": 2, + "s.fillText": 2, + "f*.35": 26, + "f*.2": 1, + "k*Math.PI/180": 1, + "u.size": 4, + "u.frameDesign": 4, + "u.frameVisible": 4, + "u.backgroundColor": 4, + "u.backgroundVisible": 4, + "u.pointerType": 2, + "steelseries.PointerType.TYPE2": 1, + "u.pointerColor": 4, + "u.knobType": 4, + "u.knobStyle": 4, + "u.foregroundType": 4, + "u.foregroundVisible": 4, + "u.pointSymbols": 4, + "u.customLayer": 4, + "u.degreeScale": 4, + "u.roseVisible": 4, + "ft.getContext": 2, + "ut.getContext": 2, + "it.getContext": 2, + "ot.getContext": 3, + "et.getContext": 2, + "tt.labelColor.getRgbaColor": 2, + ".08*f": 1, + "f*.033": 1, + "st*10": 2, + ".substring": 2, + ".12*f": 2, + ".06*f": 2, + "tt.symbolColor.getRgbaColor": 1, + "st*2.5": 1, + "bt.type": 1, + "f*.53271": 6, + "e*.453271": 5, + "f*.5": 17, + "e*.149532": 8, + "f*.467289": 6, + "f*.453271": 2, + "e*.462616": 2, + "f*.443925": 9, + "e*.481308": 2, + "e*.5": 10, + "f*.556074": 9, + "f*.546728": 2, + ".471962*f": 5, + ".528036*f": 5, + "o.addColorStop": 4, + "h.light.getRgbaColor": 6, + ".46": 3, + ".47": 3, + "h.medium.getRgbaColor": 6, + "h.dark.getRgbaColor": 3, + "n.lineCap": 5, + "n.lineJoin": 5, + "e*.546728": 5, + "e*.850467": 4, + "e*.537383": 2, + "e*.518691": 2, + "s.addColorStop": 4, + "e*.490654": 2, + "e*.53271": 2, + "e*.556074": 3, + "e*.495327": 4, + "f*.528037": 2, + "f*.471962": 2, + "e*.504672": 4, + ".480099": 1, + "f*.006": 2, + "ft.width": 1, + "ft.height": 1, + "ut.width": 1, + "ut.height": 1, + "it.width": 1, + "it.height": 1, + "ot.width": 1, + "ot.height": 1, + "et.width": 1, + "et.height": 1, + "Tween.elasticEaseOut": 1, + "r.repaint": 1, + "this.setPointSymbols": 1, + "p*st": 1, + "b.clearRect": 1, + "b.save": 1, + "b.translate": 2, + "b.rotate": 1, + "b.drawImage": 1, + "b.restore": 1, + "u.pointerTypeLatest": 2, + "u.pointerTypeAverage": 2, + "steelseries.PointerType.TYPE8": 1, + "u.pointerColorAverage": 2, + "steelseries.ColorDef.BLUE": 1, + "u.lcdColor": 2, + "u.lcdVisible": 2, + "u.digitalFont": 2, + "u.section": 2, + "u.area": 2, + "u.lcdTitleStrings": 2, + "u.titleString": 2, + "u.useColorLabels": 2, + "this.valueLatest": 1, + "this.valueAverage": 1, + "Math.PI*2": 1, + "e.save": 2, + "e.clearRect": 1, + "e.canvas.width": 2, + "e.canvas.height": 2, + "f/10": 1, + "f*.3": 4, + "s*.12": 1, + "s*.32": 1, + "s*.565": 1, + "bt.getContext": 1, + "at.getContext": 1, + "vt.getContext": 1, + "lt.getContext": 1, + "wt.getContext": 1, + "e.textAlign": 1, + "e.strokeStyle": 1, + "ht.textColor": 2, + "e.fillStyle": 1, + "<0&&(n+=360),n=\"00\"+Math.round(n),n=n.substring(n.length,n.length-3),(ht===steelseries.LcdColor.STANDARD||ht===steelseries.LcdColor.STANDARD_GREEN)&&(e.shadowColor=\"gray\",e.shadowOffsetX=f*.007,e.shadowOffsetY=f*.007,e.shadowBlur=f*.007),e.font=pr?gr:br,e.fillText(n+\"\\u00b0\",f/2+gt*.05,(t?or:cr)+er*.5+ui*.38,gt*.9),e.restore()},wi=function(n,t,i,r,u){n.save(),n.strokeStyle=r,n.fillStyle=r,n.lineWidth=f*.035;var>": 1, + "arc": 2, + "365": 2, + "lineWidth": 1, + "lr=": 1, + "35": 1, + "355": 1, + "36": 2, + "bold": 1, + "04": 2, + "ct*5": 1, + "k.symbolColor.getRgbaColor": 1, + "ct*2.5": 1, + "ti.length": 1, + "kt.medium.getRgbaColor": 1, + ".04*f": 1, + "s*.29": 1, + "ii.medium.getRgbaColor": 1, + "s*.71": 1, + "rr.length": 1, + ".0467*f": 1, + "s*.5": 1, + "et.length": 2, + "ft.length": 2, + "": 1, + "ci=": 1, + "li=": 1, + "ai=": 1, + "ki=": 1, + "yi=": 1, + "setValueLatest=": 1, + "getValueLatest=": 1, + "setValueAverage=": 1, + "getValueAverage=": 1, + "setValueAnimatedLatest=": 1, + "playing": 2, + "regularEaseInOut": 2, + "onMotionChanged=": 2, + "_pos": 2, + "onMotionFinished=": 2, + "setValueAnimatedAverage=": 1, + "setArea=": 1, + "setSection=": 1, + "setFrameDesign=": 1, + "pi=": 1, + "setBackgroundColor=": 1, + "setForegroundType=": 1, + "si=": 1, + "setPointerColor=": 1, + "setPointerColorAverage=": 1, + "setPointerType=": 1, + "setPointerTypeAverage=": 1, + "ri=": 1, + "setPointSymbols=": 1, + "setLcdTitleStrings=": 1, + "fi=": 1, + "006": 1, + "ei=": 1, + "ru=": 1, + "WHITE": 1, + "037383": 1, + "056074": 1, + "7fd5f0": 2, + "3c4439": 2, + "72": 1, + "KEYWORDS": 2, + "array_to_hash": 11, + "RESERVED_WORDS": 2, + "KEYWORDS_BEFORE_EXPRESSION": 2, + "KEYWORDS_ATOM": 2, + "OPERATOR_CHARS": 1, + "RE_HEX_NUMBER": 1, + "RE_OCT_NUMBER": 1, + "RE_DEC_NUMBER": 1, + "OPERATORS": 2, + "WHITESPACE_CHARS": 2, + "PUNC_BEFORE_EXPRESSION": 2, + "PUNC_CHARS": 1, + "REGEXP_MODIFIERS": 1, + "UNICODE": 1, + "non_spacing_mark": 1, + "space_combining_mark": 1, + "connector_punctuation": 1, + "is_letter": 3, + "UNICODE.letter.test": 1, + "is_digit": 3, + "ch.charCodeAt": 1, + "//XXX": 1, + "out": 1, + "means": 1, + "is_alphanumeric_char": 3, + "is_unicode_combining_mark": 2, + "UNICODE.non_spacing_mark.test": 1, + "UNICODE.space_combining_mark.test": 1, + "is_unicode_connector_punctuation": 2, + "UNICODE.connector_punctuation.test": 1, + "is_identifier_start": 2, + "is_identifier_char": 1, + "zero": 2, + "joiner": 2, + "": 1, + "": 1, + "my": 1, + "ECMA": 1, + "PDF": 1, + "parse_js_number": 2, + "RE_HEX_NUMBER.test": 1, + "num.substr": 2, + "RE_OCT_NUMBER.test": 1, + "RE_DEC_NUMBER.test": 1, + "JS_Parse_Error": 2, + "message": 5, + "this.col": 2, + "ex": 3, + "ex.name": 1, + "this.stack": 2, + "ex.stack": 1, + "JS_Parse_Error.prototype.toString": 1, + "js_error": 2, + "is_token": 1, + "token": 5, + "token.type": 1, + "token.value": 1, + "EX_EOF": 3, + "tokenizer": 2, + "TEXT": 1, + "TEXT.replace": 1, + "uFEFF/": 1, + "tokpos": 1, + "tokline": 1, + "tokcol": 1, + "newline_before": 1, + "regex_allowed": 1, + "comments_before": 1, + "peek": 5, + "S.text.charAt": 2, + "S.pos": 4, + "signal_eof": 4, + "S.newline_before": 3, + "S.line": 2, + "S.col": 3, + "eof": 6, + "S.peek": 1, + "what": 2, + "S.text.indexOf": 1, + "start_token": 1, + "S.tokline": 3, + "S.tokcol": 3, + "S.tokpos": 3, + "is_comment": 2, + "S.regex_allowed": 1, + "HOP": 5, + "UNARY_POSTFIX": 1, + "nlb": 1, + "ret.comments_before": 1, + "S.comments_before": 2, + "skip_whitespace": 1, + "read_while": 2, + "pred": 2, + "parse_error": 3, + "read_num": 1, + "prefix": 6, + "has_e": 3, + "after_e": 5, + "has_x": 5, + "has_dot": 3, + "valid": 4, + "read_escaped_char": 1, + "hex_bytes": 3, + "digit": 3, + "read_string": 1, + "with_eof_error": 1, + "comment1": 1, + "Unterminated": 2, + "multiline": 1, + "comment2": 1, + "WARNING": 1, + "***": 1, + "Found": 1, + "warn": 3, + "tok": 1, + "read_name": 1, + "backslash": 2, + "Expecting": 1, + "UnicodeEscapeSequence": 1, + "uXXXX": 1, + "Unicode": 1, + "identifier": 1, + "regular": 1, + "regexp": 5, + "operator": 14, + "punc": 27, + "atom": 5, + "keyword": 11, + "Unexpected": 3, + "void": 1, + "<\",>": 1, + "<=\",>": 1, + "debugger": 2, + "const": 2, + "stat": 1, + "Label": 1, + "without": 1, + "statement": 1, + "defun": 1, + "Name": 1, + "Missing": 1, + "catch/finally": 1, + "blocks": 1, + "unary": 2, + "dot": 2, + "postfix": 1, + "Invalid": 2, + "binary": 1, + "conditional": 1, + "assign": 1, + "assignment": 1, + "seq": 1, + "member": 2, + "array.length": 1, + "Object.prototype.hasOwnProperty.call": 1, + "exports.tokenizer": 1, + "exports.parse": 1, + "parse": 1, + "exports.slice": 1, + "exports.curry": 1, + "curry": 1, + "exports.member": 1, + "exports.array_to_hash": 1, + "exports.PRECEDENCE": 1, + "PRECEDENCE": 1, + "exports.KEYWORDS_ATOM": 1, + "exports.RESERVED_WORDS": 1, + "exports.KEYWORDS": 1, + "exports.ATOMIC_START_TOKEN": 1, + "ATOMIC_START_TOKEN": 1, + "exports.OPERATORS": 1, + "exports.is_alphanumeric_char": 1, + "exports.set_logger": 1, + "logger": 2 + }, + "JSON": { + "{": 73, + "[": 17, + "]": 17, + "}": 73, + "true": 3 + }, + "JSON5": { + "{": 6, + "foo": 1, + "while": 1, + "true": 1, + "this": 1, + "here": 1, + "//": 2, + "inline": 1, + "comment": 1, + "hex": 1, + "xDEADbeef": 1, + "half": 1, + ".5": 1, + "delta": 1, + "+": 1, + "to": 1, + "Infinity": 1, + "and": 1, + "beyond": 1, + "finally": 1, + "oh": 1, + "[": 3, + "]": 3, + "}": 6, + "name": 1, + "version": 1, + "description": 1, + "keywords": 1, + "author": 1, + "contributors": 1, + "main": 1, + "bin": 1, + "dependencies": 1, + "devDependencies": 1, + "mocha": 1, + "scripts": 1, + "build": 1, + "test": 1, + "homepage": 1, + "repository": 1, + "type": 1, + "url": 1 + }, + "JSONLD": { + "{": 7, + "}": 7, + "[": 1, + "null": 2, + "]": 1 + }, + "Julia": { + "##": 5, + "Test": 1, + "case": 1, + "from": 1, + "Issue": 1, + "#445": 1, + "#STOCKCORR": 1, + "-": 11, + "The": 1, + "original": 1, + "unoptimised": 1, + "code": 1, + "that": 1, + "simulates": 1, + "two": 2, + "correlated": 1, + "assets": 1, + "function": 1, + "stockcorr": 1, + "(": 13, + ")": 13, + "Correlated": 1, + "asset": 1, + "information": 1, + "CurrentPrice": 3, + "[": 20, + "]": 20, + "#": 11, + "Initial": 1, + "Prices": 1, + "of": 6, + "the": 2, + "stocks": 1, + "Corr": 2, + ";": 1, + "Correlation": 1, + "Matrix": 2, + "T": 5, + "Number": 2, + "days": 3, + "to": 1, + "simulate": 1, + "years": 1, + "n": 4, + "simulations": 1, + "dt": 3, + "/250": 1, + "Time": 1, + "step": 1, + "year": 1, + "Div": 3, + "Dividend": 1, + "Vol": 5, + "Volatility": 1, + "Market": 1, + "Information": 1, + "r": 3, + "Risk": 1, + "free": 1, + "rate": 1, + "Define": 1, + "storages": 1, + "SimulPriceA": 5, + "zeros": 2, + "Simulated": 2, + "Price": 2, + "Asset": 2, + "A": 1, + "SimulPriceB": 5, + "B": 1, + "Generating": 1, + "paths": 1, + "stock": 1, + "prices": 1, + "by": 2, + "Geometric": 1, + "Brownian": 1, + "Motion": 1, + "UpperTriangle": 2, + "chol": 1, + "Cholesky": 1, + "decomposition": 1, + "for": 2, + "i": 5, + "Wiener": 1, + "randn": 1, + "CorrWiener": 1, + "Wiener*UpperTriangle": 1, + "j": 7, + "*exp": 2, + "/2": 2, + "*dt": 2, + "+": 2, + "*sqrt": 2, + "*CorrWiener": 2, + "end": 3, + "return": 1 + }, + "Kotlin": { + "package": 1, + "addressbook": 1, + "class": 5, + "Contact": 1, + "(": 15, + "val": 16, + "name": 2, + "String": 7, + "emails": 1, + "List": 3, + "": 1, + "addresses": 1, + "": 1, + "phonenums": 1, + "": 1, + ")": 15, + "EmailAddress": 1, + "user": 1, + "host": 1, + "PostalAddress": 1, + "streetAddress": 1, + "city": 1, + "zip": 1, + "state": 2, + "USState": 1, + "country": 3, + "Country": 7, + "{": 6, + "assert": 1, + "null": 3, + "xor": 1, + "Countries": 2, + "[": 3, + "]": 3, + "}": 6, + "PhoneNumber": 1, + "areaCode": 1, + "Int": 1, + "number": 1, + "Long": 1, + "object": 1, + "fun": 1, + "get": 2, + "id": 2, + "CountryID": 1, + "countryTable": 2, + "private": 2, + "var": 1, + "table": 5, + "Map": 2, + "": 2, + "if": 1, + "HashMap": 1, + "for": 1, + "line": 3, + "in": 1, + "TextFile": 1, + ".lines": 1, + "stripWhiteSpace": 1, + "true": 1, + "return": 1 + }, + "KRL": { + "ruleset": 1, + "sample": 1, + "{": 3, + "meta": 1, + "name": 1, + "description": 1, + "<<": 1, + "Hello": 1, + "world": 1, + "author": 1, + "}": 3, + "rule": 1, + "hello": 1, + "select": 1, + "when": 1, + "web": 1, + "pageview": 1, + "notify": 1, + "(": 1, + ")": 1, + ";": 1 + }, + "Lasso": { + "<": 7, + "LassoScript": 1, + "//": 169, + "JSON": 2, + "Encoding": 1, + "and": 52, + "Decoding": 1, + "Copyright": 1, + "-": 2248, + "LassoSoft": 1, + "Inc.": 1, + "": 1, + "": 1, + "": 1, + "This": 5, + "tag": 11, + "is": 35, + "now": 23, + "incorporated": 1, + "in": 46, + "Lasso": 15, + "If": 4, + "(": 640, + "Lasso_TagExists": 1, + ")": 639, + "False": 1, + ";": 573, + "Define_Tag": 1, + "Namespace": 1, + "Required": 1, + "Optional": 1, + "Local": 7, + "Map": 3, + "r": 8, + "n": 30, + "t": 8, + "f": 2, + "b": 2, + "output": 30, + "newoptions": 1, + "options": 2, + "array": 20, + "set": 10, + "list": 4, + "queue": 2, + "priorityqueue": 2, + "stack": 2, + "pair": 1, + "map": 23, + "[": 22, + "]": 23, + "literal": 3, + "string": 59, + "integer": 30, + "decimal": 5, + "boolean": 4, + "null": 26, + "date": 23, + "temp": 12, + "object": 7, + "{": 18, + "}": 18, + "client_ip": 1, + "client_address": 1, + "__jsonclass__": 6, + "deserialize": 2, + "": 3, + "": 3, + "Decode_JSON": 2, + "Decode_": 1, + "value": 14, + "consume_string": 1, + "ibytes": 9, + "unescapes": 1, + "u": 1, + "UTF": 4, + "%": 14, + "QT": 4, + "TZ": 2, + "T": 3, + "consume_token": 1, + "obytes": 3, + "delimit": 7, + "true": 12, + "false": 8, + ".": 5, + "consume_array": 1, + "consume_object": 1, + "key": 3, + "val": 1, + "native": 2, + "comment": 2, + "http": 6, + "//www.lassosoft.com/json": 1, + "start": 5, + "Literal": 2, + "String": 1, + "Object": 2, + "JSON_RPCCall": 1, + "RPCCall": 1, + "JSON_": 1, + "method": 7, + "params": 11, + "id": 7, + "host": 6, + "//localhost/lassoapps.8/rpc/rpc.lasso": 1, + "request": 2, + "result": 6, + "JSON_Records": 3, + "KeyField": 1, + "ReturnField": 1, + "ExcludeField": 1, + "Fields": 1, + "_fields": 1, + "fields": 2, + "No": 1, + "found": 5, + "for": 65, + "_keyfield": 4, + "keyfield": 4, + "ID": 1, + "_index": 1, + "_return": 1, + "returnfield": 1, + "_exclude": 1, + "excludefield": 1, + "_records": 1, + "_record": 1, + "_temp": 1, + "_field": 1, + "_output": 1, + "error_msg": 15, + "error_code": 11, + "found_count": 11, + "rows": 1, + "#_records": 1, + "Return": 7, + "@#_output": 1, + "/Define_Tag": 1, + "/If": 3, + "define": 20, + "trait_json_serialize": 2, + "trait": 1, + "require": 1, + "asString": 3, + "json_serialize": 18, + "e": 13, + "bytes": 8, + "+": 146, + "#e": 13, + "Replace": 19, + "&": 21, + "json_literal": 1, + "asstring": 4, + "format": 7, + "gmt": 1, + "|": 13, + "trait_forEach": 1, + "local": 116, + "foreach": 1, + "#output": 50, + "#delimit": 7, + "#1": 3, + "return": 75, + "with": 25, + "pr": 1, + "eachPair": 1, + "select": 1, + "#pr": 2, + "first": 12, + "second": 8, + "join": 5, + "json_object": 2, + "foreachpair": 1, + "any": 14, + "serialize": 1, + "json_consume_string": 3, + "while": 9, + "#temp": 19, + "#ibytes": 17, + "export8bits": 6, + "#obytes": 5, + "import8bits": 4, + "Escape": 1, + "/while": 7, + "unescape": 1, + "//Replace": 1, + "if": 76, + "BeginsWith": 1, + "&&": 30, + "EndsWith": 1, + "Protect": 1, + "serialization_reader": 1, + "xml": 1, + "read": 1, + "/Protect": 1, + "else": 32, + "size": 24, + "or": 6, + "regexp": 1, + "d": 2, + "Z": 1, + "matches": 1, + "Format": 1, + "yyyyMMdd": 2, + "HHmmssZ": 1, + "HHmmss": 1, + "/if": 53, + "json_consume_token": 2, + "marker": 4, + "Is": 1, + "also": 5, + "end": 2, + "of": 24, + "token": 1, + "//............................................................................": 2, + "string_IsNumeric": 1, + "json_consume_array": 3, + "While": 1, + "Discard": 1, + "whitespace": 3, + "Else": 7, + "insert": 18, + "#key": 12, + "json_consume_object": 2, + "Loop_Abort": 1, + "/While": 1, + "Find": 3, + "isa": 25, + "First": 4, + "find": 57, + "Second": 1, + "json_deserialize": 1, + "removeLeading": 1, + "bom_utf8": 1, + "Reset": 1, + "on": 1, + "provided": 1, + "**/": 1, + "type": 63, + "parent": 5, + "public": 1, + "onCreate": 1, + "...": 3, + "..onCreate": 1, + "#rest": 1, + "json_rpccall": 1, + "#id": 2, + "#host": 4, + "Lasso_UniqueID": 1, + "Include_URL": 1, + "PostParams": 1, + "Encode_JSON": 1, + "#method": 1, + "#params": 5, + "": 6, + "2009": 14, + "09": 10, + "04": 8, + "JS": 126, + "Added": 40, + "content_body": 14, + "compatibility": 4, + "pre": 4, + "8": 6, + "5": 4, + "05": 4, + "07": 6, + "timestamp": 4, + "to": 98, + "knop_cachestore": 4, + "maxage": 2, + "parameter": 8, + "knop_cachefetch": 4, + "Corrected": 8, + "construction": 2, + "cache_name": 2, + "internally": 2, + "the": 86, + "knop_cache": 2, + "tags": 14, + "so": 16, + "it": 20, + "will": 12, + "work": 6, + "correctly": 2, + "at": 10, + "site": 4, + "root": 2, + "2008": 6, + "11": 8, + "dummy": 2, + "knop_debug": 4, + "ctype": 2, + "be": 38, + "able": 14, + "transparently": 2, + "without": 4, + "L": 2, + "Debug": 2, + "24": 2, + "knop_stripbackticks": 2, + "01": 4, + "28": 2, + "Cache": 2, + "name": 32, + "used": 12, + "when": 10, + "using": 8, + "session": 4, + "storage": 8, + "2007": 6, + "12": 8, + "knop_cachedelete": 2, + "Created": 4, + "03": 2, + "knop_foundrows": 2, + "condition": 4, + "returning": 2, + "normal": 2, + "For": 2, + "lasso_tagexists": 4, + "define_tag": 48, + "namespace=": 12, + "__html_reply__": 4, + "define_type": 14, + "debug": 2, + "_unknowntag": 6, + "onconvert": 2, + "stripbackticks": 2, + "description=": 2, + "priority=": 2, + "required=": 2, + "input": 2, + "split": 2, + "@#output": 2, + "/define_tag": 36, + "description": 34, + "namespace": 16, + "priority": 8, + "Johan": 2, + "S": 2, + "lve": 2, + "#charlist": 6, + "current": 10, + "time": 8, + "a": 52, + "mixed": 2, + "up": 4, + "as": 26, + "seed": 6, + "#seed": 36, + "convert": 4, + "this": 14, + "base": 6, + "conversion": 4, + "get": 12, + "#base": 8, + "/": 6, + "over": 2, + "new": 14, + "chunk": 2, + "millisecond": 2, + "math_random": 2, + "lower": 2, + "upper": 2, + "__lassoservice_ip__": 2, + "response_localpath": 8, + "removetrailing": 8, + "response_filepath": 8, + "//tagswap.net/found_rows": 2, + "action_statement": 2, + "string_findregexp": 8, + "#sql": 42, + "ignorecase": 12, + "||": 8, + "maxrecords_value": 2, + "inaccurate": 2, + "must": 4, + "accurate": 2, + "Default": 2, + "usually": 2, + "fastest.": 2, + "Can": 2, + "not": 10, + "GROUP": 4, + "BY": 6, + "example.": 2, + "normalize": 4, + "around": 2, + "FROM": 2, + "expression": 6, + "string_replaceregexp": 8, + "replace": 8, + "ReplaceOnlyOne": 2, + "substring": 6, + "remove": 6, + "ORDER": 2, + "statement": 4, + "since": 4, + "causes": 4, + "problems": 2, + "field": 26, + "aliases": 2, + "we": 2, + "can": 14, + "simple": 2, + "later": 2, + "query": 4, + "contains": 2, + "use": 10, + "SQL_CALC_FOUND_ROWS": 2, + "which": 2, + "much": 2, + "slower": 2, + "see": 16, + "//bugs.mysql.com/bug.php": 2, + "removeleading": 2, + "inline": 4, + "sql": 2, + "exit": 2, + "here": 2, + "normally": 2, + "/inline": 2, + "fallback": 4, + "required": 10, + "optional": 36, + "local_defined": 26, + "knop_seed": 2, + "#RandChars": 4, + "Get": 2, + "Math_Random": 2, + "Min": 2, + "Max": 2, + "Size": 2, + "#value": 14, + "#numericValue": 4, + "length": 8, + "#cryptvalue": 10, + "#anyChar": 2, + "Encrypt_Blowfish": 2, + "decrypt_blowfish": 2, + "String_Remove": 2, + "StartPosition": 2, + "EndPosition": 2, + "Seed": 2, + "String_IsAlphaNumeric": 2, + "self": 72, + "_date_msec": 4, + "/define_type": 4, + "seconds": 4, + "default": 4, + "store": 4, + "all": 6, + "page": 14, + "vars": 8, + "specified": 8, + "iterate": 12, + "keys": 6, + "var": 38, + "#item": 10, + "#type": 26, + "#data": 14, + "/iterate": 12, + "//fail_if": 6, + "session_id": 6, + "#session": 10, + "session_addvar": 4, + "#cache_name": 72, + "duration": 4, + "#expires": 4, + "server_name": 6, + "initiate": 10, + "thread": 6, + "RW": 6, + "lock": 24, + "global": 40, + "Thread_RWLock": 6, + "create": 6, + "reference": 10, + "@": 8, + "writing": 6, + "#lock": 12, + "writelock": 4, + "check": 6, + "cache": 4, + "unlock": 6, + "writeunlock": 4, + "#maxage": 4, + "cached": 8, + "data": 12, + "too": 4, + "old": 4, + "reading": 2, + "readlock": 2, + "readunlock": 2, + "ignored": 2, + "//##################################################################": 4, + "knoptype": 2, + "All": 4, + "Knop": 6, + "custom": 8, + "types": 10, + "should": 4, + "have": 6, + "identify": 2, + "registered": 2, + "knop": 6, + "isknoptype": 2, + "knop_knoptype": 2, + "prototype": 4, + "version": 4, + "14": 4, + "Base": 2, + "framework": 2, + "Contains": 2, + "common": 4, + "member": 10, + "Used": 2, + "boilerplate": 2, + "creating": 4, + "other": 4, + "instance": 8, + "variables": 2, + "are": 4, + "available": 2, + "well": 2, + "CHANGE": 4, + "NOTES": 4, + "Syntax": 4, + "adjustments": 4, + "9": 2, + "Changed": 6, + "error": 22, + "numbers": 2, + "added": 10, + "even": 2, + "language": 10, + "already": 2, + "exists.": 2, + "improved": 4, + "reporting": 2, + "messages": 6, + "such": 2, + "from": 6, + "bad": 2, + "database": 14, + "queries": 2, + "error_lang": 2, + "provide": 2, + "knop_lang": 8, + "add": 12, + "localized": 2, + "except": 2, + "knop_base": 8, + "html": 4, + "xhtml": 28, + "help": 10, + "nicely": 2, + "formatted": 2, + "output.": 2, + "Centralized": 2, + "knop_base.": 2, + "Moved": 6, + "codes": 2, + "improve": 2, + "documentation.": 2, + "It": 2, + "always": 2, + "an": 8, + "parameter.": 2, + "trace": 2, + "tagtime": 4, + "was": 6, + "nav": 4, + "earlier": 2, + "varname": 4, + "retreive": 2, + "variable": 8, + "that": 18, + "stored": 2, + "in.": 2, + "automatically": 2, + "sense": 2, + "doctype": 6, + "exists": 2, + "buffer.": 2, + "The": 6, + "performance.": 2, + "internal": 2, + "html.": 2, + "Introduced": 2, + "_knop_data": 10, + "general": 2, + "level": 2, + "caching": 2, + "between": 2, + "different": 2, + "objects.": 2, + "TODO": 2, + "option": 2, + "Google": 2, + "Code": 2, + "Wiki": 2, + "working": 2, + "properly": 4, + "run": 2, + "by": 12, + "atbegin": 2, + "handler": 2, + "explicitly": 2, + "*/": 2, + "entire": 4, + "ms": 2, + "defined": 4, + "each": 8, + "instead": 4, + "avoid": 2, + "recursion": 2, + "properties": 4, + "#endslash": 10, + "#tags": 2, + "#t": 2, + "doesn": 4, + "p": 2, + "Parameters": 4, + "nParameters": 2, + "Internal.": 2, + "Finds": 2, + "out": 2, + "used.": 2, + "Looks": 2, + "unless": 2, + "array.": 2, + "variable.": 2, + "Looking": 2, + "#xhtmlparam": 4, + "plain": 2, + "#doctype": 4, + "copy": 4, + "standard": 2, + "code": 2, + "errors": 12, + "error_data": 12, + "form": 2, + "grid": 2, + "lang": 2, + "user": 4, + "#error_lang": 12, + "addlanguage": 4, + "strings": 6, + "@#errorcodes": 2, + "#error_lang_custom": 2, + "#custom_language": 10, + "once": 4, + "one": 2, + "#custom_string": 4, + "#errorcodes": 4, + "#error_code": 10, + "message": 6, + "getstring": 2, + "test": 2, + "known": 2, + "lasso": 2, + "knop_timer": 2, + "knop_unique": 2, + "look": 2, + "#varname": 6, + "loop_abort": 2, + "tag_name": 2, + "#timer": 2, + "#trace": 4, + "merge": 2, + "#eol": 8, + "2010": 4, + "23": 4, + "Custom": 2, + "interact": 2, + "databases": 2, + "Supports": 4, + "both": 2, + "MySQL": 2, + "FileMaker": 2, + "datasources": 2, + "2012": 4, + "06": 2, + "10": 2, + "SP": 4, + "Fix": 2, + "precision": 2, + "bug": 2, + "6": 2, + "0": 2, + "1": 2, + "renderfooter": 2, + "15": 2, + "Add": 2, + "support": 6, + "Thanks": 2, + "Ric": 2, + "Lewis": 2, + "settable": 4, + "removed": 2, + "table": 6, + "nextrecord": 12, + "deprecation": 2, + "warning": 2, + "corrected": 2, + "verification": 2, + "index": 4, + "before": 4, + "calling": 2, + "resultset_count": 6, + "break": 2, + "versions": 2, + "fixed": 4, + "incorrect": 2, + "debug_trace": 2, + "addrecord": 4, + "how": 2, + "keyvalue": 10, + "returned": 6, + "adding": 2, + "records": 4, + "inserting": 2, + "generated": 2, + "suppressed": 2, + "specifying": 2, + "saverecord": 8, + "deleterecord": 4, + "case.": 2, + "recorddata": 6, + "no": 2, + "longer": 2, + "touch": 2, + "current_record": 2, + "zero": 2, + "access": 2, + "occurrence": 2, + "same": 4, + "returns": 4, + "knop_databaserows": 2, + "inlinename.": 4, + "next.": 2, + "remains": 2, + "supported": 2, + "backwards": 2, + "compatibility.": 2, + "resets": 2, + "record": 20, + "pointer": 8, + "reaching": 2, + "last": 4, + "honors": 2, + "incremented": 2, + "recordindex": 4, + "specific": 2, + "found.": 2, + "getrecord": 8, + "REALLY": 2, + "works": 4, + "keyvalues": 4, + "double": 2, + "oops": 4, + "I": 4, + "thought": 2, + "but": 2, + "misplaced": 2, + "paren...": 2, + "corresponding": 2, + "resultset": 2, + "/resultset": 2, + "through": 2, + "handling": 2, + "better": 2, + "knop_user": 4, + "keeplock": 4, + "updates": 2, + "datatype": 2, + "knop_databaserow": 2, + "iterated.": 2, + "When": 2, + "iterating": 2, + "row": 2, + "values.": 2, + "Addedd": 2, + "increments": 2, + "recordpointer": 2, + "called": 2, + "until": 2, + "reached.": 2, + "Returns": 2, + "long": 2, + "there": 2, + "more": 2, + "records.": 2, + "Useful": 2, + "loop": 2, + "example": 2, + "below": 2, + "Implemented": 2, + "reset": 2, + "query.": 2, + "shortcut": 2, + "Removed": 2, + "onassign": 2, + "touble": 2, + "Extended": 2, + "field_names": 2, + "names": 4, + "db": 2, + "objects": 2, + "never": 2, + "been": 2, + "optionally": 2, + "supports": 2, + "sql.": 2, + "Make": 2, + "sure": 2, + "SQL": 2, + "includes": 2, + "relevant": 2, + "lockfield": 2, + "locking": 4, + "capturesearchvars": 2, + "mysteriously": 2, + "after": 2, + "operations": 2, + "caused": 2, + "errors.": 2, + "flag": 2, + "save": 2, + "locked": 2, + "releasing": 2, + "Adding": 2, + "progress.": 2, + "Done": 2, + "oncreate": 2, + "getrecord.": 2, + "documentation": 2, + "most": 2, + "existing": 2, + "it.": 2, + "Faster": 2, + "than": 2, + "scratch.": 2, + "shown_first": 2, + "again": 2, + "hoping": 2, + "s": 2, + "only": 2, + "captured": 2, + "update": 2, + "uselimit": 2, + "querys": 2, + "LIMIT": 2, + "still": 2, + "gets": 2, + "proper": 2, + "searchresult": 2, + "separate": 2, + "COUNT": 2 + }, + "Less": { + "@blue": 4, + "#3bbfce": 1, + ";": 7, + "@margin": 3, + "px": 1, + ".content": 1, + "-": 3, + "navigation": 1, + "{": 2, + "border": 2, + "color": 3, + "darken": 1, + "(": 1, + "%": 1, + ")": 1, + "}": 2, + ".border": 1, + "padding": 1, + "/": 2, + "margin": 1 + }, + "LFE": { + ";": 213, + "Copyright": 4, + "(": 217, + "c": 4, + ")": 231, + "Duncan": 4, + "McGreggor": 4, + "": 2, + "Licensed": 3, + "under": 9, + "the": 36, + "Apache": 3, + "License": 12, + "Version": 3, + "you": 3, + "may": 6, + "not": 5, + "use": 6, + "this": 3, + "file": 6, + "except": 3, + "in": 10, + "compliance": 3, + "with": 8, + "License.": 6, + "You": 3, + "obtain": 3, + "a": 8, + "copy": 3, + "of": 10, + "at": 4, + "http": 4, + "//www.apache.org/licenses/LICENSE": 3, + "-": 98, + "Unless": 3, + "required": 3, + "by": 4, + "applicable": 3, + "law": 3, + "or": 6, + "agreed": 3, + "to": 10, + "writing": 3, + "software": 3, + "distributed": 6, + "is": 5, + "on": 4, + "an": 5, + "BASIS": 3, + "WITHOUT": 3, + "WARRANTIES": 3, + "OR": 3, + "CONDITIONS": 3, + "OF": 3, + "ANY": 3, + "KIND": 3, + "either": 3, + "express": 3, + "implied.": 3, + "See": 3, + "for": 5, + "specific": 3, + "language": 3, + "governing": 3, + "permissions": 3, + "and": 7, + "limitations": 3, + "File": 4, + "church.lfe": 1, + "Author": 3, + "Purpose": 3, + "Demonstrating": 2, + "church": 20, + "numerals": 1, + "from": 2, + "lambda": 18, + "calculus": 1, + "The": 4, + "code": 2, + "below": 3, + "was": 1, + "used": 1, + "create": 4, + "section": 1, + "user": 1, + "guide": 1, + "here": 1, + "//lfe.github.io/user": 1, + "guide/recursion/5.html": 1, + "Here": 1, + "some": 2, + "example": 2, + "usage": 1, + "slurp": 2, + "five/0": 2, + "int2": 1, + "get": 21, + "defmodule": 2, + "export": 2, + "all": 1, + "defun": 20, + "zero": 2, + "s": 19, + "x": 12, + "one": 1, + "funcall": 23, + "two": 1, + "three": 1, + "four": 1, + "five": 1, + "int": 2, + "successor": 3, + "n": 4, + "+": 2, + "int1": 1, + "numeral": 8, + "#": 3, + "successor/1": 1, + "count": 7, + "limit": 4, + "cond": 1, + "/": 1, + "integer": 2, + "*": 6, + "Mode": 1, + "LFE": 4, + "Code": 1, + "Paradigms": 1, + "Artificial": 1, + "Intelligence": 1, + "Programming": 1, + "Peter": 1, + "Norvig": 1, + "gps1.lisp": 1, + "First": 1, + "version": 1, + "GPS": 1, + "General": 1, + "Problem": 1, + "Solver": 1, + "Converted": 1, + "Robert": 3, + "Virding": 3, + "Define": 1, + "macros": 1, + "global": 2, + "variable": 2, + "access.": 1, + "This": 2, + "hack": 1, + "very": 1, + "naughty": 1, + "defsyntax": 2, + "defvar": 2, + "[": 3, + "name": 8, + "val": 2, + "]": 3, + "let": 6, + "v": 3, + "put": 1, + "getvar": 3, + "solved": 1, + "gps": 1, + "state": 4, + "goals": 2, + "Set": 1, + "variables": 1, + "but": 1, + "existing": 1, + "*ops*": 1, + "*state*": 5, + "current": 1, + "list": 13, + "conditions.": 1, + "if": 1, + "every": 1, + "fun": 1, + "achieve": 1, + "op": 8, + "action": 3, + "setvar": 2, + "set": 1, + "difference": 1, + "del": 5, + "union": 1, + "add": 3, + "drive": 1, + "son": 2, + "school": 2, + "preconds": 4, + "shop": 6, + "installs": 1, + "battery": 1, + "car": 1, + "works": 1, + "make": 2, + "communication": 2, + "telephone": 1, + "have": 3, + "phone": 1, + "book": 1, + "give": 1, + "money": 3, + "has": 1, + "mnesia_demo.lfe": 1, + "A": 1, + "simple": 4, + "Mnesia": 2, + "demo": 2, + "LFE.": 1, + "contains": 1, + "using": 1, + "access": 1, + "tables.": 1, + "It": 1, + "shows": 2, + "how": 2, + "emp": 1, + "XXXX": 1, + "macro": 1, + "ETS": 1, + "match": 5, + "pattern": 1, + "together": 1, + "mnesia": 8, + "match_object": 1, + "specifications": 1, + "select": 1, + "Query": 2, + "List": 2, + "Comprehensions.": 1, + "mnesia_demo": 1, + "new": 2, + "by_place": 1, + "by_place_ms": 1, + "by_place_qlc": 2, + "defrecord": 1, + "person": 8, + "place": 7, + "job": 3, + "Start": 1, + "table": 2, + "we": 1, + "will": 1, + "memory": 1, + "only": 1, + "schema.": 1, + "start": 1, + "create_table": 1, + "attributes": 1, + "Initialise": 1, + "table.": 1, + "people": 1, + "spec": 1, + "p": 2, + "j": 2, + "when": 1, + "tuple": 1, + "transaction": 2, + "f": 3, + "Use": 1, + "Comprehensions": 1, + "records": 1, + "q": 2, + "qlc": 2, + "lc": 1, + "<": 1, + "e": 1, + "object.lfe": 1, + "OOP": 1, + "closures": 1, + "object": 16, + "system": 1, + "demonstrated": 1, + "do": 2, + "following": 2, + "objects": 2, + "call": 2, + "methods": 5, + "those": 1, + "which": 1, + "can": 1, + "other": 1, + "update": 1, + "instance": 2, + "Note": 1, + "however": 1, + "that": 1, + "his": 1, + "does": 1, + "demonstrate": 1, + "inheritance.": 1, + "To": 1, + "cd": 1, + "examples": 1, + "../bin/lfe": 1, + "pa": 1, + "../ebin": 1, + "Load": 1, + "fish": 6, + "class": 3, + "#Fun": 1, + "": 1, + "Execute": 1, + "basic": 1, + "species": 7, + "mommy": 3, + "move": 4, + "Carp": 1, + "swam": 1, + "feet": 1, + "ok": 1, + "id": 9, + "Now": 1, + "strictly": 1, + "necessary.": 1, + "When": 1, + "isn": 1, + "children": 10, + "formatted": 1, + "verb": 2, + "self": 6, + "distance": 2, + "erlang": 1, + "length": 1, + "method": 7, + "define": 1, + "info": 1, + "reproduce": 1 + }, + "Literate Agda": { + "documentclass": 1, + "{": 35, + "article": 1, + "}": 35, + "usepackage": 7, + "amssymb": 1, + "bbm": 1, + "[": 2, + "greek": 1, + "english": 1, + "]": 2, + "babel": 1, + "ucs": 1, + "utf8x": 1, + "inputenc": 1, + "autofe": 1, + "DeclareUnicodeCharacter": 3, + "ensuremath": 3, + "ulcorner": 1, + "urcorner": 1, + "overline": 1, + "equiv": 1, + "fancyvrb": 1, + "DefineVerbatimEnvironment": 1, + "code": 3, + "Verbatim": 1, + "%": 1, + "Add": 1, + "fancy": 1, + "options": 1, + "here": 1, + "if": 1, + "you": 3, + "like.": 1, + "begin": 2, + "document": 2, + "module": 3, + "NatCat": 1, + "where": 2, + "open": 2, + "import": 2, + "Relation.Binary.PropositionalEquality": 1, + "-": 21, + "If": 1, + "can": 1, + "show": 1, + "that": 1, + "a": 1, + "relation": 1, + "only": 1, + "ever": 1, + "has": 1, + "one": 1, + "inhabitant": 5, + "get": 1, + "the": 1, + "category": 1, + "laws": 1, + "for": 1, + "free": 1, + "EasyCategory": 3, + "(": 36, + "obj": 4, + "Set": 2, + ")": 36, + "_": 6, + "x": 34, + "y": 28, + "z": 18, + "id": 9, + "single": 4, + "r": 26, + "s": 29, + "assoc": 2, + "w": 4, + "t": 6, + "Data.Nat": 1, + "same": 5, + ".0": 2, + "n": 14, + "refl": 6, + ".": 5, + "suc": 6, + "m": 6, + "cong": 1, + "trans": 5, + ".n": 1, + "zero": 1, + "Nat": 1, + "end": 2 + }, + "Literate CoffeeScript": { + "The": 2, + "**Scope**": 2, + "class": 2, + "regulates": 1, + "lexical": 1, + "scoping": 1, + "within": 2, + "CoffeeScript.": 1, + "As": 1, + "you": 2, + "generate": 1, + "code": 1, + "create": 1, + "a": 8, + "tree": 1, + "of": 4, + "scopes": 1, + "in": 2, + "the": 12, + "same": 1, + "shape": 1, + "as": 3, + "nested": 1, + "function": 2, + "bodies.": 1, + "Each": 1, + "scope": 2, + "knows": 1, + "about": 1, + "variables": 3, + "declared": 2, + "it": 4, + "and": 5, + "has": 1, + "reference": 3, + "to": 8, + "its": 3, + "parent": 2, + "enclosing": 1, + "scope.": 2, + "In": 1, + "this": 3, + "way": 1, + "we": 4, + "know": 1, + "which": 3, + "are": 3, + "new": 2, + "need": 2, + "be": 2, + "with": 3, + "var": 4, + "shared": 1, + "external": 1, + "scopes.": 1, + "Import": 1, + "helpers": 1, + "plan": 1, + "use.": 1, + "{": 4, + "extend": 1, + "last": 1, + "}": 4, + "require": 1, + "exports.Scope": 1, + "Scope": 1, + "root": 1, + "is": 3, + "top": 2, + "-": 5, + "level": 1, + "object": 1, + "for": 3, + "given": 1, + "file.": 1, + "@root": 1, + "null": 1, + "Initialize": 1, + "lookups": 1, + "up": 1, + "chain": 1, + "well": 1, + "**Block**": 1, + "node": 1, + "belongs": 2, + "where": 1, + "should": 1, + "declare": 1, + "that": 2, + "to.": 1, + "constructor": 1, + "(": 5, + "@parent": 2, + "@expressions": 1, + "@method": 1, + ")": 6, + "@variables": 3, + "[": 4, + "name": 8, + "type": 5, + "]": 4, + "@positions": 4, + "Scope.root": 1, + "unless": 1, + "Adds": 1, + "variable": 1, + "or": 1, + "overrides": 1, + "an": 1, + "existing": 1, + "one.": 1, + "add": 1, + "immediate": 3, + "return": 1, + "@parent.add": 1, + "if": 2, + "@shared": 1, + "not": 1, + "Object": 1, + "hasOwnProperty.call": 1, + ".type": 1, + "else": 2, + "@variables.push": 1, + "When": 1, + "super": 1, + "called": 1, + "find": 1, + "current": 1, + "method": 1, + "param": 1, + "_": 3, + "then": 1, + "tempVars": 1, + "realVars": 1, + ".push": 1, + "v.name": 1, + "realVars.sort": 1, + ".concat": 1, + "tempVars.sort": 1, + "Return": 1, + "list": 1, + "assignments": 1, + "supposed": 1, + "made": 1, + "at": 1, + "assignedVariables": 1, + "v": 1, + "when": 1, + "v.type.assigned": 1 + }, + "LiveScript": { + "a": 8, + "-": 25, + "const": 1, + "b": 3, + "var": 1, + "c": 3, + "d": 3, + "_000_000km": 1, + "*": 1, + "ms": 1, + "e": 2, + "(": 9, + ")": 10, + "dashes": 1, + "identifiers": 1, + "underscores_i": 1, + "/regexp1/": 1, + "and": 3, + "//regexp2//g": 1, + "strings": 1, + "[": 2, + "til": 1, + "]": 2, + "or": 2, + "to": 2, + "|": 3, + "map": 1, + "filter": 1, + "fold": 1, + "+": 1, + "class": 1, + "Class": 1, + "extends": 1, + "Anc": 1, + "est": 1, + "args": 1, + "copy": 1, + "from": 1, + "callback": 4, + "error": 6, + "data": 2, + "<": 1, + "read": 1, + "file": 2, + "return": 2, + "if": 2, + "<~>": 1, + "write": 1 + }, + "Logos": { + "%": 15, + "hook": 2, + "ABC": 2, + "-": 3, + "(": 8, + "id": 2, + ")": 8, + "a": 1, + "B": 1, + "b": 1, + "{": 4, + "log": 1, + ";": 8, + "return": 2, + "orig": 2, + "nil": 2, + "}": 4, + "end": 4, + "subclass": 1, + "DEF": 1, + "NSObject": 1, + "init": 3, + "[": 2, + "c": 1, + "RuntimeAccessibleClass": 1, + "alloc": 1, + "]": 2, + "group": 1, + "OptionalHooks": 2, + "void": 1, + "release": 1, + "self": 1, + "retain": 1, + "ctor": 1, + "if": 1, + "OptionalCondition": 1 + }, + "Logtalk": { + "-": 3, + "object": 2, + "(": 4, + "hello_world": 1, + ")": 4, + ".": 2, + "%": 2, + "the": 2, + "initialization/1": 1, + "directive": 1, + "argument": 1, + "is": 2, + "automatically": 1, + "executed": 1, + "when": 1, + "loaded": 1, + "into": 1, + "memory": 1, + "initialization": 1, + "nl": 2, + "write": 1, + "end_object.": 1 + }, + "Lua": { + "-": 60, + "A": 1, + "simple": 1, + "counting": 1, + "object": 1, + "that": 1, + "increments": 1, + "an": 1, + "internal": 1, + "counter": 1, + "whenever": 1, + "it": 2, + "receives": 2, + "a": 5, + "bang": 3, + "at": 2, + "its": 2, + "first": 1, + "inlet": 2, + "or": 2, + "changes": 1, + "to": 8, + "whatever": 1, + "number": 3, + "second": 1, + "inlet.": 1, + "local": 11, + "HelloCounter": 4, + "pd.Class": 3, + "new": 3, + "(": 56, + ")": 56, + "register": 3, + "function": 16, + "initialize": 3, + "sel": 3, + "atoms": 3, + "self.inlets": 3, + "self.outlets": 3, + "self.num": 5, + "return": 3, + "true": 3, + "end": 26, + "in_1_bang": 2, + "self": 10, + "outlet": 10, + "{": 16, + "}": 16, + "+": 3, + "in_2_float": 2, + "f": 12, + "FileListParser": 5, + "Base": 1, + "filename": 2, + "File": 2, + "extension": 2, + "Number": 4, + "of": 9, + "files": 1, + "in": 7, + "batch": 2, + "To": 3, + "[": 17, + "list": 1, + "trim": 1, + "]": 17, + "binfile": 3, + "vidya": 1, + "file": 8, + "modder": 1, + "s": 5, + "mechanisms": 1, + "self.extension": 3, + "the": 7, + "last": 1, + "self.batchlimit": 3, + "in_1_symbol": 1, + "for": 9, + "i": 10, + "do": 8, + "..": 7, + "in_2_list": 1, + "d": 9, + "in_3_float": 1, + "FileModder": 10, + "Object": 1, + "triggering": 1, + "Incoming": 1, + "single": 1, + "data": 2, + "bytes": 3, + "from": 3, + "Total": 1, + "route": 1, + "buflength": 1, + "Glitch": 3, + "type": 2, + "point": 2, + "times": 2, + "glitch": 2, + "Toggle": 1, + "randomized": 1, + "glitches": 3, + "within": 2, + "bounds": 2, + "Active": 1, + "get": 1, + "next": 1, + "byte": 2, + "clear": 2, + "buffer": 2, + "FLOAT": 1, + "write": 3, + "Currently": 1, + "active": 2, + "namedata": 1, + "self.filedata": 4, + "pattern": 1, + "random": 3, + "splice": 1, + "self.glitchtype": 5, + "Minimum": 1, + "image": 1, + "self.glitchpoint": 6, + "repeat": 1, + "on": 1, + "given": 1, + "self.randrepeat": 5, + "Toggles": 1, + "whether": 1, + "repeating": 1, + "should": 1, + "be": 1, + "self.randtoggle": 3, + "Hold": 1, + "all": 1, + "which": 1, + "are": 1, + "converted": 1, + "ints": 1, + "range": 1, + "self.bytebuffer": 8, + "Buffer": 1, + "length": 1, + "currently": 1, + "self.buflength": 7, + "if": 2, + "then": 4, + "plen": 2, + "math.random": 8, + "patbuffer": 3, + "table.insert": 4, + "%": 1, + "#patbuffer": 1, + "elseif": 2, + "randlimit": 4, + "else": 1, + "sloc": 3, + "schunksize": 2, + "splicebuffer": 3, + "table.remove": 1, + "insertpoint": 2, + "#self.bytebuffer": 1, + "_": 2, + "v": 4, + "ipairs": 2, + "outname": 3, + "pd.post": 1, + "in_3_list": 1, + "Shift": 1, + "indexed": 2, + "in_4_list": 1, + "in_5_float": 1, + "in_6_float": 1, + "in_7_list": 1, + "in_8_list": 1 + }, + "M": { + "%": 207, + "zewdAPI": 52, + ";": 1309, + "Enterprise": 5, + "Web": 5, + "Developer": 5, + "run": 2, + "-": 1605, + "time": 9, + "functions": 4, + "and": 59, + "user": 27, + "APIs": 1, + "Product": 2, + "(": 2144, + "Build": 6, + ")": 2152, + "Date": 2, + "Fri": 1, + "Nov": 1, + "|": 171, + "for": 77, + "GT.M": 30, + "m_apache": 3, + "Copyright": 12, + "c": 113, + "M/Gateway": 4, + "Developments": 4, + "Ltd": 4, + "Reigate": 4, + "Surrey": 4, + "UK.": 4, + "All": 4, + "rights": 4, + "reserved.": 4, + "http": 13, + "//www.mgateway.com": 4, + "Email": 4, + "rtweed@mgateway.com": 4, + "This": 26, + "program": 19, + "is": 88, + "free": 15, + "software": 12, + "you": 17, + "can": 20, + "redistribute": 11, + "it": 45, + "and/or": 11, + "modify": 11, + "under": 14, + "the": 223, + "terms": 11, + "of": 84, + "GNU": 33, + "Affero": 33, + "General": 33, + "Public": 33, + "License": 48, + "as": 23, + "published": 11, + "by": 35, + "Free": 11, + "Software": 11, + "Foundation": 11, + "either": 13, + "version": 16, + "or": 50, + "at": 21, + "your": 16, + "option": 12, + "any": 16, + "later": 11, + "version.": 11, + "distributed": 13, + "in": 80, + "hope": 11, + "that": 19, + "will": 23, + "be": 35, + "useful": 11, + "but": 19, + "WITHOUT": 12, + "ANY": 12, + "WARRANTY": 11, + "without": 11, + "even": 12, + "implied": 11, + "warranty": 11, + "MERCHANTABILITY": 11, + "FITNESS": 11, + "FOR": 15, + "A": 12, + "PARTICULAR": 11, + "PURPOSE.": 11, + "See": 15, + "more": 13, + "details.": 12, + "You": 13, + "should": 16, + "have": 21, + "received": 11, + "a": 130, + "copy": 13, + "along": 11, + "with": 45, + "this": 39, + "program.": 9, + "If": 14, + "not": 39, + "see": 26, + "": 11, + ".": 815, + "QUIT": 251, + "_": 127, + "getVersion": 1, + "zewdCompiler": 6, + "date": 1, + "getDate": 1, + "compilePage": 2, + "app": 13, + "page": 12, + "mode": 12, + "technology": 9, + "outputPath": 4, + "multilingual": 4, + "maxLines": 4, + "d": 381, + "g": 228, + "compileAll": 2, + "templatePageName": 2, + "autoTranslate": 2, + "language": 6, + "verbose": 2, + "zewdMgr": 1, + "startSession": 2, + "requestArray": 2, + "serverArray": 1, + "sessionArray": 5, + "filesArray": 1, + "zewdPHP": 8, + ".requestArray": 2, + ".serverArray": 1, + ".sessionArray": 3, + ".filesArray": 1, + "closeSession": 2, + "saveSession": 2, + "endOfPage": 2, + "prePageScript": 2, + "sessid": 146, + "releaseLock": 2, + "tokeniseURL": 2, + "url": 2, + "zewdCompiler16": 5, + "getSessid": 1, + "token": 21, + "i": 465, + "isTokenExpired": 2, + "p": 84, + "zewdSession": 39, + "initialiseSession": 1, + "k": 122, + "deleteSession": 2, + "changeApp": 1, + "appName": 4, + "setSessionValue": 6, + "setRedirect": 1, + "toPage": 1, + "e": 210, + "n": 197, + "path": 4, + "s": 775, + "getRootURL": 1, + "l": 84, + "zewd": 17, + "trace": 24, + "_sessid_": 3, + "_token_": 1, + "_nextPage": 1, + "zcvt": 11, + "nextPage": 1, + "isNextPageTokenValid": 2, + "zewdCompiler13": 10, + "isCSP": 1, + "normaliseTextValue": 1, + "text": 6, + "replaceAll": 11, + "writeLine": 2, + "line": 14, + "CacheTempBuffer": 2, + "j": 67, + "increment": 11, + "w": 127, + "displayOptions": 2, + "fieldName": 5, + "listName": 6, + "escape": 7, + "codeValue": 7, + "name": 121, + "nnvp": 1, + "nvp": 1, + "pos": 33, + "textValue": 6, + "value": 72, + "getSessionValue": 3, + "tr": 13, + "+": 189, + "f": 93, + "o": 51, + "q": 244, + "codeValueEsc": 7, + "textValueEsc": 7, + "htmlOutputEncode": 2, + "zewdAPI2": 5, + "_codeValueEsc_": 1, + "selected": 4, + "translationMode": 1, + "_appName": 1, + "typex": 1, + "type": 2, + "avoid": 1, + "Cache": 3, + "bug": 2, + "getPhraseIndex": 1, + "zewdCompiler5": 1, + "licensed": 1, + "setWarning": 2, + "isTemp": 11, + "setWLDSymbol": 1, + "Duplicate": 1, + "performance": 1, + "also": 4, + "wldAppName": 1, + "wldName": 1, + "wldSessid": 1, + "zzname": 1, + "zv": 6, + "[": 54, + "extcErr": 1, + "mess": 3, + "namespace": 1, + "zt": 20, + "valueErr": 1, + "exportCustomTags": 2, + "tagList": 1, + "filepath": 10, + ".tagList": 1, + "exportAllCustomTags": 2, + "importCustomTags": 2, + "filePath": 2, + "zewdForm": 1, + "stripSpaces": 6, + "np": 17, + "obj": 6, + "prop": 6, + "setSessionObject": 3, + "allowJSONAccess": 1, + "sessionName": 30, + "access": 21, + "disallowJSONAccess": 1, + "JSONAccess": 1, + "existsInSession": 2, + "existsInSessionArray": 2, + "p1": 5, + "p2": 10, + "p3": 3, + "p4": 2, + "p5": 2, + "p6": 2, + "p7": 2, + "p8": 2, + "p9": 2, + "p10": 2, + "p11": 2, + "clearSessionArray": 1, + "arrayName": 35, + "setSessionArray": 1, + "itemName": 16, + "itemValue": 7, + "getSessionArray": 1, + "array": 22, + "clearArray": 2, + "set": 98, + "m": 37, + "getSessionArrayErr": 1, + "Come": 1, + "here": 4, + "if": 44, + "error": 62, + "occurred": 2, + "addToSession": 2, + "@name": 4, + "mergeToSession": 1, + "mergeGlobalToSession": 2, + "globalName": 7, + "mergeGlobalFromSession": 2, + "mergeArrayToSession": 1, + "mergeArrayToSessionObject": 2, + ".array": 1, + "mergeArrayFromSession": 1, + "mergeFromSession": 1, + "deleteFromSession": 1, + "deleteFromSessionObject": 1, + "sessionNameExists": 1, + "getSessionArrayValue": 2, + "subscript": 7, + "exists": 6, + ".exists": 1, + "sessionArrayValueExists": 2, + "deleteSessionArrayValue": 2, + "Objects": 1, + "objectName": 13, + "propertyName": 3, + "propertyValue": 5, + "comma": 3, + "x": 96, + "replace": 27, + "objectName_": 2, + "_propertyName": 2, + "_propertyName_": 2, + "_propertyValue_": 1, + "_p": 1, + "quoted": 1, + "string": 50, + "FromStr": 6, + "S": 99, + "ToStr": 4, + "InText": 4, + "old": 3, + "new": 15, + "ok": 14, + "removeDocument": 1, + "zewdDOM": 3, + "instanceName": 2, + "clearXMLIndex": 1, + "zewdSchemaForm": 1, + "closeDOM": 1, + "makeTokenString": 1, + "length": 7, + "token_": 1, + "r": 88, + "makeString": 3, + "char": 9, + "len": 8, + "create": 6, + "characters": 8, + "str": 15, + "convertDateToSeconds": 1, + "hdate": 7, + "Q": 58, + "hdate*86400": 1, + "convertSecondsToDate": 1, + "secs": 2, + "secs#86400": 1, + "getTokenExpiry": 2, + "h*86400": 1, + "h": 39, + "randChar": 1, + "R": 2, + "lowerCase": 2, + "stripLeadingSpaces": 2, + "stripTrailingSpaces": 2, + "d1": 7, + "zd": 1, + "yy": 19, + "dd": 4, + "I": 43, + "<10>": 1, + "dd=": 2, + "mm=": 3, + "1": 74, + "d1=": 1, + "2": 14, + "p1=": 1, + "mm": 7, + "p2=": 1, + "yy=": 1, + "3": 6, + "dd_": 1, + "mm_": 1, + "inetTime": 1, + "Decode": 1, + "Internet": 1, + "Format": 1, + "Time": 1, + "from": 16, + "H": 1, + "format": 2, + "Offset": 1, + "relative": 1, + "to": 74, + "GMT": 1, + "eg": 3, + "hh": 4, + "ss": 4, + "<": 20, + "_hh": 1, + "time#3600": 1, + "_mm": 1, + "time#60": 1, + "_ss": 2, + "hh_": 1, + "_mm_": 1, + "openNewFile": 2, + "openFile": 2, + "openDOM": 2, + "&": 28, + "#39": 1, + "<\",\"<\")>": 1, + "string=": 1, + "gt": 1, + "amp": 1, + "HTML": 1, + "quot": 2, + "stop": 20, + "no": 54, + "no2": 1, + "p1_c_p2": 1, + "getIP": 2, + "Get": 2, + "own": 2, + "IP": 1, + "address": 1, + "ajaxErrorRedirect": 2, + "classExport": 2, + "className": 2, + "methods": 2, + ".methods": 1, + "strx": 2, + "disableEwdMgr": 1, + "enableEwdMgr": 1, + "enableWLDAccess": 1, + "disableWLDAccess": 1, + "isSSOValid": 2, + "sso": 2, + "username": 8, + "password": 8, + "zewdMgrAjax2": 1, + "uniqueId": 1, + "nodeOID": 2, + "filename": 2, + "linkToParentSession": 2, + "zewdCompiler20": 1, + "exportToGTM": 1, + "routine": 6, + "zewdDemo": 1, + "Tutorial": 1, + "Wed": 1, + "Apr": 1, + "getLanguage": 1, + "getRequestValue": 1, + "login": 1, + "getTextValue": 4, + "getPasswordValue": 2, + "_username_": 1, + "_password": 1, + "logine": 1, + "message": 8, + "textid": 1, + "errorMessage": 1, + "ewdDemo": 8, + "clearList": 2, + "appendToList": 4, + "addUsername": 1, + "newUsername": 5, + "newUsername_": 1, + "setTextValue": 4, + "testValue": 1, + "pass": 24, + "getSelectValue": 3, + "_user": 1, + "getPassword": 1, + "setPassword": 1, + "getObjDetails": 1, + "data": 43, + "_user_": 1, + "_data": 2, + "setRadioOn": 2, + "initialiseCheckbox": 2, + "setCheckboxOn": 3, + "createLanguageList": 1, + "setMultipleSelectOn": 2, + "clearTextArea": 2, + "textarea": 2, + "createTextArea": 1, + ".textarea": 1, + "userType": 4, + "setMultipleSelectValues": 1, + ".selected": 1, + "testField3": 3, + ".value": 1, + "testField2": 1, + "field3": 1, + "must": 8, + "null": 6, + "dateTime": 1, + "start": 26, + "student": 14, + "zwrite": 1, + "write": 59, + "order": 11, + "do": 15, + "quit": 30, + "file": 10, + "part": 3, + "DataBallet.": 4, + "C": 9, + "Laurent": 2, + "Parenteau": 2, + "": 2, + "DataBallet": 4, + "encode": 1, + "Return": 1, + "base64": 6, + "URL": 2, + "Filename": 1, + "safe": 3, + "alphabet": 2, + "RFC": 1, + "todrop": 2, + "Populate": 1, + "values": 4, + "on": 17, + "first": 10, + "use": 5, + "only.": 1, + "zextract": 3, + "zlength": 3, + "Comment": 1, + "comment": 4, + "block": 1, + "comments": 5, + "always": 2, + "semicolon": 1, + "next": 1, + "while": 4, + "legal": 1, + "blank": 1, + "whitespace": 2, + "alone": 1, + "valid": 2, + "**": 4, + "Comments": 1, + "graphic": 3, + "character": 5, + "such": 1, + "@#": 1, + "*": 6, + "{": 5, + "}": 5, + "]": 15, + "/": 3, + "space": 1, + "considered": 1, + "though": 1, + "t": 12, + "it.": 2, + "ASCII": 2, + "whose": 1, + "numeric": 8, + "code": 29, + "above": 3, + "below": 1, + "are": 14, + "NOT": 2, + "allowed": 18, + "routine.": 1, + "multiple": 1, + "semicolons": 1, + "okay": 1, + "has": 7, + "tag": 2, + "after": 3, + "does": 1, + "command": 11, + "Tag1": 1, + "Tags": 2, + "an": 14, + "uppercase": 2, + "lowercase": 1, + "alphabetic": 2, + "series": 2, + "HELO": 1, + "most": 1, + "common": 1, + "label": 5, + "LABEL": 1, + "followed": 1, + "directly": 1, + "open": 1, + "parenthesis": 2, + "formal": 1, + "list": 1, + "variables": 3, + "close": 1, + "ANOTHER": 1, + "X": 19, + "Normally": 1, + "subroutine": 1, + "would": 2, + "ended": 1, + "we": 1, + "taking": 1, + "advantage": 1, + "rule": 1, + "END": 1, + "implicit": 1, + "Digest": 2, + "Extension": 9, + "Piotr": 7, + "Koper": 7, + "": 7, + "trademark": 2, + "Fidelity": 2, + "Information": 2, + "Services": 2, + "Inc.": 2, + "//sourceforge.net/projects/fis": 2, + "gtm/": 2, + "simple": 2, + "OpenSSL": 3, + "based": 1, + "digest": 19, + "extension": 3, + "rewrite": 1, + "EVP_DigestInit": 1, + "usage": 3, + "example": 5, + "additional": 5, + "M": 24, + "wrapper.": 1, + "//www.openssl.org/docs/crypto/EVP_DigestInit.html": 1, + "The": 11, + "return": 7, + "digest.init": 3, + "usually": 1, + "when": 11, + "invalid": 4, + "algorithm": 1, + "was": 5, + "specification.": 1, + "Anyway": 1, + "properly": 1, + "used": 6, + "never": 4, + "fail.": 1, + "Please": 2, + "feel": 2, + "contact": 2, + "me": 2, + "questions": 2, + "returns": 7, + "HEX": 1, + "all": 8, + "one": 5, + "digest.update": 2, + ".c": 2, + ".m": 11, + "digest.final": 2, + ".d": 1, + "init": 6, + "alg": 3, + "context": 1, + "handler": 9, + "try": 1, + "etc": 1, + "returned": 1, + "occurs": 1, + "e.g.": 2, + "unknown": 1, + "update": 1, + "ctx": 4, + "msg": 6, + "updates": 1, + ".ctx": 2, + ".msg": 1, + "final": 1, + "hex": 1, + "encoded": 8, + "frees": 1, + "memory": 1, + "allocated": 1, + ".digest": 1, + "algorithms": 1, + "availability": 1, + "depends": 1, + "libcrypto": 1, + "configuration": 1, + "md4": 1, + "md5": 2, + "sha": 1, + "sha1": 1, + "sha224": 1, + "sha256": 1, + "sha512": 1, + "dss1": 1, + "ripemd160": 1, + "These": 2, + "two": 2, + "routines": 6, + "illustrate": 1, + "dynamic": 1, + "scope": 1, + "triangle1": 1, + "sum": 15, + "main2": 1, + "y": 33, + "triangle2": 1, + "compute": 2, + "Fibonacci": 1, + "b": 64, + "term": 10, + "start1": 2, + "entry": 5, + "start2": 1, + "function": 6, + "computes": 1, + "factorial": 3, + "f*n": 1, + "main": 1, + "GMRGPNB0": 1, + "CISC/JH/RM": 1, + "NARRATIVE": 1, + "BUILDER": 1, + "TEXT": 5, + "GENERATOR": 1, + "cont.": 1, + "/20/91": 1, + "Text": 1, + "Generator": 1, + "Jan": 1, + "ENTRY": 2, + "WITH": 1, + "GMRGA": 1, + "SET": 3, + "TO": 6, + "POINT": 1, + "AT": 1, + "WHICH": 1, + "WANT": 1, + "START": 1, + "BUILDING": 1, + "GMRGE0": 11, + "GMRGADD": 4, + "D": 64, + "GMR": 6, + "GMRGA0": 11, + "GMRGPDA": 9, + "GMRGCSW": 2, + "NOW": 1, + "DTC": 1, + "GMRGB0": 9, + "O": 24, + "GMRGST": 6, + "GMRGPDT": 2, + "STAT": 8, + "GMRGRUT0": 3, + "GMRGF0": 3, + "GMRGSTAT": 8, + "P": 68, + "_GMRGB0_": 2, + "GMRD": 6, + "GMRGSSW": 3, + "SNT": 1, + "GMRGPNB1": 1, + "GMRGNAR": 8, + "GMRGPAR_": 2, + "_GMRGSPC_": 3, + "_GMRGRM": 2, + "_GMRGE0": 1, + "STORETXT": 1, + "GMRGRUT1": 1, + "GMRGSPC": 3, + "F": 10, + "GMRGD0": 7, + "ALIST": 1, + "G": 40, + "TMP": 26, + "J": 38, + "GMRGPLVL": 6, + "GMRGA0_": 1, + "_GMRGD0_": 1, + "_GMRGSSW_": 1, + "_GMRGADD": 1, + "GMRGI0": 6, + "label1": 1, + "if1": 2, + "statement": 3, + "if2": 2, + "statements": 1, + "contrasted": 1, + "": 3, + "variable": 8, + "a=": 3, + "smaller": 3, + "than": 4, + "b=": 4, + "if3": 1, + "else": 7, + "clause": 2, + "if4": 1, + "bodies": 1, + "exercise": 1, + "car": 14, + "@": 8, + "MD5": 6, + "Implementation": 1, + "It": 2, + "works": 1, + "ZCHSET": 2, + "please": 1, + "don": 1, + "only": 9, + "joke.": 1, + "Serves": 1, + "well": 2, + "reverse": 1, + "engineering": 1, + "obtaining": 1, + "boolean": 2, + "integer": 1, + "addition": 1, + "modulo": 1, + "division.": 1, + "//en.wikipedia.org/wiki/MD5": 1, + "#64": 1, + "msg_": 1, + "_m_": 1, + "n64": 2, + "*8": 2, + "read": 2, + ".p": 1, + "..": 28, + "...": 6, + "*i": 3, + "#16": 3, + "xor": 4, + "rotate": 5, + "#4294967296": 6, + "n32h": 5, + "bit": 5, + "#2": 1, + "*2147483648": 2, + "a#2": 1, + "b#2": 1, + ".a": 1, + ".b": 1, + "rol": 1, + "a*": 1, + "**n": 1, + "c#4294967296": 1, + "*n": 1, + "n#256": 1, + "n#16": 2, + "MDB": 60, + "M/DB": 2, + "Mumps": 1, + "Emulation": 1, + "Amazon": 1, + "SimpleDB": 1, + "buildDate": 1, + "indexLength": 10, + "Note": 2, + "keyId": 108, + "been": 4, + "tested": 1, + "these": 1, + "called": 8, + "To": 2, + "Initialise": 2, + "service": 1, + "//192.168.1.xxx/mdb/test.mgwsi": 1, + "Action": 2, + "addUser": 2, + "userKeyId": 6, + "userSecretKey": 6, + "requestId": 17, + "boxUsage": 11, + "startTime": 21, + ".startTime": 5, + "MDBUAF": 2, + "end": 33, + ".boxUsage": 22, + "createDomain": 1, + "domainName": 38, + "dn": 4, + "dnx": 3, + "id": 33, + "noOfDomains": 12, + "MDBConfig": 1, + "getDomainId": 3, + "found": 7, + "namex": 8, + "buildItemNameIndex": 2, + "domainId": 53, + "itemId": 41, + "itemValuex": 3, + "countDomains": 2, + "key": 22, + "deleteDomain": 2, + "listDomains": 1, + "maxNoOfDomains": 2, + "nextToken": 7, + "domainList": 3, + "fullName": 3, + "decodeBase64": 1, + "encodeBase64": 1, + "itemExists": 1, + "getItemId": 2, + "getAttributeValueId": 3, + "attribId": 36, + "valuex": 13, + "putAttributes": 2, + "attributes": 32, + "valueId": 16, + "xvalue": 4, + "add": 5, + "Item": 1, + "Domain": 1, + "itemNamex": 4, + "parseJSON": 1, + "zmwire": 53, + "attributesJSON": 1, + ".attributes": 5, + "attribute": 14, + "getAttributeId": 2, + "domain": 1, + "Not": 1, + "same": 2, + "remove": 6, + "existing": 2, + "now": 1, + "name/value": 2, + "pair": 1, + "getAttributes": 2, + "suppressBoxUsage": 1, + "attrNo": 9, + "valueNo": 6, + "delete": 2, + "item": 2, + "associated": 1, + "queryIndex": 1, + "records": 2, + "specified": 4, + "pairs": 2, + "vno": 2, + "left": 5, + "completely": 3, + "references": 1, + "maxNoOfItems": 3, + "itemList": 12, + "session": 1, + "identifier": 1, + "stored": 1, + "queryExpression": 16, + "relink": 1, + "zewdGTMRuntime": 1, + "CGIEVAR": 1, + "cgi": 1, + "unescName": 5, + "urlDecode": 2, + "KEY": 36, + "response": 29, + "WebLink": 1, + "point": 2, + "action": 15, + "AWSAcessKeyId": 1, + "db": 9, + "hash": 1, + "itemsAndAttrs": 2, + "secretKey": 1, + "signatureMethod": 2, + "signatureVersion": 3, + "stringToSign": 2, + "rltKey": 2, + "_action_": 2, + "h_": 3, + "mdbKey": 2, + "errorResponse": 9, + "initialise": 3, + ".requestId": 7, + "createResponse": 4, + "installMDBM": 1, + "authenticate": 1, + "MDBSession": 1, + "createResponseStringToSign": 1, + "Security": 1, + "OK": 6, + "_db": 1, + "MDBAPI": 1, + "lineNo": 19, + "CacheTempEWD": 16, + "_db_": 1, + "db_": 1, + "_action": 1, + "resp": 5, + "metaData": 1, + "domainMetadata": 1, + ".metaData": 1, + "paramName": 8, + "paramValue": 5, + "_i_": 5, + "Query": 1, + "DomainName": 2, + "QueryExpression": 2, + "MaxNumberOfItems": 2, + "NextToken": 3, + "QueryWithAttributes": 1, + "AttributeName.": 2, + "Select": 2, + "SelectExpression": 1, + "entering": 1, + "runSelect.": 1, + "selectExpression": 3, + "finished": 1, + "runSelect": 3, + "count": 18, + "select": 3, + "where": 6, + "limit": 14, + "asc": 1, + "inValue": 6, + "expr": 18, + "rel": 2, + "itemStack": 3, + "between": 2, + "<=\">": 1, + "lastWord=": 7, + "inAttr=": 5, + "expr=": 10, + "thisWord=": 7, + "inAttr": 2, + "c=": 28, + "queryExpression=": 4, + "_queryExpression": 2, + "4": 5, + "isNull": 1, + "5": 1, + "8": 1, + "isNotNull": 1, + "9": 1, + "offset": 6, + "prevName": 1, + "np=": 1, + "diffNames": 6, + "_term": 3, + "expr_": 1, + "_orderBy": 1, + "runQuery": 2, + ".itemList": 4, + "escVals": 1, + "str_c": 2, + "_x_": 1, + "query": 4, + "orderBy": 1, + "_query": 1, + "parseSelect": 1, + ".domainName": 2, + ".queryExpression": 1, + ".orderBy": 1, + ".limit": 1, + "executeSelect": 1, + ".itemStack": 1, + "***": 2, + "listCopy": 3, + "N.N": 12, + "N.N1": 4, + "externalSelect": 2, + "json": 9, + "_keyId_": 1, + "_selectExpression": 1, + "spaces": 3, + "string_spaces": 1, + "test": 6, + "miles": 4, + "gallons": 4, + "miles/gallons": 1, + "computepesimist": 1, + "miles/": 1, + "computeoptimist": 1, + "/gallons": 1, + "Mumtris": 3, + "tetris": 1, + "game": 1, + "MUMPS": 1, + "fun.": 1, + "Resize": 1, + "terminal": 2, + "maximize": 1, + "PuTTY": 1, + "window": 1, + "restart": 3, + "so": 4, + "report": 1, + "true": 2, + "size": 3, + "mumtris.": 1, + "Try": 2, + "setting": 3, + "ansi": 2, + "compatible": 1, + "cursor": 1, + "positioning.": 1, + "NOTICE": 1, + "uses": 1, + "making": 1, + "delays": 1, + "lower": 1, + "s.": 1, + "That": 1, + "means": 2, + "CPU": 1, + "fall": 5, + "lock": 2, + "clear": 6, + "change": 6, + "preview": 3, + "over": 2, + "exit": 3, + "short": 1, + "circuit": 1, + "redraw": 3, + "timeout": 1, + "harddrop": 1, + "other": 1, + "ex": 5, + "hd": 3, + "*c": 1, + "<0&'d>": 1, + "i=": 14, + "st": 6, + "t10m": 1, + "0": 23, + "<0>": 2, + "q=": 6, + "d=": 1, + "zb": 2, + "right": 3, + "fl=": 1, + "gr=": 1, + "hl": 2, + "help": 2, + "drop": 2, + "hd=": 1, + "matrix": 2, + "stack": 8, + "draw": 3, + "ticks": 2, + "h=": 2, + "1000000000": 1, + "e=": 1, + "t10m=": 1, + "100": 2, + "n=": 1, + "ne=": 1, + "x=": 5, + "y=": 3, + "r=": 3, + "collision": 6, + "score": 5, + "k=": 1, + "j=": 4, + "<1))))>": 1, + "800": 1, + "200": 1, + "lv": 5, + "lc=": 1, + "10": 1, + "lc": 3, + "mt_": 2, + "cls": 6, + ".s": 5, + "dh/2": 6, + "dw/2": 6, + "*s": 4, + "u": 6, + "echo": 1, + "intro": 1, + "workaround": 1, + "ANSI": 1, + "driver": 1, + "NL": 1, + "some": 1, + "place": 9, + "clearscreen": 1, + "N": 19, + "h/2": 3, + "*w/2": 3, + "fill": 3, + "fl": 2, + "*x": 1, + "mx": 4, + "my": 5, + "step": 8, + "**lv*sb": 1, + "*lv": 1, + "sc": 3, + "ne": 2, + "gr": 1, + "w*3": 1, + "dev": 1, + "zsh": 1, + "dw": 1, + "dh": 1, + "elements": 3, + "elemId": 3, + "rotateVersions": 1, + "rotateVersion": 2, + "bottom": 1, + "coordinate": 1, + "____": 1, + "__": 2, + "||": 1, + "ax": 2, + "bx": 2, + "cx": 2, + "ay": 2, + "cy": 2, + "sumx": 3, + "sqrx": 3, + "sumxy": 5, + "x*x": 1, + "x*y": 1, + "PCRE": 23, + "tries": 1, + "deliver": 1, + "best": 2, + "possible": 5, + "interface": 1, + "world": 4, + "providing": 1, + "support": 3, + "arrays": 1, + "stringified": 2, + "parameter": 1, + "names": 3, + "simplified": 1, + "API": 7, + "locales": 2, + "exceptions": 1, + "Perl5": 1, + "Global": 8, + "Match.": 1, + "pcreexamples.m": 2, + "comprehensive": 1, + "examples": 4, + "pcre": 59, + "beginner": 1, + "level": 5, + "tips": 1, + "match": 41, + "limits": 6, + "exception": 12, + "handling": 2, + "UTF": 17, + "GT.M.": 1, + "out": 2, + "known": 2, + "book": 1, + "regular": 1, + "expressions": 1, + "//regex.info/": 1, + "For": 3, + "information": 1, + "//pcre.org/": 1, + "Initial": 2, + "release": 2, + "pkoper": 2, + "pcre.version": 1, + "config": 3, + "case": 7, + "insensitive": 7, + "protect": 11, + "erropt": 6, + "isstring": 5, + "pcre.config": 1, + ".name": 1, + ".erropt": 3, + ".isstring": 1, + ".n": 20, + "ec": 10, + "compile": 14, + "pattern": 21, + "options": 45, + "locale": 24, + "mlimit": 20, + "reclimit": 19, + "optional": 16, + "joined": 3, + "Unix": 1, + "pcre_maketables": 2, + "cases": 1, + "undefined": 1, + "environment": 7, + "defined": 2, + "LANG": 4, + "LC_*": 1, + "output": 49, + "Debian": 2, + "tip": 1, + "dpkg": 1, + "reconfigure": 1, + "enable": 1, + "system": 1, + "wide": 1, + "number": 5, + "internal": 3, + "matching": 4, + "calls": 1, + "pcre_exec": 4, + "execution": 2, + "manual": 2, + "details": 5, + "depth": 1, + "recursion": 1, + "calling": 2, + "ref": 41, + "err": 4, + "erroffset": 3, + "pcre.compile": 1, + ".pattern": 3, + ".ref": 13, + ".err": 1, + ".erroffset": 1, + "exec": 4, + "subject": 24, + "startoffset": 3, + "octets": 2, + "starts": 1, + "like": 4, + "chars": 3, + "pcre.exec": 2, + ".subject": 3, + "zl": 7, + "ec=": 7, + "ovector": 25, + "element": 1, + "code=": 4, + "ovecsize": 5, + "fullinfo": 3, + "OPTIONS": 2, + "SIZE": 1, + "CAPTURECOUNT": 1, + "BACKREFMAX": 1, + "FIRSTBYTE": 1, + "FIRSTTABLE": 1, + "LASTLITERAL": 1, + "NAMEENTRYSIZE": 1, + "NAMECOUNT": 1, + "STUDYSIZE": 1, + "OKPARTIAL": 1, + "JCHANGED": 1, + "HASCRORLF": 1, + "MINLENGTH": 1, + "JIT": 1, + "JITSIZE": 1, + "NAME": 3, + "nametable": 4, + "index": 1, + "indexed": 4, + "substring": 1, + "begin": 18, + "begin=": 3, + "end=": 4, + "contains": 2, + "octet": 4, + "UNICODE": 1, + "ze": 8, + "begin_": 1, + "_end": 1, + "store": 6, + "stores": 1, + "captured": 6, + "key=": 2, + "gstore": 3, + "round": 12, + "byref": 5, + "global": 26, + "ref=": 3, + "l=": 2, + "capture": 10, + "indexes": 1, + "extended": 1, + "NAMED_ONLY": 2, + "named": 12, + "groups": 5, + "OVECTOR": 2, + "namedonly": 9, + "options=": 4, + "o=": 12, + "namedonly=": 2, + "ovector=": 2, + "NO_AUTO_CAPTURE": 2, + "_capture_": 2, + "matches": 10, + "s=": 4, + "_s_": 1, + "GROUPED": 1, + "group": 4, + "result": 3, + "patterns": 3, + "pcredemo": 1, + "pcreccp": 1, + "cc": 1, + "procedure": 2, + "Perl": 1, + "utf8": 2, + "crlf": 6, + "empty": 7, + "skip": 6, + "determine": 1, + "them": 1, + "before": 2, + "byref=": 2, + "check": 2, + "UTF8": 2, + "double": 1, + "utf8=": 1, + "crlf=": 3, + "NL_CRLF": 1, + "NL_ANY": 1, + "NL_ANYCRLF": 1, + "none": 1, + "build": 2, + "NEWLINE": 1, + ".start": 1, + "unwind": 1, + "call": 1, + "optimize": 1, + "leave": 1, + "advance": 1, + "LF": 1, + "CR": 1, + "CRLF": 1, + "middle": 1, + ".i": 2, + ".match": 2, + ".round": 2, + ".byref": 2, + ".ovector": 2, + "subst": 3, + "last": 4, + "occurrences": 1, + "matched": 1, + "back": 4, + "th": 3, + "replaced": 1, + "substitution": 2, + "begins": 1, + "substituted": 2, + "defaults": 3, + "ends": 1, + "backref": 1, + "boffset": 1, + "prepare": 1, + "reference": 2, + ".subst": 1, + ".backref": 1, + "silently": 1, + "zco": 1, + "": 1, + "s/": 6, + "b*": 7, + "/Xy/g": 6, + "print": 8, + "aa": 9, + "et": 4, + "direct": 3, + "take": 1, + "default": 6, + "setup": 3, + "trap": 10, + "source": 3, + "location": 5, + "argument": 1, + "@ref": 2, + "E": 12, + "COMPILE": 2, + "meaning": 1, + "zs": 2, + "re": 2, + "raise": 3, + "XC": 1, + "specific": 3, + "U16384": 1, + "U16385": 1, + "U16386": 1, + "U16387": 1, + "U16388": 2, + "U16389": 1, + "U16390": 1, + "U16391": 1, + "U16392": 2, + "U16393": 1, + "NOTES": 1, + "U16401": 2, + "raised": 2, + "i.e.": 3, + "NOMATCH": 2, + "ever": 1, + "uncommon": 1, + "situation": 1, + "too": 1, + "small": 1, + "considering": 1, + "controlled": 1, + "U16402": 1, + "U16403": 1, + "U16404": 1, + "U16405": 1, + "U16406": 1, + "U16407": 1, + "U16408": 1, + "U16409": 1, + "U16410": 1, + "U16411": 1, + "U16412": 1, + "U16414": 1, + "U16415": 1, + "U16416": 1, + "U16417": 1, + "U16418": 1, + "U16419": 1, + "U16420": 1, + "U16421": 1, + "U16423": 1, + "U16424": 1, + "U16425": 1, + "U16426": 1, + "U16427": 1, + "Examples": 4, + "pcre.m": 1, + "parameters": 1, + "pcreexamples": 32, + "shining": 1, + "Test": 1, + "Simple": 2, + "zwr": 17, + "Match": 4, + "grouped": 2, + "Just": 1, + "Change": 2, + "word": 3, + "Escape": 1, + "sequence": 1, + "More": 1, + "Low": 1, + "api": 1, + "Setup": 1, + "myexception2": 2, + "st_": 1, + "zl_": 2, + "Compile": 2, + ".options": 1, + "Run": 1, + ".offset": 1, + "used.": 2, + "strings": 1, + "submitted": 1, + "exact": 1, + "usable": 1, + "integers": 1, + "way": 1, + "i*2": 3, + "what": 2, + "/mg": 2, + "aaa": 1, + "nbb": 1, + ".*": 1, + "discover": 1, + "stackusage": 3, + "Locale": 5, + "Support": 1, + "Polish": 1, + "I18N": 2, + "PCRE.": 1, + "Polish.": 1, + "second": 1, + "letter": 1, + "": 1, + "which": 4, + "ISO8859": 1, + "//en.wikipedia.org/wiki/Polish_code_pages": 1, + "complete": 1, + "listing": 1, + "CHAR": 1, + "different": 3, + "modes": 1, + "In": 1, + "probably": 1, + "expected": 1, + "working": 1, + "single": 2, + "ISO": 3, + "chars.": 1, + "Use": 1, + "zch": 7, + "prepared": 1, + "GTM": 8, + "BADCHAR": 1, + "errors.": 1, + "Also": 1, + "others": 1, + "might": 1, + "expected.": 1, + "POSIX": 1, + "localization": 1, + "nolocale": 2, + "zchset": 2, + "isolocale": 2, + "utflocale": 2, + "LC_CTYPE": 1, + "Set": 2, + "obtain": 2, + "results.": 1, + "envlocale": 2, + "ztrnlnm": 2, + "Notes": 1, + "Enabling": 1, + "native": 1, + "requires": 1, + "libicu": 2, + "gtm_chset": 1, + "gtm_icu_version": 1, + "recompiled": 1, + "object": 4, + "files": 4, + "Instructions": 1, + "Install": 1, + "libicu48": 2, + "apt": 1, + "get": 2, + "install": 1, + "append": 1, + "chown": 1, + "gtm": 1, + "/opt/gtm": 1, + "Startup": 1, + "errors": 6, + "INVOBJ": 1, + "Cannot": 1, + "ZLINK": 1, + "due": 1, + "unexpected": 1, + "Object": 1, + "compiled": 1, + "CHSET": 1, + "written": 3, + "startup": 1, + "correct": 1, + "above.": 1, + "Limits": 1, + "built": 1, + "recursion.": 1, + "Those": 1, + "prevent": 1, + "engine": 1, + "very": 2, + "long": 2, + "runs": 2, + "especially": 1, + "there": 2, + "paths": 2, + "tree": 1, + "checked.": 1, + "Functions": 1, + "using": 4, + "itself": 1, + "allows": 1, + "MATCH_LIMIT": 1, + "MATCH_LIMIT_RECURSION": 1, + "arguments": 1, + "library": 1, + "compilation": 2, + "Example": 1, + "longrun": 3, + "Equal": 1, + "corrected": 1, + "shortrun": 2, + "Enforced": 1, + "enforcedlimit": 2, + "Exception": 2, + "Handling": 1, + "Error": 1, + "conditions": 1, + "handled": 1, + "zc": 1, + "codes": 1, + "labels": 1, + "file.": 1, + "When": 2, + "neither": 1, + "nor": 1, + "within": 1, + "mechanism.": 1, + "depending": 1, + "caller": 1, + "exception.": 1, + "lead": 1, + "writing": 4, + "prompt": 1, + "terminating": 1, + "image.": 1, + "define": 2, + "handlers.": 1, + "Handler": 1, + "No": 17, + "nohandler": 4, + "Pattern": 1, + "failed": 1, + "unmatched": 1, + "parentheses": 1, + "<-->": 1, + "HERE": 1, + "RTSLOC": 2, + "At": 2, + "SETECODE": 1, + "Non": 1, + "assigned": 1, + "ECODE": 1, + "32": 1, + "GT": 1, + "image": 1, + "terminated": 1, + "myexception1": 3, + "zt=": 1, + "mytrap1": 2, + "zg": 2, + "mytrap3": 1, + "DETAILS": 1, + "executed": 1, + "frame": 1, + "called.": 1, + "deeper": 1, + "frames": 1, + "already": 1, + "dropped": 1, + "local": 1, + "available": 1, + "context.": 1, + "Thats": 1, + "why": 1, + "doesn": 1, + "unless": 1, + "cleared.": 1, + "Always": 1, + "done.": 2, + "Execute": 1, + "p5global": 1, + "p5replace": 1, + "p5lf": 1, + "p5nl": 1, + "newline": 1, + "utf8support": 1, + "myexception3": 1, + "contrasting": 1, + "postconditionals": 1, + "IF": 9, + "commands": 1, + "post1": 1, + "postconditional": 3, + "purposely": 4, + "TEST": 16, + "false": 5, + "post2": 1, + "special": 2, + "post": 1, + "condition": 1, + "PRCAAPR": 1, + "WASH": 1, + "ISC@ALTOONA": 1, + "PA/RGY": 1, + "PATIENT": 5, + "ACCOUNT": 1, + "PROFILE": 1, + "CONT": 1, + "/9/94": 1, + "AM": 1, + "V": 2, + "Accounts": 1, + "Receivable": 1, + "**198": 1, + "Mar": 1, + "Per": 1, + "VHA": 1, + "Directive": 1, + "modified.": 1, + "EN": 2, + "PRCATY": 2, + "NEW": 3, + "DIC": 6, + "Y": 26, + "DEBT": 10, + "PRCADB": 5, + "DA": 4, + "PRCA": 14, + "COUNT": 2, + "OUT": 2, + "SEL": 1, + "BILL": 11, + "BAT": 8, + "TRAN": 5, + "DR": 4, + "DXS": 1, + "DTOUT": 2, + "DIROUT": 1, + "DIRUT": 1, + "DUOUT": 1, + "ASK": 3, + "DPTNOFZY": 2, + "DPTNOFZK": 2, + "K": 5, + "DTIME": 1, + "UPPER": 1, + "VALM1": 1, + "RCD": 1, + "DISV": 2, + "DUZ": 3, + "NAM": 1, + "RCFN01": 1, + "COMP": 2, + "EN1": 1, + "PRCAATR": 1, + "Y_": 3, + "PRCADB_": 1, + "HDR": 1, + "PRCAAPR1": 3, + "HDR2": 1, + "DIS": 1, + "STAT1": 2, + "_PRCATY_": 1, + "COMP1": 2, + "RCY": 5, + "COMP2": 2, + "_STAT_": 1, + "_STAT": 1, + "payments": 1, + "_TRAN": 1, + "Keith": 1, + "Lynch": 1, + "p#f": 1, + "PXAI": 1, + "ISL/JVS": 1, + "ISA/KWP": 1, + "ESW": 1, + "PCE": 2, + "DRIVING": 1, + "RTN": 1, + "/20/03": 1, + "am": 1, + "CARE": 1, + "ENCOUNTER": 2, + "**15": 1, + "Aug": 1, + "DATA2PCE": 1, + "PXADATA": 7, + "PXAPKG": 9, + "PXASOURC": 10, + "PXAVISIT": 8, + "PXAUSER": 6, + "PXANOT": 3, + "ERRRET": 2, + "PXAPREDT": 2, + "PXAPROB": 15, + "PXACCNT": 2, + "add/edit/delete": 1, + "PCE.": 1, + "required": 4, + "pointer": 4, + "visit": 3, + "related.": 1, + "then": 2, + "nodes": 1, + "needed": 1, + "lookup/create": 1, + "visit.": 1, + "adding": 1, + "data.": 1, + "displayed": 1, + "screen": 1, + "debugging": 1, + "initial": 1, + "code.": 1, + "passed": 4, + "reference.": 2, + "present": 1, + "PXKERROR": 2, + "caller.": 1, + "want": 1, + "edit": 1, + "Primary": 3, + "Provider": 1, + "moment": 1, + "editing": 2, + "being": 1, + "dangerous": 1, + "dotted": 1, + "name.": 1, + "warnings": 1, + "occur": 1, + "They": 1, + "form": 1, + "general": 1, + "description": 1, + "problem.": 1, + "ERROR1": 1, + "GENERAL": 2, + "ERRORS": 4, + "SUBSCRIPT": 5, + "PASSED": 4, + "IN": 4, + "FIELD": 2, + "FROM": 5, + "WARNING2": 1, + "WARNINGS": 2, + "WARNING3": 1, + "SERVICE": 1, + "CONNECTION": 1, + "REASON": 9, + "ERROR4": 1, + "PROBLEM": 1, + "LIST": 1, + "Returns": 2, + "PFSS": 2, + "Account": 2, + "Reference": 2, + "known.": 1, + "Returned": 1, + "located": 1, + "Order": 1, + "#100": 1, + "process": 3, + "processed": 1, + "could": 1, + "incorrectly": 1, + "VARIABLES": 1, + "NOVSIT": 1, + "PXAK": 20, + "DFN": 1, + "PXAERRF": 3, + "PXADEC": 1, + "PXELAP": 1, + "PXASUB": 2, + "VALQUIET": 2, + "PRIMFND": 7, + "PXAERROR": 1, + "PXAERR": 7, + "PRVDR": 1, + "needs": 1, + "look": 1, + "up": 1, + "passed.": 1, + "@PXADATA@": 8, + "SOR": 1, + "SOURCE": 2, + "PKG2IEN": 1, + "VSIT": 1, + "PXAPIUTL": 2, + "TMPSOURC": 1, + "SAVES": 1, + "CREATES": 1, + "VST": 2, + "VISIT": 3, + "KILL": 1, + "VPTR": 1, + "PXAIVSTV": 1, + "ERR": 2, + "PXAIVST": 1, + "PRV": 1, + "PROVIDER": 1, + "AUPNVSIT": 1, + ".I": 4, + "..S": 7, + "status": 2, + "Secondary": 2, + ".S": 6, + "..I": 2, + "PXADI": 4, + "NODE": 5, + "SCREEN": 2, + "VA": 1, + "EXTERNAL": 2, + "INTERNAL": 2, + "ARRAY": 2, + "PXAICPTV": 1, + "SEND": 1, + "W": 4, + "BLD": 2, + "DIALOG": 4, + ".PXAERR": 3, + "MSG": 2, + "GLOBAL": 1, + "NA": 1, + "PROVDRST": 1, + "Check": 1, + "provider": 1, + "PRVIEN": 14, + "DETS": 7, + "DIQ": 3, + "PRI": 3, + "PRVPRIM": 2, + "AUPNVPRV": 2, + "U": 14, + ".04": 1, + "DIQ1": 1, + "POVPRM": 1, + "POVARR": 1, + "STOP": 1, + "LPXAK": 4, + "ORDX": 14, + "NDX": 7, + "ORDXP": 3, + "DX": 2, + "ICD9": 2, + "AUPNVPOV": 2, + "@POVARR@": 6, + "force": 1, + "originally": 1, + "primary": 1, + "diagnosis": 1, + "flag": 1, + ".F": 2, + "..E": 1, + "...S": 5, + "decode": 1, + "val": 5, + "Decoded": 1, + "Encoded": 1, + "decoded": 3, + "decoded_": 1, + "safechar": 3, + "zchar": 1, + "encoded_c": 1, + "encoded_": 2, + "FUNC": 1, + "DH": 1, + "zascii": 1, + "WVBRNOT": 1, + "HCIOFO/FT": 1, + "JR": 1, + "IHS/ANMC/MWR": 1, + "BROWSE": 1, + "NOTIFICATIONS": 1, + "/30/98": 1, + "WOMEN": 1, + "WVDATE": 8, + "WVENDDT1": 2, + "WVIEN": 13, + "..F": 2, + "WV": 8, + "WVXREF": 1, + "WVDFN": 6, + "SELECTING": 1, + "ONE": 2, + "CASE": 1, + "MANAGER": 1, + "AND": 3, + "THIS": 3, + "DOESN": 1, + "WVE": 2, + "": 2, + "STORE": 3, + "WVA": 2, + "WVBEGDT1": 1, + "NOTIFICATION": 1, + "IS": 3, + "QUEUED.": 1, + "WVB": 4, + "OR": 2, + "OPEN": 1, + "ONLY": 1, + "CLOSED.": 1, + ".Q": 1, + "EP": 4, + "ALREADY": 1, + "LL": 1, + "SORT": 3, + "ABOVE.": 1, + "DATE": 1, + "WVCHRT": 1, + "SSN": 1, + "WVUTL1": 2, + "SSN#": 1, + "WVNAME": 4, + "WVACC": 4, + "ACCESSION#": 1, + "WVSTAT": 1, + "STATUS": 2, + "WVUTL4": 1, + "WVPRIO": 5, + "PRIORITY": 1, + "WVCHRT_U_WVNAME_U_WVDATE_U_WVACC_U_WVSTAT_U_WVPRIO_U_WVIEN": 1, + "WVC": 4, + "COPYGBL": 3, + "COPY": 1, + "MAKE": 1, + "IT": 1, + "FLAT.": 1, + "...F": 1, + "....S": 1, + "DEQUEUE": 1, + "TASKMAN": 1, + "QUEUE": 1, + "OF": 2, + "PRINTOUT.": 1, + "SETVARS": 2, + "WVUTL5": 2, + "WVBRNOT1": 2, + "EXIT": 1, + "FOLLOW": 1, + "CALLED": 1, + "PROCEDURE": 1, + "FOLLOWUP": 1, + "MENU.": 1, + "WVBEGDT": 1, + "DT": 2, + "WVENDDT": 1, + "DEVICE": 1, + "WVBRNOT2": 1, + "WVPOP": 1, + "WVLOOP": 1, + "ZDIOUT1": 1, + "Experimental": 1, + "FileMan": 1, + "host": 2, + "Open": 1, + "Source": 1, + "Electronic": 1, + "Health": 1, + "Record": 1, + "Agent": 1, + "Licensed": 1, + "Apache": 1, + "Version": 1, + "may": 3, + "except": 1, + "compliance": 1, + "License.": 2, + "//www.apache.org/licenses/LICENSE": 1, + "Unless": 1, + "applicable": 1, + "law": 1, + "agreed": 1, + "BASIS": 1, + "WARRANTIES": 1, + "CONDITIONS": 1, + "KIND": 1, + "express": 1, + "implied.": 1, + "governing": 1, + "permissions": 2, + "limitations": 1, + "ASKFILE": 1, + "FILE": 5, + "ASKDIR": 1, + "DIR": 3, + "SAVEFILE": 2, + "Save": 1, + "given": 1, + "directory": 1, + "CHECK": 1, + "FGR": 4, + "_FILE": 1, + "IO": 4, + "DIR_": 1, + "L": 1, + "FILENAME": 1, + "_IO_": 1, + "_P_": 1, + "NM": 1, + "non": 1, + "printing": 1, + "escaped": 1, + "evaluation": 1, + "RHS": 1, + "SET.": 1, + "TODO": 1, + "Caller": 1, + "indentation": 1, + "tab": 1, + "space.": 1, + "M/Wire": 4, + "Protocol": 2, + "Systems": 1, + "By": 1, + "server": 1, + "port": 4, + "systems": 3, + "invoked": 2, + "via": 2, + "xinetd": 2, + "Edit": 1, + "/etc/services": 1, + "mwire": 2, + "/tcp": 1, + "#": 1, + "Service": 1, + "Copy": 2, + "/etc/xinetd.d/mwire": 1, + "/usr/local/gtm/zmwire": 1, + "its": 1, + "executable": 1, + "edited": 1, + "Restart": 1, + "sudo": 1, + "/etc/init.d/xinetd": 1, + "On": 1, + "installed": 1, + "MGWSI": 1, + "provide": 1, + "hashing": 1, + "passwords": 1, + "Alternatively": 1, + "substitute": 1, + "callout": 1, + "choice": 1, + "Daemon": 2, + "running": 1, + "jobbed": 1, + "job": 1, + "zmwireDaemon": 2, + "simply": 1, + "Stop": 1, + "RESJOB": 1, + "mwireVersion": 4, + "mwireDate": 2, + "July": 1, + "_crlf": 22, + "_response_": 4, + "_crlf_response_crlf": 4, + "authNeeded": 6, + "input": 41, + "cleardown": 2, + "zint": 1, + "role": 3, + "loop": 7, + "log": 1, + "halt": 3, + "auth": 2, + "ignore": 12, + "pid": 36, + "monitor": 1, + "input_crlf": 1, + "zsy": 2, + "_pid_": 1, + "_pid": 1, + "monitoroutput": 1, + "logger": 17, + "tot": 2, + "mwireLogger": 3, + "info": 1, + "response_": 1, + "_count": 1, + "setpassword": 1, + "SETPASSWORD": 2, + "secret": 2, + "": 1, + "role=": 1, + "admin": 1, + "newrole": 4, + "getGloRef": 3, + "gloName": 1, + "gloRef": 15, + "nb": 2, + "subs": 8, + "nsp": 1, + "subs_": 2, + "_data_": 3, + "subscripts": 8, + "_value_": 1, + "_error_": 1, + "kill": 3, + "xx": 16, + "method": 2, + "Missing": 5, + "JSON": 7, + "transaction": 6, + "document": 6, + "setJSON": 4, + "GlobalName": 3, + "setGlobal": 1, + "zmwire_null_value": 1, + "Invalid": 1, + "props": 1, + "arr": 2, + "getJSON": 2, + "incr": 1, + "incrbr": 1, + "class": 1, + "##": 2, + "decr": 1, + "decrby": 1, + "direction": 1, + "subscriptValue": 1, + "dataStatus": 1, + "dataValue": 1, + "nextsubscript": 2, + "reverseorder": 1, + "*2": 1, + "queryget": 1, + "xxyy": 2, + "zz": 2, + "getallsubscripts": 1, + "orderall": 1, + "": 3, + "note": 2, + "escaping": 1, + "foo": 2, + "_gloRef": 1, + "@x": 4, + "_crlf_": 1, + "j_": 1, + "params": 10, + "_crlf_resp_crlf": 2, + "_crlf_data_crlf": 2, + "mergeto": 1, + "dataLength": 4, + "keyLength": 6, + "noOfRecs": 6, + "MERGETO": 1, + "myglobal": 1, + "*6": 1, + "hello": 1, + "": 2, + "put": 1, + "top": 1, + "noOfRecs#2": 1, + "noOfRecs/2": 1, + "gloRef1": 2, + "gloRef1_": 2, + "_gloRef1_key_": 1, + "sub": 2, + "literal": 2, + "valquot_value_valquot": 1, + "json_value_": 1, + "subscripts1": 2, + "subx": 3, + "subNo": 1, + "numsub": 1, + "json_": 2, + "removeControlChars": 2, + "zobj1": 1, + "buff": 10, + "parseJSONObject": 2, + ".buff": 2, + "subs2": 6, + "_name_": 1, + "subs2_": 2, + "value_c": 1, + "newString": 4, + "newString_c": 1, + "utfConvert": 1, + "Unescape": 1, + "buf": 4, + "c1": 4, + "buf_c1_": 1 + }, + "Makefile": { + "all": 1, + "hello": 4, + "main.o": 3, + "factorial.o": 3, + "hello.o": 3, + "g": 4, + "+": 8, + "-": 6, + "o": 1, + "main.cpp": 2, + "c": 3, + "factorial.cpp": 2, + "hello.cpp": 2, + "clean": 1, + "rm": 1, + "rf": 1, + "*o": 1, + "SHEBANG#!make": 1, + "%": 1, + "ls": 1, + "l": 1 + }, + "Markdown": { + "Tender": 1 + }, + "Mask": { + "header": 1, + "{": 10, + "img": 1, + ".logo": 1, + "src": 1, + "alt": 1, + "logo": 1, + ";": 3, + "h4": 1, + "if": 1, + "(": 3, + "currentUser": 1, + ")": 3, + ".account": 1, + "a": 1, + "href": 1, + "}": 10, + ".view": 1, + "ul": 1, + "for": 1, + "user": 1, + "index": 1, + "of": 1, + "users": 1, + "li.user": 1, + "data": 1, + "-": 3, + "id": 1, + ".name": 1, + ".count": 1, + ".date": 1, + "countdownComponent": 1, + "input": 1, + "type": 1, + "text": 1, + "dualbind": 1, + "value": 1, + "button": 1, + "x": 2, + "signal": 1, + "h5": 1, + "animation": 1, + "slot": 1, + "@model": 1, + "@next": 1, + "footer": 1, + "bazCompo": 1 + }, + "Mathematica": { + "Get": 1, + "[": 74, + "]": 73, + "Paclet": 1, + "Name": 1, + "-": 8, + "Version": 1, + "MathematicaVersion": 1, + "Description": 1, + "Creator": 1, + "Extensions": 1, + "{": 2, + "Language": 1, + "MainPage": 1, + "}": 2, + "BeginPackage": 1, + ";": 41, + "PossiblyTrueQ": 3, + "usage": 22, + "PossiblyFalseQ": 2, + "PossiblyNonzeroQ": 3, + "Begin": 2, + "expr_": 4, + "Not": 6, + "TrueQ": 4, + "expr": 4, + "End": 2, + "AnyQ": 3, + "AnyElementQ": 4, + "AllQ": 2, + "AllElementQ": 2, + "AnyNonzeroQ": 2, + "AnyPossiblyNonzeroQ": 2, + "RealQ": 3, + "PositiveQ": 3, + "NonnegativeQ": 3, + "PositiveIntegerQ": 3, + "NonnegativeIntegerQ": 4, + "IntegerListQ": 5, + "PositiveIntegerListQ": 3, + "NonnegativeIntegerListQ": 3, + "IntegerOrListQ": 2, + "PositiveIntegerOrListQ": 2, + "NonnegativeIntegerOrListQ": 2, + "SymbolQ": 2, + "SymbolOrNumberQ": 2, + "cond_": 4, + "L_": 5, + "Fold": 3, + "Or": 1, + "False": 4, + "cond": 4, + "/@": 3, + "L": 4, + "Flatten": 1, + "And": 4, + "True": 2, + "SHEBANG#!#!=": 1, + "n_": 5, + "Im": 1, + "n": 8, + "Positive": 2, + "IntegerQ": 3, + "&&": 4, + "input_": 6, + "ListQ": 1, + "input": 11, + "MemberQ": 3, + "IntegerQ/@input": 1, + "||": 4, + "a_": 2, + "Head": 2, + "a": 3, + "Symbol": 2, + "NumericQ": 1, + "EndPackage": 1 + }, + "Matlab": { + "function": 34, + "[": 311, + "dx": 6, + "y": 25, + "]": 311, + "adapting_structural_model": 2, + "(": 1379, + "t": 32, + "x": 46, + "u": 3, + "varargin": 25, + ")": 1380, + "%": 554, + "size": 11, + "aux": 3, + "{": 157, + "end": 150, + "}": 157, + ";": 909, + "m": 44, + "zeros": 61, + "b": 12, + "for": 78, + "i": 338, + "if": 52, + "+": 169, + "elseif": 14, + "else": 23, + "display": 10, + "aux.pars": 3, + ".*": 2, + "Yp": 2, + "human": 1, + "aux.timeDelay": 2, + "c1": 5, + "aux.m": 3, + "*": 46, + "aux.b": 3, + "e": 14, + "-": 673, + "c2": 5, + "Yc": 5, + "parallel": 2, + "plant": 4, + "aux.plantFirst": 2, + "aux.plantSecond": 2, + "Ys": 1, + "feedback": 1, + "A": 11, + "B": 9, + "C": 13, + "D": 7, + "tf2ss": 1, + "Ys.num": 1, + "Ys.den": 1, + "average": 1, + "n": 102, + "|": 2, + "&": 4, + "error": 16, + "sum": 2, + "/length": 1, + "bicycle": 7, + "bicycle_state_space": 1, + "speed": 20, + "S": 5, + "dbstack": 1, + "CURRENT_DIRECTORY": 2, + "fileparts": 1, + ".file": 1, + "par": 7, + "par_text_to_struct": 4, + "filesep": 14, + "...": 162, + "whipple_pull_force_abcd": 2, + "states": 7, + "outputs": 10, + "inputs": 14, + "defaultSettings.states": 1, + "defaultSettings.inputs": 1, + "defaultSettings.outputs": 1, + "userSettings": 3, + "varargin_to_structure": 2, + "struct": 1, + "settings": 3, + "overwrite_settings": 2, + "defaultSettings": 3, + "minStates": 2, + "ismember": 15, + "settings.states": 3, + "<": 9, + "keepStates": 2, + "find": 24, + "removeStates": 1, + "row": 6, + "abs": 12, + "col": 5, + "s": 13, + "sprintf": 11, + "removeInputs": 2, + "settings.inputs": 1, + "keepOutputs": 2, + "settings.outputs": 1, + "It": 1, + "is": 7, + "not": 3, + "possible": 1, + "to": 9, + "keep": 1, + "output": 7, + "because": 1, + "it": 1, + "depends": 1, + "on": 13, + "input": 14, + "StateName": 1, + "OutputName": 1, + "InputName": 1, + "x_0": 45, + "linspace": 14, + "vx_0": 37, + "z": 3, + "j": 242, + "*vx_0": 1, + "figure": 17, + "pcolor": 2, + "shading": 3, + "flat": 3, + "name": 4, + "order": 11, + "convert_variable": 1, + "variable": 10, + "coordinates": 6, + "speeds": 21, + "get_variables": 2, + "columns": 4, + "create_ieee_paper_plots": 2, + "data": 27, + "rollData": 8, + "global": 6, + "goldenRatio": 12, + "sqrt": 14, + "/": 59, + "exist": 1, + "mkdir": 1, + "linestyles": 15, + "colors": 13, + "loop_shape_example": 3, + "data.Benchmark.Medium": 2, + "plot_io_roll": 3, + "open_loop_all_bikes": 1, + "handling_all_bikes": 1, + "path_plots": 1, + "var": 3, + "io": 7, + "typ": 3, + "length": 49, + "plot_io": 1, + "phase_portraits": 2, + "eigenvalues": 2, + "bikeData": 2, + "figWidth": 24, + "figHeight": 19, + "set": 43, + "gcf": 17, + "freq": 12, + "hold": 23, + "all": 15, + "closedLoops": 1, + "bikeData.closedLoops": 1, + "bops": 7, + "bodeoptions": 1, + "bops.FreqUnits": 1, + "strcmp": 24, + "gray": 7, + "deltaNum": 2, + "closedLoops.Delta.num": 1, + "deltaDen": 2, + "closedLoops.Delta.den": 1, + "bodeplot": 6, + "tf": 18, + "neuroNum": 2, + "neuroDen": 2, + "whichLines": 3, + "phiDotNum": 2, + "closedLoops.PhiDot.num": 1, + "phiDotDen": 2, + "closedLoops.PhiDot.den": 1, + "closedBode": 3, + "off": 10, + "opts": 4, + "getoptions": 2, + "opts.YLim": 3, + "opts.PhaseMatching": 2, + "opts.PhaseMatchingValue": 2, + "opts.Title.String": 2, + "setoptions": 2, + "lines": 17, + "findobj": 5, + "raise": 19, + "plotAxes": 22, + "curPos1": 4, + "get": 11, + "curPos2": 4, + "xLab": 8, + "legWords": 3, + "closeLeg": 2, + "legend": 7, + "axes": 9, + "db1": 4, + "text": 11, + "db2": 2, + "dArrow1": 2, + "annotation": 13, + "dArrow2": 2, + "dArrow": 2, + "filename": 21, + "pathToFile": 11, + "print": 6, + "fix_ps_linestyle": 6, + "openLoops": 1, + "bikeData.openLoops": 1, + "num": 24, + "openLoops.Phi.num": 1, + "den": 15, + "openLoops.Phi.den": 1, + "openLoops.Psi.num": 1, + "openLoops.Psi.den": 1, + "openLoops.Y.num": 1, + "openLoops.Y.den": 1, + "openBode": 3, + "line": 15, + "wc": 14, + "wShift": 5, + "num2str": 10, + "bikeData.handlingMetric.num": 1, + "bikeData.handlingMetric.den": 1, + "w": 6, + "mag": 4, + "phase": 2, + "bode": 5, + "metricLine": 1, + "plot": 26, + "k": 75, + "Linewidth": 7, + "Color": 13, + "Linestyle": 6, + "Handling": 2, + "Quality": 2, + "Metric": 2, + "Frequency": 2, + "rad/s": 4, + "Level": 6, + "benchmark": 1, + "Handling.eps": 1, + "plots": 4, + "deps2": 1, + "loose": 4, + "PaperOrientation": 3, + "portrait": 3, + "PaperUnits": 3, + "inches": 3, + "PaperPositionMode": 3, + "manual": 3, + "PaperPosition": 3, + "PaperSize": 3, + "rad/sec": 1, + "phi": 13, + "Open": 1, + "Loop": 1, + "Bode": 1, + "Diagrams": 1, + "at": 3, + "m/s": 6, + "Latex": 1, + "type": 4, + "LineStyle": 2, + "LineWidth": 2, + "Location": 2, + "Southwest": 1, + "Fontsize": 4, + "YColor": 2, + "XColor": 1, + "Position": 6, + "Xlabel": 1, + "Units": 1, + "normalized": 1, + "openBode.eps": 1, + "deps2c": 3, + "maxMag": 2, + "max": 9, + "magnitudes": 1, + "area": 1, + "fillColors": 1, + "gca": 8, + "speedNames": 12, + "metricLines": 2, + "bikes": 24, + "data.": 6, + ".": 13, + ".handlingMetric.num": 1, + ".handlingMetric.den": 1, + "chil": 2, + "legLines": 1, + "Hands": 1, + "free": 1, + "@": 1, + "handling.eps": 1, + "f": 13, + "YTick": 1, + "YTickLabel": 1, + "Path": 1, + "Southeast": 1, + "Distance": 1, + "Lateral": 1, + "Deviation": 1, + "paths.eps": 1, + "d": 12, + "like": 1, + "plot.": 1, + "names": 6, + "prettyNames": 3, + "units": 3, + "index": 6, + "fieldnames": 5, + "data.Browser": 1, + "maxValue": 4, + "oneSpeed": 3, + "history": 7, + "oneSpeed.": 3, + "round": 1, + "pad": 10, + "yShift": 16, + "xShift": 3, + "time": 21, + "oneSpeed.time": 2, + "oneSpeed.speed": 2, + "distance": 6, + "xAxis": 12, + "xData": 3, + "textX": 3, + "ylim": 2, + "ticks": 4, + "xlabel": 8, + "xLimits": 6, + "xlim": 8, + "loc": 3, + "l1": 2, + "l2": 2, + "first": 3, + "ylabel": 4, + "box": 4, + "&&": 13, + "x_r": 6, + "y_r": 6, + "w_r": 5, + "h_r": 5, + "rectangle": 2, + "w_r/2": 4, + "h_r/2": 4, + "x_a": 10, + "y_a": 10, + "w_a": 7, + "h_a": 5, + "ax": 15, + "axis": 5, + "rollData.speed": 1, + "rollData.time": 1, + "path": 3, + "rollData.path": 1, + "frontWheel": 3, + "rollData.outputs": 3, + "rollAngle": 4, + "steerAngle": 4, + "rollTorque": 4, + "rollData.inputs": 1, + "subplot": 3, + "h1": 5, + "h2": 5, + "plotyy": 3, + "inset": 3, + "gainChanges": 2, + "loopNames": 4, + "xy": 7, + "xySource": 7, + "xlabels": 2, + "ylabels": 2, + "legends": 3, + "floatSpec": 3, + "twentyPercent": 1, + "generate_data": 5, + "nominalData": 1, + "nominalData.": 2, + "bikeData.": 2, + "twentyPercent.": 2, + "equal": 2, + "leg1": 2, + "bikeData.modelPar.": 1, + "leg2": 2, + "twentyPercent.modelPar.": 1, + "eVals": 5, + "pathToParFile": 2, + "str": 2, + "eigenValues": 1, + "eig": 6, + "real": 3, + "zeroIndices": 3, + "ones": 6, + "maxEvals": 4, + "maxLine": 7, + "minLine": 4, + "min": 1, + "speedInd": 12, + "cross_validation": 1, + "hyper_parameter": 3, + "num_data": 2, + "K": 4, + "indices": 2, + "crossvalind": 1, + "errors": 4, + "test_idx": 4, + "train_idx": 3, + "x_train": 2, + "y_train": 2, + "train": 1, + "x_test": 3, + "y_test": 3, + "calc_cost": 1, + "calc_error": 2, + "mean": 2, + "value": 2, + "isterminal": 2, + "direction": 2, + "mu": 73, + "FIXME": 1, + "from": 2, + "the": 14, + "largest": 1, + "primary": 1, + "clear": 13, + "tic": 7, + "T": 22, + "x_min": 3, + "x_max": 3, + "y_min": 3, + "y_max": 3, + "how": 1, + "many": 1, + "points": 11, + "per": 5, + "one": 3, + "measure": 1, + "unit": 1, + "both": 1, + "in": 8, + "and": 7, + "ds": 1, + "x_res": 7, + "*n": 2, + "y_res": 7, + "grid_x": 3, + "grid_y": 3, + "advected_x": 12, + "advected_y": 12, + "parfor": 5, + "X": 6, + "ode45": 6, + "@dg": 1, + "store": 4, + "advected": 2, + "positions": 2, + "as": 4, + "they": 2, + "would": 2, + "appear": 2, + "coords": 2, + "Compute": 3, + "FTLE": 14, + "sigma": 6, + "compute": 2, + "Jacobian": 3, + "*ds": 4, + "eigenvalue": 2, + "of": 35, + "*phi": 2, + "log": 2, + "lambda_max": 2, + "/abs": 3, + "*T": 3, + "toc": 5, + "field": 2, + "contourf": 2, + "location": 1, + "EastOutside": 1, + "f_x_t": 2, + "inline": 1, + "grid_min": 3, + "grid_max": 3, + "grid_width": 1, + "grid_spacing": 5, + "grid_width/": 1, + "*grid_width/": 4, + "colorbar": 1, + "load_data": 4, + "t0": 6, + "t1": 6, + "t2": 6, + "t3": 1, + "dataPlantOne": 3, + "data.Ts": 6, + "dataAdapting": 3, + "dataPlantTwo": 3, + "guessPlantOne": 4, + "resultPlantOne": 1, + "find_structural_gains": 2, + "yh": 2, + "fit": 6, + "x0": 4, + "compare": 3, + "resultPlantOne.fit": 1, + "guessPlantTwo": 3, + "resultPlantTwo": 1, + "resultPlantTwo.fit": 1, + "kP1": 4, + "resultPlantOne.fit.par": 1, + "kP2": 3, + "resultPlantTwo.fit.par": 1, + "gainSlopeOffset": 6, + "eye": 9, + "this": 2, + "only": 7, + "uses": 1, + "tau": 1, + "through": 1, + "wfs": 1, + "true": 2, + "plantOneSlopeOffset": 3, + "plantTwoSlopeOffset": 3, + "mod": 3, + "idnlgrey": 1, + "pem": 1, + "guess.plantOne": 3, + "guess.plantTwo": 2, + "plantNum.plantOne": 2, + "plantNum.plantTwo": 2, + "sections": 13, + "secData.": 1, + "||": 3, + "guess.": 2, + "result.": 2, + ".fit.par": 1, + "currentGuess": 2, + "warning": 1, + "randomGuess": 1, + "The": 6, + "self": 2, + "validation": 2, + "VAF": 2, + "f.": 2, + "data/": 1, + "results.mat": 1, + "guess": 1, + "plantNum": 1, + "result": 5, + "plots/": 1, + ".png": 1, + "task": 1, + "closed": 1, + "loop": 1, + "system": 2, + "u.": 1, + "gain": 1, + "guesses": 1, + "k1": 4, + "k2": 3, + "k3": 3, + "k4": 4, + "identified": 1, + "gains": 12, + ".vaf": 1, + "Elements": 1, + "grid": 1, + "definition": 2, + "Dimensionless": 1, + "integrating": 1, + "Choice": 2, + "mass": 2, + "parameter": 2, + "Computation": 9, + "Lagrangian": 3, + "Points": 2, + "xl1": 13, + "yl1": 12, + "xl2": 9, + "yl2": 8, + "xl3": 8, + "yl3": 8, + "xl4": 10, + "yl4": 9, + "xl5": 8, + "yl5": 8, + "Lagr": 6, + "initial": 5, + "total": 6, + "energy": 8, + "E_L1": 4, + "Omega": 7, + "C_L1": 3, + "*E_L1": 1, + "Szebehely": 1, + "E": 8, + "Offset": 2, + "Initial": 3, + "conditions": 3, + "range": 2, + "x_0_min": 8, + "x_0_max": 8, + "vx_0_min": 8, + "vx_0_max": 8, + "y_0": 29, + "ndgrid": 2, + "vy_0": 22, + "*E": 2, + "*Omega": 5, + "vx_0.": 2, + "E_cin": 4, + "x_T": 25, + "y_T": 17, + "vx_T": 22, + "vy_T": 12, + "filtro": 15, + "E_T": 11, + "delta_E": 7, + "a": 17, + "matrix": 3, + "numbers": 2, + "integration": 9, + "steps": 2, + "each": 2, + "np": 8, + "number": 2, + "integrated": 5, + "fprintf": 18, + "Energy": 4, + "tolerance": 2, + "setting": 4, + "energy_tol": 6, + "Setting": 1, + "options": 14, + "integrator": 2, + "RelTol": 2, + "AbsTol": 2, + "From": 1, + "Short": 1, + "odeset": 4, + "Parallel": 2, + "equations": 2, + "motion": 2, + "h": 19, + "waitbar": 6, + "r1": 3, + "r2": 3, + "g": 5, + "i/n": 1, + "y_0.": 2, + "./": 1, + "mu./": 1, + "isreal": 8, + "Check": 6, + "velocity": 2, + "positive": 2, + "Kinetic": 2, + "Y": 19, + "@f_reg": 1, + "Saving": 4, + "solutions": 2, + "final": 2, + "difference": 2, + "with": 2, + "conservation": 2, + "position": 2, + "point": 14, + "interesting": 4, + "non": 2, + "sense": 2, + "bad": 4, + "close": 4, + "t_integrazione": 3, + "filtro_1": 12, + "dphi": 12, + "ftle": 10, + "ftle_norm": 1, + "ds_x": 1, + "ds_vx": 1, + "La": 1, + "direzione": 1, + "dello": 1, + "spostamento": 1, + "la": 2, + "decide": 1, + "il": 1, + "denominatore": 1, + "TODO": 1, + "spiegarsi": 1, + "teoricamente": 1, + "come": 1, + "mai": 1, + "matrice": 1, + "pu": 1, + "essere": 1, + "ridotta": 1, + "x2": 1, + "*ds_x": 2, + "*ds_vx": 2, + "Manual": 2, + "visualize": 2, + "*log": 2, + "dphi*dphi": 1, + "tempo": 4, + "integrare": 2, + ".2f": 5, + "calcolare": 2, + "var_": 2, + "_": 2, + "var_xvx_": 2, + "ode00": 2, + "_n": 2, + "save": 2, + "nome": 2, + "Transforming": 1, + "into": 1, + "Hamiltonian": 1, + "variables": 2, + "px_0": 2, + "py_0": 2, + "px_T": 4, + "py_T": 4, + "inf": 1, + "@cr3bp_jac": 1, + "@fH": 1, + "EnergyH": 1, + "t_integr": 1, + "Back": 1, + "Inf": 1, + "_e": 1, + "_H": 1, + "Range": 1, + "E_0": 4, + "C_L1/2": 1, + "Y_0": 4, + "nx": 32, + "nvx": 32, + "dvx": 3, + "ny": 29, + "dy": 5, + "/2": 3, + "ne": 29, + "de": 4, + "e_0": 7, + "Definition": 1, + "arrays": 1, + "In": 1, + "approach": 1, + "useful": 9, + "pints": 1, + "are": 1, + "stored": 1, + "filter": 14, + "l": 64, + "v_y": 3, + "*e_0": 3, + "vx": 2, + "vy": 2, + "Selection": 1, + "Data": 2, + "transfer": 1, + "GPU": 3, + "x_gpu": 3, + "gpuArray": 4, + "y_gpu": 3, + "vx_gpu": 3, + "vy_gpu": 3, + "Integration": 2, + "N": 9, + "x_f": 3, + "y_f": 3, + "vx_f": 3, + "vy_f": 3, + "arrayfun": 2, + "@RKF45_FILE_gpu": 1, + "back": 1, + "CPU": 1, + "memory": 1, + "cleaning": 1, + "gather": 4, + "Construction": 1, + "computation": 2, + "X_T": 4, + "Y_T": 4, + "VX_T": 4, + "VY_T": 3, + "filter_ftle": 11, + "Compute_FILE_gpu": 1, + "Plot": 1, + "results": 1, + "squeeze": 1, + "clc": 1, + "load_bikes": 2, + "e_T": 7, + "Integrate_FILE": 1, + "Integrate": 6, + "Look": 2, + "phisically": 2, + "meaningful": 6, + "meaningless": 2, + "i/nx": 2, + "*Potential": 5, + "ci": 9, + "te": 2, + "ye": 9, + "ie": 2, + "@f": 6, + "Potential": 1, + "delta_e": 3, + "Integrate_FTLE_Gawlick_ell": 1, + "ecc": 2, + "nu": 2, + "ecc*cos": 1, + "@f_ell": 1, + "Consider": 1, + "also": 1, + "negative": 1, + "goodness": 1, + "roots": 3, + "*mu": 6, + "c3": 3, + "lane_change": 1, + "start": 4, + "width": 3, + "slope": 3, + "pathLength": 3, + "single": 1, + "double": 1, + "Double": 1, + "lane": 4, + "change": 1, + "needs": 1, + "lane.": 1, + "laneLength": 4, + "startOfSlope": 3, + "endOfSlope": 1, + "<=>": 1, + "1": 1, + "downSlope": 3, + "gains.Benchmark.Slow": 1, + "place": 2, + "holder": 2, + "gains.Browserins.Slow": 1, + "gains.Browser.Slow": 1, + "gains.Pista.Slow": 1, + "gains.Fisher.Slow": 1, + "gains.Yellow.Slow": 1, + "gains.Yellowrev.Slow": 1, + "gains.Benchmark.Medium": 1, + "gains.Browserins.Medium": 1, + "gains.Browser.Medium": 1, + "gains.Pista.Medium": 1, + "gains.Fisher.Medium": 1, + "gains.Yellow.Medium": 1, + "gains.Yellowrev.Medium": 1, + "gains.Benchmark.Fast": 1, + "gains.Browserins.Fast": 1, + "gains.Browser.Fast": 1, + "gains.Pista.Fast": 1, + "gains.Fisher.Fast": 1, + "gains.Yellow.Fast": 1, + "gains.Yellowrev.Fast": 1, + "gains.": 1, + "parser": 1, + "inputParser": 1, + "parser.addRequired": 1, + "parser.addParamValue": 3, + "parser.parse": 1, + "args": 1, + "parser.Results": 1, + "raw": 1, + "load": 1, + "args.directory": 1, + "iddata": 1, + "raw.theta": 1, + "raw.theta_c": 1, + "args.sampleTime": 1, + "args.detrend": 1, + "detrend": 1, + "filtfcn": 2, + "statefcn": 2, + "makeFilter": 1, + "v": 12, + "@iirFilter": 1, + "@getState": 1, + "yn": 2, + "iirFilter": 1, + "xn": 4, + "vOut": 2, + "getState": 1, + "classdef": 1, + "matlab_class": 2, + "properties": 1, + "R": 1, + "G": 1, + "methods": 1, + "obj": 2, + "r": 2, + "obj.R": 2, + "obj.G": 2, + "obj.B": 2, + "disp": 8, + "enumeration": 1, + "red": 1, + "green": 1, + "blue": 1, + "cyan": 1, + "magenta": 1, + "yellow": 1, + "black": 1, + "white": 1, + "ret": 3, + "matlab_function": 5, + "Call": 2, + "which": 2, + "resides": 2, + "same": 2, + "directory": 2, + "value1": 4, + "semicolon": 2, + "mandatory": 2, + "suppresses": 2, + "command": 2, + "line.": 2, + "value2": 4, + "d_mean": 3, + "d_std": 3, + "normalize": 1, + "repmat": 2, + "std": 1, + "d./": 1, + "overrideSettings": 3, + "overrideNames": 2, + "defaultNames": 2, + "notGiven": 5, + "setxor": 1, + "settings.": 1, + "defaultSettings.": 1, + "fid": 7, + "fopen": 2, + "textscan": 1, + "fclose": 2, + "strtrim": 2, + "vals": 2, + "regexp": 1, + "par.": 1, + "str2num": 1, + "choose_plant": 4, + "p": 7, + "Conditions": 1, + "@cross_y": 1, + "ode113": 2, + "RK4": 3, + "fun": 5, + "tspan": 7, + "th": 1, + "Runge": 1, + "Kutta": 1, + "dim": 2, + "while": 1, + "h/2": 2, + "k1*h/2": 1, + "k2*h/2": 1, + "h*k3": 1, + "h/6*": 1, + "*k2": 1, + "*k3": 1, + "arg1": 1, + "arg": 2, + "RK4_par": 1, + "wnm": 11, + "zetanm": 5, + "ss": 3, + "data.modelPar.A": 1, + "data.modelPar.B": 1, + "data.modelPar.C": 1, + "data.modelPar.D": 1, + "bicycle.StateName": 2, + "bicycle.OutputName": 4, + "bicycle.InputName": 2, + "analytic": 3, + "system_state_space": 2, + "numeric": 2, + "data.system.A": 1, + "data.system.B": 1, + "data.system.C": 1, + "data.system.D": 1, + "numeric.StateName": 1, + "data.bicycle.states": 1, + "numeric.InputName": 1, + "data.bicycle.inputs": 1, + "numeric.OutputName": 1, + "data.bicycle.outputs": 1, + "pzplot": 1, + "ss2tf": 2, + "analytic.A": 3, + "analytic.B": 1, + "analytic.C": 1, + "analytic.D": 1, + "mine": 1, + "data.forceTF.PhiDot.num": 1, + "data.forceTF.PhiDot.den": 1, + "numeric.A": 2, + "numeric.B": 1, + "numeric.C": 1, + "numeric.D": 1, + "whipple_pull_force_ABCD": 1, + "bottomRow": 1, + "prod": 3, + "Earth": 2, + "Moon": 2, + "C_star": 1, + "C/2": 1, + "orbit": 1, + "Y0": 6, + "y0": 2, + "vx0": 2, + "vy0": 2, + "l0": 1, + "delta_E0": 1, + "Hill": 1, + "Edgecolor": 1, + "none": 1, + "ok": 2, + "sg": 1, + "sr": 1, + "arguments": 7, + "ischar": 1, + "options.": 1, + "write_gains": 1, + "contents": 1, + "importdata": 1, + "speedsInFile": 5, + "contents.data": 2, + "gainsInFile": 3, + "sameSpeedIndices": 5, + "allGains": 4, + "allSpeeds": 4, + "sort": 1, + "contents.colheaders": 1 + }, + "Max": { + "{": 126, + "}": 126, + "[": 163, + "]": 163, + "max": 1, + "v2": 1, + ";": 39, + "#N": 2, + "vpatcher": 1, + "#P": 33, + "toggle": 1, + "button": 4, + "window": 2, + "setfont": 1, + "Verdana": 1, + "linecount": 1, + "newex": 8, + "r": 1, + "jojo": 2, + "#B": 2, + "color": 2, + "s": 1, + "route": 1, + "append": 1, + "toto": 1, + "%": 1, + "counter": 2, + "#X": 1, + "flags": 1, + "newobj": 1, + "metro": 1, + "t": 2, + "message": 2, + "Goodbye": 1, + "World": 2, + "Hello": 1, + "connect": 13, + "fasten": 1, + "pop": 1 + }, + "MediaWiki": { + "Overview": 1, + "The": 17, + "GDB": 15, + "Tracepoint": 4, + "Analysis": 1, + "feature": 3, + "is": 9, + "an": 3, + "extension": 1, + "to": 12, + "the": 72, + "Tracing": 3, + "and": 20, + "Monitoring": 1, + "Framework": 1, + "that": 4, + "allows": 2, + "visualization": 1, + "analysis": 1, + "of": 8, + "C/C": 10, + "+": 20, + "tracepoint": 5, + "data": 5, + "collected": 2, + "by": 10, + "stored": 1, + "a": 12, + "log": 1, + "file.": 1, + "Getting": 1, + "Started": 1, + "can": 9, + "be": 18, + "installed": 2, + "from": 8, + "Eclipse": 1, + "update": 2, + "site": 1, + "selecting": 1, + ".": 8, + "requires": 1, + "version": 1, + "or": 8, + "later": 1, + "on": 3, + "local": 1, + "host.": 1, + "executable": 3, + "program": 1, + "must": 3, + "found": 1, + "in": 15, + "path.": 1, + "Trace": 9, + "Perspective": 1, + "To": 1, + "open": 1, + "perspective": 2, + "select": 5, + "includes": 1, + "following": 1, + "views": 2, + "default": 2, + "*": 6, + "This": 7, + "view": 7, + "shows": 7, + "projects": 1, + "workspace": 2, + "used": 1, + "create": 1, + "manage": 1, + "projects.": 1, + "running": 1, + "Postmortem": 5, + "Debugger": 4, + "instances": 1, + "displays": 2, + "thread": 1, + "stack": 2, + "trace": 17, + "associated": 1, + "with": 4, + "tracepoint.": 3, + "status": 1, + "debugger": 1, + "navigation": 1, + "records.": 1, + "console": 1, + "output": 1, + "Debugger.": 1, + "editor": 7, + "area": 2, + "contains": 1, + "editors": 1, + "when": 1, + "opened.": 1, + "[": 11, + "Image": 2, + "images/GDBTracePerspective.png": 1, + "]": 11, + "Collecting": 2, + "Data": 4, + "outside": 2, + "scope": 1, + "this": 5, + "feature.": 1, + "It": 1, + "done": 2, + "command": 1, + "line": 2, + "using": 3, + "CDT": 3, + "debug": 1, + "component": 1, + "within": 1, + "Eclipse.": 1, + "See": 1, + "FAQ": 2, + "entry": 2, + "#References": 2, + "|": 2, + "References": 3, + "section.": 2, + "Importing": 2, + "Some": 1, + "information": 1, + "section": 1, + "redundant": 1, + "LTTng": 3, + "User": 3, + "Guide.": 1, + "For": 1, + "further": 1, + "details": 1, + "see": 1, + "Guide": 2, + "Creating": 1, + "Project": 1, + "In": 5, + "right": 3, + "-": 8, + "click": 8, + "context": 4, + "menu.": 4, + "dialog": 1, + "name": 2, + "your": 2, + "project": 2, + "tracing": 1, + "folder": 5, + "Browse": 2, + "enter": 2, + "source": 2, + "directory.": 1, + "Select": 1, + "file": 6, + "tree.": 1, + "Optionally": 1, + "set": 1, + "type": 2, + "Click": 1, + "Alternatively": 1, + "drag": 1, + "&": 1, + "dropped": 1, + "any": 2, + "external": 1, + "manager.": 1, + "Selecting": 2, + "Type": 1, + "Right": 2, + "imported": 1, + "choose": 2, + "step": 1, + "omitted": 1, + "if": 1, + "was": 2, + "selected": 3, + "at": 3, + "import.": 1, + "will": 6, + "updated": 2, + "icon": 1, + "images/gdb_icon16.png": 1, + "Executable": 1, + "created": 1, + "identified": 1, + "so": 2, + "launched": 1, + "properly.": 1, + "path": 1, + "press": 1, + "recognized": 1, + "as": 1, + "executable.": 1, + "Visualizing": 1, + "Opening": 1, + "double": 1, + "it": 3, + "opened": 2, + "Events": 5, + "instance": 1, + "launched.": 1, + "If": 2, + "available": 1, + "code": 1, + "corresponding": 1, + "first": 1, + "record": 2, + "also": 2, + "editor.": 2, + "At": 1, + "point": 1, + "recommended": 1, + "relocate": 1, + "not": 1, + "hidden": 1, + "Viewing": 1, + "table": 1, + "shown": 1, + "one": 1, + "row": 1, + "for": 2, + "each": 1, + "record.": 2, + "column": 6, + "sequential": 1, + "number.": 1, + "number": 2, + "assigned": 1, + "collection": 1, + "time": 2, + "method": 1, + "where": 1, + "set.": 1, + "run": 1, + "Searching": 1, + "filtering": 1, + "entering": 1, + "regular": 1, + "expression": 1, + "header.": 1, + "Navigating": 1, + "records": 1, + "keyboard": 1, + "mouse.": 1, + "show": 1, + "current": 1, + "navigated": 1, + "clicking": 1, + "buttons.": 1, + "updated.": 1, + "http": 4, + "//wiki.eclipse.org/index.php/Linux_Tools_Project/LTTng2/User_Guide": 1, + "//wiki.eclipse.org/CDT/User/FAQ#How_can_I_trace_my_application_using_C.2FC.2B.2B_Tracepoints.3F": 1, + "How": 1, + "I": 1, + "my": 1, + "application": 1, + "Tracepoints": 1, + "Updating": 1, + "Document": 1, + "document": 2, + "maintained": 1, + "collaborative": 1, + "wiki.": 1, + "you": 1, + "wish": 1, + "modify": 1, + "please": 1, + "visit": 1, + "//wiki.eclipse.org/index.php/Linux_Tools_Project/GDB_Tracepoint_Analysis/User_Guide": 1, + "//wiki.eclipse.org/Linux_Tools_Project/GDB_Tracepoint_Analysis/User_Guide": 1 + }, + "Monkey": { + "Strict": 1, + "sample": 1, + "class": 1, + "from": 1, + "the": 1, + "documentation": 1, + "Class": 3, + "Game": 1, + "Extends": 2, + "App": 1, + "Function": 2, + "New": 1, + "(": 12, + ")": 12, + "End": 8, + "DrawSpiral": 3, + "clock": 3, + "Local": 3, + "w": 3, + "DeviceWidth/2": 1, + "For": 1, + "i#": 1, + "Until": 1, + "w*1.5": 1, + "Step": 1, + ".2": 1, + "x#": 1, + "y#": 1, + "x": 2, + "+": 5, + "i*Sin": 1, + "i*3": 1, + "y": 2, + "i*Cos": 1, + "i*2": 1, + "DrawRect": 1, + "Next": 1, + "hitbox.Collide": 1, + "event.pos": 1, + "Field": 2, + "updateCount": 3, + "Method": 4, + "OnCreate": 1, + "Print": 2, + "SetUpdateRate": 1, + "OnUpdate": 1, + "OnRender": 1, + "Cls": 1, + "updateCount*1.1": 1, + "Enemy": 1, + "Die": 1, + "Abstract": 1, + "field": 1, + "testField": 1, + "Bool": 2, + "True": 2, + "oss": 1, + "he": 2, + "-": 2, + "killed": 1, + "me": 1, + "b": 6, + "extending": 1, + "with": 1, + "generics": 1, + "VectorNode": 1, + "Node": 1, + "": 1, + "array": 1, + "syntax": 1, + "Global": 14, + "listOfStuff": 3, + "String": 4, + "[": 6, + "]": 6, + "lessStuff": 1, + "oneStuff": 1, + "a": 3, + "comma": 1, + "separated": 1, + "sequence": 1, + "text": 1, + "worstCase": 1, + "worst.List": 1, + "": 1, + "escape": 1, + "characers": 1, + "in": 1, + "strings": 1, + "string3": 1, + "string4": 1, + "string5": 1, + "string6": 1, + "prints": 1, + ".ToUpper": 1, + "Boolean": 1, + "shorttype": 1, + "boolVariable1": 1, + "boolVariable2": 1, + "False": 1, + "preprocessor": 1, + "keywords": 1, + "#If": 1, + "TARGET": 2, + "DoStuff": 1, + "#ElseIf": 1, + "DoOtherStuff": 1, + "#End": 1, + "operators": 1, + "|": 2, + "&": 1, + "c": 1 + }, + "MoonScript": { + "types": 2, + "require": 5, + "util": 2, + "data": 1, + "import": 5, + "reversed": 2, + "unpack": 22, + "from": 4, + "ntype": 16, + "mtype": 3, + "build": 7, + "smart_node": 7, + "is_slice": 2, + "value_is_singular": 3, + "insert": 18, + "table": 2, + "NameProxy": 14, + "LocalName": 2, + "destructure": 1, + "local": 1, + "implicitly_return": 2, + "class": 4, + "Run": 8, + "new": 2, + "(": 54, + "@fn": 1, + ")": 54, + "self": 2, + "[": 79, + "]": 79, + "call": 3, + "state": 2, + "self.fn": 1, + "-": 51, + "transform": 2, + "the": 4, + "last": 6, + "stm": 16, + "is": 2, + "a": 4, + "list": 6, + "of": 1, + "stms": 4, + "will": 1, + "puke": 1, + "on": 1, + "group": 1, + "apply_to_last": 6, + "fn": 3, + "find": 2, + "real": 1, + "exp": 17, + "last_exp_id": 3, + "for": 20, + "i": 15, + "#stms": 1, + "if": 43, + "and": 8, + "break": 1, + "return": 11, + "in": 18, + "ipairs": 3, + "else": 22, + "body": 26, + "sindle": 1, + "expression/statement": 1, + "is_singular": 2, + "false": 2, + "#body": 1, + "true": 4, + "find_assigns": 2, + "out": 9, + "{": 135, + "}": 136, + "thing": 4, + "*body": 2, + "switch": 7, + "when": 12, + "table.insert": 3, + "extract": 1, + "names": 16, + "hoist_declarations": 1, + "assigns": 5, + "hoist": 1, + "plain": 1, + "old": 1, + "*find_assigns": 1, + "name": 31, + "*names": 3, + "type": 5, + "after": 1, + "runs": 1, + "idx": 4, + "while": 3, + "do": 2, + "+": 2, + "expand_elseif_assign": 2, + "ifstm": 5, + "#ifstm": 1, + "case": 13, + "split": 4, + "constructor_name": 2, + "with_continue_listener": 4, + "continue_name": 13, + "nil": 8, + "@listen": 1, + "unless": 6, + "@put_name": 2, + "build.group": 14, + "@splice": 1, + "lines": 2, + "Transformer": 2, + "@transformers": 3, + "@seen_nodes": 3, + "setmetatable": 1, + "__mode": 1, + "scope": 4, + "node": 68, + "...": 10, + "transformer": 3, + "res": 3, + "or": 6, + "bind": 1, + "@transform": 2, + "__call": 1, + "can_transform": 1, + "construct_comprehension": 2, + "inner": 2, + "clauses": 4, + "current_stms": 7, + "_": 10, + "clause": 4, + "t": 10, + "iter": 2, + "elseif": 1, + "cond": 11, + "error": 4, + "..t": 1, + "Statement": 2, + "root_stms": 1, + "@": 1, + "assign": 9, + "values": 10, + "bubble": 1, + "cascading": 2, + "transformed": 2, + "#values": 1, + "value": 7, + "@transform.statement": 2, + "types.cascading": 1, + "ret": 16, + "types.is_value": 1, + "destructure.has_destructure": 2, + "destructure.split_assign": 1, + "continue": 1, + "@send": 1, + "build.assign_one": 11, + "export": 1, + "they": 1, + "are": 1, + "included": 1, + "#node": 3, + "cls": 5, + "cls.name": 1, + "build.assign": 3, + "update": 1, + "op": 2, + "op_final": 3, + "match": 1, + "..op": 1, + "not": 2, + "source": 7, + "stubs": 1, + "real_names": 4, + "build.chain": 7, + "base": 8, + "stub": 4, + "*stubs": 2, + "source_name": 3, + "comprehension": 1, + "action": 4, + "decorated": 1, + "dec": 6, + "wrapped": 4, + "fail": 5, + "..": 1, + "build.declare": 1, + "*stm": 1, + "expand": 1, + "destructure.build_assign": 2, + "build.do": 2, + "apply": 1, + "decorator": 1, + "mutate": 1, + "all": 1, + "bodies": 1, + "body_idx": 3, + "with": 3, + "block": 2, + "scope_name": 5, + "named_assign": 2, + "assign_name": 1, + "@set": 1, + "foreach": 1, + "node.iter": 1, + "destructures": 5, + "node.names": 3, + "proxy": 2, + "next": 1, + "node.body": 9, + "index_name": 3, + "list_name": 6, + "slice_var": 3, + "bounds": 3, + "slice": 7, + "#list": 1, + "table.remove": 2, + "max_tmp_name": 5, + "index": 2, + "conds": 3, + "exp_name": 3, + "convert": 1, + "into": 1, + "statment": 1, + "convert_cond": 2, + "case_exps": 3, + "cond_exp": 5, + "first": 3, + "if_stm": 5, + "*conds": 1, + "if_cond": 4, + "parent_assign": 3, + "parent_val": 1, + "apart": 1, + "properties": 4, + "statements": 4, + "item": 3, + "tuple": 8, + "*item": 1, + "constructor": 7, + "*properties": 1, + "key": 3, + "parent_cls_name": 5, + "base_name": 4, + "self_name": 4, + "cls_name": 1, + "build.fndef": 3, + "args": 3, + "arrow": 1, + "then": 2, + "constructor.arrow": 1, + "real_name": 6, + "#real_name": 1, + "build.table": 2, + "look": 1, + "up": 1, + "object": 1, + "class_lookup": 3, + "cls_mt": 2, + "out_body": 1, + "make": 1, + "sure": 1, + "we": 1, + "don": 1, + "string": 1, + "parens": 2, + "colon_stub": 1, + "super": 1, + "dot": 1, + "varargs": 2, + "arg_list": 1, + "Value": 1 + }, + "Nemerle": { + "using": 1, + "System.Console": 1, + ";": 2, + "module": 1, + "Program": 1, + "{": 2, + "Main": 1, + "(": 2, + ")": 2, + "void": 1, + "WriteLine": 1, + "}": 2 + }, + "NetLogo": { + "patches": 7, + "-": 28, + "own": 1, + "[": 17, + "living": 6, + ";": 12, + "indicates": 1, + "if": 2, + "the": 6, + "cell": 10, + "is": 1, + "live": 4, + "neighbors": 5, + "counts": 1, + "how": 1, + "many": 1, + "neighboring": 1, + "cells": 2, + "are": 1, + "alive": 1, + "]": 17, + "to": 6, + "setup": 2, + "blank": 1, + "clear": 2, + "all": 5, + "ask": 6, + "death": 5, + "reset": 2, + "ticks": 2, + "end": 6, + "random": 2, + "ifelse": 3, + "float": 1, + "<": 1, + "initial": 1, + "density": 1, + "birth": 4, + "set": 5, + "true": 1, + "pcolor": 2, + "fgcolor": 1, + "false": 1, + "bgcolor": 1, + "go": 1, + "count": 1, + "with": 2, + "Starting": 1, + "a": 1, + "new": 1, + "here": 1, + "ensures": 1, + "that": 1, + "finish": 1, + "executing": 2, + "first": 1, + "before": 1, + "any": 1, + "of": 2, + "them": 1, + "start": 1, + "second": 1, + "ask.": 1, + "This": 1, + "keeps": 1, + "in": 2, + "synch": 1, + "each": 2, + "other": 1, + "so": 1, + "births": 1, + "and": 1, + "deaths": 1, + "at": 1, + "generation": 1, + "happen": 1, + "lockstep.": 1, + "tick": 1, + "draw": 1, + "let": 1, + "erasing": 2, + "patch": 2, + "mouse": 5, + "xcor": 2, + "ycor": 2, + "while": 1, + "down": 1, + "display": 1 + }, + "Nginx": { + "user": 1, + "www": 2, + ";": 35, + "worker_processes": 1, + "error_log": 1, + "logs/error.log": 1, + "pid": 1, + "logs/nginx.pid": 1, + "worker_rlimit_nofile": 1, + "events": 1, + "{": 10, + "worker_connections": 1, + "}": 10, + "http": 3, + "include": 3, + "conf/mime.types": 1, + "/etc/nginx/proxy.conf": 1, + "/etc/nginx/fastcgi.conf": 1, + "index": 1, + "index.html": 1, + "index.htm": 1, + "index.php": 1, + "default_type": 1, + "application/octet": 1, + "-": 2, + "stream": 1, + "log_format": 1, + "main": 5, + "access_log": 4, + "logs/access.log": 1, + "sendfile": 1, + "on": 2, + "tcp_nopush": 1, + "server_names_hash_bucket_size": 1, + "#": 4, + "this": 1, + "seems": 1, + "to": 1, + "be": 1, + "required": 1, + "for": 1, + "some": 1, + "vhosts": 1, + "server": 7, + "php/fastcgi": 1, + "listen": 3, + "server_name": 3, + "domain1.com": 1, + "www.domain1.com": 1, + "logs/domain1.access.log": 1, + "root": 2, + "html": 1, + "location": 4, + ".php": 1, + "fastcgi_pass": 1, + "simple": 2, + "reverse": 1, + "proxy": 1, + "domain2.com": 1, + "www.domain2.com": 1, + "logs/domain2.access.log": 1, + "/": 4, + "(": 1, + "images": 1, + "|": 6, + "javascript": 1, + "js": 1, + "css": 1, + "flash": 1, + "media": 1, + "static": 1, + ")": 1, + "/var/www/virtual/big.server.com/htdocs": 1, + "expires": 1, + "d": 1, + "proxy_pass": 2, + "//127.0.0.1": 1, + "upstream": 1, + "big_server_com": 1, + "weight": 2, + "load": 1, + "balancing": 1, + "big.server.com": 1, + "logs/big.server.access.log": 1, + "//big_server_com": 1 + }, + "Nimrod": { + "echo": 1 + }, + "NSIS": { + ";": 39, + "bigtest.nsi": 1, + "This": 2, + "script": 1, + "attempts": 1, + "to": 6, + "test": 1, + "most": 1, + "of": 3, + "the": 4, + "functionality": 1, + "NSIS": 3, + "exehead.": 1, + "-": 205, + "ifdef": 2, + "HAVE_UPX": 1, + "packhdr": 1, + "tmp.dat": 1, + "endif": 4, + "NOCOMPRESS": 1, + "SetCompress": 1, + "off": 1, + "Name": 1, + "Caption": 1, + "Icon": 1, + "OutFile": 1, + "SetDateSave": 1, + "on": 6, + "SetDatablockOptimize": 1, + "CRCCheck": 1, + "SilentInstall": 1, + "normal": 1, + "BGGradient": 1, + "FFFFFF": 1, + "InstallColors": 1, + "FF8080": 1, + "XPStyle": 1, + "InstallDir": 1, + "InstallDirRegKey": 1, + "HKLM": 9, + "CheckBitmap": 1, + "LicenseText": 1, + "LicenseData": 1, + "RequestExecutionLevel": 1, + "admin": 1, + "Page": 4, + "license": 1, + "components": 1, + "directory": 3, + "instfiles": 2, + "UninstPage": 2, + "uninstConfirm": 1, + "ifndef": 2, + "NOINSTTYPES": 1, + "only": 1, + "if": 4, + "not": 2, + "defined": 1, + "InstType": 6, + "/NOCUSTOM": 1, + "/COMPONENTSONLYONCUSTOM": 1, + "AutoCloseWindow": 1, + "false": 1, + "ShowInstDetails": 1, + "show": 1, + "Section": 5, + "empty": 1, + "string": 1, + "makes": 1, + "it": 3, + "hidden": 1, + "so": 1, + "would": 1, + "starting": 1, + "with": 1, + "write": 2, + "reg": 1, + "info": 1, + "StrCpy": 2, + "DetailPrint": 1, + "WriteRegStr": 4, + "SOFTWARE": 7, + "NSISTest": 7, + "BigNSISTest": 8, + "uninstall": 2, + "strings": 1, + "SetOutPath": 3, + "INSTDIR": 15, + "File": 3, + "/a": 1, + "CreateDirectory": 1, + "recursively": 1, + "create": 1, + "a": 2, + "for": 2, + "fun.": 1, + "WriteUninstaller": 1, + "Nop": 1, + "fun": 1, + "SectionEnd": 5, + "SectionIn": 4, + "Start": 2, + "MessageBox": 11, + "MB_OK": 8, + "MB_YESNO": 3, + "IDYES": 2, + "MyLabel": 2, + "SectionGroup": 2, + "/e": 1, + "SectionGroup1": 1, + "WriteRegDword": 3, + "xdeadbeef": 1, + "WriteRegBin": 1, + "WriteINIStr": 5, + "Call": 6, + "MyFunctionTest": 1, + "DeleteINIStr": 1, + "DeleteINISec": 1, + "ReadINIStr": 1, + "StrCmp": 1, + "INIDelSuccess": 2, + "ClearErrors": 1, + "ReadRegStr": 1, + "HKCR": 1, + "xyz_cc_does_not_exist": 1, + "IfErrors": 1, + "NoError": 2, + "Goto": 1, + "ErrorYay": 2, + "CSCTest": 1, + "Group2": 1, + "BeginTestSection": 1, + "IfFileExists": 1, + "BranchTest69": 1, + "|": 3, + "MB_ICONQUESTION": 1, + "IDNO": 1, + "NoOverwrite": 1, + "skipped": 2, + "file": 4, + "doesn": 2, + "s": 1, + "icon": 1, + "start": 1, + "minimized": 1, + "and": 1, + "give": 1, + "hotkey": 1, + "(": 5, + "Ctrl": 1, + "+": 2, + "Shift": 1, + "Q": 2, + ")": 5, + "CreateShortCut": 2, + "SW_SHOWMINIMIZED": 1, + "CONTROL": 1, + "SHIFT": 1, + "MyTestVar": 1, + "myfunc": 1, + "test.ini": 2, + "MySectionIni": 1, + "Value1": 1, + "failed": 1, + "TextInSection": 1, + "will": 1, + "example2.": 1, + "Hit": 1, + "next": 1, + "continue.": 1, + "{": 8, + "NSISDIR": 1, + "}": 8, + "Contrib": 1, + "Graphics": 1, + "Icons": 1, + "nsis1": 1, + "uninstall.ico": 1, + "Uninstall": 2, + "Software": 1, + "Microsoft": 1, + "Windows": 3, + "CurrentVersion": 1, + "silent.nsi": 1, + "LogicLib.nsi": 1, + "bt": 1, + "uninst.exe": 1, + "SMPROGRAMS": 2, + "Big": 1, + "Test": 2, + "*.*": 2, + "BiG": 1, + "Would": 1, + "you": 1, + "like": 1, + "remove": 1, + "cpdest": 3, + "MyProjectFamily": 2, + "MyProject": 1, + "Note": 1, + "could": 1, + "be": 1, + "removed": 1, + "IDOK": 1, + "t": 1, + "exist": 1, + "NoErrorMsg": 1, + "x64.nsh": 1, + "A": 1, + "few": 1, + "simple": 1, + "macros": 1, + "handle": 1, + "installations": 1, + "x64": 1, + "machines.": 1, + "RunningX64": 4, + "checks": 1, + "installer": 1, + "is": 2, + "running": 1, + "x64.": 1, + "If": 1, + "EndIf": 1, + "DisableX64FSRedirection": 4, + "disables": 1, + "system": 2, + "redirection.": 2, + "EnableX64FSRedirection": 4, + "enables": 1, + "SYSDIR": 1, + "some.dll": 2, + "#": 3, + "extracts": 2, + "C": 2, + "System32": 1, + "SysWOW64": 1, + "___X64__NSH___": 3, + "define": 4, + "include": 1, + "LogicLib.nsh": 1, + "macro": 3, + "_RunningX64": 1, + "_a": 1, + "_b": 1, + "_t": 2, + "_f": 2, + "insertmacro": 2, + "_LOGICLIB_TEMP": 3, + "System": 4, + "kernel32": 4, + "GetCurrentProcess": 1, + "i.s": 1, + "IsWow64Process": 1, + "*i.s": 1, + "Pop": 1, + "_": 1, + "macroend": 3, + "Wow64EnableWow64FsRedirection": 2, + "i0": 1, + "i1": 1 + }, + "Nu": { + "SHEBANG#!nush": 1, + "(": 14, + "puts": 1, + ")": 14, + ";": 22, + "main.nu": 1, + "Entry": 1, + "point": 1, + "for": 1, + "a": 1, + "Nu": 1, + "program.": 1, + "Copyright": 1, + "c": 1, + "Tim": 1, + "Burks": 1, + "Neon": 1, + "Design": 1, + "Technology": 1, + "Inc.": 1, + "load": 4, + "basics": 1, + "cocoa": 1, + "definitions": 1, + "menu": 1, + "generation": 1, + "Aaron": 1, + "Hillegass": 1, + "t": 1, + "retain": 1, + "it.": 1, + "NSApplication": 2, + "sharedApplication": 2, + "setDelegate": 1, + "set": 1, + "delegate": 1, + "ApplicationDelegate": 1, + "alloc": 1, + "init": 1, + "this": 1, + "makes": 1, + "the": 3, + "application": 1, + "window": 1, + "take": 1, + "focus": 1, + "when": 1, + "we": 1, + "ve": 1, + "started": 1, + "it": 1, + "from": 1, + "terminal": 1, + "activateIgnoringOtherApps": 1, + "YES": 1, + "run": 1, + "main": 1, + "Cocoa": 1, + "event": 1, + "loop": 1, + "NSApplicationMain": 1, + "nil": 1 + }, + "Objective-C": { + "//": 317, + "#import": 53, + "": 4, + "#if": 41, + "TARGET_OS_IPHONE": 11, + "": 1, + "__IPHONE_OS_VERSION_MAX_ALLOWED": 4, + "__IPHONE_4_0": 6, + "": 1, + "Necessary": 1, + "for": 99, + "background": 1, + "task": 1, + "support": 4, + "#endif": 59, + "": 2, + "@class": 4, + "ASIDataDecompressor": 4, + ";": 2003, + "extern": 6, + "NSString": 127, + "*ASIHTTPRequestVersion": 2, + "#ifndef": 9, + "__IPHONE_3_2": 2, + "#define": 65, + "__MAC_10_5": 2, + "__MAC_10_6": 2, + "typedef": 47, + "enum": 17, + "_ASIAuthenticationState": 1, + "{": 541, + "ASINoAuthenticationNeededYet": 3, + "ASIHTTPAuthenticationNeeded": 1, + "ASIProxyAuthenticationNeeded": 1, + "}": 532, + "ASIAuthenticationState": 5, + "_ASINetworkErrorType": 1, + "ASIConnectionFailureErrorType": 2, + "ASIRequestTimedOutErrorType": 2, + "ASIAuthenticationErrorType": 3, + "ASIRequestCancelledErrorType": 2, + "ASIUnableToCreateRequestErrorType": 2, + "ASIInternalErrorWhileBuildingRequestType": 3, + "ASIInternalErrorWhileApplyingCredentialsType": 1, + "ASIFileManagementError": 2, + "ASITooMuchRedirectionErrorType": 3, + "ASIUnhandledExceptionError": 3, + "ASICompressionError": 1, + "ASINetworkErrorType": 1, + "NSString*": 13, + "const": 28, + "NetworkRequestErrorDomain": 12, + "unsigned": 62, + "long": 71, + "ASIWWANBandwidthThrottleAmount": 2, + "NS_BLOCKS_AVAILABLE": 8, + "void": 253, + "(": 2109, + "ASIBasicBlock": 15, + ")": 2106, + "ASIHeadersBlock": 3, + "NSDictionary": 37, + "*responseHeaders": 2, + "ASISizeBlock": 5, + "size": 12, + "ASIProgressBlock": 5, + "total": 4, + "ASIDataBlock": 3, + "NSData": 28, + "*data": 2, + "@interface": 23, + "ASIHTTPRequest": 31, + "NSOperation": 1, + "": 1, + "The": 15, + "url": 24, + "this": 50, + "operation": 2, + "should": 8, + "include": 1, + "GET": 1, + "params": 1, + "in": 42, + "the": 197, + "query": 1, + "string": 9, + "where": 1, + "appropriate": 4, + "NSURL": 21, + "*url": 2, + "Will": 7, + "always": 2, + "contain": 4, + "original": 2, + "used": 16, + "making": 1, + "request": 113, + "value": 21, + "of": 34, + "can": 20, + "change": 2, + "when": 46, + "a": 78, + "is": 77, + "redirected": 2, + "*originalURL": 2, + "Temporarily": 1, + "stores": 1, + "we": 73, + "are": 15, + "about": 4, + "to": 115, + "redirect": 4, + "to.": 2, + "be": 49, + "nil": 131, + "again": 1, + "do": 5, + "*redirectURL": 2, + "delegate": 29, + "-": 595, + "will": 57, + "notified": 2, + "various": 1, + "changes": 4, + "state": 35, + "via": 5, + "ASIHTTPRequestDelegate": 1, + "protocol": 10, + "id": 170, + "": 1, + "Another": 1, + "that": 23, + "also": 1, + "status": 4, + "and": 44, + "progress": 13, + "updates": 2, + "Generally": 1, + "you": 10, + "won": 3, + "s": 35, + "more": 5, + "likely": 1, + "sessionCookies": 2, + "NSMutableArray": 31, + "*requestCookies": 2, + "populated": 1, + "with": 19, + "cookies": 5, + "NSArray": 27, + "*responseCookies": 3, + "If": 30, + "use": 26, + "useCookiePersistence": 3, + "true": 9, + "network": 4, + "requests": 21, + "present": 3, + "valid": 5, + "from": 18, + "previous": 2, + "BOOL": 137, + "useKeychainPersistence": 4, + "attempt": 3, + "read": 3, + "credentials": 35, + "keychain": 7, + "save": 3, + "them": 10, + "they": 6, + "successfully": 4, + "presented": 2, + "useSessionPersistence": 6, + "reuse": 3, + "duration": 1, + "session": 5, + "until": 2, + "clearSession": 2, + "called": 3, + "allowCompressedResponse": 3, + "inform": 1, + "server": 8, + "accept": 2, + "compressed": 2, + "data": 27, + "automatically": 2, + "decompress": 1, + "gzipped": 7, + "responses.": 1, + "Default": 10, + "true.": 1, + "shouldCompressRequestBody": 6, + "body": 8, + "gzipped.": 1, + "false.": 1, + "You": 1, + "probably": 4, + "need": 10, + "enable": 1, + "feature": 1, + "on": 26, + "your": 2, + "webserver": 1, + "make": 3, + "work.": 1, + "Tested": 1, + "apache": 1, + "only.": 1, + "When": 15, + "downloadDestinationPath": 11, + "set": 24, + "result": 4, + "downloaded": 6, + "file": 14, + "at": 10, + "location": 3, + "not": 29, + "download": 9, + "stored": 9, + "memory": 3, + "*downloadDestinationPath": 2, + "files": 5, + "Once": 2, + "complete": 12, + "decompressed": 3, + "if": 297, + "necessary": 2, + "moved": 2, + "*temporaryFileDownloadPath": 2, + "response": 17, + "shouldWaitToInflateCompressedResponses": 4, + "NO": 30, + "created": 3, + "path": 11, + "containing": 1, + "inflated": 6, + "as": 17, + "it": 28, + "comes": 3, + "*temporaryUncompressedDataDownloadPath": 2, + "Used": 13, + "writing": 2, + "NSOutputStream": 6, + "*fileDownloadOutputStream": 2, + "*inflatedFileDownloadOutputStream": 2, + "fails": 2, + "or": 18, + "completes": 6, + "finished": 3, + "cancelled": 5, + "an": 20, + "error": 75, + "occurs": 1, + "NSError": 51, + "code": 16, + "Connection": 1, + "failure": 1, + "occurred": 1, + "inspect": 1, + "[": 1227, + "userInfo": 15, + "]": 1227, + "objectForKey": 29, + "NSUnderlyingErrorKey": 3, + "information": 5, + "*error": 3, + "Username": 2, + "password": 11, + "authentication": 18, + "*username": 2, + "*password": 2, + "User": 1, + "Agent": 1, + "*userAgentString": 2, + "Domain": 2, + "NTLM": 6, + "*domain": 2, + "proxy": 11, + "*proxyUsername": 2, + "*proxyPassword": 2, + "*proxyDomain": 2, + "Delegate": 2, + "displaying": 2, + "upload": 4, + "usually": 2, + "NSProgressIndicator": 4, + "but": 5, + "supply": 2, + "different": 4, + "object": 36, + "handle": 4, + "yourself": 4, + "": 2, + "uploadProgressDelegate": 8, + "downloadProgressDelegate": 10, + "Whether": 1, + "t": 15, + "want": 5, + "hassle": 1, + "adding": 1, + "authenticating": 2, + "proxies": 3, + "their": 3, + "apps": 1, + "shouldPresentProxyAuthenticationDialog": 2, + "CFHTTPAuthenticationRef": 2, + "proxyAuthentication": 7, + "*proxyCredentials": 2, + "during": 4, + "int": 55, + "proxyAuthenticationRetryCount": 4, + "Authentication": 3, + "scheme": 5, + "Basic": 2, + "Digest": 2, + "*proxyAuthenticationScheme": 2, + "Realm": 1, + "required": 2, + "*proxyAuthenticationRealm": 3, + "HTTP": 9, + "eg": 2, + "OK": 1, + "Not": 2, + "found": 4, + "etc": 1, + "responseStatusCode": 3, + "Description": 1, + "*responseStatusMessage": 3, + "Size": 3, + "contentLength": 6, + "partially": 1, + "content": 5, + "partialDownloadSize": 8, + "POST": 2, + "payload": 1, + "postLength": 6, + "amount": 12, + "totalBytesRead": 4, + "uploaded": 2, + "totalBytesSent": 5, + "Last": 2, + "incrementing": 2, + "lastBytesRead": 3, + "sent": 6, + "lastBytesSent": 3, + "This": 7, + "lock": 19, + "prevents": 1, + "being": 4, + "inopportune": 1, + "moment": 1, + "NSRecursiveLock": 13, + "*cancelledLock": 2, + "Called": 6, + "implemented": 7, + "starts.": 1, + "requestStarted": 3, + "SEL": 19, + "didStartSelector": 2, + "receives": 3, + "headers.": 1, + "didReceiveResponseHeaders": 2, + "didReceiveResponseHeadersSelector": 2, + "Location": 1, + "header": 20, + "shouldRedirect": 3, + "YES": 62, + "then": 1, + "needed": 3, + "restart": 1, + "by": 12, + "calling": 1, + "redirectToURL": 2, + "simply": 1, + "cancel": 5, + "willRedirectSelector": 2, + "successfully.": 1, + "requestFinished": 4, + "didFinishSelector": 2, + "fails.": 1, + "requestFailed": 2, + "didFailSelector": 2, + "data.": 1, + "didReceiveData": 2, + "implement": 1, + "method": 5, + "must": 6, + "populate": 1, + "responseData": 5, + "write": 4, + "didReceiveDataSelector": 2, + "recording": 1, + "something": 1, + "last": 1, + "happened": 1, + "compare": 4, + "current": 2, + "date": 3, + "time": 9, + "out": 7, + "NSDate": 9, + "*lastActivityTime": 2, + "Number": 1, + "seconds": 2, + "wait": 1, + "before": 6, + "timing": 1, + "default": 8, + "NSTimeInterval": 10, + "timeOutSeconds": 3, + "HEAD": 10, + "length": 32, + "starts": 2, + "shouldResetUploadProgress": 3, + "shouldResetDownloadProgress": 3, + "showAccurateProgress": 7, + "preset": 2, + "*mainRequest": 2, + "only": 12, + "update": 6, + "indicator": 4, + "according": 2, + "how": 2, + "much": 2, + "has": 6, + "received": 5, + "so": 15, + "far": 2, + "Also": 1, + "see": 1, + "comments": 1, + "ASINetworkQueue.h": 1, + "ensure": 1, + "incremented": 4, + "once": 3, + "updatedProgress": 3, + "Prevents": 1, + "post": 2, + "built": 2, + "than": 9, + "largely": 1, + "subclasses": 2, + "haveBuiltPostBody": 3, + "internally": 3, + "may": 8, + "reflect": 1, + "internal": 2, + "buffer": 7, + "CFNetwork": 3, + "/": 18, + "PUT": 1, + "operations": 1, + "sizes": 1, + "greater": 1, + "uploadBufferSize": 6, + "timeout": 6, + "unless": 2, + "bytes": 8, + "have": 15, + "been": 1, + "Likely": 1, + "KB": 4, + "iPhone": 3, + "Mac": 2, + "OS": 1, + "X": 1, + "Leopard": 1, + "x": 10, + "Text": 1, + "encoding": 7, + "responses": 5, + "send": 2, + "Content": 1, + "Type": 1, + "charset": 5, + "value.": 1, + "Defaults": 2, + "NSISOLatin1StringEncoding": 2, + "NSStringEncoding": 6, + "defaultResponseEncoding": 4, + "text": 12, + "didn": 3, + "set.": 1, + "responseEncoding": 3, + "Tells": 1, + "delete": 1, + "partial": 2, + "downloads": 1, + "allows": 1, + "existing": 1, + "resume": 2, + "download.": 1, + "NO.": 1, + "allowResumeForFileDownloads": 2, + "Custom": 1, + "user": 6, + "associated": 1, + "*userInfo": 2, + "NSInteger": 56, + "tag": 2, + "Use": 6, + "rather": 4, + "defaults": 2, + "false": 3, + "useHTTPVersionOne": 3, + "get": 4, + "tell": 2, + "main": 8, + "loop": 1, + "stop": 4, + "retry": 3, + "new": 10, + "needsRedirect": 3, + "Incremented": 1, + "every": 3, + "redirects.": 1, + "reaches": 1, + "give": 2, + "up": 4, + "redirectCount": 2, + "check": 1, + "secure": 1, + "certificate": 2, + "self": 500, + "signed": 1, + "certificates": 2, + "development": 1, + "DO": 1, + "NOT": 1, + "USE": 1, + "IN": 1, + "PRODUCTION": 1, + "validatesSecureCertificate": 3, + "SecIdentityRef": 3, + "clientCertificateIdentity": 5, + "*clientCertificates": 2, + "Details": 1, + "could": 1, + "these": 3, + "best": 1, + "local": 1, + "*PACurl": 2, + "See": 5, + "values": 3, + "above.": 1, + "No": 1, + "yet": 1, + "authenticationNeeded": 3, + "ASIHTTPRequests": 1, + "store": 4, + "same": 6, + "asked": 3, + "avoids": 1, + "extra": 1, + "round": 1, + "trip": 1, + "after": 5, + "succeeded": 1, + "which": 1, + "efficient": 1, + "authenticated": 1, + "large": 1, + "bodies": 1, + "slower": 1, + "connections": 3, + "Set": 4, + "explicitly": 2, + "affects": 1, + "cache": 17, + "YES.": 1, + "Credentials": 1, + "never": 1, + "asks": 1, + "For": 2, + "using": 8, + "authenticationScheme": 4, + "*": 311, + "kCFHTTPAuthenticationSchemeBasic": 2, + "very": 2, + "first": 9, + "shouldPresentCredentialsBeforeChallenge": 4, + "hasn": 1, + "doing": 1, + "anything": 1, + "expires": 1, + "persistentConnectionTimeoutSeconds": 4, + "yes": 1, + "keep": 2, + "alive": 1, + "connectionCanBeReused": 4, + "Stores": 1, + "persistent": 5, + "connection": 17, + "currently": 4, + "use.": 1, + "It": 2, + "particular": 2, + "specify": 2, + "expire": 2, + "A": 4, + "host": 9, + "port": 17, + "connection.": 2, + "These": 1, + "determine": 1, + "whether": 1, + "reused": 2, + "subsequent": 2, + "all": 3, + "match": 1, + "An": 2, + "determining": 1, + "available": 1, + "number": 2, + "reference": 1, + "don": 2, + "ve": 7, + "opened": 3, + "one.": 1, + "stream": 13, + "closed": 1, + "+": 195, + "released": 2, + "either": 1, + "another": 1, + "timer": 5, + "fires": 1, + "NSMutableDictionary": 18, + "*connectionInfo": 2, + "automatic": 1, + "redirects": 2, + "standard": 1, + "follow": 1, + "behaviour": 2, + "most": 1, + "browsers": 1, + "shouldUseRFC2616RedirectBehaviour": 2, + "record": 1, + "downloading": 5, + "downloadComplete": 2, + "ID": 1, + "uniquely": 1, + "identifies": 1, + "primarily": 1, + "debugging": 1, + "NSNumber": 11, + "*requestID": 3, + "ASIHTTPRequestRunLoopMode": 2, + "synchronous": 1, + "NSDefaultRunLoopMode": 2, + "other": 3, + "*runLoopMode": 2, + "checks": 1, + "NSTimer": 5, + "*statusTimer": 2, + "setDefaultCache": 2, + "configure": 2, + "": 9, + "downloadCache": 5, + "policy": 7, + "ASICacheDelegate.h": 2, + "possible": 3, + "ASICachePolicy": 4, + "cachePolicy": 3, + "storage": 2, + "ASICacheStoragePolicy": 2, + "cacheStoragePolicy": 2, + "was": 4, + "pulled": 1, + "didUseCachedResponse": 3, + "secondsToCache": 3, + "custom": 2, + "interval": 1, + "expiring": 1, + "&&": 123, + "shouldContinueWhenAppEntersBackground": 3, + "UIBackgroundTaskIdentifier": 1, + "backgroundTask": 7, + "helper": 1, + "inflate": 2, + "*dataDecompressor": 2, + "Controls": 1, + "without": 1, + "responseString": 3, + "All": 2, + "no": 7, + "raw": 3, + "discarded": 1, + "rawResponseData": 4, + "temporaryFileDownloadPath": 2, + "normal": 1, + "temporaryUncompressedDataDownloadPath": 3, + "contents": 1, + "into": 1, + "Setting": 1, + "especially": 1, + "useful": 1, + "users": 1, + "conjunction": 1, + "streaming": 1, + "parser": 3, + "allow": 1, + "passed": 2, + "while": 11, + "still": 2, + "running": 4, + "behind": 1, + "scenes": 1, + "PAC": 7, + "own": 3, + "isPACFileRequest": 3, + "http": 4, + "https": 1, + "webservers": 1, + "*PACFileRequest": 2, + "asynchronously": 1, + "reading": 1, + "URLs": 2, + "NSInputStream": 7, + "*PACFileReadStream": 2, + "storing": 1, + "NSMutableData": 5, + "*PACFileData": 2, + "startSynchronous.": 1, + "Currently": 1, + "detection": 2, + "synchronously": 1, + "isSynchronous": 2, + "//block": 12, + "execute": 4, + "startedBlock": 5, + "headers": 11, + "headersReceivedBlock": 5, + "completionBlock": 5, + "failureBlock": 5, + "bytesReceivedBlock": 8, + "bytesSentBlock": 5, + "downloadSizeIncrementedBlock": 5, + "uploadSizeIncrementedBlock": 5, + "handling": 4, + "dataReceivedBlock": 5, + "authenticationNeededBlock": 5, + "proxyAuthenticationNeededBlock": 5, + "redirections": 1, + "requestRedirectedBlock": 5, + "#pragma": 44, + "mark": 42, + "init": 34, + "dealloc": 13, + "initWithURL": 4, + "newURL": 16, + "requestWithURL": 7, + "usingCache": 5, + "andCachePolicy": 3, + "setStartedBlock": 1, + "aStartedBlock": 1, + "setHeadersReceivedBlock": 1, + "aReceivedBlock": 2, + "setCompletionBlock": 1, + "aCompletionBlock": 1, + "setFailedBlock": 1, + "aFailedBlock": 1, + "setBytesReceivedBlock": 1, + "aBytesReceivedBlock": 1, + "setBytesSentBlock": 1, + "aBytesSentBlock": 1, + "setDownloadSizeIncrementedBlock": 1, + "aDownloadSizeIncrementedBlock": 1, + "setUploadSizeIncrementedBlock": 1, + "anUploadSizeIncrementedBlock": 1, + "setDataReceivedBlock": 1, + "setAuthenticationNeededBlock": 1, + "anAuthenticationBlock": 1, + "setProxyAuthenticationNeededBlock": 1, + "aProxyAuthenticationBlock": 1, + "setRequestRedirectedBlock": 1, + "aRedirectBlock": 1, + "setup": 2, + "addRequestHeader": 5, + "applyCookieHeader": 2, + "buildRequestHeaders": 3, + "applyAuthorizationHeader": 2, + "buildPostBody": 3, + "appendPostData": 3, + "appendPostDataFromFile": 3, + "isResponseCompressed": 3, + "startSynchronous": 2, + "startAsynchronous": 2, + "clearDelegatesAndCancel": 2, + "HEADRequest": 1, + "upload/download": 1, + "updateProgressIndicators": 1, + "updateUploadProgress": 3, + "updateDownloadProgress": 3, + "removeUploadProgressSoFar": 1, + "incrementDownloadSizeBy": 1, + "incrementUploadSizeBy": 3, + "updateProgressIndicator": 4, + "withProgress": 4, + "ofTotal": 4, + "performSelector": 7, + "selector": 12, + "onTarget": 7, + "target": 5, + "withObject": 10, + "callerToRetain": 7, + "caller": 1, + "talking": 1, + "delegates": 2, + "requestReceivedResponseHeaders": 1, + "newHeaders": 1, + "failWithError": 11, + "theError": 6, + "retryUsingNewConnection": 1, + "parsing": 2, + "readResponseHeaders": 2, + "parseStringEncodingFromHeaders": 2, + "parseMimeType": 2, + "**": 27, + "mimeType": 2, + "andResponseEncoding": 2, + "stringEncoding": 1, + "fromContentType": 2, + "contentType": 1, + "stuff": 1, + "applyCredentials": 1, + "newCredentials": 16, + "applyProxyCredentials": 2, + "findCredentials": 1, + "findProxyCredentials": 2, + "retryUsingSuppliedCredentials": 1, + "cancelAuthentication": 1, + "attemptToApplyCredentialsAndResume": 1, + "attemptToApplyProxyCredentialsAndResume": 1, + "showProxyAuthenticationDialog": 1, + "showAuthenticationDialog": 1, + "addBasicAuthenticationHeaderWithUsername": 2, + "theUsername": 1, + "andPassword": 2, + "thePassword": 1, + "handlers": 1, + "handleNetworkEvent": 2, + "CFStreamEventType": 2, + "type": 5, + "handleBytesAvailable": 1, + "handleStreamComplete": 1, + "handleStreamError": 1, + "cleanup": 1, + "markAsFinished": 4, + "removeTemporaryDownloadFile": 1, + "removeTemporaryUncompressedDownloadFile": 1, + "removeTemporaryUploadFile": 1, + "removeTemporaryCompressedUploadFile": 1, + "removeFileAtPath": 1, + "err": 8, + "connectionID": 1, + "expirePersistentConnections": 1, + "defaultTimeOutSeconds": 3, + "setDefaultTimeOutSeconds": 1, + "newTimeOutSeconds": 1, + "client": 1, + "setClientCertificateIdentity": 1, + "anIdentity": 1, + "sessionProxyCredentialsStore": 1, + "sessionCredentialsStore": 1, + "storeProxyAuthenticationCredentialsInSessionStore": 1, + "storeAuthenticationCredentialsInSessionStore": 2, + "removeProxyAuthenticationCredentialsFromSessionStore": 1, + "removeAuthenticationCredentialsFromSessionStore": 3, + "findSessionProxyAuthenticationCredentials": 1, + "findSessionAuthenticationCredentials": 2, + "saveCredentialsToKeychain": 3, + "saveCredentials": 4, + "NSURLCredential": 8, + "forHost": 2, + "realm": 14, + "forProxy": 2, + "savedCredentialsForHost": 1, + "savedCredentialsForProxy": 1, + "removeCredentialsForHost": 1, + "removeCredentialsForProxy": 1, + "setSessionCookies": 1, + "newSessionCookies": 1, + "addSessionCookie": 1, + "NSHTTPCookie": 1, + "newCookie": 1, + "agent": 2, + "defaultUserAgentString": 1, + "setDefaultUserAgentString": 1, + "mime": 1, + "mimeTypeForFileAtPath": 1, + "bandwidth": 3, + "measurement": 1, + "throttling": 1, + "maxBandwidthPerSecond": 2, + "setMaxBandwidthPerSecond": 1, + "averageBandwidthUsedPerSecond": 2, + "performThrottling": 2, + "isBandwidthThrottled": 2, + "incrementBandwidthUsedInLastSecond": 1, + "setShouldThrottleBandwidthForWWAN": 1, + "throttle": 1, + "throttleBandwidthForWWANUsingLimit": 1, + "limit": 1, + "reachability": 1, + "isNetworkReachableViaWWAN": 1, + "queue": 12, + "NSOperationQueue": 4, + "sharedQueue": 4, + "defaultCache": 3, + "maxUploadReadLength": 1, + "activity": 1, + "isNetworkInUse": 1, + "setShouldUpdateNetworkActivityIndicator": 1, + "shouldUpdate": 1, + "showNetworkActivityIndicator": 1, + "hideNetworkActivityIndicator": 1, + "miscellany": 1, + "base64forData": 1, + "theData": 1, + "expiryDateForRequest": 1, + "maxAge": 2, + "dateFromRFC1123String": 1, + "isMultitaskingSupported": 2, + "threading": 1, + "NSThread": 4, + "threadForRequest": 3, + "@property": 150, + "retain": 73, + "*proxyHost": 1, + "assign": 84, + "proxyPort": 2, + "*proxyType": 1, + "setter": 2, + "setURL": 3, + "nonatomic": 40, + "readonly": 19, + "*authenticationRealm": 2, + "*requestHeaders": 1, + "*requestCredentials": 1, + "*rawResponseData": 1, + "*requestMethod": 1, + "*postBody": 1, + "*postBodyFilePath": 1, + "shouldStreamPostDataFromDisk": 4, + "didCreateTemporaryPostDataFile": 1, + "*authenticationScheme": 1, + "shouldPresentAuthenticationDialog": 1, + "authenticationRetryCount": 2, + "haveBuiltRequestHeaders": 1, + "inProgress": 4, + "numberOfTimesToRetryOnTimeout": 2, + "retryCount": 3, + "shouldAttemptPersistentConnection": 2, + "@end": 37, + "": 1, + "#else": 8, + "": 1, + "@": 258, + "static": 102, + "*defaultUserAgent": 1, + "*ASIHTTPRequestRunLoopMode": 1, + "CFOptionFlags": 1, + "kNetworkEvents": 1, + "kCFStreamEventHasBytesAvailable": 1, + "|": 13, + "kCFStreamEventEndEncountered": 1, + "kCFStreamEventErrorOccurred": 1, + "*sessionCredentialsStore": 1, + "*sessionProxyCredentialsStore": 1, + "*sessionCredentialsLock": 1, + "*sessionCookies": 1, + "RedirectionLimit": 1, + "ReadStreamClientCallBack": 1, + "CFReadStreamRef": 5, + "readStream": 5, + "*clientCallBackInfo": 1, + "ASIHTTPRequest*": 1, + "clientCallBackInfo": 1, + "*progressLock": 1, + "*ASIRequestCancelledError": 1, + "*ASIRequestTimedOutError": 1, + "*ASIAuthenticationError": 1, + "*ASIUnableToCreateRequestError": 1, + "*ASITooMuchRedirectionError": 1, + "*bandwidthUsageTracker": 1, + "nextConnectionNumberToCreate": 1, + "*persistentConnectionsPool": 1, + "*connectionsLock": 1, + "nextRequestID": 1, + "bandwidthUsedInLastSecond": 1, + "*bandwidthMeasurementDate": 1, + "NSLock": 2, + "*bandwidthThrottlingLock": 1, + "shouldThrottleBandwidthForWWANOnly": 1, + "*sessionCookiesLock": 1, + "*delegateAuthenticationLock": 1, + "*throttleWakeUpTime": 1, + "runningRequestCount": 1, + "shouldUpdateNetworkActivityIndicator": 1, + "*networkThread": 1, + "*sharedQueue": 1, + "cancelLoad": 3, + "destroyReadStream": 3, + "scheduleReadStream": 1, + "unscheduleReadStream": 1, + "willAskDelegateForCredentials": 1, + "willAskDelegateForProxyCredentials": 1, + "askDelegateForProxyCredentials": 1, + "askDelegateForCredentials": 1, + "failAuthentication": 1, + "measureBandwidthUsage": 1, + "recordBandwidthUsage": 1, + "startRequest": 3, + "updateStatus": 2, + "checkRequestStatus": 2, + "reportFailure": 3, + "reportFinished": 1, + "performRedirect": 1, + "shouldTimeOut": 2, + "willRedirect": 1, + "willAskDelegateToConfirmRedirect": 1, + "performInvocation": 2, + "NSInvocation": 4, + "invocation": 4, + "releasingObject": 2, + "objectToRelease": 1, + "hideNetworkActivityIndicatorAfterDelay": 1, + "hideNetworkActivityIndicatorIfNeeeded": 1, + "runRequests": 1, + "configureProxies": 2, + "fetchPACFile": 1, + "finishedDownloadingPACFile": 1, + "theRequest": 1, + "runPACScript": 1, + "script": 1, + "timeOutPACRead": 1, + "useDataFromCache": 2, + "updatePartialDownloadSize": 1, + "registerForNetworkReachabilityNotifications": 1, + "unsubscribeFromNetworkReachabilityNotifications": 1, + "reachabilityChanged": 1, + "NSNotification": 2, + "note": 1, + "performBlockOnMainThread": 2, + "block": 18, + "releaseBlocksOnMainThread": 4, + "releaseBlocks": 3, + "blocks": 16, + "callBlock": 1, + "*postBodyWriteStream": 1, + "*postBodyReadStream": 1, + "*compressedPostBody": 1, + "*compressedPostBodyFilePath": 1, + "willRetryRequest": 1, + "*readStream": 1, + "readStreamIsScheduled": 1, + "setSynchronous": 2, + "@implementation": 13, + "initialize": 1, + "class": 30, + "persistentConnectionsPool": 3, + "alloc": 47, + "connectionsLock": 3, + "progressLock": 1, + "bandwidthThrottlingLock": 1, + "sessionCookiesLock": 1, + "sessionCredentialsLock": 1, + "delegateAuthenticationLock": 1, + "bandwidthUsageTracker": 1, + "initWithCapacity": 2, + "ASIRequestTimedOutError": 1, + "initWithDomain": 5, + "dictionaryWithObjectsAndKeys": 10, + "NSLocalizedDescriptionKey": 10, + "ASIAuthenticationError": 1, + "ASIRequestCancelledError": 2, + "ASIUnableToCreateRequestError": 3, + "ASITooMuchRedirectionError": 1, + "setMaxConcurrentOperationCount": 1, + "setRequestMethod": 3, + "setRunLoopMode": 2, + "setShouldAttemptPersistentConnection": 2, + "setPersistentConnectionTimeoutSeconds": 2, + "setShouldPresentCredentialsBeforeChallenge": 1, + "setShouldRedirect": 1, + "setShowAccurateProgress": 1, + "setShouldResetDownloadProgress": 1, + "setShouldResetUploadProgress": 1, + "setAllowCompressedResponse": 1, + "setShouldWaitToInflateCompressedResponses": 1, + "setDefaultResponseEncoding": 1, + "setShouldPresentProxyAuthenticationDialog": 1, + "setTimeOutSeconds": 1, + "setUseSessionPersistence": 1, + "setUseCookiePersistence": 1, + "setValidatesSecureCertificate": 1, + "setRequestCookies": 2, + "autorelease": 21, + "setDidStartSelector": 1, + "@selector": 28, + "setDidReceiveResponseHeadersSelector": 1, + "setWillRedirectSelector": 1, + "willRedirectToURL": 1, + "setDidFinishSelector": 1, + "setDidFailSelector": 1, + "setDidReceiveDataSelector": 1, + "setCancelledLock": 1, + "setDownloadCache": 3, + "return": 165, + "ASIUseDefaultCachePolicy": 1, + "*request": 1, + "setCachePolicy": 1, + "setAuthenticationNeeded": 2, + "requestAuthentication": 7, + "CFRelease": 19, + "redirectURL": 1, + "release": 66, + "statusTimer": 3, + "invalidate": 2, + "postBody": 11, + "compressedPostBody": 4, + "requestHeaders": 6, + "requestCookies": 1, + "fileDownloadOutputStream": 1, + "inflatedFileDownloadOutputStream": 1, + "username": 8, + "domain": 2, + "authenticationRealm": 4, + "requestCredentials": 1, + "proxyHost": 2, + "proxyType": 1, + "proxyUsername": 3, + "proxyPassword": 3, + "proxyDomain": 1, + "proxyAuthenticationRealm": 2, + "proxyAuthenticationScheme": 2, + "proxyCredentials": 1, + "originalURL": 1, + "lastActivityTime": 1, + "responseCookies": 1, + "responseHeaders": 5, + "requestMethod": 13, + "cancelledLock": 37, + "postBodyFilePath": 7, + "compressedPostBodyFilePath": 4, + "postBodyWriteStream": 7, + "postBodyReadStream": 2, + "PACurl": 1, + "clientCertificates": 2, + "responseStatusMessage": 1, + "connectionInfo": 13, + "requestID": 2, + "dataDecompressor": 1, + "userAgentString": 1, + "super": 25, + "*blocks": 1, + "array": 84, + "addObject": 16, + "performSelectorOnMainThread": 2, + "waitUntilDone": 4, + "isMainThread": 2, + "Blocks": 1, + "exits": 1, + "setRequestHeaders": 2, + "dictionaryWithCapacity": 2, + "setObject": 9, + "forKey": 9, + "Are": 1, + "submitting": 1, + "disk": 1, + "were": 5, + "close": 5, + "setPostBodyWriteStream": 2, + "*path": 1, + "setCompressedPostBodyFilePath": 1, + "NSTemporaryDirectory": 2, + "stringByAppendingPathComponent": 2, + "NSProcessInfo": 2, + "processInfo": 2, + "globallyUniqueString": 2, + "*err": 3, + "ASIDataCompressor": 2, + "compressDataFromFile": 1, + "toFile": 1, + "&": 36, + "else": 35, + "setPostLength": 3, + "NSFileManager": 1, + "attributesOfItemAtPath": 1, + "fileSize": 1, + "errorWithDomain": 6, + "stringWithFormat": 6, + "Otherwise": 2, + "*compressedBody": 1, + "compressData": 1, + "setCompressedPostBody": 1, + "compressedBody": 1, + "isEqualToString": 13, + "||": 42, + "setHaveBuiltPostBody": 1, + "setupPostBody": 3, + "setPostBodyFilePath": 1, + "setDidCreateTemporaryPostDataFile": 1, + "initToFileAtPath": 1, + "append": 1, + "open": 2, + "setPostBody": 1, + "maxLength": 3, + "appendData": 2, + "*stream": 1, + "initWithFileAtPath": 1, + "NSUInteger": 93, + "bytesRead": 5, + "hasBytesAvailable": 1, + "char": 19, + "*256": 1, + "sizeof": 13, + "break": 13, + "dataWithBytes": 1, + "*m": 1, + "unlock": 20, + "m": 1, + "newRequestMethod": 3, + "*u": 1, + "u": 4, + "isEqual": 4, + "NULL": 152, + "setRedirectURL": 2, + "d": 11, + "setDelegate": 4, + "newDelegate": 6, + "q": 2, + "setQueue": 2, + "newQueue": 3, + "cancelOnRequestThread": 2, + "DEBUG_REQUEST_STATUS": 4, + "ASI_DEBUG_LOG": 11, + "isCancelled": 6, + "setComplete": 3, + "CFRetain": 4, + "willChangeValueForKey": 1, + "didChangeValueForKey": 1, + "onThread": 2, + "Clear": 3, + "setDownloadProgressDelegate": 2, + "setUploadProgressDelegate": 2, + "initWithBytes": 1, + "*encoding": 1, + "rangeOfString": 1, + ".location": 1, + "NSNotFound": 1, + "uncompressData": 1, + "DEBUG_THROTTLING": 2, + "setInProgress": 3, + "NSRunLoop": 2, + "currentRunLoop": 2, + "runMode": 1, + "runLoopMode": 2, + "beforeDate": 1, + "distantFuture": 1, + "start": 3, + "addOperation": 1, + "concurrency": 1, + "isConcurrent": 1, + "isFinished": 1, + "isExecuting": 1, + "logic": 1, + "@try": 1, + "UIBackgroundTaskInvalid": 3, + "UIApplication": 2, + "sharedApplication": 2, + "beginBackgroundTaskWithExpirationHandler": 1, + "dispatch_async": 1, + "dispatch_get_main_queue": 1, + "endBackgroundTask": 1, + "generated": 3, + "ASINetworkQueue": 4, + "already.": 1, + "proceed.": 1, + "setDidUseCachedResponse": 1, + "Must": 1, + "call": 8, + "create": 1, + "needs": 1, + "mainRequest": 9, + "ll": 6, + "already": 4, + "CFHTTPMessageRef": 3, + "Create": 1, + "request.": 1, + "CFHTTPMessageCreateRequest": 1, + "kCFAllocatorDefault": 3, + "CFStringRef": 1, + "CFURLRef": 1, + "kCFHTTPVersion1_0": 1, + "kCFHTTPVersion1_1": 1, + "//If": 2, + "let": 8, + "generate": 1, + "its": 9, + "Even": 1, + "chance": 2, + "add": 5, + "ASIS3Request": 1, + "does": 3, + "process": 1, + "@catch": 1, + "NSException": 19, + "*exception": 1, + "*underlyingError": 1, + "exception": 3, + "name": 7, + "reason": 1, + "NSLocalizedFailureReasonErrorKey": 1, + "underlyingError": 1, + "@finally": 1, + "Do": 3, + "DEBUG_HTTP_AUTHENTICATION": 4, + "*credentials": 1, + "auth": 2, + "basic": 3, + "any": 3, + "cached": 2, + "key": 32, + "challenge": 1, + "apply": 2, + "like": 1, + "CFHTTPMessageApplyCredentialDictionary": 2, + "CFDictionaryRef": 1, + "setAuthenticationScheme": 1, + "happens": 4, + "%": 30, + "re": 9, + "retrying": 1, + "our": 6, + "measure": 1, + "throttled": 1, + "setPostBodyReadStream": 2, + "ASIInputStream": 2, + "inputStreamWithData": 2, + "setReadStream": 2, + "NSMakeCollectable": 3, + "CFReadStreamCreateForStreamedHTTPRequest": 1, + "CFReadStreamCreateForHTTPRequest": 1, + "lowercaseString": 1, + "*sslProperties": 2, + "initWithObjectsAndKeys": 1, + "numberWithBool": 3, + "kCFStreamSSLAllowsExpiredCertificates": 1, + "kCFStreamSSLAllowsAnyRoot": 1, + "kCFStreamSSLValidatesCertificateChain": 1, + "kCFNull": 1, + "kCFStreamSSLPeerName": 1, + "CFReadStreamSetProperty": 1, + "kCFStreamPropertySSLSettings": 1, + "CFTypeRef": 1, + "sslProperties": 2, + "*certificates": 1, + "arrayWithCapacity": 2, + "count": 99, + "*oldStream": 1, + "redirecting": 2, + "connecting": 2, + "intValue": 4, + "setConnectionInfo": 2, + "Check": 1, + "expired": 1, + "timeIntervalSinceNow": 1, + "<": 56, + "DEBUG_PERSISTENT_CONNECTIONS": 3, + "removeObject": 2, + "//Some": 1, + "previously": 1, + "there": 1, + "one": 1, + "We": 7, + "just": 4, + "old": 5, + "//lists.apple.com/archives/Macnetworkprog/2006/Mar/msg00119.html": 1, + "oldStream": 4, + "streamSuccessfullyOpened": 1, + "setConnectionCanBeReused": 2, + "Record": 1, + "started": 1, + "nothing": 2, + "setLastActivityTime": 1, + "setStatusTimer": 2, + "timerWithTimeInterval": 1, + "repeats": 1, + "addTimer": 1, + "forMode": 1, + "here": 2, + "safely": 1, + "***Black": 1, + "magic": 1, + "warning***": 1, + "reliable": 1, + "way": 1, + "track": 1, + "strong": 4, + "slow.": 1, + "secondsSinceLastActivity": 1, + "*1.5": 1, + "updating": 1, + "checking": 1, + "told": 1, + "us": 2, + "auto": 2, + "resuming": 1, + "Range": 1, + "take": 1, + "account": 1, + "perhaps": 1, + "setTotalBytesSent": 1, + "CFReadStreamCopyProperty": 2, + "kCFStreamPropertyHTTPRequestBytesWrittenCount": 1, + "unsignedLongLongValue": 1, + "middle": 1, + "said": 1, + "might": 4, + "MaxValue": 2, + "UIProgressView": 2, + "double": 3, + "max": 7, + "setMaxValue": 2, + "examined": 1, + "since": 1, + "authenticate": 1, + "bytesReadSoFar": 3, + "setUpdatedProgress": 1, + "didReceiveBytes": 2, + "totalSize": 2, + "setLastBytesRead": 1, + "pass": 5, + "pointer": 2, + "directly": 1, + "itself": 1, + "setArgument": 4, + "atIndex": 6, + "argumentNumber": 1, + "callback": 3, + "NSMethodSignature": 1, + "*cbSignature": 1, + "methodSignatureForSelector": 1, + "*cbInvocation": 1, + "invocationWithMethodSignature": 1, + "cbSignature": 1, + "cbInvocation": 5, + "setSelector": 1, + "setTarget": 1, + "forget": 2, + "know": 3, + "removeObjectForKey": 1, + "dateWithTimeIntervalSinceNow": 1, + "ignore": 1, + "ASIFallbackToCacheIfLoadFailsCachePolicy": 2, + "canUseCachedDataForRequest": 1, + "setError": 2, + "*failedRequest": 1, + "compatible": 1, + "fail": 1, + "failedRequest": 4, + "message": 2, + "kCFStreamPropertyHTTPResponseHeader": 1, + "Make": 1, + "sure": 1, + "tells": 1, + "keepAliveHeader": 2, + "NSScanner": 2, + "*scanner": 1, + "scannerWithString": 1, + "scanner": 5, + "scanString": 2, + "intoString": 3, + "scanInt": 2, + "scanUpToString": 1, + "what": 3, + "hard": 1, + "throw": 1, + "away.": 1, + "*userAgentHeader": 1, + "*acceptHeader": 1, + "userAgentHeader": 2, + "acceptHeader": 2, + "setHaveBuiltRequestHeaders": 1, + "Force": 2, + "rebuild": 2, + "cookie": 1, + "incase": 1, + "got": 1, + "some": 1, + "remain": 1, + "ones": 3, + "URLWithString": 1, + "valueForKey": 2, + "relativeToURL": 1, + "absoluteURL": 1, + "setNeedsRedirect": 1, + "means": 1, + "manually": 1, + "added": 5, + "those": 1, + "global": 1, + "But": 1, + "safest": 1, + "option": 1, + "responseCode": 1, + "Handle": 1, + "*mimeType": 1, + "setResponseEncoding": 2, + "saveProxyCredentialsToKeychain": 1, + "*authenticationCredentials": 2, + "credentialWithUser": 2, + "kCFHTTPAuthenticationUsername": 2, + "kCFHTTPAuthenticationPassword": 2, + "persistence": 2, + "NSURLCredentialPersistencePermanent": 2, + "authenticationCredentials": 4, + "setProxyAuthenticationRetryCount": 1, + "Apply": 1, + "whatever": 1, + "ok": 1, + "CFMutableDictionaryRef": 1, + "*sessionCredentials": 1, + "dictionary": 64, + "sessionCredentials": 6, + "setRequestCredentials": 1, + "*newCredentials": 1, + "*user": 1, + "*pass": 1, + "*theRequest": 1, + "try": 3, + "connect": 1, + "website": 1, + "kCFHTTPAuthenticationSchemeNTLM": 1, + "Ok": 1, + "extract": 1, + "NSArray*": 1, + "ntlmComponents": 1, + "componentsSeparatedByString": 1, + "AUTH": 6, + "Request": 6, + "parent": 1, + "properties": 1, + "ASIAuthenticationDialog": 2, + "had": 1, + "Foo": 2, + "NSObject": 5, + "": 2, + "FooAppDelegate": 2, + "": 1, + "@private": 2, + "NSWindow": 2, + "*window": 2, + "IBOutlet": 1, + "@synthesize": 7, + "window": 1, + "applicationDidFinishLaunching": 1, + "aNotification": 1, + "argc": 1, + "*argv": 1, + "NSLog": 4, + "#include": 18, + "": 1, + "": 2, + "": 2, + "": 1, + "": 1, + "#ifdef": 10, + "__OBJC__": 4, + "": 2, + "": 2, + "": 2, + "": 1, + "": 2, + "": 1, + "__cplusplus": 2, + "NSINTEGER_DEFINED": 3, + "defined": 16, + "__LP64__": 4, + "NS_BUILD_32_LIKE_64": 3, + "NSIntegerMin": 3, + "LONG_MIN": 3, + "NSIntegerMax": 4, + "LONG_MAX": 3, + "NSUIntegerMax": 7, + "ULONG_MAX": 3, + "INT_MIN": 3, + "INT_MAX": 2, + "UINT_MAX": 3, + "_JSONKIT_H_": 3, + "__GNUC__": 14, + "__APPLE_CC__": 2, + "JK_DEPRECATED_ATTRIBUTE": 6, + "__attribute__": 3, + "deprecated": 1, + "JSONKIT_VERSION_MAJOR": 1, + "JSONKIT_VERSION_MINOR": 1, + "JKFlags": 5, + "JKParseOptionNone": 1, + "JKParseOptionStrict": 1, + "JKParseOptionComments": 2, + "<<": 16, + "JKParseOptionUnicodeNewlines": 2, + "JKParseOptionLooseUnicode": 2, + "JKParseOptionPermitTextAfterValidJSON": 2, + "JKParseOptionValidFlags": 1, + "JKParseOptionFlags": 12, + "JKSerializeOptionNone": 3, + "JKSerializeOptionPretty": 2, + "JKSerializeOptionEscapeUnicode": 2, + "JKSerializeOptionEscapeForwardSlashes": 2, + "JKSerializeOptionValidFlags": 1, + "JKSerializeOptionFlags": 16, + "struct": 20, + "JKParseState": 18, + "Opaque": 1, + "private": 1, + "type.": 3, + "JSONDecoder": 2, + "*parseState": 16, + "decoder": 1, + "decoderWithParseOptions": 1, + "parseOptionFlags": 11, + "initWithParseOptions": 1, + "clearCache": 1, + "parseUTF8String": 2, + "size_t": 23, + "Deprecated": 4, + "JSONKit": 11, + "v1.4.": 4, + "objectWithUTF8String": 4, + "instead.": 4, + "parseJSONData": 2, + "jsonData": 6, + "objectWithData": 7, + "mutableObjectWithUTF8String": 2, + "mutableObjectWithData": 2, + "////////////": 4, + "Deserializing": 1, + "methods": 2, + "JSONKitDeserializing": 2, + "objectFromJSONString": 1, + "objectFromJSONStringWithParseOptions": 2, + "mutableObjectFromJSONString": 1, + "mutableObjectFromJSONStringWithParseOptions": 2, + "objectFromJSONData": 1, + "objectFromJSONDataWithParseOptions": 2, + "mutableObjectFromJSONData": 1, + "mutableObjectFromJSONDataWithParseOptions": 2, + "Serializing": 1, + "JSONKitSerializing": 3, + "JSONData": 3, + "Invokes": 2, + "JSONDataWithOptions": 8, + "includeQuotes": 6, + "serializeOptions": 14, + "JSONString": 3, + "JSONStringWithOptions": 8, + "serializeUnsupportedClassesUsingDelegate": 4, + "__BLOCKS__": 1, + "JSONKitSerializingBlockAdditions": 2, + "serializeUnsupportedClassesUsingBlock": 4, + "": 1, + "": 1, + "": 1, + "": 1, + "": 1, + "": 1, + "//#include": 1, + "": 1, + "": 1, + "": 1, + "": 1, + "": 1, + "//#import": 1, + "": 1, + "": 1, + "": 1, + "__has_feature": 3, + "JK_ENABLE_CF_TRANSFER_OWNERSHIP_CALLBACKS": 2, + "#warning": 1, + "As": 1, + "v1.4": 1, + "longer": 2, + "required.": 1, + "option.": 1, + "__OBJC_GC__": 1, + "#error": 6, + "Objective": 2, + "C": 6, + "Garbage": 1, + "Collection": 1, + "objc_arc": 1, + "Automatic": 1, + "Reference": 1, + "Counting": 1, + "ARC": 1, + "xffffffffU": 1, + "fffffff": 1, + "ULLONG_MAX": 1, + "xffffffffffffffffULL": 1, + "LLONG_MIN": 1, + "fffffffffffffffLL": 1, + "LL": 1, + "requires": 4, + "types": 2, + "bits": 1, + "respectively.": 1, + "WORD_BIT": 1, + "LONG_BIT": 1, + "bit": 1, + "architectures.": 1, + "SIZE_MAX": 1, + "SSIZE_MAX": 1, + "JK_HASH_INIT": 1, + "UL": 138, + "JK_FAST_TRAILING_BYTES": 2, + "JK_CACHE_SLOTS_BITS": 2, + "JK_CACHE_SLOTS": 1, + "JK_CACHE_PROBES": 1, + "JK_INIT_CACHE_AGE": 1, + "JK_TOKENBUFFER_SIZE": 1, + "JK_STACK_OBJS": 1, + "JK_JSONBUFFER_SIZE": 1, + "JK_UTF8BUFFER_SIZE": 1, + "JK_ENCODE_CACHE_SLOTS": 1, + "JK_ATTRIBUTES": 15, + "attr": 3, + "...": 11, + "##__VA_ARGS__": 7, + "JK_EXPECTED": 4, + "cond": 12, + "expect": 3, + "__builtin_expect": 1, + "JK_EXPECT_T": 22, + "U": 2, + "JK_EXPECT_F": 14, + "JK_PREFETCH": 2, + "ptr": 3, + "__builtin_prefetch": 1, + "JK_STATIC_INLINE": 10, + "__inline__": 1, + "always_inline": 1, + "JK_ALIGNED": 1, + "arg": 11, + "aligned": 1, + "JK_UNUSED_ARG": 2, + "unused": 3, + "JK_WARN_UNUSED": 1, + "warn_unused_result": 9, + "JK_WARN_UNUSED_CONST": 1, + "JK_WARN_UNUSED_PURE": 1, + "pure": 2, + "JK_WARN_UNUSED_SENTINEL": 1, + "sentinel": 1, + "JK_NONNULL_ARGS": 1, + "nonnull": 6, + "JK_WARN_UNUSED_NONNULL_ARGS": 1, + "JK_WARN_UNUSED_CONST_NONNULL_ARGS": 1, + "JK_WARN_UNUSED_PURE_NONNULL_ARGS": 1, + "__GNUC_MINOR__": 3, + "JK_ALLOC_SIZE_NON_NULL_ARGS_WARN_UNUSED": 2, + "nn": 4, + "alloc_size": 1, + "JKArray": 14, + "JKDictionaryEnumerator": 4, + "JKDictionary": 22, + "JSONNumberStateStart": 1, + "JSONNumberStateFinished": 1, + "JSONNumberStateError": 1, + "JSONNumberStateWholeNumberStart": 1, + "JSONNumberStateWholeNumberMinus": 1, + "JSONNumberStateWholeNumberZero": 1, + "JSONNumberStateWholeNumber": 1, + "JSONNumberStatePeriod": 1, + "JSONNumberStateFractionalNumberStart": 1, + "JSONNumberStateFractionalNumber": 1, + "JSONNumberStateExponentStart": 1, + "JSONNumberStateExponentPlusMinus": 1, + "JSONNumberStateExponent": 1, + "JSONStringStateStart": 1, + "JSONStringStateParsing": 1, + "JSONStringStateFinished": 1, + "JSONStringStateError": 1, + "JSONStringStateEscape": 1, + "JSONStringStateEscapedUnicode1": 1, + "JSONStringStateEscapedUnicode2": 1, + "JSONStringStateEscapedUnicode3": 1, + "JSONStringStateEscapedUnicode4": 1, + "JSONStringStateEscapedUnicodeSurrogate1": 1, + "JSONStringStateEscapedUnicodeSurrogate2": 1, + "JSONStringStateEscapedUnicodeSurrogate3": 1, + "JSONStringStateEscapedUnicodeSurrogate4": 1, + "JSONStringStateEscapedNeedEscapeForSurrogate": 1, + "JSONStringStateEscapedNeedEscapedUForSurrogate": 1, + "JKParseAcceptValue": 2, + "JKParseAcceptComma": 2, + "JKParseAcceptEnd": 3, + "JKParseAcceptValueOrEnd": 1, + "JKParseAcceptCommaOrEnd": 1, + "JKClassUnknown": 1, + "JKClassString": 1, + "JKClassNumber": 1, + "JKClassArray": 1, + "JKClassDictionary": 1, + "JKClassNull": 1, + "JKManagedBufferOnStack": 1, + "JKManagedBufferOnHeap": 1, + "JKManagedBufferLocationMask": 1, + "JKManagedBufferLocationShift": 1, + "JKManagedBufferMustFree": 1, + "JKManagedBufferFlags": 1, + "JKObjectStackOnStack": 1, + "JKObjectStackOnHeap": 1, + "JKObjectStackLocationMask": 1, + "JKObjectStackLocationShift": 1, + "JKObjectStackMustFree": 1, + "JKObjectStackFlags": 1, + "JKTokenTypeInvalid": 1, + "JKTokenTypeNumber": 1, + "JKTokenTypeString": 1, + "JKTokenTypeObjectBegin": 1, + "JKTokenTypeObjectEnd": 1, + "JKTokenTypeArrayBegin": 1, + "JKTokenTypeArrayEnd": 1, + "JKTokenTypeSeparator": 1, + "JKTokenTypeComma": 1, + "JKTokenTypeTrue": 1, + "JKTokenTypeFalse": 1, + "JKTokenTypeNull": 1, + "JKTokenTypeWhiteSpace": 1, + "JKTokenType": 2, + "JKValueTypeNone": 1, + "JKValueTypeString": 1, + "JKValueTypeLongLong": 1, + "JKValueTypeUnsignedLongLong": 1, + "JKValueTypeDouble": 1, + "JKValueType": 1, + "JKEncodeOptionAsData": 1, + "JKEncodeOptionAsString": 1, + "JKEncodeOptionAsTypeMask": 1, + "JKEncodeOptionCollectionObj": 1, + "JKEncodeOptionStringObj": 1, + "JKEncodeOptionStringObjTrimQuotes": 1, + "JKEncodeOptionType": 2, + "JKHash": 4, + "JKTokenCacheItem": 2, + "JKTokenCache": 2, + "JKTokenValue": 2, + "JKParseToken": 2, + "JKPtrRange": 2, + "JKObjectStack": 5, + "JKBuffer": 2, + "JKConstBuffer": 2, + "JKConstPtrRange": 2, + "JKRange": 2, + "JKManagedBuffer": 5, + "JKFastClassLookup": 2, + "JKEncodeCache": 6, + "JKEncodeState": 11, + "JKObjCImpCache": 2, + "JKHashTableEntry": 21, + "serializeObject": 1, + "options": 6, + "optionFlags": 1, + "encodeOption": 2, + "JKSERIALIZER_BLOCKS_PROTO": 1, + "releaseState": 1, + "keyHash": 21, + "uint32_t": 1, + "UTF32": 11, + "uint16_t": 1, + "UTF16": 1, + "uint8_t": 1, + "UTF8": 2, + "conversionOK": 1, + "sourceExhausted": 1, + "targetExhausted": 1, + "sourceIllegal": 1, + "ConversionResult": 1, + "UNI_REPLACEMENT_CHAR": 1, + "FFFD": 1, + "UNI_MAX_BMP": 1, + "FFFF": 3, + "UNI_MAX_UTF16": 1, + "UNI_MAX_UTF32": 1, + "FFFFFFF": 1, + "UNI_MAX_LEGAL_UTF32": 1, + "UNI_SUR_HIGH_START": 1, + "xD800": 1, + "UNI_SUR_HIGH_END": 1, + "xDBFF": 1, + "UNI_SUR_LOW_START": 1, + "xDC00": 1, + "UNI_SUR_LOW_END": 1, + "xDFFF": 1, + "trailingBytesForUTF8": 1, + "offsetsFromUTF8": 1, + "E2080UL": 1, + "C82080UL": 1, + "xFA082080UL": 1, + "firstByteMark": 1, + "xC0": 1, + "xE0": 1, + "xF0": 1, + "xF8": 1, + "xFC": 1, + "JK_AT_STRING_PTR": 1, + "stringBuffer.bytes.ptr": 2, + "JK_END_STRING_PTR": 1, + "stringBuffer.bytes.length": 1, + "*_JKArrayCreate": 2, + "*objects": 5, + "mutableCollection": 7, + "_JKArrayInsertObjectAtIndex": 3, + "*array": 9, + "newObject": 12, + "objectIndex": 48, + "_JKArrayReplaceObjectAtIndexWithObject": 3, + "_JKArrayRemoveObjectAtIndex": 3, + "_JKDictionaryCapacityForCount": 4, + "*_JKDictionaryCreate": 2, + "*keys": 2, + "*keyHashes": 2, + "*_JKDictionaryHashEntry": 2, + "*dictionary": 13, + "_JKDictionaryCapacity": 3, + "_JKDictionaryResizeIfNeccessary": 3, + "_JKDictionaryRemoveObjectWithEntry": 3, + "*entry": 4, + "_JKDictionaryAddObject": 4, + "*_JKDictionaryHashTableEntryForKey": 2, + "aKey": 13, + "_JSONDecoderCleanup": 1, + "*decoder": 1, + "_NSStringObjectFromJSONString": 1, + "*jsonString": 1, + "**error": 1, + "jk_managedBuffer_release": 1, + "*managedBuffer": 3, + "jk_managedBuffer_setToStackBuffer": 1, + "*ptr": 2, + "*jk_managedBuffer_resize": 1, + "newSize": 1, + "jk_objectStack_release": 1, + "*objectStack": 3, + "jk_objectStack_setToStackBuffer": 1, + "**objects": 1, + "**keys": 1, + "CFHashCode": 1, + "*cfHashes": 1, + "jk_objectStack_resize": 1, + "newCount": 1, + "jk_error": 1, + "*format": 7, + "jk_parse_string": 1, + "jk_parse_number": 1, + "jk_parse_is_newline": 1, + "*atCharacterPtr": 1, + "jk_parse_skip_newline": 1, + "jk_parse_skip_whitespace": 1, + "jk_parse_next_token": 1, + "jk_error_parse_accept_or3": 1, + "*or1String": 1, + "*or2String": 1, + "*or3String": 1, + "*jk_create_dictionary": 1, + "startingObjectIndex": 1, + "*jk_parse_dictionary": 1, + "*jk_parse_array": 1, + "*jk_object_for_token": 1, + "*jk_cachedObjects": 1, + "jk_cache_age": 1, + "jk_set_parsed_token": 1, + "advanceBy": 1, + "jk_encode_error": 1, + "*encodeState": 9, + "jk_encode_printf": 1, + "*cacheSlot": 4, + "startingAtIndex": 4, + "jk_encode_write": 1, + "jk_encode_writePrettyPrintWhiteSpace": 1, + "jk_encode_write1slow": 2, + "ssize_t": 2, + "depthChange": 2, + "jk_encode_write1fast": 2, + "jk_encode_writen": 1, + "jk_encode_object_hash": 1, + "*objectPtr": 2, + "jk_encode_updateCache": 1, + "jk_encode_add_atom_to_buffer": 1, + "jk_encode_write1": 1, + "es": 3, + "dc": 3, + "f": 8, + "_jk_encode_prettyPrint": 1, + "jk_min": 1, + "b": 4, + "jk_max": 3, + "jk_calculateHash": 1, + "currentHash": 1, + "c": 7, + "Class": 3, + "_JKArrayClass": 5, + "_JKArrayInstanceSize": 4, + "_JKDictionaryClass": 5, + "_JKDictionaryInstanceSize": 4, + "_jk_NSNumberClass": 2, + "NSNumberAllocImp": 2, + "_jk_NSNumberAllocImp": 2, + "NSNumberInitWithUnsignedLongLongImp": 2, + "_jk_NSNumberInitWithUnsignedLongLongImp": 2, + "jk_collectionClassLoadTimeInitialization": 2, + "constructor": 1, + "NSAutoreleasePool": 2, + "*pool": 1, + "Though": 1, + "technically": 1, + "run": 1, + "environment": 1, + "load": 1, + "initialization": 1, + "less": 1, + "ideal.": 1, + "objc_getClass": 2, + "class_getInstanceSize": 2, + "methodForSelector": 2, + "temp_NSNumber": 4, + "initWithUnsignedLongLong": 1, + "pool": 2, + "": 2, + "NSMutableCopying": 2, + "NSFastEnumeration": 2, + "capacity": 51, + "mutations": 20, + "allocWithZone": 4, + "NSZone": 4, + "zone": 8, + "raise": 18, + "NSInvalidArgumentException": 6, + "format": 18, + "NSStringFromClass": 18, + "NSStringFromSelector": 16, + "_cmd": 16, + "NSCParameterAssert": 19, + "objects": 58, + "calloc": 5, + "Directly": 2, + "allocate": 2, + "instance": 2, + "calloc.": 2, + "isa": 2, + "malloc": 1, + "memcpy": 2, + "<=>": 15, + "*newObjects": 1, + "newObjects": 2, + "realloc": 1, + "NSMallocException": 2, + "memset": 1, + "memmove": 2, + "atObject": 12, + "free": 4, + "NSParameterAssert": 15, + "getObjects": 2, + "objectsPtr": 3, + "range": 8, + "NSRange": 1, + "NSMaxRange": 4, + "NSRangeException": 6, + "range.location": 2, + "range.length": 1, + "objectAtIndex": 8, + "countByEnumeratingWithState": 2, + "NSFastEnumerationState": 2, + "stackbuf": 8, + "len": 6, + "mutationsPtr": 2, + "itemsPtr": 2, + "enumeratedCount": 8, + "insertObject": 1, + "anObject": 16, + "NSInternalInconsistencyException": 4, + "__clang_analyzer__": 3, + "Stupid": 2, + "clang": 3, + "analyzer...": 2, + "Issue": 2, + "#19.": 2, + "removeObjectAtIndex": 1, + "replaceObjectAtIndex": 1, + "copyWithZone": 1, + "initWithObjects": 2, + "mutableCopyWithZone": 1, + "NSEnumerator": 2, + "collection": 11, + "nextObject": 6, + "initWithJKDictionary": 3, + "initDictionary": 4, + "allObjects": 2, + "arrayWithObjects": 1, + "_JKDictionaryHashEntry": 2, + "returnObject": 3, + "entry": 41, + ".key": 11, + "jk_dictionaryCapacities": 4, + "bottom": 6, + "top": 8, + "mid": 5, + "tableSize": 2, + "lround": 1, + "floor": 1, + "capacityForCount": 4, + "resize": 3, + "oldCapacity": 2, + "NS_BLOCK_ASSERTIONS": 1, + "oldCount": 2, + "*oldEntry": 1, + "idx": 33, + "oldEntry": 9, + ".keyHash": 2, + ".object": 7, + "keys": 5, + "keyHashes": 2, + "atEntry": 45, + "removeIdx": 3, + "entryIdx": 4, + "*atEntry": 3, + "addKeyEntry": 2, + "addIdx": 5, + "*atAddEntry": 1, + "atAddEntry": 6, + "keyEntry": 4, + "CFEqual": 2, + "CFHash": 1, + "table": 7, + "would": 2, + "now.": 1, + "entryForKey": 3, + "_JKDictionaryHashTableEntryForKey": 1, + "andKeys": 1, + "arrayIdx": 5, + "keyEnumerator": 1, + "copy": 4, + "Why": 1, + "earth": 1, + "complain": 1, + "doesn": 1, + "Internal": 2, + "Unable": 2, + "temporary": 2, + "buffer.": 2, + "line": 2, + "#": 2, + "ld": 2, + "Invalid": 1, + "character": 1, + "x.": 1, + "n": 7, + "r": 6, + "F": 1, + ".": 2, + "e": 1, + "Unexpected": 1, + "token": 1, + "wanted": 1, + "Expected": 3, + "MainMenuViewController": 2, + "TTTableViewController": 1, + "///////////////////////////////////////////////////////////////////////////////////////////////////": 24, + "initWithNibName": 3, + "nibNameOrNil": 1, + "bundle": 3, + "NSBundle": 1, + "nibBundleOrNil": 1, + "self.title": 2, + "//self.variableHeightRows": 1, + "self.tableViewStyle": 1, + "UITableViewStyleGrouped": 1, + "self.dataSource": 1, + "TTSectionedDataSource": 1, + "dataSourceWithObjects": 1, + "TTTableTextItem": 48, + "itemWithText": 48, + "URL": 48, + "PlaygroundViewController": 2, + "UIViewController": 2, + "UIScrollView*": 1, + "_scrollView": 9, + "": 1, + "CGFloat": 44, + "kFramePadding": 7, + "kElementSpacing": 3, + "kGroupSpacing": 5, + "addHeader": 5, + "yOffset": 42, + "UILabel*": 2, + "label": 6, + "UILabel": 2, + "initWithFrame": 12, + "CGRectZero": 5, + "label.text": 2, + "label.font": 3, + "UIFont": 3, + "systemFontOfSize": 2, + "label.numberOfLines": 2, + "CGRect": 41, + "frame": 38, + "label.frame": 4, + "frame.origin.x": 3, + "frame.origin.y": 16, + "frame.size.width": 4, + "frame.size.height": 15, + "sizeWithFont": 2, + "constrainedToSize": 2, + "CGSizeMake": 3, + ".height": 4, + "addSubview": 8, + "label.frame.size.height": 2, + "TT_RELEASE_SAFELY": 12, + "addText": 5, + "loadView": 4, + "UIScrollView": 1, + "self.view.bounds": 2, + "_scrollView.autoresizingMask": 1, + "UIViewAutoresizingFlexibleWidth": 4, + "UIViewAutoresizingFlexibleHeight": 1, + "self.view": 4, + "NSLocalizedString": 9, + "UIButton*": 1, + "button": 5, + "UIButton": 1, + "buttonWithType": 1, + "UIButtonTypeRoundedRect": 1, + "setTitle": 1, + "forState": 4, + "UIControlStateNormal": 1, + "addTarget": 1, + "action": 1, + "debugTestAction": 2, + "forControlEvents": 1, + "UIControlEventTouchUpInside": 1, + "sizeToFit": 1, + "button.frame": 2, + "TTCurrentLocale": 2, + "displayNameForKey": 1, + "NSLocaleIdentifier": 1, + "localeIdentifier": 1, + "TTPathForBundleResource": 1, + "TTPathForDocumentsResource": 1, + "dataUsingEncoding": 2, + "NSUTF8StringEncoding": 2, + "md5Hash": 1, + "setContentSize": 1, + "viewDidUnload": 2, + "viewDidAppear": 2, + "animated": 27, + "flashScrollIndicators": 1, + "DEBUG": 1, + "TTDPRINTMETHODNAME": 1, + "TTDPRINT": 9, + "TTMAXLOGLEVEL": 1, + "TTDERROR": 1, + "TTLOGLEVEL_ERROR": 1, + "TTDWARNING": 1, + "TTLOGLEVEL_WARNING": 1, + "TTDINFO": 1, + "TTLOGLEVEL_INFO": 1, + "TTDCONDITIONLOG": 3, + "rand": 1, + "TTDASSERT": 2, + "SBJsonParser": 2, + "maxDepth": 2, + "NSData*": 1, + "objectWithString": 5, + "repr": 5, + "jsonText": 1, + "NSError**": 2, + "self.maxDepth": 2, + "Methods": 1, + "self.error": 3, + "SBJsonStreamParserAccumulator": 2, + "*accumulator": 1, + "SBJsonStreamParserAdapter": 2, + "*adapter": 1, + "adapter.delegate": 1, + "accumulator": 1, + "SBJsonStreamParser": 2, + "*parser": 1, + "parser.maxDepth": 1, + "parser.delegate": 1, + "adapter": 1, + "switch": 3, + "parse": 1, + "case": 8, + "SBJsonStreamParserComplete": 1, + "accumulator.value": 1, + "SBJsonStreamParserWaitingForData": 1, + "SBJsonStreamParserError": 1, + "parser.error": 1, + "error_": 2, + "tmp": 3, + "*ui": 1, + "*error_": 1, + "ui": 1, + "StyleViewController": 2, + "TTViewController": 1, + "TTStyle*": 7, + "_style": 8, + "_styleHighlight": 6, + "_styleDisabled": 6, + "_styleSelected": 6, + "_styleType": 6, + "kTextStyleType": 2, + "kViewStyleType": 2, + "kImageStyleType": 2, + "initWithStyleName": 1, + "styleType": 3, + "TTStyleSheet": 4, + "globalStyleSheet": 4, + "styleWithSelector": 4, + "UIControlStateHighlighted": 1, + "UIControlStateDisabled": 1, + "UIControlStateSelected": 1, + "addTextView": 5, + "title": 2, + "style": 29, + "textFrame": 3, + "TTRectInset": 3, + "UIEdgeInsetsMake": 3, + "StyleView*": 2, + "StyleView": 2, + "text.text": 1, + "TTStyleContext*": 1, + "context": 4, + "TTStyleContext": 1, + "context.frame": 1, + "context.delegate": 1, + "context.font": 1, + "systemFontSize": 1, + "CGSize": 5, + "addToSize": 1, + "CGSizeZero": 1, + "size.width": 1, + "size.height": 1, + "textFrame.size": 1, + "text.frame": 1, + "text.style": 1, + "text.backgroundColor": 1, + "UIColor": 3, + "colorWithRed": 3, + "green": 3, + "blue": 3, + "alpha": 3, + "text.autoresizingMask": 1, + "UIViewAutoresizingFlexibleBottomMargin": 3, + "addView": 5, + "viewFrame": 4, + "view": 11, + "view.style": 2, + "view.backgroundColor": 2, + "view.autoresizingMask": 2, + "addImageView": 5, + "TTImageView*": 1, + "TTImageView": 1, + "view.urlPath": 1, + "imageFrame": 2, + "view.frame": 2, + "imageFrame.size": 1, + "view.image.size": 1, + "TUITableViewStylePlain": 2, + "regular": 1, + "TUITableViewStyleGrouped": 1, + "grouped": 1, + "stick": 1, + "scroll": 3, + "TUITableViewStyle": 4, + "TUITableViewScrollPositionNone": 2, + "TUITableViewScrollPositionTop": 2, + "TUITableViewScrollPositionMiddle": 1, + "TUITableViewScrollPositionBottom": 1, + "TUITableViewScrollPositionToVisible": 3, + "supported": 1, + "TUITableViewScrollPosition": 5, + "TUITableViewInsertionMethodBeforeIndex": 1, + "NSOrderedAscending": 4, + "TUITableViewInsertionMethodAtIndex": 1, + "NSOrderedSame": 1, + "TUITableViewInsertionMethodAfterIndex": 1, + "NSOrderedDescending": 4, + "TUITableViewInsertionMethod": 3, + "TUITableViewCell": 23, + "@protocol": 3, + "TUITableViewDataSource": 2, + "TUITableView": 25, + "TUITableViewDelegate": 1, + "": 1, + "TUIScrollViewDelegate": 1, + "tableView": 45, + "heightForRowAtIndexPath": 2, + "TUIFastIndexPath": 89, + "indexPath": 47, + "@optional": 2, + "willDisplayCell": 2, + "cell": 21, + "forRowAtIndexPath": 2, + "subview": 1, + "didSelectRowAtIndexPath": 3, + "left/right": 2, + "mouse": 2, + "down": 1, + "up/down": 1, + "didDeselectRowAtIndexPath": 3, + "didClickRowAtIndexPath": 1, + "withEvent": 2, + "NSEvent": 3, + "event": 8, + "look": 1, + "clickCount": 1, + "TUITableView*": 1, + "shouldSelectRowAtIndexPath": 3, + "TUIFastIndexPath*": 1, + "forEvent": 3, + "NSEvent*": 1, + "NSMenu": 1, + "menuForRowAtIndexPath": 1, + "tableViewWillReloadData": 3, + "tableViewDidReloadData": 3, + "targetIndexPathForMoveFromRowAtIndexPath": 1, + "fromPath": 1, + "toProposedIndexPath": 1, + "proposedPath": 1, + "TUIScrollView": 1, + "__unsafe_unretained": 2, + "": 4, + "_dataSource": 6, + "weak": 2, + "_sectionInfo": 27, + "TUIView": 17, + "_pullDownView": 4, + "_headerView": 8, + "_lastSize": 1, + "_contentHeight": 7, + "NSMutableIndexSet": 6, + "_visibleSectionHeaders": 6, + "_visibleItems": 14, + "_reusableTableCells": 5, + "_selectedIndexPath": 9, + "_indexPathShouldBeFirstResponder": 2, + "_futureMakeFirstResponderToken": 2, + "_keepVisibleIndexPathForReload": 2, + "_relativeOffsetForReload": 2, + "drag": 1, + "reorder": 1, + "_dragToReorderCell": 5, + "CGPoint": 7, + "_currentDragToReorderLocation": 1, + "_currentDragToReorderMouseOffset": 1, + "_currentDragToReorderIndexPath": 1, + "_currentDragToReorderInsertionMethod": 1, + "_previousDragToReorderIndexPath": 1, + "_previousDragToReorderInsertionMethod": 1, + "animateSelectionChanges": 3, + "forceSaveScrollPosition": 1, + "derepeaterEnabled": 1, + "layoutSubviewsReentrancyGuard": 1, + "didFirstLayout": 1, + "dataSourceNumberOfSectionsInTableView": 1, + "delegateTableViewWillDisplayCellForRowAtIndexPath": 1, + "maintainContentOffsetAfterReload": 3, + "_tableFlags": 1, + "creation.": 1, + "calls": 1, + "UITableViewStylePlain": 1, + "unsafe_unretained": 2, + "dataSource": 2, + "": 4, + "readwrite": 1, + "reloadData": 3, + "reloadDataMaintainingVisibleIndexPath": 2, + "relativeOffset": 5, + "reloadLayout": 2, + "numberOfSections": 10, + "numberOfRowsInSection": 9, + "section": 60, + "rectForHeaderOfSection": 4, + "rectForSection": 3, + "rectForRowAtIndexPath": 7, + "NSIndexSet": 4, + "indexesOfSectionsInRect": 2, + "rect": 10, + "indexesOfSectionHeadersInRect": 2, + "indexPathForCell": 2, + "returns": 4, + "visible": 16, + "indexPathsForRowsInRect": 3, + "indexPathForRowAtPoint": 2, + "point": 11, + "indexPathForRowAtVerticalOffset": 2, + "offset": 23, + "indexOfSectionWithHeaderAtPoint": 2, + "indexOfSectionWithHeaderAtVerticalOffset": 2, + "enumerateIndexPathsUsingBlock": 2, + "*indexPath": 11, + "*stop": 7, + "enumerateIndexPathsWithOptions": 2, + "NSEnumerationOptions": 4, + "usingBlock": 6, + "enumerateIndexPathsFromIndexPath": 4, + "fromIndexPath": 6, + "toIndexPath": 12, + "withOptions": 4, + "headerViewForSection": 6, + "cellForRowAtIndexPath": 9, + "index": 11, + "visibleCells": 3, + "order": 1, + "sortedVisibleCells": 2, + "indexPathsForVisibleRows": 2, + "scrollToRowAtIndexPath": 3, + "atScrollPosition": 3, + "scrollPosition": 9, + "indexPathForSelectedRow": 4, + "representing": 1, + "row": 36, + "selection.": 1, + "indexPathForFirstRow": 2, + "indexPathForLastRow": 2, + "selectRowAtIndexPath": 3, + "deselectRowAtIndexPath": 3, + "*pullDownView": 1, + "pullDownViewIsVisible": 3, + "*headerView": 6, + "dequeueReusableCellWithIdentifier": 2, + "identifier": 7, + "": 1, + "@required": 1, + "canMoveRowAtIndexPath": 2, + "moveRowAtIndexPath": 2, + "numberOfSectionsInTableView": 3, + "NSIndexPath": 5, + "indexPathForRow": 11, + "inSection": 11, + "HEADER_Z_POSITION": 2, + "beginning": 1, + "height": 19, + "TUITableViewRowInfo": 3, + "TUITableViewSection": 16, + "*_tableView": 1, + "*_headerView": 1, + "reusable": 1, + "similar": 1, + "UITableView": 1, + "sectionIndex": 23, + "numberOfRows": 13, + "sectionHeight": 9, + "sectionOffset": 8, + "*rowInfo": 1, + "initWithNumberOfRows": 2, + "_tableView": 3, + "rowInfo": 7, + "_setupRowHeights": 2, + "*header": 1, + "self.headerView": 2, + "roundf": 2, + "header.frame.size.height": 1, + "i": 41, + "h": 3, + "_tableView.delegate": 1, + ".offset": 2, + "rowHeight": 2, + "sectionRowOffset": 2, + "tableRowOffset": 2, + "headerHeight": 4, + "self.headerView.frame.size.height": 1, + "headerView": 14, + "_tableView.dataSource": 3, + "respondsToSelector": 8, + "_headerView.autoresizingMask": 1, + "TUIViewAutoresizingFlexibleWidth": 1, + "_headerView.layer.zPosition": 1, + "Private": 1, + "_updateSectionInfo": 2, + "_updateDerepeaterViews": 2, + "pullDownView": 1, + "_tableFlags.animateSelectionChanges": 3, + "_tableFlags.delegateTableViewWillDisplayCellForRowAtIndexPath": 1, + "setDataSource": 1, + "_tableFlags.dataSourceNumberOfSectionsInTableView": 2, + "setAnimateSelectionChanges": 1, + "*s": 3, + "y": 12, + "CGRectMake": 8, + "self.bounds.size.width": 4, + "indexPath.section": 3, + "indexPath.row": 1, + "*section": 8, + "removeFromSuperview": 4, + "removeAllIndexes": 2, + "*sections": 1, + "bounds": 2, + ".size.height": 1, + "self.contentInset.top*2": 1, + "section.sectionOffset": 1, + "sections": 4, + "self.contentInset.bottom": 1, + "_enqueueReusableCell": 2, + "*identifier": 1, + "cell.reuseIdentifier": 1, + "*c": 1, + "lastObject": 1, + "removeLastObject": 1, + "prepareForReuse": 1, + "allValues": 1, + "SortCells": 1, + "*a": 2, + "*b": 2, + "*ctx": 1, + "a.frame.origin.y": 2, + "b.frame.origin.y": 2, + "*v": 2, + "v": 4, + "sortedArrayUsingComparator": 1, + "NSComparator": 1, + "NSComparisonResult": 1, + "INDEX_PATHS_FOR_VISIBLE_ROWS": 4, + "allKeys": 1, + "*i": 4, + "*cell": 7, + "*indexes": 2, + "CGRectIntersectsRect": 5, + "indexes": 4, + "addIndex": 3, + "*indexPaths": 1, + "cellRect": 7, + "indexPaths": 2, + "CGRectContainsPoint": 1, + "cellRect.origin.y": 1, + "origin": 1, + "brief": 1, + "Obtain": 1, + "whose": 2, + "specified": 1, + "exists": 1, + "negative": 1, + "returned": 1, + "param": 1, + "p": 3, + "0": 2, + "width": 1, + "point.y": 1, + "section.headerView": 9, + "sectionLowerBound": 2, + "fromIndexPath.section": 1, + "sectionUpperBound": 3, + "toIndexPath.section": 1, + "rowLowerBound": 2, + "fromIndexPath.row": 1, + "rowUpperBound": 3, + "toIndexPath.row": 1, + "irow": 3, + "lower": 1, + "bound": 1, + "iteration...": 1, + "rowCount": 3, + "j": 5, + "FALSE": 2, + "...then": 1, + "zero": 1, + "iterations": 1, + "_topVisibleIndexPath": 1, + "*topVisibleIndex": 1, + "sortedArrayUsingSelector": 1, + "topVisibleIndex": 2, + "setFrame": 2, + "_tableFlags.forceSaveScrollPosition": 1, + "setContentOffset": 2, + "_tableFlags.didFirstLayout": 1, + "prevent": 2, + "layout": 3, + "pinned": 5, + "isKindOfClass": 2, + "TUITableViewSectionHeader": 5, + ".pinnedToViewport": 2, + "TRUE": 1, + "pinnedHeader": 1, + "CGRectGetMaxY": 2, + "headerFrame": 4, + "pinnedHeader.frame.origin.y": 1, + "intersecting": 1, + "push": 1, + "upwards.": 1, + "pinnedHeaderFrame": 2, + "pinnedHeader.frame": 2, + "pinnedHeaderFrame.origin.y": 1, + "notify": 3, + "section.headerView.frame": 1, + "setNeedsLayout": 3, + "section.headerView.superview": 1, + "remove": 4, + "offscreen": 2, + "toRemove": 1, + "enumerateIndexesUsingBlock": 1, + "removeIndex": 1, + "_layoutCells": 3, + "visibleCellsNeedRelayout": 5, + "remaining": 1, + "cells": 7, + "cell.frame": 1, + "cell.layer.zPosition": 1, + "visibleRect": 3, + "Example": 1, + "*oldVisibleIndexPaths": 1, + "*newVisibleIndexPaths": 1, + "*indexPathsToRemove": 1, + "oldVisibleIndexPaths": 2, + "mutableCopy": 2, + "indexPathsToRemove": 2, + "removeObjectsInArray": 2, + "newVisibleIndexPaths": 2, + "*indexPathsToAdd": 1, + "indexPathsToAdd": 2, + "newly": 1, + "superview": 1, + "bringSubviewToFront": 1, + "self.contentSize": 3, + "headerViewRect": 3, + "s.height": 3, + "_headerView.frame.size.height": 2, + "visible.size.width": 3, + "_headerView.frame": 1, + "_headerView.hidden": 4, + "show": 2, + "pullDownRect": 4, + "_pullDownView.frame.size.height": 2, + "_pullDownView.hidden": 4, + "_pullDownView.frame": 1, + "self.delegate": 10, + "recycle": 1, + "regenerated": 3, + "layoutSubviews": 5, + "because": 1, + "dragged": 1, + "clear": 3, + "removeAllObjects": 1, + "laid": 1, + "next": 2, + "_tableFlags.layoutSubviewsReentrancyGuard": 3, + "setAnimationsEnabled": 1, + "CATransaction": 3, + "begin": 1, + "setDisableActions": 1, + "_preLayoutCells": 2, + "munge": 2, + "contentOffset": 2, + "_layoutSectionHeaders": 2, + "_tableFlags.derepeaterEnabled": 1, + "commit": 1, + "selected": 2, + "overlapped": 1, + "r.size.height": 4, + "headerFrame.size.height": 1, + "r.origin.y": 1, + "v.size.height": 2, + "scrollRectToVisible": 2, + "sec": 3, + "_makeRowAtIndexPathFirstResponder": 2, + "responder": 2, + "made": 1, + "acceptsFirstResponder": 1, + "self.nsWindow": 3, + "makeFirstResponderIfNotAlreadyInResponderChain": 1, + "futureMakeFirstResponderRequestToken": 1, + "*oldIndexPath": 1, + "oldIndexPath": 2, + "setSelected": 2, + "setNeedsDisplay": 2, + "selection": 3, + "actually": 2, + "NSResponder": 1, + "*firstResponder": 1, + "firstResponder": 3, + "indexPathForFirstVisibleRow": 2, + "*firstIndexPath": 1, + "firstIndexPath": 4, + "indexPathForLastVisibleRow": 2, + "*lastIndexPath": 5, + "lastIndexPath": 8, + "performKeyAction": 2, + "repeative": 1, + "press": 1, + "noCurrentSelection": 2, + "isARepeat": 1, + "TUITableViewCalculateNextIndexPathBlock": 3, + "selectValidIndexPath": 3, + "*startForNoSelection": 2, + "calculateNextIndexPath": 4, + "foundValidNextRow": 4, + "*newIndexPath": 1, + "newIndexPath": 6, + "startForNoSelection": 1, + "_delegate": 2, + "self.animateSelectionChanges": 1, + "charactersIgnoringModifiers": 1, + "characterAtIndex": 1, + "NSUpArrowFunctionKey": 1, + "lastIndexPath.section": 2, + "lastIndexPath.row": 2, + "rowsInSection": 7, + "NSDownArrowFunctionKey": 1, + "_tableFlags.maintainContentOffsetAfterReload": 2, + "setMaintainContentOffsetAfterReload": 1, + "newValue": 2, + "indexPathWithIndexes": 1, + "indexAtPosition": 2 + }, + "OCaml": { + "{": 11, + "shared": 1, + "open": 4, + "Eliom_content": 1, + "Html5.D": 1, + "Eliom_parameter": 1, + "}": 13, + "server": 2, + "module": 5, + "Example": 1, + "Eliom_registration.App": 1, + "(": 21, + "struct": 5, + "let": 13, + "application_name": 1, + "end": 5, + ")": 23, + "main": 2, + "Eliom_service.service": 1, + "path": 1, + "[": 13, + "]": 13, + "get_params": 1, + "unit": 5, + "client": 1, + "hello_popup": 2, + "Dom_html.window##alert": 1, + "Js.string": 1, + "_": 2, + "Example.register": 1, + "service": 1, + "fun": 9, + "-": 22, + "Lwt.return": 1, + "html": 1, + "head": 1, + "title": 1, + "pcdata": 4, + "body": 1, + "h1": 1, + ";": 14, + "p": 1, + "h2": 1, + "a": 4, + "a_onclick": 1, + "type": 2, + "Ops": 2, + "@": 6, + "f": 10, + "k": 21, + "|": 15, + "x": 14, + "List": 1, + "rec": 3, + "map": 3, + "l": 8, + "match": 4, + "with": 4, + "hd": 6, + "tl": 6, + "fold": 2, + "acc": 5, + "Option": 1, + "opt": 2, + "None": 5, + "Some": 5, + "Lazy": 1, + "option": 1, + "mutable": 1, + "waiters": 5, + "make": 1, + "push": 4, + "cps": 7, + "value": 3, + "force": 1, + "l.value": 2, + "when": 1, + "l.waiters": 5, + "<->": 3, + "function": 1, + "Base.List.iter": 1, + "l.push": 1, + "<": 1, + "get_state": 1, + "lazy_from_val": 1 + }, + "Omgrofl": { + "lol": 14, + "iz": 11, + "wtf": 1, + "liek": 1, + "lmao": 1, + "brb": 1, + "w00t": 1, + "Hello": 1, + "World": 1, + "rofl": 13, + "lool": 5, + "loool": 6, + "stfu": 1 + }, + "Opa": { + "server": 1, + "Server.one_page_server": 1, + "(": 4, + "-": 1, + "

": 2, + "Hello": 2, + "world": 2, + "

": 2, + ")": 4, + "Server.start": 1, + "Server.http": 1, + "{": 2, + "page": 1, + "function": 1, + "}": 2, + "title": 1 + }, + "OpenCL": { + "double": 3, + "run_fftw": 1, + "(": 18, + "int": 3, + "n": 4, + "const": 4, + "float": 3, + "*": 5, + "x": 5, + "y": 4, + ")": 18, + "{": 4, + "fftwf_plan": 1, + "p1": 3, + "fftwf_plan_dft_1d": 1, + "fftwf_complex": 2, + "FFTW_FORWARD": 1, + "FFTW_ESTIMATE": 1, + ";": 12, + "nops": 3, + "t": 4, + "cl": 2, + "realTime": 2, + "for": 1, + "op": 3, + "<": 1, + "+": 4, + "fftwf_execute": 1, + "}": 4, + "-": 1, + "/": 1, + "fftwf_destroy_plan": 1, + "return": 1, + "typedef": 1, + "foo_t": 3, + "#ifndef": 1, + "ZERO": 3, + "#define": 2, + "#endif": 1, + "FOO": 1, + "__kernel": 1, + "void": 1, + "foo": 1, + "__global": 1, + "__local": 1, + "uint": 1, + "barrier": 1, + "CLK_LOCAL_MEM_FENCE": 1, + "if": 1, + "*x": 1 + }, + "OpenEdge ABL": { + "USING": 3, + "Progress.Lang.*.": 3, + "CLASS": 2, + "email.Email": 2, + "USE": 2, + "-": 73, + "WIDGET": 2, + "POOL": 2, + "&": 3, + "SCOPED": 1, + "DEFINE": 16, + "QUOTES": 1, + "@#": 1, + "%": 2, + "*": 2, + "+": 21, + "._MIME_BOUNDARY_.": 1, + "#@": 1, + "WIN": 1, + "From": 4, + "To": 8, + "CC": 2, + "BCC": 2, + "Personal": 1, + "Private": 1, + "Company": 2, + "confidential": 2, + "normal": 1, + "urgent": 2, + "non": 1, + "Cannot": 3, + "locate": 3, + "file": 6, + "in": 3, + "the": 3, + "filesystem": 3, + "R": 3, + "File": 3, + "exists": 3, + "but": 3, + "is": 3, + "not": 3, + "readable": 3, + "Error": 3, + "copying": 3, + "from": 3, + "<\">": 8, + "ttSenders": 2, + "cEmailAddress": 8, + "n": 13, + "ttToRecipients": 1, + "Reply": 3, + "ttReplyToRecipients": 1, + "Cc": 2, + "ttCCRecipients": 1, + "Bcc": 2, + "ttBCCRecipients": 1, + "Return": 1, + "Receipt": 1, + "ttDeliveryReceiptRecipients": 1, + "Disposition": 3, + "Notification": 1, + "ttReadReceiptRecipients": 1, + "Subject": 2, + "Importance": 3, + "H": 1, + "High": 1, + "L": 1, + "Low": 1, + "Sensitivity": 2, + "Priority": 2, + "Date": 4, + "By": 1, + "Expiry": 2, + "Mime": 1, + "Version": 1, + "Content": 10, + "Type": 4, + "multipart/mixed": 1, + ";": 5, + "boundary": 1, + "text/plain": 2, + "charset": 2, + "Transfer": 4, + "Encoding": 4, + "base64": 2, + "bit": 2, + "application/octet": 1, + "stream": 1, + "attachment": 2, + "filename": 2, + "ttAttachments.cFileName": 2, + "cNewLine.": 1, + "RETURN": 7, + "lcReturnData.": 1, + "END": 12, + "METHOD.": 6, + "METHOD": 6, + "PUBLIC": 6, + "CHARACTER": 9, + "send": 1, + "(": 44, + ")": 44, + "objSendEmailAlgorithm": 1, + "sendEmail": 2, + "INPUT": 11, + "THIS": 1, + "OBJECT": 2, + ".": 14, + "CLASS.": 2, + "MESSAGE": 2, + "INTERFACE": 1, + "email.SendEmailAlgorithm": 1, + "ipobjEmail": 1, + "AS": 21, + "INTERFACE.": 1, + "PARAMETER": 3, + "objSendEmailAlg": 2, + "email.SendEmailSocket": 1, + "NO": 13, + "UNDO.": 12, + "VARIABLE": 12, + "vbuffer": 9, + "MEMPTR": 2, + "vstatus": 1, + "LOGICAL": 1, + "vState": 2, + "INTEGER": 6, + "ASSIGN": 2, + "vstate": 1, + "FUNCTION": 1, + "getHostname": 1, + "RETURNS": 1, + "cHostname": 1, + "THROUGH": 1, + "hostname": 1, + "ECHO.": 1, + "IMPORT": 1, + "UNFORMATTED": 1, + "cHostname.": 2, + "CLOSE.": 1, + "FUNCTION.": 1, + "PROCEDURE": 2, + "newState": 2, + "INTEGER.": 1, + "pstring": 4, + "CHARACTER.": 1, + "newState.": 1, + "IF": 2, + "THEN": 2, + "RETURN.": 1, + "SET": 5, + "SIZE": 5, + "LENGTH": 3, + "PUT": 1, + "STRING": 7, + "pstring.": 1, + "SELF": 4, + "WRITE": 1, + "PROCEDURE.": 2, + "ReadSocketResponse": 1, + "vlength": 5, + "str": 3, + "v": 1, + "GET": 3, + "BYTES": 2, + "AVAILABLE": 2, + "VIEW": 1, + "ALERT": 1, + "BOX.": 1, + "DO": 2, + "READ": 1, + "handleResponse": 1, + "END.": 2, + "email.Util": 1, + "FINAL": 1, + "PRIVATE": 1, + "STATIC": 5, + "cMonthMap": 2, + "EXTENT": 1, + "INITIAL": 1, + "[": 2, + "]": 2, + "ABLDateTimeToEmail": 3, + "ipdttzDateTime": 6, + "DATETIME": 3, + "TZ": 2, + "DAY": 1, + "MONTH": 1, + "YEAR": 1, + "TRUNCATE": 2, + "MTIME": 1, + "/": 2, + "ABLTimeZoneToString": 2, + "TIMEZONE": 1, + "ipdtDateTime": 2, + "ipiTimeZone": 3, + "ABSOLUTE": 1, + "MODULO": 1, + "LONGCHAR": 4, + "ConvertDataToBase64": 1, + "iplcNonEncodedData": 2, + "lcPreBase64Data": 4, + "lcPostBase64Data": 3, + "mptrPostBase64Data": 3, + "i": 3, + "COPY": 1, + "LOB": 1, + "FROM": 1, + "TO": 2, + "mptrPostBase64Data.": 1, + "BASE64": 1, + "ENCODE": 1, + "BY": 1, + "SUBSTRING": 1, + "CHR": 2, + "lcPostBase64Data.": 1 + }, + "Org": { + "#": 13, + "+": 13, + "OPTIONS": 1, + "H": 1, + "num": 1, + "nil": 4, + "toc": 2, + "n": 1, + "@": 1, + "t": 10, + "|": 4, + "-": 30, + "f": 2, + "*": 3, + "TeX": 1, + "LaTeX": 1, + "skip": 1, + "d": 2, + "(": 11, + "HIDE": 1, + ")": 11, + "tags": 2, + "not": 1, + "in": 2, + "STARTUP": 1, + "align": 1, + "fold": 1, + "nodlcheck": 1, + "hidestars": 1, + "oddeven": 1, + "lognotestate": 1, + "SEQ_TODO": 1, + "TODO": 1, + "INPROGRESS": 1, + "i": 1, + "WAITING": 1, + "w@": 1, + "DONE": 1, + "CANCELED": 1, + "c@": 1, + "TAGS": 1, + "Write": 1, + "w": 1, + "Update": 1, + "u": 1, + "Fix": 1, + "Check": 1, + "c": 1, + "TITLE": 1, + "org": 10, + "ruby": 6, + "AUTHOR": 1, + "Brian": 1, + "Dewey": 1, + "EMAIL": 1, + "bdewey@gmail.com": 1, + "LANGUAGE": 1, + "en": 1, + "PRIORITIES": 1, + "A": 1, + "C": 1, + "B": 1, + "CATEGORY": 1, + "worg": 1, + "{": 1, + "Back": 1, + "to": 8, + "Worg": 1, + "rubygems": 2, + "ve": 1, + "already": 1, + "created": 1, + "a": 4, + "site.": 1, + "Make": 1, + "sure": 1, + "you": 2, + "have": 1, + "installed": 1, + "sudo": 1, + "gem": 1, + "install": 1, + ".": 1, + "You": 1, + "need": 1, + "register": 1, + "new": 2, + "Webby": 3, + "filter": 3, + "handle": 1, + "mode": 2, + "content.": 2, + "makes": 1, + "this": 2, + "easy.": 1, + "In": 1, + "the": 6, + "lib/": 1, + "folder": 1, + "of": 2, + "your": 2, + "site": 1, + "create": 1, + "file": 1, + "orgmode.rb": 1, + "BEGIN_EXAMPLE": 2, + "require": 1, + "Filters.register": 1, + "do": 2, + "input": 3, + "Orgmode": 2, + "Parser.new": 1, + ".to_html": 1, + "end": 1, + "END_EXAMPLE": 1, + "This": 2, + "code": 1, + "creates": 1, + "that": 1, + "will": 1, + "use": 1, + "parser": 1, + "translate": 1, + "into": 1, + "HTML.": 1, + "Create": 1, + "For": 1, + "example": 1, + "title": 2, + "Parser": 1, + "created_at": 1, + "status": 2, + "Under": 1, + "development": 1, + "erb": 1, + "orgmode": 3, + "<%=>": 2, + "page": 2, + "Status": 1, + "Description": 1, + "Helpful": 1, + "Ruby": 1, + "routines": 1, + "for": 3, + "parsing": 1, + "files.": 1, + "The": 3, + "most": 1, + "significant": 1, + "thing": 2, + "library": 1, + "does": 1, + "today": 1, + "is": 5, + "convert": 1, + "files": 1, + "textile.": 1, + "Currently": 1, + "cannot": 1, + "much": 1, + "customize": 1, + "conversion.": 1, + "supplied": 1, + "textile": 1, + "conversion": 1, + "optimized": 1, + "extracting": 1, + "from": 1, + "orgfile": 1, + "as": 1, + "opposed": 1, + "History": 1, + "**": 1, + "Version": 1, + "first": 1, + "output": 2, + "HTML": 2, + "gets": 1, + "class": 1, + "now": 1, + "indented": 1, + "Proper": 1, + "support": 1, + "multi": 1, + "paragraph": 2, + "list": 1, + "items.": 1, + "See": 1, + "part": 1, + "last": 1, + "bullet.": 1, + "Fixed": 1, + "bugs": 1, + "wouldn": 1, + "s": 1, + "all": 1, + "there": 1, + "it": 1 + }, + "Oxygene": { + "": 1, + "DefaultTargets=": 1, + "xmlns=": 1, + "": 3, + "": 1, + "Loops": 2, + "": 1, + "": 1, + "exe": 1, + "": 1, + "": 1, + "": 1, + "": 1, + "False": 4, + "": 1, + "": 1, + "": 1, + "": 1, + "": 1, + "": 1, + "Properties": 1, + "App.ico": 1, + "": 1, + "": 1, + "Condition=": 3, + "Release": 2, + "": 1, + "": 1, + "{": 1, + "BD89C": 1, + "-": 4, + "B610": 1, + "CEE": 1, + "CAF": 1, + "C515D88E2C94": 1, + "}": 1, + "": 1, + "": 3, + "": 1, + "DEBUG": 1, + ";": 2, + "TRACE": 1, + "": 1, + "": 2, + ".": 2, + "bin": 2, + "Debug": 1, + "": 2, + "": 1, + "True": 3, + "": 1, + "": 1, + "": 1, + "": 1, + "": 1, + "": 1, + "Project=": 1, + "": 2, + "": 5, + "Include=": 12, + "": 5, + "(": 5, + "Framework": 5, + ")": 5, + "mscorlib.dll": 1, + "": 5, + "": 5, + "System.dll": 1, + "ProgramFiles": 1, + "Reference": 1, + "Assemblies": 1, + "Microsoft": 1, + "v3.5": 1, + "System.Core.dll": 1, + "": 1, + "": 1, + "System.Data.dll": 1, + "System.Xml.dll": 1, + "": 2, + "": 4, + "": 1, + "": 1, + "": 2, + "ResXFileCodeGenerator": 1, + "": 2, + "": 1, + "": 1, + "SettingsSingleFileGenerator": 1, + "": 1, + "": 1 + }, + "Parrot Assembly": { + "SHEBANG#!parrot": 1, + ".pcc_sub": 1, + "main": 2, + "say": 1, + "end": 1 + }, + "Parrot Internal Representation": { + "SHEBANG#!parrot": 1, + ".sub": 1, + "main": 1, + "say": 1, + ".end": 1 + }, + "Pascal": { + "program": 1, + "gmail": 1, + ";": 6, + "uses": 1, + "Forms": 1, + "Unit2": 1, + "in": 1, + "{": 2, + "Form2": 2, + "}": 2, + "R": 1, + "*.res": 1, + "begin": 1, + "Application.Initialize": 1, + "Application.MainFormOnTaskbar": 1, + "True": 1, + "Application.CreateForm": 1, + "(": 1, + "TForm2": 1, + ")": 1, + "Application.Run": 1, + "end.": 1 + }, + "PAWN": { + "//": 22, + "-": 1551, + "#include": 5, + "": 1, + "": 1, + "": 1, + "#pragma": 1, + "tabsize": 1, + "#define": 5, + "COLOR_WHITE": 2, + "xFFFFFFFF": 2, + "COLOR_NORMAL_PLAYER": 3, + "xFFBB7777": 1, + "CITY_LOS_SANTOS": 7, + "CITY_SAN_FIERRO": 4, + "CITY_LAS_VENTURAS": 6, + "new": 13, + "total_vehicles_from_files": 19, + ";": 257, + "gPlayerCitySelection": 21, + "[": 56, + "MAX_PLAYERS": 3, + "]": 56, + "gPlayerHasCitySelected": 6, + "gPlayerLastCitySelectionTick": 5, + "Text": 5, + "txtClassSelHelper": 14, + "txtLosSantos": 7, + "txtSanFierro": 7, + "txtLasVenturas": 7, + "thisanimid": 1, + "lastanimid": 1, + "main": 1, + "(": 273, + ")": 273, + "{": 39, + "print": 3, + "}": 39, + "public": 6, + "OnPlayerConnect": 1, + "playerid": 132, + "GameTextForPlayer": 1, + "SendClientMessage": 1, + "GetTickCount": 4, + "//SetPlayerColor": 2, + "//Kick": 1, + "return": 17, + "OnPlayerSpawn": 1, + "if": 28, + "IsPlayerNPC": 3, + "randSpawn": 16, + "SetPlayerInterior": 7, + "TogglePlayerClock": 2, + "ResetPlayerMoney": 3, + "GivePlayerMoney": 2, + "random": 3, + "sizeof": 3, + "gRandomSpawns_LosSantos": 5, + "SetPlayerPos": 6, + "SetPlayerFacingAngle": 6, + "else": 9, + "gRandomSpawns_SanFierro": 5, + "gRandomSpawns_LasVenturas": 5, + "SetPlayerSkillLevel": 11, + "WEAPONSKILL_PISTOL": 1, + "WEAPONSKILL_PISTOL_SILENCED": 1, + "WEAPONSKILL_DESERT_EAGLE": 1, + "WEAPONSKILL_SHOTGUN": 1, + "WEAPONSKILL_SAWNOFF_SHOTGUN": 1, + "WEAPONSKILL_SPAS12_SHOTGUN": 1, + "WEAPONSKILL_MICRO_UZI": 1, + "WEAPONSKILL_MP5": 1, + "WEAPONSKILL_AK47": 1, + "WEAPONSKILL_M4": 1, + "WEAPONSKILL_SNIPERRIFLE": 1, + "GivePlayerWeapon": 1, + "WEAPON_COLT45": 1, + "//GivePlayerWeapon": 1, + "WEAPON_MP5": 1, + "OnPlayerDeath": 1, + "killerid": 3, + "reason": 1, + "playercash": 4, + "INVALID_PLAYER_ID": 1, + "GetPlayerMoney": 1, + "ClassSel_SetupCharSelection": 2, + "SetPlayerCameraPos": 6, + "SetPlayerCameraLookAt": 6, + "ClassSel_InitCityNameText": 4, + "txtInit": 7, + "TextDrawUseBox": 2, + "TextDrawLetterSize": 2, + "TextDrawFont": 2, + "TextDrawSetShadow": 2, + "TextDrawSetOutline": 2, + "TextDrawColor": 2, + "xEEEEEEFF": 1, + "TextDrawBackgroundColor": 2, + "FF": 2, + "ClassSel_InitTextDraws": 2, + "TextDrawCreate": 4, + "TextDrawBoxColor": 1, + "BB": 1, + "TextDrawTextSize": 1, + "ClassSel_SetupSelectedCity": 3, + "TextDrawShowForPlayer": 4, + "TextDrawHideForPlayer": 10, + "ClassSel_SwitchToNextCity": 3, + "+": 19, + "PlayerPlaySound": 2, + "ClassSel_SwitchToPreviousCity": 2, + "<": 3, + "ClassSel_HandleCitySelection": 2, + "Keys": 3, + "ud": 2, + "lr": 4, + "GetPlayerKeys": 1, + "&": 1, + "KEY_FIRE": 1, + "TogglePlayerSpectating": 2, + "OnPlayerRequestClass": 1, + "classid": 1, + "GetPlayerState": 2, + "PLAYER_STATE_SPECTATING": 2, + "OnGameModeInit": 1, + "SetGameModeText": 1, + "ShowPlayerMarkers": 1, + "PLAYER_MARKERS_MODE_GLOBAL": 1, + "ShowNameTags": 1, + "SetNameTagDrawDistance": 1, + "EnableStuntBonusForAll": 1, + "DisableInteriorEnterExits": 1, + "SetWeather": 1, + "SetWorldTime": 1, + "//UsePlayerPedAnims": 1, + "//ManualVehicleEngineAndLights": 1, + "//LimitGlobalChatRadius": 1, + "AddPlayerClass": 69, + "//AddPlayerClass": 1, + "LoadStaticVehiclesFromFile": 17, + "printf": 1, + "OnPlayerUpdate": 1, + "IsPlayerConnected": 1, + "&&": 2, + "GetPlayerInterior": 1, + "GetPlayerWeapon": 2, + "SetPlayerArmedWeapon": 1, + "fists": 1, + "no": 1, + "syncing": 1, + "until": 1, + "they": 1, + "change": 1, + "their": 1, + "weapon": 1, + "WEAPON_MINIGUN": 1, + "Kick": 1 + }, + "Perl": { + "package": 14, + "App": 131, + "Ack": 136, + ";": 1185, + "use": 76, + "warnings": 16, + "strict": 16, + "File": 54, + "Next": 27, + "Plugin": 2, + "Basic": 10, + "head1": 31, + "NAME": 5, + "-": 860, + "A": 2, + "container": 1, + "for": 78, + "functions": 2, + "the": 131, + "ack": 38, + "program": 6, + "VERSION": 15, + "Version": 1, + "cut": 27, + "our": 34, + "COPYRIGHT": 6, + "BEGIN": 7, + "{": 1121, + "}": 1134, + "fh": 28, + "*STDOUT": 6, + "%": 78, + "types": 26, + "type_wanted": 20, + "mappings": 29, + "ignore_dirs": 12, + "input_from_pipe": 8, + "output_to_pipe": 12, + "dir_sep_chars": 10, + "is_cygwin": 6, + "is_windows": 12, + "Spec": 13, + "(": 919, + ")": 917, + "Glob": 4, + "Getopt": 6, + "Long": 6, + "_MTN": 2, + "blib": 2, + "CVS": 5, + "RCS": 2, + "SCCS": 2, + "_darcs": 2, + "_sgbak": 2, + "_build": 2, + "actionscript": 2, + "[": 159, + "qw": 35, + "as": 33, + "mxml": 2, + "]": 155, + "ada": 4, + "adb": 2, + "ads": 2, + "asm": 4, + "s": 34, + "batch": 2, + "bat": 2, + "cmd": 2, + "binary": 3, + "q": 5, + "Binary": 2, + "files": 41, + "defined": 54, + "by": 11, + "Perl": 6, + "T": 2, + "op": 2, + "default": 16, + "off": 4, + "tt": 4, + "tt2": 2, + "ttml": 2, + "vb": 4, + "bas": 2, + "cls": 2, + "frm": 2, + "ctl": 2, + "resx": 2, + "verilog": 2, + "v": 19, + "vh": 2, + "sv": 2, + "vhdl": 4, + "vhd": 2, + "vim": 4, + "yaml": 4, + "yml": 2, + "xml": 6, + "dtd": 2, + "xsl": 2, + "xslt": 2, + "ent": 2, + "while": 31, + "my": 401, + "type": 69, + "exts": 6, + "each": 14, + "if": 272, + "ref": 33, + "ext": 14, + "@": 38, + "push": 30, + "_": 101, + "mk": 2, + "mak": 2, + "not": 53, + "t": 18, + "p": 9, + "STDIN": 2, + "O": 4, + "eq": 31, + "/MSWin32/": 2, + "quotemeta": 5, + "catfile": 4, + "SYNOPSIS": 5, + "If": 14, + "you": 33, + "want": 5, + "to": 86, + "know": 4, + "about": 3, + "F": 24, + "": 13, + "see": 4, + "file": 40, + "itself.": 2, + "No": 4, + "user": 4, + "serviceable": 1, + "parts": 1, + "inside.": 1, + "is": 62, + "all": 22, + "that": 27, + "should": 6, + "this.": 1, + "FUNCTIONS": 1, + "head2": 32, + "read_ackrc": 4, + "Reads": 1, + "contents": 2, + "of": 55, + ".ackrc": 1, + "and": 76, + "returns": 4, + "arguments.": 1, + "sub": 225, + "@files": 12, + "ENV": 40, + "ACKRC": 2, + "@dirs": 4, + "HOME": 4, + "USERPROFILE": 2, + "dir": 27, + "grep": 17, + "bsd_glob": 4, + "GLOB_TILDE": 2, + "filename": 68, + "&&": 83, + "e": 20, + "open": 7, + "or": 47, + "die": 38, + "@lines": 21, + "/./": 2, + "/": 69, + "s*#/": 2, + "<$fh>": 4, + "chomp": 3, + "close": 19, + "s/": 22, + "+": 120, + "//": 9, + "return": 157, + "get_command_line_options": 4, + "Gets": 3, + "command": 13, + "line": 20, + "arguments": 2, + "does": 10, + "specific": 1, + "tweaking.": 1, + "opt": 291, + "pager": 19, + "ACK_PAGER_COLOR": 7, + "||": 49, + "ACK_PAGER": 5, + "getopt_specs": 6, + "m": 17, + "after_context": 16, + "before_context": 18, + "shift": 165, + "val": 26, + "break": 14, + "c": 5, + "count": 23, + "color": 38, + "ACK_COLOR_MATCH": 5, + "ACK_COLOR_FILENAME": 5, + "ACK_COLOR_LINENO": 4, + "column": 4, + "#": 99, + "ignore": 7, + "this": 18, + "option": 7, + "it": 25, + "handled": 2, + "beforehand": 2, + "f": 25, + "flush": 8, + "follow": 7, + "G": 11, + "heading": 18, + "h": 6, + "H": 6, + "i": 26, + "invert_file_match": 8, + "lines": 19, + "l": 17, + "regex": 28, + "n": 19, + "o": 17, + "output": 36, + "undef": 17, + "passthru": 9, + "print0": 7, + "Q": 7, + "show_types": 4, + "smart_case": 3, + "sort_files": 11, + "u": 10, + "w": 4, + "remove_dir_sep": 7, + "delete": 10, + "print_version_statement": 2, + "exit": 16, + "show_help": 3, + "@_": 41, + "show_help_types": 2, + "require": 12, + "Pod": 4, + "Usage": 4, + "pod2usage": 2, + "verbose": 2, + "exitval": 2, + "dummy": 2, + "wanted": 4, + "no//": 2, + "must": 5, + "be": 30, + "later": 2, + "exists": 19, + "else": 53, + "qq": 18, + "Unknown": 2, + "unshift": 4, + "@ARGV": 12, + "split": 13, + "ACK_OPTIONS": 5, + "def_types_from_ARGV": 5, + "filetypes_supported": 5, + "parser": 12, + "Parser": 4, + "new": 55, + "configure": 4, + "getoptions": 4, + "to_screen": 10, + "defaults": 16, + "eval": 8, + "Win32": 9, + "Console": 2, + "ANSI": 3, + "key": 20, + "value": 12, + "<": 15, + "join": 5, + "map": 10, + "@ret": 10, + "from": 19, + "warn": 22, + "..": 7, + "uniq": 4, + "@uniq": 2, + "sort": 8, + "a": 81, + "<=>": 2, + "b": 6, + "keys": 15, + "numerical": 2, + "occurs": 2, + "only": 11, + "once": 4, + "Go": 1, + "through": 6, + "look": 2, + "I": 67, + "<--type-set>": 1, + "foo=": 1, + "bar": 3, + "<--type-add>": 1, + "xml=": 1, + ".": 121, + "Remove": 1, + "them": 5, + "add": 8, + "supported": 1, + "filetypes": 8, + "i.e.": 2, + "into": 6, + "etc.": 1, + "@typedef": 8, + "td": 6, + "set": 11, + "Builtin": 4, + "cannot": 4, + "changed.": 4, + "ne": 9, + "delete_type": 5, + "Type": 2, + "exist": 4, + "creating": 2, + "with": 26, + "...": 2, + "unless": 39, + "@exts": 8, + ".//": 2, + "Cannot": 4, + "append": 2, + "Removes": 1, + "internal": 1, + "structures": 1, + "containing": 5, + "information": 1, + "type_wanted.": 1, + "Internal": 2, + "error": 4, + "builtin": 2, + "ignoredir_filter": 5, + "Standard": 1, + "filter": 12, + "pass": 1, + "L": 18, + "": 1, + "descend_filter.": 1, + "It": 2, + "true": 3, + "directory": 8, + "any": 3, + "ones": 1, + "we": 7, + "ignore.": 1, + "path": 28, + "This": 24, + "removes": 1, + "trailing": 1, + "separator": 4, + "there": 6, + "one": 9, + "its": 2, + "argument": 1, + "Returns": 10, + "list": 10, + "<$filename>": 1, + "could": 2, + "be.": 1, + "For": 5, + "example": 5, + "": 1, + "The": 20, + "filetype": 1, + "will": 7, + "C": 48, + "": 1, + "can": 26, + "skipped": 2, + "something": 2, + "avoid": 1, + "searching": 6, + "even": 4, + "under": 4, + "a.": 1, + "constant": 2, + "TEXT": 16, + "basename": 9, + ".*": 2, + "is_searchable": 8, + "lc_basename": 8, + "lc": 5, + "r": 14, + "B": 75, + "header": 17, + "SHEBANG#!#!": 2, + "ruby": 3, + "|": 28, + "lua": 2, + "erl": 2, + "hp": 2, + "ython": 2, + "d": 9, + "d.": 2, + "*": 8, + "b/": 4, + "ba": 2, + "k": 6, + "z": 2, + "sh": 2, + "/i": 2, + "search": 11, + "false": 1, + "regular": 3, + "expression": 9, + "found.": 4, + "www": 2, + "U": 2, + "y": 8, + "tr/": 2, + "x": 7, + "w/": 3, + "nOo_/": 2, + "_thpppt": 3, + "_get_thpppt": 3, + "print": 35, + "_bar": 3, + "<<": 6, + "&": 22, + "*I": 2, + "g": 7, + "#.": 6, + ".#": 4, + "I#": 2, + "#I": 6, + "#7": 4, + "results.": 2, + "on": 24, + "when": 17, + "used": 11, + "interactively": 6, + "no": 21, + "Print": 6, + "between": 3, + "results": 8, + "different": 2, + "files.": 6, + "group": 2, + "Same": 8, + "nogroup": 2, + "noheading": 2, + "nobreak": 2, + "Highlight": 2, + "matching": 15, + "text": 6, + "redirected": 2, + "Windows": 4, + "colour": 2, + "COLOR": 6, + "match": 21, + "lineno": 2, + "Set": 3, + "filenames": 7, + "matches": 7, + "numbers.": 2, + "Flush": 2, + "immediately": 2, + "non": 2, + "goes": 2, + "pipe": 4, + "finding": 2, + "Only": 7, + "found": 9, + "without": 3, + "searching.": 2, + "PATTERN": 8, + "specified.": 4, + "REGEX": 2, + "but": 4, + "REGEX.": 2, + "Sort": 2, + "lexically.": 3, + "invert": 2, + "Print/search": 2, + "handle": 2, + "do": 11, + "g/": 2, + "G.": 2, + "show": 3, + "Show": 2, + "which": 6, + "has.": 2, + "inclusion/exclusion": 2, + "All": 4, + "searched": 5, + "Ignores": 2, + ".svn": 3, + "other": 5, + "ignored": 6, + "directories": 9, + "unrestricted": 2, + "name": 44, + "Add/Remove": 2, + "dirs": 2, + "R": 2, + "recurse": 2, + "Recurse": 3, + "subdirectories": 2, + "END_OF_HELP": 2, + "VMS": 2, + "vd": 2, + "Term": 6, + "ANSIColor": 8, + "black": 3, + "on_yellow": 3, + "bold": 5, + "green": 3, + "yellow": 3, + "printing": 2, + "qr/": 13, + "last_output_line": 6, + "any_output": 10, + "keep_context": 8, + "@before": 16, + "before_starts_at_line": 10, + "after": 18, + "number": 3, + "still": 4, + "res": 59, + "next_text": 8, + "has_lines": 4, + "scalar": 2, + "m/": 4, + "regex/": 9, + "next": 9, + "print_match_or_context": 13, + "elsif": 10, + "last": 17, + "max": 12, + "nmatches": 61, + "show_filename": 35, + "context_overall_output_count": 6, + "print_blank_line": 2, + "is_binary": 4, + "search_resource": 7, + "is_match": 7, + "starting_line_no": 1, + "match_start": 5, + "match_end": 3, + "Prints": 4, + "out": 2, + "context": 1, + "around": 5, + "match.": 3, + "opts": 2, + "array": 7, + "line_no": 12, + "show_column": 4, + "display_filename": 8, + "colored": 6, + "print_first_filename": 2, + "sep": 8, + "output_func": 8, + "print_separator": 2, + "print_filename": 2, + "display_line_no": 4, + "print_line_no": 2, + "regex/go": 2, + "regex/Term": 2, + "substr": 2, + "/eg": 2, + "z/": 2, + "K/": 2, + "z//": 2, + "print_column_no": 2, + "scope": 4, + "TOTAL_COUNT_SCOPE": 2, + "total_count": 10, + "get_total_count": 4, + "reset_total_count": 4, + "search_and_list": 8, + "Optimized": 1, + "version": 2, + "lines.": 3, + "ors": 11, + "record": 3, + "show_total": 6, + "print_count": 4, + "print_count0": 2, + "filetypes_supported_set": 9, + "True/False": 1, + "are": 24, + "print_files": 4, + "iter": 23, + "returned": 2, + "iterator": 3, + "<$regex>": 1, + "<$one>": 1, + "stop": 1, + "first.": 1, + "<$ors>": 1, + "<\"\\n\">": 1, + "defines": 1, + "what": 14, + "filename.": 1, + "print_files_with_matches": 4, + "where": 3, + "was": 2, + "repo": 18, + "Repository": 11, + "next_resource": 6, + "print_matches": 4, + "tarballs_work": 4, + ".tar": 2, + ".gz": 2, + "Tar": 4, + "XXX": 4, + "Error": 2, + "checking": 2, + "needs_line_scan": 14, + "reset": 5, + "filetype_setup": 4, + "Minor": 1, + "housekeeping": 1, + "before": 1, + "go": 1, + "expand_filenames": 7, + "reference": 8, + "expanded": 3, + "globs": 1, + "EXPAND_FILENAMES_SCOPE": 4, + "argv": 12, + "attr": 6, + "foreach": 4, + "pattern": 10, + "@results": 14, + "didn": 2, + "ve": 2, + "tried": 2, + "load": 2, + "GetAttributes": 2, + "end": 9, + "attributes": 4, + "got": 2, + "get_starting_points": 4, + "starting": 2, + "@what": 14, + "reslash": 4, + "Assume": 2, + "current": 5, + "start_point": 4, + "_match": 8, + "target": 6, + "invert_flag": 4, + "get_iterator": 4, + "Return": 2, + "starting_point": 10, + "g_regex": 4, + "file_filter": 12, + "g_regex/": 6, + "Maybe": 2, + "is_interesting": 4, + "descend_filter": 11, + "error_handler": 5, + "msg": 4, + "follow_symlinks": 6, + "set_up_pager": 3, + "Unable": 2, + "going": 1, + "pipe.": 1, + "exit_from_ack": 5, + "Exit": 1, + "application": 10, + "correct": 1, + "code.": 2, + "otherwise": 2, + "handed": 1, + "in": 29, + "argument.": 1, + "rc": 11, + "LICENSE": 3, + "Copyright": 2, + "Andy": 2, + "Lester.": 2, + "free": 3, + "software": 3, + "redistribute": 3, + "and/or": 3, + "modify": 3, + "terms": 3, + "Artistic": 2, + "License": 2, + "v2.0.": 2, + "End": 3, + "SHEBANG#!#! perl": 4, + "examples/benchmarks/fib.pl": 1, + "Fibonacci": 2, + "Benchmark": 1, + "DESCRIPTION": 4, + "Calculates": 1, + "Number": 1, + "": 1, + "unspecified": 1, + "fib": 4, + "N": 2, + "SEE": 3, + "ALSO": 3, + "": 1, + "SHEBANG#!perl": 5, + "MAIN": 1, + "main": 3, + "env_is_usable": 3, + "th": 1, + "pt": 1, + "env": 76, + "@keys": 2, + "ACK_/": 1, + "@ENV": 1, + "load_colors": 1, + "ACK_SWITCHES": 1, + "Unbuffer": 1, + "mode": 1, + "build_regex": 3, + "nargs": 2, + "Resource": 5, + "file_matching": 2, + "check_regex": 2, + "like": 12, + "finder": 1, + "options": 7, + "FILE...": 1, + "DIRECTORY...": 1, + "designed": 1, + "replacement": 1, + "uses": 2, + "": 5, + "searches": 1, + "named": 3, + "input": 9, + "FILEs": 1, + "standard": 1, + "given": 10, + "PATTERN.": 1, + "By": 2, + "prints": 2, + "also": 7, + "would": 3, + "actually": 1, + "let": 1, + "take": 5, + "advantage": 1, + ".wango": 1, + "won": 1, + "throw": 1, + "away": 1, + "because": 3, + "times": 2, + "symlinks": 1, + "than": 5, + "whatever": 1, + "were": 1, + "specified": 3, + "line.": 4, + "default.": 2, + "item": 42, + "": 11, + "paths": 3, + "included": 1, + "search.": 1, + "entire": 2, + "matched": 1, + "against": 1, + "shell": 4, + "glob.": 1, + "<-i>": 5, + "<-w>": 2, + "<-v>": 3, + "<-Q>": 4, + "apply": 2, + "relative": 1, + "convenience": 1, + "shortcut": 2, + "<-f>": 6, + "<--group>": 2, + "<--nogroup>": 2, + "groups": 1, + "with.": 1, + "interactively.": 1, + "result": 1, + "per": 1, + "grep.": 2, + "redirected.": 1, + "<-H>": 1, + "<--with-filename>": 1, + "<-h>": 1, + "<--no-filename>": 1, + "Suppress": 1, + "prefixing": 1, + "multiple": 5, + "searched.": 1, + "<--help>": 1, + "short": 1, + "help": 2, + "statement.": 1, + "<--ignore-case>": 1, + "Ignore": 3, + "case": 3, + "strings.": 1, + "applies": 3, + "regexes": 3, + "<-g>": 5, + "<-G>": 3, + "options.": 4, + "": 2, + "etc": 2, + "May": 2, + "directories.": 2, + "mason": 1, + "users": 4, + "may": 3, + "wish": 1, + "include": 1, + "<--ignore-dir=data>": 1, + "<--noignore-dir>": 1, + "allows": 2, + "normally": 1, + "perhaps": 1, + "research": 1, + "<.svn/props>": 1, + "always": 5, + "simple": 2, + "name.": 1, + "Nested": 1, + "": 1, + "NOT": 1, + "supported.": 1, + "You": 3, + "need": 3, + "specify": 1, + "<--ignore-dir=foo>": 1, + "then": 3, + "foo": 6, + "taken": 1, + "account": 1, + "explicitly": 1, + "": 2, + "file.": 2, + "Multiple": 1, + "<--line>": 1, + "comma": 1, + "separated": 2, + "<--line=3,5,7>": 1, + "<--line=4-7>": 1, + "works.": 1, + "ascending": 1, + "order": 2, + "matter": 1, + "<-l>": 2, + "<--files-with-matches>": 1, + "instead": 4, + "text.": 1, + "<-L>": 1, + "<--files-without-matches>": 1, + "": 2, + "equivalent": 2, + "specifying": 1, + "Specify": 1, + "explicitly.": 1, + "helpful": 2, + "don": 2, + "": 1, + "via": 1, + "": 4, + "": 4, + "environment": 2, + "variables.": 1, + "Using": 3, + "suppress": 3, + "grouping": 3, + "coloring": 3, + "piping": 3, + "does.": 2, + "<--passthru>": 1, + "whether": 1, + "they": 1, + "expression.": 1, + "Highlighting": 1, + "work": 1, + "though": 1, + "so": 3, + "highlight": 1, + "seeing": 1, + "tail": 1, + "/access.log": 1, + "<--print0>": 1, + "works": 1, + "conjunction": 1, + "null": 1, + "byte": 1, + "usual": 1, + "newline.": 1, + "dealing": 1, + "contain": 2, + "whitespace": 1, + "e.g.": 1, + "html": 1, + "xargs": 2, + "rm": 1, + "<--literal>": 1, + "Quote": 1, + "metacharacters": 2, + "treated": 1, + "literal.": 1, + "<-r>": 1, + "<-R>": 1, + "<--recurse>": 1, + "just": 2, + "here": 2, + "compatibility": 2, + "turning": 1, + "<--no-recurse>": 1, + "off.": 1, + "<--smart-case>": 1, + "<--no-smart-case>": 1, + "strings": 1, + "contains": 1, + "uppercase": 1, + "characters.": 1, + "similar": 1, + "": 1, + "vim.": 1, + "overrides": 2, + "option.": 1, + "<--sort-files>": 1, + "Sorts": 1, + "Use": 6, + "your": 13, + "listings": 1, + "deterministic": 1, + "runs": 1, + "<--show-types>": 1, + "Outputs": 1, + "associates": 1, + "Works": 1, + "<--thpppt>": 1, + "Display": 1, + "important": 1, + "Bill": 1, + "Cat": 1, + "logo.": 1, + "Note": 4, + "exact": 1, + "spelling": 1, + "<--thpppppt>": 1, + "important.": 1, + "make": 3, + "perl": 8, + "php": 2, + "python": 1, + "looks": 1, + "location.": 1, + "variable": 1, + "specifies": 1, + "placed": 1, + "front": 1, + "explicit": 1, + "Specifies": 4, + "recognized": 1, + "clear": 2, + "dark": 1, + "underline": 1, + "underscore": 2, + "blink": 1, + "reverse": 1, + "concealed": 1, + "red": 1, + "blue": 1, + "magenta": 1, + "on_black": 1, + "on_red": 1, + "on_green": 1, + "on_blue": 1, + "on_magenta": 1, + "on_cyan": 1, + "on_white.": 1, + "Case": 1, + "significant.": 1, + "Underline": 1, + "reset.": 1, + "alone": 1, + "sets": 4, + "foreground": 1, + "on_color": 1, + "background": 1, + "color.": 2, + "<--color-filename>": 1, + "printed": 1, + "<--color>": 1, + "mode.": 1, + "<--color-lineno>": 1, + "See": 1, + "": 1, + "specifications.": 1, + "such": 5, + "": 1, + "": 1, + "": 1, + "send": 1, + "output.": 1, + "except": 1, + "assume": 1, + "support": 2, + "both": 1, + "understands": 1, + "sequences.": 1, + "never": 1, + "back": 3, + "ACK": 2, + "OTHER": 1, + "TOOLS": 1, + "Vim": 3, + "integration": 3, + "integrates": 1, + "easily": 2, + "editor.": 1, + "<.vimrc>": 1, + "grepprg": 1, + "That": 3, + "examples": 1, + "<-a>": 1, + "flags.": 1, + "Now": 1, + "step": 1, + "Dumper": 1, + "perllib": 1, + "Emacs": 1, + "Phil": 1, + "Jackson": 1, + "put": 1, + "together": 1, + "an": 11, + "": 1, + "extension": 1, + "": 1, + "TextMate": 2, + "Pedro": 1, + "Melo": 1, + "who": 1, + "writes": 1, + "Shell": 2, + "Code": 1, + "greater": 1, + "normal": 1, + "code": 7, + "<$?=256>": 1, + "": 1, + "backticks.": 1, + "errors": 1, + "used.": 1, + "at": 3, + "least": 1, + "returned.": 1, + "DEBUGGING": 1, + "PROBLEMS": 1, + "gives": 2, + "re": 3, + "expecting": 1, + "forgotten": 1, + "<--noenv>": 1, + "<.ackrc>": 1, + "remember.": 1, + "Put": 1, + "definitions": 1, + "it.": 1, + "smart": 1, + "too.": 1, + "there.": 1, + "working": 1, + "big": 1, + "codesets": 1, + "more": 2, + "create": 2, + "tree": 2, + "ideal": 1, + "sending": 1, + "": 1, + "prefer": 1, + "doubt": 1, + "day": 1, + "find": 1, + "trouble": 1, + "spots": 1, + "website": 1, + "visitor.": 1, + "had": 1, + "problem": 1, + "loading": 1, + "": 1, + "took": 1, + "access": 2, + "log": 3, + "scanned": 1, + "twice.": 1, + "aa.bb.cc.dd": 1, + "/path/to/access.log": 1, + "B5": 1, + "troublesome.gif": 1, + "first": 1, + "finds": 2, + "Apache": 2, + "IP.": 1, + "second": 1, + "troublesome": 1, + "GIF": 1, + "shows": 1, + "previous": 1, + "five": 1, + "case.": 1, + "Share": 1, + "knowledge": 1, + "Join": 1, + "mailing": 1, + "list.": 1, + "Send": 1, + "me": 1, + "tips": 1, + "here.": 1, + "FAQ": 1, + "Why": 2, + "isn": 1, + "doesn": 8, + "behavior": 3, + "driven": 1, + "filetype.": 1, + "": 1, + "kind": 1, + "ignores": 1, + "switch": 1, + "you.": 1, + "source": 2, + "compiled": 1, + "object": 6, + "control": 1, + "metadata": 1, + "wastes": 1, + "lot": 1, + "time": 3, + "those": 2, + "well": 2, + "returning": 1, + "things": 1, + "great": 1, + "did": 1, + "replace": 3, + "read": 6, + "only.": 1, + "has": 2, + "perfectly": 1, + "good": 2, + "way": 2, + "using": 2, + "<-p>": 1, + "<-n>": 1, + "switches.": 1, + "certainly": 2, + "select": 1, + "update.": 1, + "change": 1, + "PHP": 1, + "Unix": 1, + "Can": 1, + "recognize": 1, + "<.xyz>": 1, + "already": 2, + "program/package": 1, + "called": 3, + "ack.": 2, + "Yes": 1, + "know.": 1, + "nothing": 1, + "suggest": 1, + "symlink": 1, + "points": 1, + "": 1, + "crucial": 1, + "benefits": 1, + "having": 1, + "Regan": 1, + "Slaven": 1, + "ReziE": 1, + "<0x107>": 1, + "Mark": 1, + "Stosberg": 1, + "David": 1, + "Alan": 1, + "Pisoni": 1, + "Adriano": 1, + "Ferreira": 1, + "James": 1, + "Keenan": 1, + "Leland": 1, + "Johnson": 1, + "Ricardo": 1, + "Signes": 1, + "Pete": 1, + "Krawczyk.": 1, + "files_defaults": 3, + "skip_dirs": 3, + "CORE": 3, + "curdir": 1, + "updir": 1, + "__PACKAGE__": 1, + "parms": 15, + "@queue": 8, + "_setup": 2, + "fullpath": 12, + "splice": 2, + "local": 5, + "wantarray": 3, + "_candidate_files": 2, + "sort_standard": 2, + "cmp": 2, + "sort_reverse": 1, + "@parts": 3, + "passed_parms": 6, + "copy": 4, + "parm": 1, + "hash": 11, + "badkey": 1, + "caller": 2, + "start": 6, + "dh": 4, + "opendir": 1, + "@newfiles": 5, + "sort_sub": 4, + "readdir": 1, + "has_stat": 3, + "catdir": 3, + "closedir": 1, + "": 1, + "these": 1, + "updated": 1, + "update": 1, + "message": 1, + "bak": 1, + "core": 1, + "swp": 1, + "min": 3, + "js": 1, + "1": 1, + "str": 12, + "regex_is_lc": 2, + "S": 1, + ".*//": 1, + "_my_program": 3, + "Basename": 2, + "FAIL": 12, + "Carp": 11, + "confess": 2, + "@ISA": 2, + "class": 8, + "self": 141, + "bless": 7, + "could_be_binary": 4, + "opened": 1, + "id": 6, + "*STDIN": 2, + "size": 5, + "_000": 1, + "buffer": 9, + "sysread": 1, + "regex/m": 1, + "seek": 4, + "readline": 1, + "nexted": 3, + "CGI": 5, + "Fast": 3, + "XML": 2, + "Hash": 11, + "XS": 2, + "FindBin": 1, + "Bin": 3, + "#use": 1, + "lib": 2, + "_stop": 4, + "request": 11, + "SIG": 3, + "nginx": 2, + "external": 2, + "fcgi": 2, + "Ext_Request": 1, + "FCGI": 1, + "Request": 11, + "*STDERR": 1, + "int": 2, + "ARGV": 2, + "conv": 2, + "use_attr": 1, + "indent": 1, + "xml_decl": 1, + "tmpl_path": 2, + "tmpl": 5, + "data": 3, + "nick": 1, + "parent": 5, + "third_party": 1, + "artist_name": 2, + "venue": 2, + "event": 2, + "date": 2, + "zA": 1, + "Z0": 1, + "Content": 2, + "application/xml": 1, + "charset": 2, + "utf": 2, + "hash2xml": 1, + "text/html": 1, + "nError": 1, + "M": 1, + "system": 1, + "Foo": 11, + "Bar": 1, + "@array": 1, + "Plack": 25, + "_001": 1, + "HTTP": 16, + "Headers": 8, + "MultiValue": 9, + "Body": 2, + "Upload": 2, + "TempBuffer": 2, + "URI": 11, + "Escape": 6, + "_deprecated": 8, + "alt": 1, + "method": 7, + "carp": 2, + "croak": 3, + "required": 2, + "address": 2, + "REMOTE_ADDR": 1, + "remote_host": 2, + "REMOTE_HOST": 1, + "protocol": 1, + "SERVER_PROTOCOL": 1, + "REQUEST_METHOD": 1, + "port": 1, + "SERVER_PORT": 2, + "REMOTE_USER": 1, + "request_uri": 1, + "REQUEST_URI": 2, + "path_info": 4, + "PATH_INFO": 3, + "script_name": 1, + "SCRIPT_NAME": 2, + "scheme": 3, + "secure": 2, + "body": 30, + "content_length": 4, + "CONTENT_LENGTH": 3, + "content_type": 5, + "CONTENT_TYPE": 2, + "session": 1, + "session_options": 1, + "logger": 1, + "cookies": 9, + "HTTP_COOKIE": 3, + "@pairs": 2, + "pair": 4, + "uri_unescape": 1, + "query_parameters": 3, + "uri": 11, + "query_form": 2, + "content": 8, + "_parse_request_body": 4, + "cl": 10, + "raw_body": 1, + "headers": 56, + "field": 2, + "HTTPS": 1, + "_//": 1, + "CONTENT": 1, + "COOKIE": 1, + "content_encoding": 5, + "referer": 3, + "user_agent": 3, + "body_parameters": 3, + "parameters": 8, + "query": 4, + "flatten": 3, + "uploads": 5, + "hostname": 1, + "url_scheme": 1, + "params": 1, + "query_params": 1, + "body_params": 1, + "cookie": 6, + "param": 8, + "get_all": 2, + "upload": 13, + "raw_uri": 1, + "base": 10, + "path_query": 1, + "_uri_base": 3, + "path_escape_class": 2, + "uri_escape": 3, + "QUERY_STRING": 3, + "canonical": 2, + "HTTP_HOST": 1, + "SERVER_NAME": 1, + "new_response": 4, + "Response": 16, + "ct": 3, + "cleanup": 1, + "spin": 2, + "chunk": 4, + "length": 1, + "rewind": 1, + "from_mixed": 2, + "@uploads": 3, + "@obj": 3, + "_make_upload": 2, + "__END__": 2, + "Portable": 2, + "PSGI": 6, + "app_or_middleware": 1, + "req": 28, + "finalize": 5, + "": 2, + "provides": 1, + "consistent": 1, + "API": 2, + "objects": 2, + "across": 1, + "web": 5, + "server": 1, + "environments.": 1, + "CAVEAT": 1, + "module": 2, + "intended": 1, + "middleware": 1, + "developers": 3, + "framework": 2, + "rather": 2, + "Writing": 1, + "directly": 1, + "possible": 1, + "recommended": 1, + "yet": 1, + "too": 1, + "low": 1, + "level.": 1, + "encouraged": 1, + "frameworks": 2, + "": 1, + "modules": 1, + "": 1, + "provide": 1, + "higher": 1, + "level": 1, + "top": 1, + "PSGI.": 1, + "METHODS": 2, + "Some": 1, + "methods": 3, + "earlier": 1, + "versions": 1, + "deprecated": 1, + "Take": 1, + "": 1, + "Unless": 1, + "noted": 1, + "": 1, + "passing": 1, + "values": 5, + "accessor": 1, + "debug": 1, + "set.": 1, + "": 2, + "request.": 1, + "uploads.": 2, + "": 2, + "": 1, + "objects.": 1, + "Shortcut": 6, + "content_encoding.": 1, + "content_length.": 1, + "content_type.": 1, + "header.": 2, + "referer.": 1, + "user_agent.": 1, + "GET": 1, + "POST": 1, + "CGI.pm": 2, + "compatible": 1, + "method.": 1, + "alternative": 1, + "accessing": 1, + "parameters.": 3, + "Unlike": 1, + "": 1, + "allow": 1, + "setting": 1, + "modifying": 1, + "@values": 1, + "@params": 1, + "convenient": 1, + "@fields": 1, + "Creates": 2, + "": 3, + "object.": 4, + "Handy": 1, + "remove": 2, + "dependency": 1, + "easy": 1, + "subclassing": 1, + "duck": 1, + "typing": 1, + "overriding": 1, + "generation": 1, + "middlewares.": 1, + "Parameters": 1, + "": 1, + "": 1, + "": 1, + "": 1, + "store": 1, + "means": 2, + "plain": 2, + "": 1, + "scalars": 1, + "references": 1, + "ARRAY": 1, + "parse": 1, + "twice": 1, + "efficiency.": 1, + "DISPATCHING": 1, + "wants": 1, + "dispatch": 1, + "route": 1, + "actions": 1, + "based": 1, + "sure": 1, + "": 1, + "virtual": 1, + "regardless": 1, + "how": 1, + "mounted.": 1, + "hosted": 1, + "mod_perl": 1, + "scripts": 1, + "multiplexed": 1, + "tools": 1, + "": 1, + "idea": 1, + "subclass": 1, + "define": 1, + "uri_for": 2, + "args": 3, + "So": 1, + "say": 1, + "link": 1, + "signoff": 1, + "": 1, + "empty.": 1, + "older": 1, + "call": 1, + "instead.": 1, + "Cookie": 2, + "handling": 1, + "simplified": 1, + "string": 5, + "encoding": 2, + "decoding": 1, + "totally": 1, + "up": 1, + "framework.": 1, + "Also": 1, + "": 1, + "now": 1, + "": 1, + "Simple": 1, + "longer": 1, + "have": 2, + "write": 1, + "wacky": 1, + "simply": 1, + "AUTHORS": 1, + "Tatsuhiko": 2, + "Miyagawa": 2, + "Kazuhiro": 1, + "Osawa": 1, + "Tokuhiro": 2, + "Matsuno": 2, + "": 1, + "": 1, + "library": 1, + "same": 1, + "Util": 3, + "Accessor": 1, + "status": 17, + "Scalar": 2, + "location": 4, + "redirect": 1, + "url": 2, + "clone": 1, + "_finalize_cookies": 2, + "/chr": 1, + "/ge": 1, + "LWS": 1, + "single": 1, + "SP": 1, + "//g": 1, + "CR": 1, + "LF": 1, + "since": 1, + "char": 1, + "invalid": 1, + "header_field_names": 1, + "_body": 2, + "blessed": 1, + "overload": 1, + "Method": 1, + "_bake_cookie": 2, + "push_header": 1, + "@cookie": 7, + "domain": 3, + "_date": 2, + "expires": 7, + "httponly": 1, + "@MON": 1, + "Jan": 1, + "Feb": 1, + "Mar": 1, + "Apr": 1, + "Jun": 1, + "Jul": 1, + "Aug": 1, + "Sep": 1, + "Oct": 1, + "Nov": 1, + "Dec": 1, + "@WDAY": 1, + "Sun": 1, + "Mon": 1, + "Tue": 1, + "Wed": 1, + "Thu": 1, + "Fri": 1, + "Sat": 1, + "sec": 2, + "hour": 2, + "mday": 2, + "mon": 2, + "year": 3, + "wday": 2, + "gmtime": 1, + "sprintf": 1, + "WDAY": 1, + "MON": 1, + "response": 5, + "psgi_handler": 1, + "API.": 1, + "over": 1, + "Sets": 2, + "gets": 2, + "": 1, + "alias.": 2, + "response.": 1, + "Setter": 2, + "either": 2, + "headers.": 1, + "body_str": 1, + "io": 1, + "body.": 1, + "IO": 1, + "Handle": 1, + "": 1, + "X": 2, + "text/plain": 1, + "gzip": 1, + "normalize": 1, + "string.": 1, + "Users": 1, + "responsible": 1, + "properly": 1, + "": 1, + "names": 1, + "their": 1, + "corresponding": 1, + "": 2, + "everything": 1, + "": 1, + "": 2, + "": 1, + "": 1, + "": 1, + "integer": 1, + "epoch": 1, + "": 1, + "convert": 1, + "formats": 1, + "<+3M>": 1, + "reference.": 1, + "AUTHOR": 1 + }, + "Perl6": { + "token": 6, + "pod_formatting_code": 1, + "{": 29, + "": 1, + "<[A..Z]>": 1, + "*POD_IN_FORMATTINGCODE": 1, + "}": 27, + "": 1, + "[": 1, + "": 1, + "#": 13, + "N*": 1, + "role": 10, + "q": 5, + "stopper": 2, + "MAIN": 1, + "quote": 1, + ")": 19, + "backslash": 3, + "sym": 3, + "<\\\\>": 1, + "": 1, + "": 1, + "": 1, + "": 1, + ".": 1, + "method": 2, + "tweak_q": 1, + "(": 16, + "v": 2, + "self.panic": 2, + "tweak_qq": 1, + "qq": 5, + "does": 7, + "b1": 1, + "c1": 1, + "s1": 1, + "a1": 1, + "h1": 1, + "f1": 1, + "Too": 2, + "late": 2, + "for": 2, + "SHEBANG#!perl": 1, + "use": 1, + "v6": 1, + ";": 19, + "my": 10, + "string": 7, + "if": 1, + "eq": 1, + "say": 10, + "regex": 2, + "http": 1, + "-": 3, + "verb": 1, + "|": 9, + "multi": 2, + "line": 5, + "comment": 2, + "I": 1, + "there": 1, + "m": 2, + "even": 1, + "specialer": 1, + "nesting": 1, + "work": 1, + "<": 3, + "trying": 1, + "mixed": 1, + "delimiters": 1, + "": 1, + "arbitrary": 2, + "delimiter": 2, + "Hooray": 1, + "": 1, + "with": 9, + "whitespace": 1, + "<<": 1, + "more": 1, + "strings": 1, + "%": 1, + "hash": 1, + "Hash.new": 1, + "begin": 1, + "pod": 1, + "Here": 1, + "t": 2, + "highlighted": 1, + "table": 1, + "Of": 1, + "things": 1, + "A": 3, + "single": 3, + "declarator": 7, + "a": 8, + "keyword": 7, + "like": 7, + "Another": 2, + "block": 2, + "brace": 1, + "More": 2, + "blocks": 2, + "don": 2, + "x": 2, + "foo": 3, + "Rob": 1, + "food": 1, + "match": 1, + "sub": 1, + "something": 1, + "Str": 1, + "D": 1, + "value": 1, + "...": 1, + "s": 1, + "some": 2, + "stuff": 1, + "chars": 1, + "/": 1, + "": 1, + "": 1, + "roleq": 1 + }, + "PHP": { + "<": 11, + "php": 12, + "namespace": 28, + "Symfony": 24, + "Component": 24, + "Console": 17, + ";": 1383, + "use": 23, + "Input": 6, + "InputInterface": 4, + "ArgvInput": 2, + "ArrayInput": 3, + "InputDefinition": 2, + "InputOption": 15, + "InputArgument": 3, + "Output": 5, + "OutputInterface": 6, + "ConsoleOutput": 2, + "ConsoleOutputInterface": 2, + "Command": 6, + "HelpCommand": 2, + "ListCommand": 2, + "Helper": 3, + "HelperSet": 3, + "FormatterHelper": 2, + "DialogHelper": 2, + "class": 21, + "Application": 3, + "{": 974, + "private": 24, + "commands": 39, + "wantHelps": 4, + "false": 154, + "runningCommand": 5, + "name": 181, + "version": 8, + "catchExceptions": 4, + "autoExit": 4, + "definition": 3, + "helperSet": 6, + "public": 202, + "function": 205, + "__construct": 8, + "(": 2416, + ")": 2417, + "this": 928, + "-": 1271, + "true": 133, + "array": 296, + "getDefaultHelperSet": 2, + "getDefaultInputDefinition": 2, + "foreach": 94, + "getDefaultCommands": 2, + "as": 96, + "command": 41, + "add": 7, + "}": 972, + "run": 4, + "input": 20, + "null": 164, + "output": 60, + "if": 450, + "new": 74, + "try": 3, + "statusCode": 14, + "doRun": 2, + "catch": 3, + "Exception": 1, + "e": 18, + "throw": 19, + "instanceof": 8, + "renderException": 3, + "getErrorOutput": 2, + "else": 70, + "getCode": 1, + "is_numeric": 7, + "&&": 119, + "exit": 7, + "return": 305, + "getCommandName": 2, + "hasParameterOption": 7, + "setDecorated": 2, + "elseif": 31, + "setInteractive": 2, + "function_exists": 4, + "getHelperSet": 3, + "has": 7, + "inputStream": 2, + "get": 12, + "getInputStream": 1, + "posix_isatty": 1, + "setVerbosity": 2, + "VERBOSITY_QUIET": 1, + "VERBOSITY_VERBOSE": 2, + "writeln": 13, + "getLongVersion": 3, + "find": 17, + "setHelperSet": 1, + "getDefinition": 2, + "getHelp": 2, + "messages": 16, + "sprintf": 27, + "getOptions": 1, + "option": 5, + "[": 672, + "]": 672, + ".": 169, + "getName": 14, + "getShortcut": 2, + "getDescription": 3, + "implode": 8, + "PHP_EOL": 3, + "setCatchExceptions": 1, + "boolean": 4, + "Boolean": 4, + "setAutoExit": 1, + "setName": 1, + "getVersion": 3, + "setVersion": 1, + "register": 1, + "addCommands": 1, + "setApplication": 2, + "isEnabled": 1, + "getAliases": 3, + "alias": 87, + "isset": 101, + "InvalidArgumentException": 9, + "helpCommand": 3, + "setCommand": 1, + "getNamespaces": 3, + "namespaces": 4, + "extractNamespace": 7, + "array_values": 5, + "array_unique": 4, + "array_filter": 2, + "findNamespace": 4, + "allNamespaces": 3, + "n": 12, + "explode": 9, + "found": 4, + "i": 36, + "part": 10, + "abbrevs": 31, + "static": 6, + "getAbbreviations": 4, + "array_map": 2, + "p": 3, + "message": 12, + "<=>": 3, + "alternatives": 10, + "findAlternativeNamespace": 2, + "count": 32, + "getAbbreviationSuggestions": 4, + "searchName": 13, + "pos": 3, + "strrpos": 2, + "substr": 6, + "namespace.substr": 1, + "suggestions": 2, + "aliases": 8, + "findAlternativeCommands": 2, + "all": 11, + "substr_count": 1, + "+": 12, + "names": 3, + "for": 8, + "len": 11, + "strlen": 14, + "abbrev": 4, + "asText": 1, + "raw": 2, + "width": 7, + "sortCommands": 4, + "space": 5, + "space.": 1, + "asXml": 2, + "asDom": 2, + "dom": 12, + "DOMDocument": 2, + "formatOutput": 1, + "appendChild": 10, + "xml": 5, + "createElement": 6, + "commandsXML": 3, + "setAttribute": 2, + "namespacesXML": 3, + "namespaceArrayXML": 4, + "continue": 7, + "commandXML": 3, + "createTextNode": 1, + "node": 42, + "getElementsByTagName": 1, + "item": 9, + "importNode": 3, + "saveXml": 1, + "string": 5, + "encoding": 2, + "mb_detect_encoding": 1, + "mb_strlen": 1, + "do": 2, + "title": 3, + "get_class": 4, + "getTerminalWidth": 3, + "PHP_INT_MAX": 1, + "lines": 3, + "preg_split": 1, + "getMessage": 1, + "line": 10, + "str_split": 1, + "max": 2, + "str_repeat": 2, + "title.str_repeat": 1, + "line.str_repeat": 1, + "message.": 1, + "getVerbosity": 1, + "trace": 12, + "getTrace": 1, + "array_unshift": 2, + "getFile": 2, + "getLine": 2, + "type": 62, + "file": 3, + "while": 6, + "getPrevious": 1, + "getSynopsis": 1, + "protected": 59, + "defined": 5, + "ansicon": 4, + "getenv": 2, + "preg_replace": 4, + "preg_match": 6, + "getSttyColumns": 3, + "match": 4, + "getTerminalHeight": 1, + "trim": 3, + "getFirstArgument": 1, + "REQUIRED": 1, + "VALUE_NONE": 7, + "descriptorspec": 2, + "process": 10, + "proc_open": 1, + "pipes": 4, + "is_resource": 1, + "info": 5, + "stream_get_contents": 1, + "fclose": 2, + "proc_close": 1, + "namespacedCommands": 5, + "key": 64, + "ksort": 2, + "&": 19, + "limit": 3, + "parts": 4, + "array_pop": 1, + "array_slice": 1, + "callback": 5, + "findAlternatives": 3, + "collection": 3, + "call_user_func": 2, + "lev": 6, + "levenshtein": 2, + "3": 1, + "strpos": 15, + "values": 53, + "/": 1, + "||": 52, + "value": 53, + "asort": 1, + "array_keys": 7, + "BrowserKit": 1, + "DomCrawler": 5, + "Crawler": 2, + "Link": 3, + "Form": 4, + "Process": 1, + "PhpProcess": 2, + "abstract": 2, + "Client": 1, + "history": 15, + "cookieJar": 9, + "server": 20, + "request": 76, + "response": 33, + "crawler": 7, + "insulated": 7, + "redirect": 6, + "followRedirects": 5, + "History": 2, + "CookieJar": 2, + "setServerParameters": 2, + "followRedirect": 4, + "insulate": 1, + "class_exists": 2, + "RuntimeException": 2, + "array_merge": 32, + "setServerParameter": 1, + "getServerParameter": 1, + "default": 9, + "getHistory": 1, + "getCookieJar": 1, + "getCrawler": 1, + "getResponse": 1, + "getRequest": 1, + "click": 1, + "link": 10, + "submit": 2, + "getMethod": 6, + "getUri": 8, + "form": 7, + "setValues": 2, + "getPhpValues": 2, + "getPhpFiles": 2, + "method": 31, + "uri": 23, + "parameters": 4, + "files": 7, + "content": 4, + "changeHistory": 4, + "getAbsoluteUri": 2, + "isEmpty": 2, + "current": 4, + "parse_url": 3, + "PHP_URL_HOST": 1, + "PHP_URL_SCHEME": 1, + "Request": 3, + "allValues": 1, + "filterRequest": 2, + "doRequestInProcess": 2, + "doRequest": 2, + "filterResponse": 2, + "updateFromResponse": 1, + "getHeader": 2, + "createCrawlerFromContent": 2, + "getContent": 2, + "getScript": 2, + "sys_get_temp_dir": 2, + "isSuccessful": 1, + "getOutput": 3, + "unserialize": 1, + "LogicException": 4, + "addContent": 1, + "back": 2, + "requestFromRequest": 4, + "forward": 2, + "reload": 1, + "empty": 96, + "restart": 1, + "clear": 2, + "currentUri": 7, + "path": 20, + "PHP_URL_PATH": 1, + "path.": 1, + "getParameters": 1, + "getFiles": 3, + "getServer": 1, + "": 3, + "CakePHP": 6, + "tm": 6, + "Rapid": 2, + "Development": 2, + "Framework": 2, + "http": 14, + "cakephp": 4, + "org": 10, + "Copyright": 5, + "2005": 4, + "2012": 4, + "Cake": 7, + "Software": 5, + "Foundation": 4, + "Inc": 4, + "cakefoundation": 4, + "Licensed": 2, + "under": 2, + "The": 4, + "MIT": 4, + "License": 4, + "Redistributions": 2, + "of": 10, + "must": 2, + "retain": 2, + "the": 11, + "above": 2, + "copyright": 5, + "notice": 2, + "Project": 2, + "package": 2, + "Controller": 4, + "since": 2, + "v": 17, + "0": 4, + "2": 2, + "9": 1, + "license": 6, + "www": 4, + "opensource": 2, + "licenses": 2, + "mit": 2, + "App": 20, + "uses": 46, + "CakeResponse": 2, + "Network": 1, + "ClassRegistry": 9, + "Utility": 6, + "ComponentCollection": 2, + "View": 9, + "CakeEvent": 13, + "Event": 6, + "CakeEventListener": 4, + "CakeEventManager": 5, + "controller": 3, + "organization": 1, + "business": 1, + "logic": 1, + "Provides": 1, + "basic": 1, + "functionality": 1, + "such": 1, + "rendering": 1, + "views": 1, + "inside": 1, + "layouts": 1, + "automatic": 1, + "model": 34, + "availability": 1, + "redirection": 2, + "callbacks": 4, + "and": 5, + "more": 1, + "Controllers": 2, + "should": 1, + "provide": 1, + "a": 11, + "number": 1, + "action": 7, + "methods": 5, + "These": 1, + "are": 5, + "on": 4, + "that": 2, + "not": 2, + "prefixed": 1, + "with": 5, + "_": 1, + "Each": 1, + "serves": 1, + "an": 1, + "endpoint": 1, + "performing": 2, + "specific": 1, + "resource": 1, + "or": 9, + "resources": 1, + "For": 2, + "example": 2, + "adding": 1, + "editing": 1, + "object": 14, + "listing": 1, + "set": 26, + "objects": 5, + "You": 2, + "can": 2, + "access": 1, + "using": 2, + "contains": 1, + "POST": 1, + "GET": 1, + "FILES": 1, + "*": 25, + "were": 1, + "request.": 1, + "After": 1, + "required": 2, + "actions": 2, + "controllers": 2, + "responsible": 1, + "creating": 1, + "response.": 2, + "This": 1, + "usually": 1, + "takes": 1, + "generated": 1, + "possibly": 1, + "to": 6, + "another": 1, + "action.": 1, + "In": 1, + "either": 1, + "case": 31, + "allows": 1, + "you": 1, + "manipulate": 1, + "aspects": 1, + "created": 8, + "by": 2, + "Dispatcher": 1, + "based": 2, + "routing.": 1, + "By": 1, + "conventional": 1, + "names.": 1, + "/posts/index": 1, + "maps": 1, + "PostsController": 1, + "index": 5, + "re": 1, + "map": 1, + "urls": 1, + "Router": 5, + "connect": 1, + "@package": 2, + "Cake.Controller": 1, + "@property": 8, + "AclComponent": 1, + "Acl": 1, + "AuthComponent": 1, + "Auth": 1, + "CookieComponent": 1, + "Cookie": 1, + "EmailComponent": 1, + "Email": 1, + "PaginatorComponent": 1, + "Paginator": 1, + "RequestHandlerComponent": 1, + "RequestHandler": 1, + "SecurityComponent": 1, + "Security": 1, + "SessionComponent": 1, + "Session": 1, + "@link": 2, + "//book.cakephp.org/2.0/en/controllers.html": 1, + "*/": 2, + "extends": 3, + "Object": 4, + "implements": 3, + "helpers": 1, + "_responseClass": 1, + "viewPath": 3, + "layoutPath": 1, + "viewVars": 3, + "view": 5, + "layout": 5, + "autoRender": 6, + "autoLayout": 2, + "Components": 7, + "components": 1, + "viewClass": 10, + "ext": 1, + "plugin": 31, + "cacheAction": 1, + "passedArgs": 2, + "scaffold": 2, + "modelClass": 25, + "modelKey": 2, + "validationErrors": 50, + "_mergeParent": 4, + "_eventManager": 12, + "Inflector": 12, + "singularize": 4, + "underscore": 3, + "childMethods": 2, + "get_class_methods": 2, + "parentMethods": 2, + "array_diff": 3, + "CakeRequest": 5, + "setRequest": 2, + "parent": 14, + "__isset": 2, + "switch": 6, + "is_array": 37, + "list": 29, + "pluginSplit": 12, + "loadModel": 3, + "__get": 2, + "params": 34, + "load": 3, + "settings": 2, + "__set": 1, + "camelize": 3, + "array_key_exists": 11, + "invokeAction": 1, + "ReflectionMethod": 2, + "_isPrivateAction": 2, + "PrivateActionException": 1, + "invokeArgs": 1, + "ReflectionException": 1, + "_getScaffold": 2, + "MissingActionException": 1, + "privateAction": 4, + "isPublic": 1, + "in_array": 26, + "prefixes": 4, + "prefix": 2, + "Scaffold": 1, + "_mergeControllerVars": 2, + "pluginController": 9, + "pluginDot": 4, + "mergeParent": 2, + "is_subclass_of": 3, + "pluginVars": 3, + "appVars": 6, + "merge": 12, + "_mergeVars": 5, + "get_class_vars": 2, + "_mergeUses": 3, + "implementedEvents": 2, + "constructClasses": 1, + "init": 4, + "getEventManager": 13, + "attach": 4, + "startupProcess": 1, + "dispatch": 11, + "shutdownProcess": 1, + "httpCodes": 3, + "code": 4, + "id": 82, + "MissingModelException": 1, + "url": 18, + "status": 15, + "extract": 9, + "EXTR_OVERWRITE": 3, + "event": 35, + "//TODO": 1, + "Remove": 1, + "following": 1, + "when": 1, + "events": 1, + "fully": 1, + "migrated": 1, + "break": 19, + "breakOn": 4, + "collectReturn": 1, + "isStopped": 4, + "result": 21, + "_parseBeforeRedirect": 2, + "session_write_close": 1, + "header": 3, + "is_string": 7, + "codes": 3, + "array_flip": 1, + "send": 1, + "_stop": 1, + "resp": 6, + "compact": 8, + "one": 19, + "two": 6, + "data": 187, + "array_combine": 2, + "setAction": 1, + "args": 5, + "func_get_args": 5, + "unset": 22, + "call_user_func_array": 3, + "validate": 9, + "errors": 9, + "validateErrors": 1, + "invalidFields": 2, + "render": 3, + "className": 27, + "models": 6, + "keys": 19, + "currentModel": 2, + "currentObject": 6, + "getObject": 1, + "is_a": 1, + "location": 1, + "body": 1, + "referer": 5, + "local": 2, + "disableCache": 2, + "flash": 1, + "pause": 2, + "postConditions": 1, + "op": 9, + "bool": 5, + "exclusive": 2, + "cond": 5, + "arrayOp": 2, + "fields": 60, + "field": 88, + "fieldOp": 11, + "strtoupper": 3, + "paginate": 3, + "scope": 2, + "whitelist": 14, + "beforeFilter": 1, + "beforeRender": 1, + "beforeRedirect": 1, + "afterFilter": 1, + "beforeScaffold": 2, + "_beforeScaffold": 1, + "afterScaffoldSave": 2, + "_afterScaffoldSave": 1, + "afterScaffoldSaveError": 2, + "_afterScaffoldSaveError": 1, + "scaffoldError": 2, + "_scaffoldError": 1, + "php_help": 1, + "arg": 1, + "t": 26, + "php_permission": 1, + "TRUE": 1, + "php_eval": 1, + "global": 2, + "theme_path": 5, + "theme_info": 3, + "conf": 2, + "old_theme_path": 2, + "drupal_get_path": 1, + "dirname": 1, + "filename": 1, + "ob_start": 1, + "print": 1, + "eval": 1, + "ob_get_contents": 1, + "ob_end_clean": 1, + "_php_filter_tips": 1, + "filter": 1, + "format": 3, + "long": 2, + "FALSE": 2, + "base_url": 1, + "php_filter_info": 1, + "filters": 2, + "Field": 9, + "FormField": 3, + "ArrayAccess": 1, + "button": 6, + "DOMNode": 3, + "initialize": 2, + "getFormNode": 1, + "getValues": 3, + "isDisabled": 2, + "FileFormField": 3, + "hasValue": 1, + "getValue": 2, + "qs": 4, + "http_build_query": 3, + "parse_str": 2, + "queryString": 2, + "sep": 1, + "sep.": 1, + "getRawUri": 1, + "getAttribute": 10, + "remove": 4, + "offsetExists": 1, + "offsetGet": 1, + "offsetSet": 1, + "offsetUnset": 1, + "setNode": 1, + "nodeName": 13, + "parentNode": 1, + "FormFieldRegistry": 2, + "document": 6, + "root": 4, + "xpath": 2, + "DOMXPath": 1, + "query": 102, + "hasAttribute": 1, + "InputFormField": 2, + "ChoiceFormField": 2, + "addChoice": 1, + "TextareaFormField": 1, + "base": 8, + "segments": 13, + "getSegments": 4, + "target": 20, + "array_shift": 5, + "self": 1, + "create": 13, + "k": 7, + "setValue": 1, + "walk": 3, + "registry": 4, + "m": 5, + "relational": 2, + "mapper": 2, + "DBO": 2, + "backed": 2, + "mapping": 1, + "database": 2, + "tables": 5, + "PHP": 1, + "versions": 1, + "5": 1, + "Model": 5, + "10": 1, + "Validation": 1, + "String": 5, + "Set": 9, + "BehaviorCollection": 2, + "ModelBehavior": 1, + "ConnectionManager": 2, + "Xml": 2, + "Automatically": 1, + "selects": 1, + "table": 21, + "pluralized": 1, + "lowercase": 1, + "User": 1, + "is": 1, + "have": 2, + "at": 1, + "least": 1, + "primary": 3, + "key.": 1, + "Cake.Model": 1, + "//book.cakephp.org/2.0/en/models.html": 1, + "useDbConfig": 7, + "useTable": 12, + "displayField": 4, + "schemaName": 1, + "primaryKey": 38, + "_schema": 11, + "validationDomain": 1, + "tablePrefix": 8, + "tableToModel": 4, + "cacheQueries": 1, + "belongsTo": 7, + "hasOne": 2, + "hasMany": 2, + "hasAndBelongsToMany": 24, + "actsAs": 2, + "Behaviors": 6, + "cacheSources": 7, + "findQueryType": 3, + "recursive": 9, + "order": 4, + "virtualFields": 8, + "_associationKeys": 2, + "_associations": 5, + "__backAssociation": 22, + "__backInnerAssociation": 1, + "__backOriginalAssociation": 1, + "__backContainableAssociation": 1, + "_insertID": 1, + "_sourceConfigured": 1, + "findMethods": 3, + "ds": 3, + "addObject": 2, + "parentClass": 3, + "get_parent_class": 1, + "tableize": 2, + "_createLinks": 3, + "__call": 1, + "dispatchMethod": 1, + "getDataSource": 15, + "relation": 7, + "assocKey": 13, + "dynamic": 2, + "isKeySet": 1, + "AppModel": 1, + "_constructLinkedModel": 2, + "schema": 11, + "hasField": 7, + "setDataSource": 2, + "property_exists": 3, + "bindModel": 1, + "reset": 6, + "assoc": 75, + "assocName": 6, + "unbindModel": 1, + "_generateAssociation": 2, + "dynamicWith": 3, + "sort": 1, + "setSource": 1, + "tableName": 4, + "db": 45, + "method_exists": 5, + "sources": 3, + "listSources": 1, + "strtolower": 1, + "MissingTableException": 1, + "is_object": 2, + "SimpleXMLElement": 1, + "_normalizeXmlData": 3, + "toArray": 1, + "reverse": 1, + "_setAliasData": 2, + "modelName": 3, + "fieldSet": 3, + "fieldName": 6, + "fieldValue": 7, + "deconstruct": 2, + "getAssociated": 4, + "getColumnType": 4, + "useNewDate": 2, + "dateFields": 5, + "timeFields": 2, + "date": 9, + "val": 27, + "columns": 5, + "str_replace": 3, + "describe": 1, + "getColumnTypes": 1, + "trigger_error": 1, + "__d": 1, + "E_USER_WARNING": 1, + "cols": 7, + "column": 10, + "startQuote": 4, + "endQuote": 4, + "checkVirtual": 3, + "isVirtualField": 3, + "hasMethod": 2, + "getVirtualField": 1, + "filterKey": 2, + "defaults": 6, + "properties": 4, + "read": 2, + "conditions": 41, + "saveField": 1, + "options": 85, + "save": 9, + "fieldList": 1, + "_whitelist": 4, + "keyPresentAndEmpty": 2, + "exists": 6, + "validates": 60, + "updateCol": 6, + "colType": 4, + "time": 3, + "strtotime": 1, + "joined": 5, + "x": 4, + "y": 2, + "success": 10, + "cache": 2, + "_prepareUpdateFields": 2, + "update": 2, + "fInfo": 4, + "isUUID": 5, + "j": 2, + "array_search": 1, + "uuid": 3, + "updateCounterCache": 6, + "_saveMulti": 2, + "_clearCache": 2, + "join": 22, + "joinModel": 8, + "keyInfo": 4, + "withModel": 4, + "pluginName": 1, + "dbMulti": 6, + "newData": 5, + "newValues": 8, + "newJoins": 7, + "primaryAdded": 3, + "idField": 3, + "row": 17, + "keepExisting": 3, + "associationForeignKey": 5, + "links": 4, + "oldLinks": 4, + "delete": 9, + "oldJoin": 4, + "insertMulti": 1, + "foreignKey": 11, + "fkQuoted": 3, + "escapeField": 6, + "intval": 4, + "updateAll": 3, + "foreignKeys": 3, + "included": 3, + "array_intersect": 1, + "old": 2, + "saveAll": 1, + "numeric": 1, + "validateMany": 4, + "saveMany": 3, + "validateAssociated": 5, + "saveAssociated": 5, + "transactionBegun": 4, + "begin": 2, + "record": 10, + "saved": 18, + "commit": 2, + "rollback": 2, + "associations": 9, + "association": 47, + "notEmpty": 4, + "_return": 3, + "recordData": 2, + "cascade": 10, + "_deleteDependent": 3, + "_deleteLinks": 3, + "_collectForeignKeys": 2, + "savedAssociatons": 3, + "deleteAll": 2, + "records": 6, + "ids": 8, + "_id": 2, + "getID": 2, + "hasAny": 1, + "buildQuery": 2, + "is_null": 1, + "results": 22, + "resetAssociations": 3, + "_filterResults": 2, + "ucfirst": 2, + "modParams": 2, + "_findFirst": 1, + "state": 15, + "_findCount": 1, + "calculate": 2, + "expression": 1, + "_findList": 1, + "tokenize": 1, + "lst": 4, + "combine": 1, + "_findNeighbors": 1, + "prevVal": 2, + "return2": 6, + "_findThreaded": 1, + "nest": 1, + "isUnique": 1, + "is_bool": 1, + "sql": 1, + "SHEBANG#!php": 3, + "echo": 2, + "Yii": 3, + "console": 3, + "bootstrap": 1, + "yiiframework": 2, + "com": 2, + "c": 1, + "2008": 1, + "LLC": 1, + "YII_DEBUG": 2, + "define": 2, + "fcgi": 1, + "doesn": 1, + "STDIN": 3, + "fopen": 1, + "stdin": 1, + "r": 1, + "require": 3, + "__DIR__": 3, + "vendor": 2, + "yiisoft": 1, + "yii2": 1, + "yii": 2, + "autoload": 1, + "config": 3, + "application": 2 + }, + "Pod": { + "Id": 1, + "contents.pod": 1, + "v": 1, + "/05/04": 1, + "tower": 1, + "Exp": 1, + "begin": 3, + "html": 7, + "": 1, + "end": 4, + "head1": 2, + "Net": 12, + "Z3950": 12, + "AsyncZ": 16, + "head2": 3, + "Intro": 1, + "adds": 1, + "an": 3, + "additional": 1, + "layer": 1, + "of": 19, + "asynchronous": 4, + "support": 1, + "for": 11, + "the": 29, + "module": 6, + "through": 1, + "use": 1, + "multiple": 1, + "forked": 1, + "processes.": 1, + "I": 8, + "hope": 1, + "that": 9, + "users": 1, + "will": 1, + "also": 2, + "find": 1, + "it": 3, + "provides": 1, + "a": 8, + "convenient": 2, + "front": 1, + "to": 9, + "C": 13, + "": 1, + ".": 5, + "My": 1, + "initial": 1, + "idea": 1, + "was": 1, + "write": 1, + "something": 2, + "would": 1, + "provide": 1, + "means": 1, + "processing": 1, + "and": 14, + "formatting": 2, + "Z39.50": 1, + "records": 4, + "which": 3, + "did": 1, + "using": 1, + "": 2, + "synchronous": 1, + "code.": 1, + "But": 3, + "wanted": 1, + "could": 1, + "handle": 1, + "queries": 1, + "large": 1, + "numbers": 1, + "servers": 1, + "at": 1, + "one": 1, + "session.": 1, + "Working": 1, + "on": 1, + "this": 3, + "part": 3, + "my": 1, + "project": 1, + "found": 1, + "had": 1, + "trouble": 1, + "with": 6, + "features": 1, + "so": 1, + "ended": 1, + "up": 1, + "what": 1, + "have": 3, + "here.": 1, + "give": 2, + "more": 4, + "detailed": 4, + "account": 2, + "in": 9, + "": 4, + "href=": 5, + "": 1, + "DESCRIPTION": 1, + "": 1, + "": 5, + "section": 2, + "": 5, + "AsyncZ.html": 2, + "": 6, + "pod": 3, + "B": 1, + "": 1, + "": 1, + "cut": 3, + "Documentation": 1, + "over": 2, + "item": 10, + "AsyncZ.pod": 1, + "This": 4, + "is": 8, + "starting": 2, + "point": 2, + "gives": 2, + "overview": 2, + "describes": 2, + "basic": 4, + "mechanics": 2, + "its": 2, + "workings": 2, + "details": 5, + "particulars": 2, + "objects": 2, + "methods.": 2, + "see": 2, + "L": 1, + "": 1, + "explanations": 2, + "sample": 2, + "scripts": 2, + "come": 2, + "": 2, + "distribution.": 2, + "Options.pod": 1, + "document": 2, + "various": 2, + "options": 2, + "can": 4, + "be": 2, + "set": 2, + "modify": 2, + "behavior": 2, + "Index": 1, + "Report.pod": 2, + "deals": 2, + "how": 4, + "are": 7, + "treated": 2, + "line": 4, + "by": 2, + "you": 4, + "affect": 2, + "apearance": 2, + "record": 2, + "s": 2, + "HOW": 2, + "TO.": 2, + "back": 2, + "": 1, + "The": 6, + "Modules": 1, + "There": 2, + "modules": 5, + "than": 2, + "there": 2, + "documentation.": 2, + "reason": 2, + "only": 2, + "full": 2, + "complete": 2, + "access": 9, + "other": 2, + "either": 2, + "internal": 2, + "": 1, + "or": 4, + "accessed": 2, + "indirectly": 2, + "indirectly.": 2, + "head3": 1, + "Here": 1, + "main": 1, + "direct": 2, + "documented": 7, + "": 4, + "": 2, + "documentation": 4, + "ErrMsg": 1, + "User": 1, + "error": 1, + "message": 1, + "handling": 2, + "indirect": 2, + "Errors": 1, + "Error": 1, + "debugging": 1, + "limited": 2, + "Report": 1, + "Module": 1, + "reponsible": 1, + "fetching": 1, + "ZLoop": 1, + "Event": 1, + "loop": 1, + "child": 3, + "processes": 3, + "no": 2, + "not": 2, + "ZSend": 1, + "Connection": 1, + "Options": 2, + "_params": 1, + "INDEX": 1 + }, + "PogoScript": { + "httpism": 1, + "require": 3, + "async": 1, + "resolve": 2, + ".resolve": 1, + "exports.squash": 1, + "(": 38, + "url": 5, + ")": 38, + "html": 15, + "httpism.get": 2, + ".body": 2, + "squash": 2, + "callback": 2, + "replacements": 6, + "sort": 2, + "links": 2, + "in": 11, + ".concat": 1, + "scripts": 2, + "for": 2, + "each": 2, + "@": 6, + "r": 1, + "{": 3, + "r.url": 1, + "r.href": 1, + "}": 3, + "async.map": 1, + "get": 2, + "err": 2, + "requested": 2, + "replace": 2, + "replacements.sort": 1, + "a": 1, + "b": 1, + "a.index": 1, + "-": 1, + "b.index": 1, + "replacement": 2, + "replacement.body": 1, + "replacement.url": 1, + "i": 3, + "parts": 3, + "rep": 1, + "rep.index": 1, + "+": 2, + "rep.length": 1, + "html.substr": 1, + "link": 2, + "reg": 5, + "r/": 2, + "": 1, + "]": 7, + "*href": 1, + "[": 5, + "*": 2, + "/": 2, + "|": 2, + "s*": 2, + "<\\/link\\>": 1, + "/gi": 2, + "elements": 5, + "matching": 3, + "as": 3, + "script": 2, + "": 1, + "*src": 1, + "<\\/script\\>": 1, + "tag": 3, + "while": 1, + "m": 1, + "reg.exec": 1, + "elements.push": 1, + "index": 1, + "m.index": 1, + "length": 1, + "m.0.length": 1, + "href": 1, + "m.1": 1 + }, + "PostScript": { + "%": 23, + "PS": 1, + "-": 4, + "Adobe": 1, + "Creator": 1, + "Aaron": 1, + "Puchert": 1, + "Title": 1, + "The": 1, + "Sierpinski": 1, + "triangle": 1, + "Pages": 1, + "PageOrder": 1, + "Ascend": 1, + "BeginProlog": 1, + "/pageset": 1, + "{": 4, + "scale": 1, + "set": 1, + "cm": 1, + "translate": 1, + "setlinewidth": 1, + "}": 4, + "def": 2, + "/sierpinski": 1, + "dup": 4, + "gt": 1, + "[": 6, + "]": 6, + "concat": 5, + "sub": 3, + "sierpinski": 4, + "newpath": 1, + "moveto": 1, + "lineto": 2, + "closepath": 1, + "fill": 1, + "ifelse": 1, + "pop": 1, + "EndProlog": 1, + "BeginSetup": 1, + "<<": 1, + "/PageSize": 1, + "setpagedevice": 1, + "A4": 1, + "EndSetup": 1, + "Page": 1, + "Test": 1, + "pageset": 1, + "sqrt": 1, + "showpage": 1, + "EOF": 1 + }, + "PowerShell": { + "Write": 2, + "-": 2, + "Host": 2, + "function": 1, + "hello": 1, + "(": 1, + ")": 1, + "{": 1, + "}": 1 + }, + "Processing": { + "void": 2, + "setup": 1, + "(": 17, + ")": 17, + "{": 2, + "size": 1, + ";": 15, + "background": 1, + "noStroke": 1, + "}": 2, + "draw": 1, + "fill": 6, + "triangle": 2, + "rect": 1, + "quad": 1, + "ellipse": 1, + "arc": 1, + "PI": 1, + "TWO_PI": 1 + }, + "Prolog": { + "-": 52, + "lib": 1, + "(": 49, + "ic": 1, + ")": 49, + ".": 25, + "vabs": 2, + "Val": 8, + "AbsVal": 10, + "#": 9, + ";": 1, + "labeling": 2, + "[": 21, + "]": 21, + "vabsIC": 1, + "or": 1, + "faitListe": 3, + "_": 2, + "First": 2, + "|": 12, + "Rest": 6, + "Taille": 2, + "Min": 2, + "Max": 2, + "Min..Max": 1, + "Taille1": 2, + "suite": 3, + "Xi": 5, + "Xi1": 7, + "Xi2": 7, + "checkRelation": 3, + "VabsXi1": 2, + "Xi.": 1, + "checkPeriode": 3, + "ListVar": 2, + "length": 1, + "Length": 2, + "<": 1, + "X1": 2, + "X2": 2, + "X3": 2, + "X4": 2, + "X5": 2, + "X6": 2, + "X7": 2, + "X8": 2, + "X9": 2, + "X10": 3, + "male": 3, + "john": 2, + "peter": 3, + "female": 2, + "vick": 2, + "christie": 3, + "parents": 4, + "brother": 1, + "X": 3, + "Y": 2, + "F": 2, + "M": 2, + "turing": 1, + "Tape0": 2, + "Tape": 2, + "perform": 4, + "q0": 1, + "Ls": 12, + "Rs": 16, + "reverse": 1, + "Ls1": 4, + "append": 1, + "qf": 1, + "Q0": 2, + "Ls0": 6, + "Rs0": 6, + "symbol": 3, + "Sym": 6, + "RsRest": 2, + "once": 1, + "rule": 1, + "Q1": 2, + "NewSym": 2, + "Action": 2, + "action": 4, + "Rs1": 2, + "b": 2, + "left": 4, + "stay": 1, + "right": 1, + "L": 2 + }, + "Protocol Buffer": { + "package": 1, + "tutorial": 1, + ";": 13, + "option": 2, + "java_package": 1, + "java_outer_classname": 1, + "message": 3, + "Person": 2, + "{": 4, + "required": 3, + "string": 3, + "name": 1, + "int32": 1, + "id": 1, + "optional": 2, + "email": 1, + "enum": 1, + "PhoneType": 2, + "MOBILE": 1, + "HOME": 2, + "WORK": 1, + "}": 4, + "PhoneNumber": 2, + "number": 1, + "type": 1, + "[": 1, + "default": 1, + "]": 1, + "repeated": 2, + "phone": 1, + "AddressBook": 1, + "person": 1 + }, + "Python": { + "from": 34, + "__future__": 2, + "import": 47, + "unicode_literals": 1, + "copy": 1, + "sys": 2, + "functools": 1, + "update_wrapper": 2, + "future_builtins": 1, + "zip": 8, + "django.db.models.manager": 1, + "#": 13, + "Imported": 1, + "to": 4, + "register": 1, + "signal": 1, + "handler.": 1, + "django.conf": 1, + "settings": 1, + "django.core.exceptions": 1, + "(": 719, + "ObjectDoesNotExist": 2, + "MultipleObjectsReturned": 2, + "FieldError": 4, + "ValidationError": 8, + "NON_FIELD_ERRORS": 3, + ")": 730, + "django.core": 1, + "validators": 1, + "django.db.models.fields": 1, + "AutoField": 2, + "FieldDoesNotExist": 2, + "django.db.models.fields.related": 1, + "ManyToOneRel": 3, + "OneToOneField": 3, + "add_lazy_relation": 2, + "django.db": 1, + "router": 1, + "transaction": 1, + "DatabaseError": 3, + "DEFAULT_DB_ALIAS": 2, + "django.db.models.query": 1, + "Q": 3, + "django.db.models.query_utils": 2, + "DeferredAttribute": 3, + "django.db.models.deletion": 1, + "Collector": 2, + "django.db.models.options": 1, + "Options": 2, + "django.db.models": 1, + "signals": 1, + "django.db.models.loading": 1, + "register_models": 2, + "get_model": 3, + "django.utils.translation": 1, + "ugettext_lazy": 1, + "as": 11, + "_": 5, + "django.utils.functional": 1, + "curry": 6, + "django.utils.encoding": 1, + "smart_str": 3, + "force_unicode": 3, + "django.utils.text": 1, + "get_text_list": 2, + "capfirst": 6, + "class": 14, + "ModelBase": 4, + "type": 6, + "def": 68, + "__new__": 2, + "cls": 32, + "name": 39, + "bases": 6, + "attrs": 7, + "super_new": 3, + "super": 2, + ".__new__": 1, + "parents": 8, + "[": 152, + "b": 11, + "for": 59, + "in": 79, + "if": 145, + "isinstance": 11, + "]": 152, + "not": 64, + "return": 57, + "module": 6, + "attrs.pop": 2, + "new_class": 9, + "{": 25, + "}": 25, + "attr_meta": 5, + "None": 86, + "abstract": 3, + "getattr": 30, + "False": 28, + "meta": 12, + "else": 30, + "base_meta": 2, + "is": 29, + "model_module": 1, + "sys.modules": 1, + "new_class.__module__": 1, + "kwargs": 9, + "model_module.__name__.split": 1, + "-": 30, + "new_class.add_to_class": 7, + "**kwargs": 9, + "subclass_exception": 3, + "tuple": 3, + "x.DoesNotExist": 1, + "x": 22, + "hasattr": 11, + "and": 35, + "x._meta.abstract": 2, + "or": 27, + "x.MultipleObjectsReturned": 1, + "base_meta.abstract": 1, + "new_class._meta.ordering": 1, + "base_meta.ordering": 1, + "new_class._meta.get_latest_by": 1, + "base_meta.get_latest_by": 1, + "is_proxy": 5, + "new_class._meta.proxy": 1, + "new_class._default_manager": 2, + "new_class._base_manager": 2, + "new_class._default_manager._copy_to_model": 1, + "new_class._base_manager._copy_to_model": 1, + "m": 3, + "new_class._meta.app_label": 3, + "seed_cache": 2, + "only_installed": 2, + "obj_name": 2, + "obj": 4, + "attrs.items": 1, + "new_fields": 2, + "new_class._meta.local_fields": 3, + "+": 37, + "new_class._meta.local_many_to_many": 2, + "new_class._meta.virtual_fields": 1, + "field_names": 5, + "set": 3, + "f.name": 5, + "f": 19, + "base": 13, + "parent": 5, + "parent._meta.abstract": 1, + "parent._meta.fields": 1, + "raise": 22, + "TypeError": 4, + "%": 32, + "continue": 10, + "new_class._meta.setup_proxy": 1, + "new_class._meta.concrete_model": 2, + "base._meta.concrete_model": 2, + "o2o_map": 3, + "dict": 3, + "f.rel.to": 1, + "original_base": 1, + "parent_fields": 3, + "base._meta.local_fields": 1, + "base._meta.local_many_to_many": 1, + "field": 32, + "field.name": 14, + "base.__name__": 2, + "base._meta.abstract": 2, + "elif": 4, + "attr_name": 3, + "base._meta.module_name": 1, + "auto_created": 1, + "True": 20, + "parent_link": 1, + "new_class._meta.parents": 1, + "copy.deepcopy": 2, + "new_class._meta.parents.update": 1, + "base._meta.parents": 1, + "new_class.copy_managers": 2, + "base._meta.abstract_managers": 1, + "original_base._meta.concrete_managers": 1, + "base._meta.virtual_fields": 1, + "attr_meta.abstract": 1, + "new_class.Meta": 1, + "new_class._prepare": 1, + "copy_managers": 1, + "base_managers": 2, + "base_managers.sort": 1, + "mgr_name": 3, + "manager": 3, + "val": 14, + "new_manager": 2, + "manager._copy_to_model": 1, + "cls.add_to_class": 1, + "add_to_class": 1, + "value": 9, + "value.contribute_to_class": 1, + "setattr": 14, + "_prepare": 1, + "opts": 5, + "cls._meta": 3, + "opts._prepare": 1, + "opts.order_with_respect_to": 2, + "cls.get_next_in_order": 1, + "cls._get_next_or_previous_in_order": 2, + "is_next": 9, + "cls.get_previous_in_order": 1, + "make_foreign_order_accessors": 2, + "model": 8, + "field.rel.to": 2, + "cls.__name__.lower": 2, + "method_get_order": 2, + "method_set_order": 2, + "opts.order_with_respect_to.rel.to": 1, + "cls.__doc__": 3, + "cls.__name__": 1, + ".join": 3, + "f.attname": 5, + "opts.fields": 1, + "cls.get_absolute_url": 3, + "get_absolute_url": 2, + "signals.class_prepared.send": 1, + "sender": 5, + "ModelState": 2, + "object": 6, + "__init__": 5, + "self": 100, + "db": 2, + "self.db": 1, + "self.adding": 1, + "Model": 2, + "__metaclass__": 3, + "_deferred": 1, + "*args": 4, + "signals.pre_init.send": 1, + "self.__class__": 10, + "args": 8, + "self._state": 1, + "args_len": 2, + "len": 9, + "self._meta.fields": 5, + "IndexError": 2, + "fields_iter": 4, + "iter": 1, + "field.attname": 17, + "kwargs.pop": 6, + "field.rel": 2, + "is_related_object": 3, + "self.__class__.__dict__.get": 2, + "try": 17, + "rel_obj": 3, + "except": 17, + "KeyError": 3, + "field.get_default": 3, + "field.null": 1, + "prop": 5, + "kwargs.keys": 2, + "property": 2, + "AttributeError": 1, + "pass": 4, + ".__init__": 1, + "signals.post_init.send": 1, + "instance": 5, + "__repr__": 2, + "u": 9, + "unicode": 8, + "UnicodeEncodeError": 1, + "UnicodeDecodeError": 1, + "self.__class__.__name__": 3, + "__str__": 1, + ".encode": 1, + "__eq__": 1, + "other": 4, + "self._get_pk_val": 6, + "other._get_pk_val": 1, + "__ne__": 1, + "self.__eq__": 1, + "__hash__": 1, + "hash": 1, + "__reduce__": 1, + "data": 22, + "self.__dict__": 1, + "defers": 2, + "self._deferred": 1, + "deferred_class_factory": 2, + "factory": 5, + "defers.append": 1, + "self._meta.proxy_for_model": 1, + "simple_class_factory": 2, + "model_unpickle": 2, + "_get_pk_val": 2, + "self._meta": 2, + "meta.pk.attname": 2, + "_set_pk_val": 2, + "self._meta.pk.attname": 2, + "pk": 5, + "serializable_value": 1, + "field_name": 8, + "self._meta.get_field_by_name": 1, + "save": 1, + "force_insert": 7, + "force_update": 10, + "using": 30, + "update_fields": 23, + "ValueError": 5, + "frozenset": 2, + "field.primary_key": 1, + "non_model_fields": 2, + "update_fields.difference": 1, + "self.save_base": 2, + "save.alters_data": 1, + "save_base": 1, + "raw": 9, + "origin": 7, + "router.db_for_write": 2, + "assert": 7, + "meta.proxy": 5, + "meta.auto_created": 2, + "signals.pre_save.send": 1, + "org": 3, + "meta.parents.items": 1, + "parent._meta.pk.attname": 2, + "parent._meta": 1, + "non_pks": 5, + "meta.local_fields": 2, + "f.primary_key": 2, + "pk_val": 4, + "pk_set": 5, + "record_exists": 5, + "cls._base_manager": 1, + "manager.using": 3, + ".filter": 7, + ".exists": 1, + "values": 13, + "f.pre_save": 1, + "rows": 3, + "._update": 1, + "meta.order_with_respect_to": 2, + "order_value": 2, + "*": 33, + ".count": 1, + "self._order": 1, + "fields": 12, + "update_pk": 3, + "bool": 2, + "meta.has_auto_field": 1, + "result": 2, + "manager._insert": 1, + "return_id": 1, + "transaction.commit_unless_managed": 2, + "self._state.db": 2, + "self._state.adding": 4, + "signals.post_save.send": 1, + "created": 1, + "save_base.alters_data": 1, + "delete": 1, + "self._meta.object_name": 1, + "collector": 1, + "collector.collect": 1, + "collector.delete": 1, + "delete.alters_data": 1, + "_get_FIELD_display": 1, + "field.flatchoices": 1, + ".get": 2, + "strings_only": 1, + "_get_next_or_previous_by_FIELD": 1, + "self.pk": 6, + "op": 6, + "order": 5, + "param": 3, + "q": 4, + "|": 1, + "qs": 6, + "self.__class__._default_manager.using": 1, + "*kwargs": 1, + ".order_by": 2, + "self.DoesNotExist": 1, + "self.__class__._meta.object_name": 1, + "_get_next_or_previous_in_order": 1, + "cachename": 4, + "order_field": 1, + "self._meta.order_with_respect_to": 1, + "self._default_manager.filter": 1, + "order_field.name": 1, + "order_field.attname": 1, + "self._default_manager.values": 1, + "self._meta.pk.name": 1, + "prepare_database_save": 1, + "unused": 1, + "clean": 1, + "validate_unique": 1, + "exclude": 23, + "unique_checks": 6, + "date_checks": 6, + "self._get_unique_checks": 1, + "errors": 20, + "self._perform_unique_checks": 1, + "date_errors": 1, + "self._perform_date_checks": 1, + "k": 4, + "v": 11, + "date_errors.items": 1, + "errors.setdefault": 3, + ".extend": 2, + "_get_unique_checks": 1, + "unique_togethers": 2, + "self._meta.unique_together": 1, + "parent_class": 4, + "self._meta.parents.keys": 2, + "parent_class._meta.unique_together": 2, + "unique_togethers.append": 1, + "model_class": 11, + "unique_together": 2, + "check": 4, + "break": 2, + "unique_checks.append": 2, + "fields_with_class": 2, + "self._meta.local_fields": 1, + "fields_with_class.append": 1, + "parent_class._meta.local_fields": 1, + "f.unique": 1, + "f.unique_for_date": 3, + "date_checks.append": 3, + "f.unique_for_year": 3, + "f.unique_for_month": 3, + "_perform_unique_checks": 1, + "unique_check": 10, + "lookup_kwargs": 8, + "self._meta.get_field": 1, + "lookup_value": 3, + "str": 2, + "lookup_kwargs.keys": 1, + "model_class._default_manager.filter": 2, + "*lookup_kwargs": 2, + "model_class_pk": 3, + "model_class._meta": 2, + "qs.exclude": 2, + "qs.exists": 2, + "key": 5, + ".append": 2, + "self.unique_error_message": 1, + "_perform_date_checks": 1, + "lookup_type": 7, + "unique_for": 9, + "date": 3, + "date.day": 1, + "date.month": 1, + "date.year": 1, + "self.date_error_message": 1, + "date_error_message": 1, + "opts.get_field": 4, + ".verbose_name": 3, + "unique_error_message": 1, + "model_name": 3, + "opts.verbose_name": 1, + "field_label": 2, + "field.verbose_name": 1, + "field.error_messages": 1, + "field_labels": 4, + "map": 1, + "lambda": 1, + "full_clean": 1, + "self.clean_fields": 1, + "e": 13, + "e.update_error_dict": 3, + "self.clean": 1, + "errors.keys": 1, + "exclude.append": 1, + "self.validate_unique": 1, + "clean_fields": 1, + "raw_value": 3, + "f.blank": 1, + "validators.EMPTY_VALUES": 1, + "f.clean": 1, + "e.messages": 1, + "############################################": 2, + "ordered_obj": 2, + "id_list": 2, + "rel_val": 4, + "ordered_obj._meta.order_with_respect_to.rel.field_name": 2, + "order_name": 4, + "ordered_obj._meta.order_with_respect_to.name": 2, + "i": 7, + "j": 2, + "enumerate": 1, + "ordered_obj.objects.filter": 2, + ".update": 1, + "_order": 1, + "pk_name": 3, + "ordered_obj._meta.pk.name": 1, + "r": 3, + ".values": 1, + "##############################################": 2, + "func": 2, + "settings.ABSOLUTE_URL_OVERRIDES.get": 1, + "opts.app_label": 1, + "opts.module_name": 1, + "########": 2, + "Empty": 1, + "cls.__new__": 1, + "model_unpickle.__safe_for_unpickle__": 1, + ".globals": 1, + "request": 1, + "http_method_funcs": 2, + "View": 2, + "A": 1, + "which": 1, + "methods": 5, + "this": 2, + "pluggable": 1, + "view": 2, + "can": 1, + "handle.": 1, + "The": 1, + "canonical": 1, + "way": 1, + "decorate": 2, + "based": 1, + "views": 1, + "the": 5, + "of": 3, + "as_view": 1, + ".": 1, + "However": 1, + "since": 1, + "moves": 1, + "parts": 1, + "logic": 1, + "declaration": 1, + "place": 1, + "where": 1, + "it": 1, + "s": 1, + "also": 1, + "used": 1, + "instantiating": 1, + "view.view_class": 1, + "view.__name__": 1, + "view.__doc__": 1, + "view.__module__": 1, + "cls.__module__": 1, + "view.methods": 1, + "cls.methods": 1, + "MethodViewType": 2, + "d": 5, + "rv": 2, + "type.__new__": 1, + "rv.methods": 2, + "methods.add": 1, + "key.upper": 1, + "sorted": 1, + "MethodView": 1, + "dispatch_request": 1, + "meth": 5, + "request.method.lower": 1, + "request.method": 2, + "google.protobuf": 4, + "descriptor": 1, + "_descriptor": 1, + "message": 1, + "_message": 1, + "reflection": 1, + "_reflection": 1, + "descriptor_pb2": 1, + "DESCRIPTOR": 3, + "_descriptor.FileDescriptor": 1, + "package": 1, + "serialized_pb": 1, + "_PERSON": 3, + "_descriptor.Descriptor": 1, + "full_name": 2, + "filename": 1, + "file": 1, + "containing_type": 2, + "_descriptor.FieldDescriptor": 1, + "index": 1, + "number": 1, + "cpp_type": 1, + "label": 18, + "has_default_value": 1, + "default_value": 1, + "message_type": 1, + "enum_type": 1, + "is_extension": 1, + "extension_scope": 1, + "options": 3, + "extensions": 1, + "nested_types": 1, + "enum_types": 1, + "is_extendable": 1, + "extension_ranges": 1, + "serialized_start": 1, + "serialized_end": 1, + "DESCRIPTOR.message_types_by_name": 1, + "Person": 1, + "_message.Message": 1, + "_reflection.GeneratedProtocolMessageType": 1, + "SHEBANG#!python": 4, + "print": 39, + "os": 1, + "main": 4, + "usage": 3, + "string": 1, + "command": 4, + "sys.argv": 2, + "<": 1, + "sys.exit": 1, + "printDelimiter": 4, + "get": 1, + "a": 2, + "list": 1, + "git": 1, + "directories": 1, + "specified": 1, + "gitDirectories": 2, + "getSubdirectories": 2, + "isGitDirectory": 2, + "gitDirectory": 2, + "os.chdir": 1, + "os.getcwd": 1, + "os.system": 1, + "directory": 9, + "filter": 3, + "os.path.abspath": 1, + "subdirectories": 3, + "os.walk": 1, + ".next": 1, + "os.path.isdir": 1, + "__name__": 2, + "argparse": 1, + "matplotlib.pyplot": 1, + "pl": 1, + "numpy": 1, + "np": 1, + "scipy.optimize": 1, + "prettytable": 1, + "PrettyTable": 6, + "__docformat__": 1, + "S": 4, + "phif": 7, + "U": 10, + "/": 23, + "_parse_args": 2, + "V": 12, + "np.genfromtxt": 8, + "delimiter": 8, + "t": 8, + "U_err": 7, + "offset": 13, + "np.mean": 1, + "np.linspace": 9, + "min": 10, + "max": 11, + "y": 10, + "np.ones": 11, + "x.size": 2, + "pl.plot": 9, + "**6": 6, + ".format": 11, + "pl.errorbar": 8, + "yerr": 8, + "linestyle": 8, + "marker": 4, + "pl.grid": 5, + "pl.legend": 5, + "loc": 5, + "pl.title": 5, + "pl.xlabel": 5, + "ur": 11, + "pl.ylabel": 5, + "pl.savefig": 5, + "pl.clf": 5, + "glanz": 13, + "matt": 13, + "schwarz": 13, + "weiss": 13, + "T0": 1, + "T0_err": 2, + "glanz_phi": 4, + "matt_phi": 4, + "schwarz_phi": 4, + "weiss_phi": 4, + "T_err": 7, + "sigma": 4, + "boltzmann": 12, + "T": 6, + "epsilon": 7, + "T**4": 1, + "glanz_popt": 3, + "glanz_pconv": 1, + "op.curve_fit": 6, + "matt_popt": 3, + "matt_pconv": 1, + "schwarz_popt": 3, + "schwarz_pconv": 1, + "weiss_popt": 3, + "weiss_pconv": 1, + "glanz_x": 3, + "glanz_y": 2, + "*glanz_popt": 1, + "color": 8, + "matt_x": 3, + "matt_y": 2, + "*matt_popt": 1, + "schwarz_x": 3, + "schwarz_y": 2, + "*schwarz_popt": 1, + "weiss_x": 3, + "weiss_y": 2, + "*weiss_popt": 1, + "np.sqrt": 17, + "glanz_pconv.diagonal": 2, + "matt_pconv.diagonal": 2, + "schwarz_pconv.diagonal": 2, + "weiss_pconv.diagonal": 2, + "xerr": 6, + "U_err/S": 4, + "header": 5, + "glanz_table": 2, + "row": 10, + ".size": 4, + "*T_err": 4, + "glanz_phi.size": 1, + "*U_err/S": 4, + "glanz_table.add_row": 1, + "matt_table": 2, + "matt_phi.size": 1, + "matt_table.add_row": 1, + "schwarz_table": 2, + "schwarz_phi.size": 1, + "schwarz_table.add_row": 1, + "weiss_table": 2, + "weiss_phi.size": 1, + "weiss_table.add_row": 1, + "T0**4": 1, + "phi": 5, + "c": 3, + "a*x": 1, + "dx": 6, + "d**": 2, + "dy": 4, + "dx_err": 3, + "np.abs": 1, + "dy_err": 2, + "popt": 5, + "pconv": 2, + "*popt": 2, + "pconv.diagonal": 3, + "table": 2, + "table.align": 1, + "dy.size": 1, + "*dy_err": 1, + "table.add_row": 1, + "U1": 3, + "I1": 3, + "U2": 2, + "I_err": 2, + "p": 1, + "R": 1, + "R_err": 2, + "/I1": 1, + "**2": 2, + "U1/I1**2": 1, + "phi_err": 3, + "alpha": 2, + "beta": 1, + "R0": 6, + "R0_err": 2, + "alpha*R0": 2, + "*np.sqrt": 6, + "*beta*R": 5, + "alpha**2*R0": 5, + "*beta*R0": 7, + "*beta*R0*T0": 2, + "epsilon_err": 2, + "f1": 1, + "f2": 1, + "f3": 1, + "alpha**2": 1, + "*beta": 1, + "*beta*T0": 1, + "*beta*R0**2": 1, + "f1**2": 1, + "f2**2": 1, + "f3**2": 1, + "parser": 1, + "argparse.ArgumentParser": 1, + "description": 1, + "#parser.add_argument": 3, + "metavar": 1, + "nargs": 1, + "help": 2, + "dest": 1, + "default": 1, + "action": 1, + "version": 6, + "parser.parse_args": 1, + "absolute_import": 1, + "division": 1, + "with_statement": 1, + "Cookie": 1, + "logging": 1, + "socket": 1, + "time": 1, + "tornado.escape": 1, + "utf8": 2, + "native_str": 4, + "parse_qs_bytes": 3, + "tornado": 3, + "httputil": 1, + "iostream": 1, + "tornado.netutil": 1, + "TCPServer": 2, + "stack_context": 1, + "tornado.util": 1, + "bytes_type": 2, + "ssl": 2, + "Python": 1, + "ImportError": 1, + "HTTPServer": 1, + "request_callback": 4, + "no_keep_alive": 4, + "io_loop": 3, + "xheaders": 4, + "ssl_options": 3, + "self.request_callback": 5, + "self.no_keep_alive": 4, + "self.xheaders": 3, + "TCPServer.__init__": 1, + "handle_stream": 1, + "stream": 4, + "address": 4, + "HTTPConnection": 2, + "_BadRequestException": 5, + "Exception": 2, + "self.stream": 1, + "self.address": 3, + "self._request": 7, + "self._request_finished": 4, + "self._header_callback": 3, + "stack_context.wrap": 2, + "self._on_headers": 1, + "self.stream.read_until": 2, + "self._write_callback": 5, + "write": 2, + "chunk": 5, + "callback": 7, + "self.stream.closed": 1, + "self.stream.write": 2, + "self._on_write_complete": 1, + "finish": 2, + "self.stream.writing": 2, + "self._finish_request": 2, + "_on_write_complete": 1, + "_finish_request": 1, + "disconnect": 5, + "connection_header": 5, + "self._request.headers.get": 2, + "connection_header.lower": 1, + "self._request.supports_http_1_1": 1, + "self._request.headers": 1, + "self._request.method": 2, + "self.stream.close": 2, + "_on_headers": 1, + "data.decode": 1, + "eol": 3, + "data.find": 1, + "start_line": 1, + "method": 5, + "uri": 5, + "start_line.split": 1, + "version.startswith": 1, + "headers": 5, + "httputil.HTTPHeaders.parse": 1, + "self.stream.socket": 1, + "socket.AF_INET": 2, + "socket.AF_INET6": 1, + "remote_ip": 8, + "HTTPRequest": 2, + "connection": 5, + "content_length": 6, + "headers.get": 2, + "int": 1, + "self.stream.max_buffer_size": 1, + "self.stream.read_bytes": 1, + "self._on_request_body": 1, + "logging.info": 1, + "_on_request_body": 1, + "self._request.body": 2, + "content_type": 1, + "content_type.startswith": 2, + "arguments": 2, + "arguments.iteritems": 2, + "self._request.arguments.setdefault": 1, + "content_type.split": 1, + "sep": 2, + "field.strip": 1, + ".partition": 1, + "httputil.parse_multipart_form_data": 1, + "self._request.arguments": 1, + "self._request.files": 1, + "logging.warning": 1, + "body": 2, + "protocol": 4, + "host": 2, + "files": 2, + "self.method": 1, + "self.uri": 2, + "self.version": 2, + "self.headers": 4, + "httputil.HTTPHeaders": 1, + "self.body": 1, + "connection.xheaders": 1, + "self.remote_ip": 4, + "self.headers.get": 5, + "self._valid_ip": 1, + "self.protocol": 7, + "connection.stream": 1, + "iostream.SSLIOStream": 1, + "self.host": 2, + "self.files": 1, + "self.connection": 1, + "self._start_time": 3, + "time.time": 3, + "self._finish_time": 4, + "self.path": 1, + "self.query": 2, + "uri.partition": 1, + "self.arguments": 2, + "supports_http_1_1": 1, + "@property": 1, + "cookies": 1, + "self._cookies": 3, + "Cookie.SimpleCookie": 1, + "self._cookies.load": 1, + "self.connection.write": 1, + "self.connection.finish": 1, + "full_url": 1, + "request_time": 1, + "get_ssl_certificate": 1, + "self.connection.stream.socket.getpeercert": 1, + "ssl.SSLError": 1, + "n": 3, + "_valid_ip": 1, + "ip": 2, + "res": 2, + "socket.getaddrinfo": 1, + "socket.AF_UNSPEC": 1, + "socket.SOCK_STREAM": 1, + "socket.AI_NUMERICHOST": 1, + "socket.gaierror": 1, + "e.args": 1, + "socket.EAI_NONAME": 1 + }, + "R": { + "SHEBANG#!Rscript": 1, + "ParseDates": 2, + "<": 12, + "-": 12, + "function": 3, + "(": 29, + "lines": 4, + ")": 29, + "{": 3, + "dates": 3, + "matrix": 2, + "unlist": 2, + "strsplit": 2, + "ncol": 2, + "byrow": 2, + "TRUE": 3, + "days": 2, + "[": 4, + "]": 4, + "times": 2, + "hours": 2, + "all.days": 2, + "c": 2, + "all.hours": 2, + "data.frame": 1, + "Day": 2, + "factor": 2, + "levels": 2, + "Hour": 2, + "}": 3, + "Main": 2, + "system": 1, + "intern": 1, + "punchcard": 4, + "as.data.frame": 1, + "table": 1, + "ggplot2": 6, + "ggplot": 1, + "aes": 2, + "y": 1, + "x": 1, + "+": 2, + "geom_point": 1, + "size": 1, + "Freq": 1, + "scale_size": 1, + "range": 1, + "ggsave": 1, + "filename": 1, + "plot": 1, + "width": 1, + "height": 1, + "hello": 2, + "print": 1, + "##polyg": 1, + "vector": 2, + "##numpoints": 1, + "number": 1, + "##output": 1, + "output": 1, + "##": 1, + "Example": 1, + "scripts": 1, + "group": 1, + "pts": 1, + "spsample": 1, + "polyg": 1, + "numpoints": 1, + "type": 1 + }, + "Racket": { + ";": 3, + "Clean": 1, + "simple": 1, + "and": 1, + "efficient": 1, + "code": 1, + "-": 94, + "that": 2, + "s": 1, + "the": 3, + "power": 1, + "of": 4, + "Racket": 2, + "http": 1, + "//racket": 1, + "lang.org/": 1, + "(": 23, + "define": 1, + "bottles": 4, + "n": 8, + "more": 2, + ")": 23, + "printf": 2, + "case": 1, + "[": 16, + "]": 16, + "else": 1, + "if": 1, + "for": 2, + "in": 3, + "range": 1, + "sub1": 1, + "displayln": 2, + "#lang": 1, + "scribble/manual": 1, + "@": 3, + "require": 1, + "scribble/bnf": 1, + "@title": 1, + "{": 2, + "Scribble": 3, + "The": 1, + "Documentation": 1, + "Tool": 1, + "}": 2, + "@author": 1, + "is": 3, + "a": 1, + "collection": 1, + "tools": 1, + "creating": 1, + "prose": 2, + "documents": 1, + "papers": 1, + "books": 1, + "library": 1, + "documentation": 1, + "etc.": 1, + "HTML": 1, + "or": 2, + "PDF": 1, + "via": 1, + "Latex": 1, + "form.": 1, + "More": 1, + "generally": 1, + "helps": 1, + "you": 1, + "write": 1, + "programs": 1, + "are": 1, + "rich": 1, + "textual": 1, + "content": 2, + "whether": 1, + "to": 2, + "be": 2, + "typeset": 1, + "any": 1, + "other": 1, + "form": 1, + "text": 1, + "generated": 1, + "programmatically.": 1, + "This": 1, + "document": 1, + "itself": 1, + "written": 1, + "using": 1, + "Scribble.": 1, + "You": 1, + "can": 1, + "see": 1, + "its": 1, + "source": 1, + "at": 1, + "let": 1, + "url": 3, + "link": 1, + "starting": 1, + "with": 1, + "@filepath": 1, + "scribble.scrbl": 1, + "file.": 1, + "@table": 1, + "contents": 1, + "@include": 8, + "section": 9, + "@index": 1 + }, + "Ragel in Ruby Host": { + "begin": 3, + "%": 34, + "{": 19, + "machine": 3, + "ephemeris_parser": 1, + ";": 38, + "action": 9, + "mark": 6, + "p": 8, + "}": 19, + "parse_start_time": 2, + "parser.start_time": 1, + "data": 15, + "[": 20, + "mark..p": 4, + "]": 20, + ".pack": 6, + "(": 33, + ")": 33, + "parse_stop_time": 2, + "parser.stop_time": 1, + "parse_step_size": 2, + "parser.step_size": 1, + "parse_ephemeris_table": 2, + "fhold": 1, + "parser.ephemeris_table": 1, + "ws": 2, + "t": 1, + "r": 1, + "n": 1, + "adbc": 2, + "|": 11, + "year": 2, + "digit": 7, + "month": 2, + "upper": 1, + "lower": 1, + "date": 2, + "hours": 2, + "minutes": 2, + "seconds": 2, + "tz": 2, + "datetime": 3, + "time_unit": 2, + "s": 4, + "soe": 2, + "eoe": 2, + "ephemeris_table": 3, + "alnum": 1, + "*": 9, + "-": 5, + "./": 1, + "start_time": 4, + "space*": 2, + "stop_time": 4, + "step_size": 3, + "+": 7, + "ephemeris": 2, + "main": 3, + "any*": 3, + "end": 23, + "require": 1, + "module": 1, + "Tengai": 1, + "EPHEMERIS_DATA": 2, + "Struct.new": 1, + ".freeze": 1, + "class": 3, + "EphemerisParser": 1, + "<": 1, + "def": 10, + "self.parse": 1, + "parser": 2, + "new": 1, + "data.unpack": 1, + "if": 4, + "data.is_a": 1, + "String": 1, + "eof": 3, + "data.length": 3, + "write": 9, + "init": 3, + "exec": 3, + "time": 6, + "super": 2, + "parse_time": 3, + "private": 1, + "DateTime.parse": 1, + "simple_scanner": 1, + "Emit": 4, + "emit": 4, + "ts": 4, + "..": 1, + "te": 1, + "foo": 8, + "any": 4, + "#": 4, + "SimpleScanner": 1, + "attr_reader": 2, + "path": 8, + "initialize": 2, + "@path": 2, + "stdout.puts": 2, + "perform": 2, + "pe": 4, + "ignored": 4, + "leftover": 8, + "File.open": 2, + "do": 2, + "f": 2, + "while": 2, + "chunk": 2, + "f.read": 2, + "ENV": 2, + ".to_i": 2, + "chunk.unpack": 2, + "||": 1, + "ts..pe": 1, + "else": 2, + "SimpleScanner.new": 1, + "ARGV": 2, + "s.perform": 2, + "simple_tokenizer": 1, + "MyTs": 2, + "my_ts": 6, + "MyTe": 2, + "my_te": 6, + "my_ts...my_te": 1, + "nil": 4, + "SimpleTokenizer": 1, + "my_ts..": 1, + "SimpleTokenizer.new": 1 + }, + "RDoc": { + "RDoc": 7, + "-": 9, + "Ruby": 4, + "Documentation": 2, + "System": 1, + "home": 1, + "https": 3, + "//github.com/rdoc/rdoc": 1, + "rdoc": 7, + "http": 1, + "//docs.seattlerb.org/rdoc": 1, + "bugs": 1, + "//github.com/rdoc/rdoc/issues": 1, + "code": 1, + "quality": 1, + "{": 1, + "": 1, + "src=": 1, + "alt=": 1, + "}": 1, + "[": 3, + "//codeclimate.com/github/rdoc/rdoc": 1, + "]": 3, + "Description": 1, + "produces": 1, + "HTML": 1, + "and": 9, + "command": 4, + "line": 1, + "documentation": 8, + "for": 9, + "projects.": 1, + "includes": 1, + "the": 12, + "+": 8, + "ri": 1, + "tools": 1, + "generating": 1, + "displaying": 1, + "from": 1, + "line.": 1, + "Generating": 1, + "Once": 1, + "installed": 1, + "you": 3, + "can": 2, + "create": 1, + "using": 1, + "options": 1, + "names...": 1, + "For": 1, + "an": 1, + "up": 1, + "to": 4, + "date": 1, + "option": 1, + "summary": 1, + "type": 2, + "help": 1, + "A": 1, + "typical": 1, + "use": 1, + "might": 1, + "be": 3, + "generate": 1, + "a": 5, + "package": 1, + "of": 2, + "source": 2, + "(": 3, + "such": 1, + "as": 1, + "itself": 1, + ")": 3, + ".": 2, + "This": 2, + "generates": 1, + "all": 1, + "C": 1, + "files": 2, + "in": 4, + "below": 1, + "current": 1, + "directory.": 1, + "These": 1, + "will": 1, + "stored": 1, + "tree": 1, + "starting": 1, + "subdirectory": 1, + "doc": 1, + "You": 2, + "make": 2, + "this": 1, + "slightly": 1, + "more": 1, + "useful": 1, + "your": 1, + "readers": 1, + "by": 1, + "having": 1, + "index": 1, + "page": 1, + "contain": 1, + "primary": 1, + "file.": 1, + "In": 1, + "our": 1, + "case": 1, + "we": 1, + "could": 1, + "#": 1, + "rdoc/rdoc": 1, + "s": 1, + "OK": 1, + "file": 1, + "bug": 1, + "report": 1, + "anything": 1, + "t": 1, + "figure": 1, + "out": 1, + "how": 1, + "produce": 1, + "output": 1, + "like": 1, + "that": 1, + "is": 4, + "probably": 1, + "bug.": 1, + "License": 1, + "Copyright": 1, + "c": 2, + "Dave": 1, + "Thomas": 1, + "The": 1, + "Pragmatic": 1, + "Programmers.": 1, + "Portions": 2, + "Eric": 1, + "Hodel.": 1, + "copyright": 1, + "others": 1, + "see": 1, + "individual": 1, + "LEGAL.rdoc": 1, + "details.": 1, + "free": 1, + "software": 2, + "may": 1, + "redistributed": 1, + "under": 1, + "terms": 1, + "specified": 1, + "LICENSE.rdoc.": 1, + "Warranty": 1, + "provided": 1, + "without": 2, + "any": 1, + "express": 1, + "or": 1, + "implied": 2, + "warranties": 2, + "including": 1, + "limitation": 1, + "merchantability": 1, + "fitness": 1, + "particular": 1, + "purpose.": 1 + }, + "Rebol": { + "REBOL": 1, + "[": 3, + "]": 3, + "hello": 2, + "func": 1, + "print": 1 + }, + "RMarkdown": { + "Some": 1, + "text.": 1, + "##": 1, + "A": 1, + "graphic": 1, + "in": 1, + "R": 1, + "{": 1, + "r": 1, + "}": 1, + "plot": 1, + "(": 3, + ")": 3, + "hist": 1, + "rnorm": 1 + }, + "RobotFramework": { + "***": 16, + "Settings": 3, + "Documentation": 3, + "Example": 3, + "test": 6, + "cases": 2, + "using": 4, + "the": 9, + "data": 2, + "-": 16, + "driven": 4, + "testing": 2, + "approach.": 2, + "...": 28, + "Tests": 1, + "use": 2, + "Calculate": 3, + "keyword": 5, + "created": 1, + "in": 5, + "this": 1, + "file": 1, + "that": 5, + "turn": 1, + "uses": 1, + "keywords": 3, + "CalculatorLibrary": 5, + ".": 4, + "An": 1, + "exception": 1, + "is": 6, + "last": 1, + "has": 5, + "a": 4, + "custom": 1, + "_template": 1, + "keyword_.": 1, + "The": 2, + "style": 3, + "works": 3, + "well": 3, + "when": 2, + "you": 1, + "need": 3, + "to": 5, + "repeat": 1, + "same": 1, + "workflow": 3, + "multiple": 2, + "times.": 1, + "Notice": 1, + "one": 1, + "of": 3, + "these": 1, + "tests": 5, + "fails": 1, + "on": 1, + "purpose": 1, + "show": 1, + "how": 1, + "failures": 1, + "look": 1, + "like.": 1, + "Test": 4, + "Template": 2, + "Library": 3, + "Cases": 3, + "Expression": 1, + "Expected": 1, + "Addition": 2, + "+": 6, + "Subtraction": 1, + "Multiplication": 1, + "*": 4, + "Division": 2, + "/": 5, + "Failing": 1, + "Calculation": 3, + "error": 4, + "[": 4, + "]": 4, + "should": 9, + "fail": 2, + "kekkonen": 1, + "Invalid": 2, + "button": 13, + "{": 15, + "EMPTY": 3, + "}": 15, + "expression.": 1, + "by": 3, + "zero.": 1, + "Keywords": 2, + "Arguments": 2, + "expression": 5, + "expected": 4, + "Push": 16, + "buttons": 4, + "C": 4, + "Result": 8, + "be": 9, + "Should": 2, + "cause": 1, + "equal": 1, + "#": 2, + "Using": 1, + "BuiltIn": 1, + "case": 1, + "gherkin": 1, + "syntax.": 1, + "This": 3, + "similar": 1, + "examples.": 1, + "difference": 1, + "higher": 1, + "abstraction": 1, + "level": 1, + "and": 2, + "their": 1, + "arguments": 1, + "are": 1, + "embedded": 1, + "into": 1, + "names.": 1, + "kind": 2, + "_gherkin_": 2, + "syntax": 1, + "been": 3, + "made": 1, + "popular": 1, + "http": 1, + "//cukes.info": 1, + "|": 1, + "Cucumber": 1, + "It": 1, + "especially": 1, + "act": 1, + "as": 1, + "examples": 1, + "easily": 1, + "understood": 1, + "also": 2, + "business": 2, + "people.": 1, + "Given": 1, + "calculator": 1, + "cleared": 2, + "When": 1, + "user": 2, + "types": 2, + "pushes": 2, + "equals": 2, + "Then": 1, + "result": 2, + "Calculator": 1, + "User": 2, + "All": 1, + "contain": 1, + "constructed": 1, + "from": 1, + "Creating": 1, + "new": 1, + "or": 1, + "editing": 1, + "existing": 1, + "easy": 1, + "even": 1, + "for": 2, + "people": 2, + "without": 1, + "programming": 1, + "skills.": 1, + "normal": 1, + "automation.": 1, + "If": 1, + "understand": 1, + "may": 1, + "work": 1, + "better.": 1, + "Simple": 1, + "calculation": 2, + "Longer": 1, + "Clear": 1, + "built": 1, + "variable": 1 + }, + "Ruby": { + "appraise": 2, + "do": 37, + "gem": 3, + "end": 238, + "load": 3, + "Dir": 4, + "[": 56, + "]": 56, + ".each": 4, + "{": 68, + "|": 91, + "plugin": 3, + "(": 244, + ")": 256, + "}": 68, + "task": 2, + "default": 2, + "puts": 12, + "module": 8, + "Foo": 1, + "require": 58, + "class": 7, + "Formula": 2, + "include": 3, + "FileUtils": 1, + "attr_reader": 5, + "name": 51, + "path": 16, + "url": 12, + "version": 10, + "homepage": 2, + "specs": 14, + "downloader": 6, + "standard": 2, + "unstable": 2, + "head": 3, + "bottle_version": 2, + "bottle_url": 3, + "bottle_sha1": 2, + "buildpath": 1, + "def": 143, + "initialize": 2, + "nil": 21, + "set_instance_variable": 12, + "if": 72, + "@head": 4, + "and": 6, + "not": 3, + "@url": 8, + "or": 7, + "ARGV.build_head": 2, + "@version": 10, + "@spec_to_use": 4, + "@unstable": 2, + "else": 25, + "@standard.nil": 1, + "SoftwareSpecification.new": 3, + "@specs": 3, + "@standard": 3, + "raise": 17, + "@url.nil": 1, + "@name": 3, + "validate_variable": 7, + "@path": 1, + "path.nil": 1, + "self.class.path": 1, + "Pathname.new": 3, + "||": 22, + "@spec_to_use.detect_version": 1, + "CHECKSUM_TYPES.each": 1, + "type": 10, + "@downloader": 2, + "download_strategy.new": 2, + "@spec_to_use.url": 1, + "@spec_to_use.specs": 1, + "@bottle_url": 2, + "bottle_base_url": 1, + "+": 47, + "bottle_filename": 1, + "self": 11, + "@bottle_sha1": 2, + "installed": 2, + "return": 25, + "installed_prefix.children.length": 1, + "rescue": 13, + "false": 26, + "explicitly_requested": 1, + "ARGV.named.empty": 1, + "ARGV.formulae.include": 1, + "linked_keg": 1, + "HOMEBREW_REPOSITORY/": 2, + "/@name": 1, + "installed_prefix": 1, + "head_prefix": 2, + "HOMEBREW_CELLAR": 2, + "head_prefix.directory": 1, + "prefix": 14, + "rack": 1, + ";": 41, + "prefix.parent": 1, + "bin": 1, + "doc": 1, + "info": 2, + "lib": 1, + "libexec": 1, + "man": 9, + "man1": 1, + "man2": 1, + "man3": 1, + "man4": 1, + "man5": 1, + "man6": 1, + "man7": 1, + "man8": 1, + "sbin": 1, + "share": 1, + "etc": 1, + "HOMEBREW_PREFIX": 2, + "var": 1, + "plist_name": 2, + "plist_path": 1, + "download_strategy": 1, + "@spec_to_use.download_strategy": 1, + "cached_download": 1, + "@downloader.cached_location": 1, + "caveats": 1, + "options": 3, + "patches": 2, + "keg_only": 2, + "self.class.keg_only_reason": 1, + "fails_with": 2, + "cc": 3, + "self.class.cc_failures.nil": 1, + "Compiler.new": 1, + "unless": 15, + "cc.is_a": 1, + "Compiler": 1, + "self.class.cc_failures.find": 1, + "failure": 1, + "next": 1, + "failure.compiler": 1, + "cc.name": 1, + "failure.build.zero": 1, + "failure.build": 1, + "cc.build": 1, + "skip_clean": 2, + "true": 15, + "self.class.skip_clean_all": 1, + "to_check": 2, + "path.relative_path_from": 1, + ".to_s": 3, + "self.class.skip_clean_paths.include": 1, + "brew": 2, + "stage": 2, + "begin": 9, + "patch": 3, + "yield": 5, + "Interrupt": 2, + "RuntimeError": 1, + "SystemCallError": 1, + "e": 8, + "#": 100, + "don": 1, + "config.log": 2, + "t": 3, + "a": 10, + "std_autotools": 1, + "variant": 1, + "because": 1, + "autotools": 1, + "is": 3, + "lot": 1, + "std_cmake_args": 1, + "%": 10, + "W": 1, + "-": 34, + "DCMAKE_INSTALL_PREFIX": 1, + "DCMAKE_BUILD_TYPE": 1, + "None": 1, + "DCMAKE_FIND_FRAMEWORK": 1, + "LAST": 1, + "Wno": 1, + "dev": 1, + "self.class_s": 2, + "#remove": 1, + "invalid": 1, + "characters": 1, + "then": 4, + "camelcase": 1, + "it": 1, + "name.capitalize.gsub": 1, + "/": 34, + "_.": 1, + "s": 2, + "zA": 1, + "Z0": 1, + "upcase": 1, + ".gsub": 5, + "self.names": 1, + ".map": 6, + "f": 11, + "File.basename": 2, + ".sort": 2, + "self.all": 1, + "map": 1, + "self.map": 1, + "rv": 3, + "each": 1, + "<<": 15, + "self.each": 1, + "names.each": 1, + "n": 4, + "Formula.factory": 2, + "onoe": 2, + "inspect": 2, + "self.aliases": 1, + "self.canonical_name": 1, + "name.to_s": 3, + "name.kind_of": 2, + "Pathname": 2, + "formula_with_that_name": 1, + "HOMEBREW_REPOSITORY": 4, + "possible_alias": 1, + "possible_cached_formula": 1, + "HOMEBREW_CACHE_FORMULA": 2, + "name.include": 2, + "r": 3, + ".": 3, + "tapd": 1, + ".downcase": 2, + "tapd.find_formula": 1, + "relative_pathname": 1, + "relative_pathname.stem.to_s": 1, + "tapd.directory": 1, + "elsif": 7, + "formula_with_that_name.file": 1, + "formula_with_that_name.readable": 1, + "possible_alias.file": 1, + "possible_alias.realpath.basename": 1, + "possible_cached_formula.file": 1, + "possible_cached_formula.to_s": 1, + "self.factory": 1, + "https": 1, + "ftp": 1, + "//": 3, + ".basename": 1, + "target_file": 6, + "name.basename": 1, + "HOMEBREW_CACHE_FORMULA.mkpath": 1, + "FileUtils.rm": 1, + "force": 1, + "curl": 1, + "install_type": 4, + "from_url": 1, + "Formula.canonical_name": 1, + ".rb": 1, + "path.stem": 1, + "from_path": 1, + "path.to_s": 3, + "Formula.path": 1, + "from_name": 2, + "klass_name": 2, + "klass": 16, + "Object.const_get": 1, + "NameError": 2, + "LoadError": 3, + "klass.new": 2, + "FormulaUnavailableError.new": 1, + "tap": 1, + "path.realpath.to_s": 1, + "/Library/Taps/": 1, + "w": 6, + "self.path": 1, + "mirrors": 4, + "self.class.mirrors": 1, + "deps": 1, + "self.class.dependencies.deps": 1, + "external_deps": 1, + "self.class.dependencies.external_deps": 1, + "recursive_deps": 1, + "Formula.expand_deps": 1, + ".flatten.uniq": 1, + "self.expand_deps": 1, + "f.deps.map": 1, + "dep": 3, + "f_dep": 3, + "dep.to_s": 1, + "expand_deps": 1, + "protected": 1, + "system": 1, + "cmd": 6, + "*args": 16, + "pretty_args": 1, + "args.dup": 1, + "pretty_args.delete": 1, + "ARGV.verbose": 2, + "ohai": 3, + ".strip": 1, + "removed_ENV_variables": 2, + "case": 5, + "args.empty": 1, + "cmd.split": 1, + ".first": 1, + "when": 11, + "ENV.remove_cc_etc": 1, + "safe_system": 4, + "rd": 1, + "wr": 3, + "IO.pipe": 1, + "pid": 1, + "fork": 1, + "rd.close": 1, + "stdout.reopen": 1, + "stderr.reopen": 1, + "args.collect": 1, + "arg": 1, + "arg.to_s": 1, + "exec": 2, + "exit": 2, + "never": 1, + "gets": 1, + "here": 1, + "threw": 1, + "failed": 3, + "wr.close": 1, + "out": 4, + "rd.read": 1, + "until": 1, + "rd.eof": 1, + "Process.wait": 1, + ".success": 1, + "removed_ENV_variables.each": 1, + "key": 8, + "value": 4, + "ENV": 4, + "ENV.kind_of": 1, + "Hash": 3, + "BuildError.new": 1, + "args": 5, + "public": 2, + "fetch": 2, + "install_bottle": 1, + "CurlBottleDownloadStrategy.new": 1, + "mirror_list": 2, + "HOMEBREW_CACHE.mkpath": 1, + "fetched": 4, + "downloader.fetch": 1, + "CurlDownloadStrategyError": 1, + "mirror_list.empty": 1, + "mirror_list.shift.values_at": 1, + "retry": 2, + "checksum_type": 2, + "CHECKSUM_TYPES.detect": 1, + "instance_variable_defined": 2, + "verify_download_integrity": 2, + "fn": 2, + "args.length": 1, + "md5": 2, + "supplied": 4, + "instance_variable_get": 2, + "type.to_s.upcase": 1, + "hasher": 2, + "Digest.const_get": 1, + "hash": 2, + "fn.incremental_hash": 1, + "supplied.empty": 1, + "message": 2, + "EOF": 2, + "mismatch": 1, + "Expected": 1, + "Got": 1, + "Archive": 1, + "To": 1, + "an": 1, + "incomplete": 1, + "download": 1, + "remove": 1, + "the": 8, + "file": 1, + "above.": 1, + "supplied.upcase": 1, + "hash.upcase": 1, + "opoo": 1, + "private": 3, + "CHECKSUM_TYPES": 2, + "sha1": 4, + "sha256": 1, + ".freeze": 1, + "fetched.kind_of": 1, + "mktemp": 1, + "downloader.stage": 1, + "@buildpath": 2, + "Pathname.pwd": 1, + "patch_list": 1, + "Patches.new": 1, + "patch_list.empty": 1, + "patch_list.external_patches": 1, + "patch_list.download": 1, + "patch_list.each": 1, + "p": 2, + "p.compression": 1, + "gzip": 1, + "p.compressed_filename": 2, + "bzip2": 1, + "*": 3, + "p.patch_args": 1, + "v": 2, + "v.to_s.empty": 1, + "s/": 1, + "class_value": 3, + "self.class.send": 1, + "instance_variable_set": 1, + "self.method_added": 1, + "method": 4, + "self.attr_rw": 1, + "attrs": 1, + "attrs.each": 1, + "attr": 4, + "class_eval": 1, + "Q": 1, + "val": 10, + "val.nil": 3, + "@#": 2, + "attr_rw": 4, + "keg_only_reason": 1, + "skip_clean_all": 2, + "cc_failures": 1, + "stable": 2, + "&": 31, + "block": 30, + "block_given": 5, + "instance_eval": 2, + "ARGV.build_devel": 2, + "devel": 1, + "@mirrors": 3, + "clear": 1, + "from": 1, + "release": 1, + "bottle": 1, + "bottle_block": 1, + "Class.new": 2, + "self.version": 1, + "self.url": 1, + "self.sha1": 1, + "sha1.shift": 1, + "@sha1": 6, + "MacOS.cat": 1, + "String": 2, + "MacOS.lion": 1, + "self.data": 1, + "&&": 8, + "bottle_block.instance_eval": 1, + "@bottle_version": 1, + "bottle_block.data": 1, + "mirror": 1, + "@mirrors.uniq": 1, + "dependencies": 1, + "@dependencies": 1, + "DependencyCollector.new": 1, + "depends_on": 1, + "dependencies.add": 1, + "paths": 3, + "all": 1, + "@skip_clean_all": 2, + "@skip_clean_paths": 3, + ".flatten.each": 1, + "p.to_s": 2, + "@skip_clean_paths.include": 1, + "skip_clean_paths": 1, + "reason": 2, + "explanation": 1, + "@keg_only_reason": 1, + "KegOnlyReason.new": 1, + "explanation.to_s.chomp": 1, + "compiler": 3, + "@cc_failures": 2, + "CompilerFailures.new": 1, + "CompilerFailure.new": 2, + "Grit": 1, + "ActiveSupport": 1, + "Inflector": 1, + "extend": 2, + "pluralize": 3, + "word": 10, + "apply_inflections": 3, + "inflections.plurals": 1, + "singularize": 2, + "inflections.singulars": 1, + "camelize": 2, + "term": 1, + "uppercase_first_letter": 2, + "string": 4, + "term.to_s": 1, + "string.sub": 2, + "z": 7, + "d": 6, + "*/": 1, + "inflections.acronyms": 1, + ".capitalize": 1, + "inflections.acronym_regex": 2, + "b": 4, + "A": 5, + "Z_": 1, + "string.gsub": 1, + "_": 2, + "/i": 2, + "underscore": 3, + "camel_cased_word": 6, + "camel_cased_word.to_s.dup": 1, + "word.gsub": 4, + "Za": 1, + "Z": 3, + "word.tr": 1, + "word.downcase": 1, + "humanize": 2, + "lower_case_and_underscored_word": 1, + "result": 8, + "lower_case_and_underscored_word.to_s.dup": 1, + "inflections.humans.each": 1, + "rule": 4, + "replacement": 4, + "break": 4, + "result.sub": 2, + "result.gsub": 2, + "/_id": 1, + "result.tr": 1, + "match": 6, + "w/": 1, + ".upcase": 1, + "titleize": 1, + "": 1, + "capitalize": 1, + "Create": 1, + "of": 1, + "table": 2, + "like": 1, + "Rails": 1, + "does": 1, + "for": 1, + "models": 1, + "to": 1, + "names": 2, + "This": 1, + "uses": 1, + "on": 2, + "last": 4, + "in": 3, + "RawScaledScorer": 1, + "tableize": 2, + "class_name": 2, + "classify": 1, + "table_name": 1, + "table_name.to_s.sub": 1, + "/.*": 1, + "./": 1, + "dasherize": 1, + "underscored_word": 1, + "underscored_word.tr": 1, + "demodulize": 1, + "i": 2, + "path.rindex": 2, + "..": 1, + "deconstantize": 1, + "implementation": 1, + "based": 1, + "one": 1, + "facets": 1, + "id": 1, + "outside": 2, + "inside": 2, + "owned": 1, + "constant": 4, + "constant.ancestors.inject": 1, + "const": 3, + "ancestor": 3, + "Object": 1, + "ancestor.const_defined": 1, + "constant.const_get": 1, + "safe_constantize": 1, + "constantize": 1, + "e.message": 2, + "uninitialized": 1, + "wrong": 1, + "const_regexp": 3, + "e.name.to_s": 1, + "camel_cased_word.to_s": 1, + "ArgumentError": 1, + "/not": 1, + "missing": 1, + "ordinal": 1, + "number": 2, + ".include": 1, + "number.to_i.abs": 2, + "ordinalize": 1, + "nodoc": 3, + "parts": 1, + "camel_cased_word.split": 1, + "parts.pop": 1, + "parts.reverse.inject": 1, + "acc": 2, + "part": 1, + "part.empty": 1, + "rules": 1, + "word.to_s.dup": 1, + "word.empty": 1, + "inflections.uncountables.include": 1, + "result.downcase": 1, + "Z/": 1, + "rules.each": 1, + ".unshift": 1, + "File.dirname": 4, + "__FILE__": 3, + "For": 1, + "use/testing": 1, + "no": 1, + "require_all": 4, + "glob": 2, + "File.join": 6, + "Jekyll": 3, + "VERSION": 1, + "DEFAULTS": 2, + "Dir.pwd": 3, + "self.configuration": 1, + "override": 3, + "source": 2, + "config_file": 2, + "config": 3, + "YAML.load_file": 1, + "config.is_a": 1, + "stdout.puts": 1, + "err": 1, + "stderr.puts": 2, + "err.to_s": 1, + "DEFAULTS.deep_merge": 1, + ".deep_merge": 1, + "Jenkins": 1, + "Plugin": 1, + "Specification.new": 1, + "plugin.name": 1, + "plugin.display_name": 1, + "plugin.version": 1, + "plugin.description": 1, + "plugin.url": 1, + "plugin.developed_by": 1, + "plugin.uses_repository": 1, + "github": 1, + "plugin.depends_on": 1, + "#plugin.depends_on": 1, + "SHEBANG#!macruby": 1, + "object": 2, + "@user": 1, + "person": 1, + "attributes": 2, + "username": 1, + "email": 1, + "location": 1, + "created_at": 1, + "registered_at": 1, + "node": 2, + "role": 1, + "user": 1, + "user.is_admin": 1, + "child": 1, + "phone_numbers": 1, + "pnumbers": 1, + "extends": 1, + "node_numbers": 1, + "u": 1, + "partial": 1, + "u.phone_numbers": 1, + "Resque": 3, + "Helpers": 1, + "redis": 7, + "server": 11, + "/redis": 1, + "Redis.connect": 2, + "thread_safe": 2, + "namespace": 3, + "server.split": 2, + "host": 3, + "port": 4, + "db": 3, + "Redis.new": 1, + "resque": 2, + "@redis": 6, + "Redis": 3, + "Namespace.new": 2, + "Namespace": 1, + "@queues": 2, + "Hash.new": 1, + "h": 2, + "Queue.new": 1, + "coder": 3, + "@coder": 1, + "MultiJsonCoder.new": 1, + "attr_writer": 4, + "self.redis": 2, + "Redis.respond_to": 1, + "connect": 1, + "redis_id": 2, + "redis.respond_to": 2, + "redis.server": 1, + "nodes": 1, + "distributed": 1, + "redis.nodes.map": 1, + "n.id": 1, + ".join": 1, + "redis.client.id": 1, + "before_first_fork": 2, + "@before_first_fork": 2, + "before_fork": 2, + "@before_fork": 2, + "after_fork": 2, + "@after_fork": 2, + "to_s": 1, + "attr_accessor": 2, + "inline": 3, + "alias": 1, + "push": 1, + "queue": 24, + "item": 4, + "pop": 1, + ".pop": 1, + "ThreadError": 1, + "size": 3, + ".size": 1, + "peek": 1, + "start": 7, + "count": 5, + ".slice": 1, + "list_range": 1, + "decode": 2, + "redis.lindex": 1, + "Array": 2, + "redis.lrange": 1, + "queues": 3, + "redis.smembers": 1, + "remove_queue": 1, + ".destroy": 1, + "@queues.delete": 1, + "queue.to_s": 1, + "enqueue": 1, + "enqueue_to": 2, + "queue_from_class": 4, + "before_hooks": 2, + "Plugin.before_enqueue_hooks": 1, + ".collect": 2, + "hook": 9, + "klass.send": 4, + "before_hooks.any": 2, + "Job.create": 1, + "Plugin.after_enqueue_hooks": 1, + "dequeue": 1, + "Plugin.before_dequeue_hooks": 1, + "Job.destroy": 1, + "Plugin.after_dequeue_hooks": 1, + "klass.instance_variable_get": 1, + "@queue": 1, + "klass.respond_to": 1, + "klass.queue": 1, + "reserve": 1, + "Job.reserve": 1, + "validate": 1, + "NoQueueError.new": 1, + "klass.to_s.empty": 1, + "NoClassError.new": 1, + "workers": 2, + "Worker.all": 1, + "working": 2, + "Worker.working": 1, + "remove_worker": 1, + "worker_id": 2, + "worker": 1, + "Worker.find": 1, + "worker.unregister_worker": 1, + "pending": 1, + "queues.inject": 1, + "m": 3, + "k": 2, + "processed": 2, + "Stat": 2, + "queues.size": 1, + "workers.size.to_i": 1, + "working.size": 1, + "servers": 1, + "environment": 2, + "keys": 6, + "redis.keys": 1, + "key.sub": 1, + "SHEBANG#!ruby": 2, + "SHEBANG#!rake": 1, + "Sinatra": 2, + "Request": 2, + "<": 2, + "Rack": 1, + "accept": 1, + "@env": 2, + "entries": 1, + ".to_s.split": 1, + "entries.map": 1, + "accept_entry": 1, + ".sort_by": 1, + "first": 1, + "preferred_type": 1, + "self.defer": 1, + "pattern": 1, + "path.respond_to": 5, + "path.keys": 1, + "path.names": 1, + "TypeError": 1, + "URI": 3, + "URI.const_defined": 1, + "Parser": 1, + "Parser.new": 1, + "encoded": 1, + "char": 4, + "enc": 5, + "URI.escape": 1, + "helpers": 3, + "data": 1, + "reset": 1, + "set": 36, + "development": 6, + ".to_sym": 1, + "raise_errors": 1, + "Proc.new": 11, + "test": 5, + "dump_errors": 1, + "show_exceptions": 1, + "sessions": 1, + "logging": 2, + "protection": 1, + "method_override": 4, + "use_code": 1, + "default_encoding": 1, + "add_charset": 1, + "javascript": 1, + "xml": 2, + "xhtml": 1, + "json": 1, + "settings.add_charset": 1, + "text": 3, + "session_secret": 3, + "SecureRandom.hex": 1, + "NotImplementedError": 1, + "Kernel.rand": 1, + "**256": 1, + "alias_method": 2, + "methodoverride": 2, + "run": 2, + "via": 1, + "at": 1, + "running": 2, + "built": 1, + "now": 1, + "http": 1, + "webrick": 1, + "bind": 1, + "ruby_engine": 6, + "defined": 1, + "RUBY_ENGINE": 2, + "server.unshift": 6, + "ruby_engine.nil": 1, + "absolute_redirects": 1, + "prefixed_redirects": 1, + "empty_path_info": 1, + "app_file": 4, + "root": 5, + "File.expand_path": 1, + "views": 1, + "reload_templates": 1, + "lock": 1, + "threaded": 1, + "public_folder": 3, + "static": 1, + "File.exist": 1, + "static_cache_control": 1, + "error": 3, + "Exception": 1, + "response.status": 1, + "content_type": 3, + "configure": 2, + "get": 2, + "filename": 2, + "png": 1, + "send_file": 1, + "NotFound": 1, + "HTML": 2, + "": 1, + "html": 1, + "": 1, + "": 1, + "": 1, + "": 1, + "": 1, + "

": 1, + "doesn": 1, + "rsquo": 1, + "know": 1, + "this": 2, + "ditty.": 1, + "

": 1, + "": 1, + "src=": 1, + "
": 1, + "id=": 1, + "Try": 1, + "
": 1,
+      "request.request_method.downcase": 1,
+      "nend": 1,
+      "
": 1, + "
": 1, + "": 1, + "": 1, + "Application": 2, + "Base": 2, + "super": 3, + "self.register": 2, + "extensions": 6, + "added_methods": 2, + "extensions.map": 1, + "m.public_instance_methods": 1, + ".flatten": 1, + "Delegator.delegate": 1, + "Delegator": 1, + "self.delegate": 1, + "methods": 1, + "methods.each": 1, + "method_name": 5, + "define_method": 1, + "respond_to": 1, + "Delegator.target.send": 1, + "delegate": 1, + "put": 1, + "post": 1, + "delete": 1, + "template": 1, + "layout": 1, + "before": 1, + "after": 1, + "not_found": 1, + "mime_type": 1, + "enable": 1, + "disable": 1, + "use": 1, + "production": 1, + "settings": 2, + "target": 1, + "self.target": 1, + "Wrapper": 1, + "stack": 2, + "instance": 2, + "@stack": 1, + "@instance": 2, + "@instance.settings": 1, + "call": 1, + "env": 2, + "@stack.call": 1, + "self.new": 1, + "base": 4, + "base.class_eval": 1, + "Delegator.target.register": 1, + "self.helpers": 1, + "Delegator.target.helpers": 1, + "self.use": 1, + "Delegator.target.use": 1, + "SHEBANG#!python": 1 + }, + "Rust": { + "//": 20, + "use": 10, + "cell": 1, + "Cell": 2, + ";": 218, + "cmp": 1, + "Eq": 2, + "option": 4, + "result": 18, + "Result": 3, + "comm": 5, + "{": 213, + "stream": 21, + "Chan": 4, + "GenericChan": 1, + "GenericPort": 1, + "Port": 3, + "SharedChan": 4, + "}": 210, + "prelude": 1, + "*": 1, + "task": 39, + "rt": 29, + "task_id": 2, + "sched_id": 2, + "rust_task": 1, + "util": 4, + "replace": 8, + "mod": 5, + "local_data_priv": 1, + "pub": 26, + "local_data": 1, + "spawn": 15, + "///": 13, + "A": 6, + "handle": 3, + "to": 6, + "a": 9, + "scheduler": 6, + "#": 61, + "[": 61, + "deriving_eq": 3, + "]": 61, + "enum": 4, + "Scheduler": 4, + "SchedulerHandle": 2, + "(": 429, + ")": 434, + "Task": 2, + "TaskHandle": 2, + "TaskResult": 4, + "Success": 6, + "Failure": 6, + "impl": 3, + "for": 10, + "pure": 2, + "fn": 89, + "eq": 1, + "&": 30, + "self": 15, + "other": 4, + "-": 33, + "bool": 6, + "match": 4, + "|": 20, + "true": 9, + "_": 4, + "false": 7, + "ne": 1, + ".eq": 1, + "modes": 1, + "SchedMode": 4, + "Run": 3, + "on": 5, + "the": 10, + "default": 1, + "DefaultScheduler": 2, + "current": 1, + "CurrentScheduler": 2, + "specific": 1, + "ExistingScheduler": 1, + "PlatformThread": 2, + "All": 1, + "tasks": 1, + "run": 1, + "in": 3, + "same": 1, + "OS": 3, + "thread": 2, + "SingleThreaded": 4, + "Tasks": 2, + "are": 2, + "distributed": 2, + "among": 2, + "available": 1, + "CPUs": 1, + "ThreadPerCore": 2, + "Each": 1, + "runs": 1, + "its": 1, + "own": 1, + "ThreadPerTask": 1, + "fixed": 1, + "number": 1, + "of": 3, + "threads": 1, + "ManualThreads": 3, + "uint": 7, + "struct": 7, + "SchedOpts": 4, + "mode": 9, + "foreign_stack_size": 3, + "Option": 4, + "": 2, + "TaskOpts": 12, + "linked": 15, + "supervised": 11, + "mut": 16, + "notify_chan": 24, + "<": 3, + "": 3, + "sched": 10, + "TaskBuilder": 21, + "opts": 21, + "gen_body": 4, + "@fn": 2, + "v": 6, + "can_not_copy": 11, + "": 1, + "consumed": 4, + "default_task_opts": 4, + "body": 6, + "Identity": 1, + "function": 1, + "None": 23, + "doc": 1, + "hidden": 1, + "FIXME": 1, + "#3538": 1, + "priv": 1, + "consume": 1, + "if": 7, + "self.consumed": 2, + "fail": 17, + "Fake": 1, + "move": 1, + "let": 84, + "self.opts.notify_chan": 7, + "self.opts.linked": 4, + "self.opts.supervised": 5, + "self.opts.sched": 6, + "self.gen_body": 2, + "unlinked": 1, + "..": 8, + "self.consume": 7, + "future_result": 1, + "blk": 2, + "self.opts.notify_chan.is_some": 1, + "notify_pipe_po": 2, + "notify_pipe_ch": 2, + "Some": 8, + "Configure": 1, + "custom": 1, + "task.": 1, + "sched_mode": 1, + "add_wrapper": 1, + "wrapper": 2, + "prev_gen_body": 2, + "f": 38, + "x": 7, + "x.opts.linked": 1, + "x.opts.supervised": 1, + "x.opts.sched": 1, + "spawn_raw": 1, + "x.gen_body": 1, + "Runs": 1, + "while": 2, + "transfering": 1, + "ownership": 1, + "one": 1, + "argument": 1, + "child.": 1, + "spawn_with": 2, + "": 2, + "arg": 5, + "do": 49, + "self.spawn": 1, + "arg.take": 1, + "try": 5, + "": 2, + "T": 2, + "": 2, + "po": 11, + "ch": 26, + "": 1, + "fr_task_builder": 1, + "self.future_result": 1, + "+": 4, + "r": 6, + "fr_task_builder.spawn": 1, + "||": 11, + "ch.send": 11, + "unwrap": 3, + ".recv": 3, + "Ok": 3, + "po.recv": 10, + "Err": 2, + ".spawn": 9, + "spawn_unlinked": 6, + ".unlinked": 3, + "spawn_supervised": 5, + ".supervised": 2, + ".spawn_with": 1, + "spawn_sched": 8, + ".sched_mode": 2, + ".try": 1, + "yield": 16, + "Yield": 1, + "control": 1, + "unsafe": 31, + "task_": 2, + "rust_get_task": 5, + "killed": 3, + "rust_task_yield": 1, + "&&": 1, + "failing": 2, + "True": 1, + "running": 2, + "has": 1, + "failed": 1, + "rust_task_is_unwinding": 1, + "get_task": 1, + "Get": 1, + "get_task_id": 1, + "get_scheduler": 1, + "rust_get_sched_id": 6, + "unkillable": 5, + "": 3, + "U": 6, + "AllowFailure": 5, + "t": 24, + "*rust_task": 6, + "drop": 3, + "rust_task_allow_kill": 3, + "self.t": 4, + "_allow_failure": 2, + "rust_task_inhibit_kill": 3, + "The": 1, + "inverse": 1, + "unkillable.": 1, + "Only": 1, + "ever": 1, + "be": 2, + "used": 1, + "nested": 1, + ".": 1, + "rekillable": 1, + "DisallowFailure": 5, + "atomically": 3, + "DeferInterrupts": 5, + "rust_task_allow_yield": 1, + "_interrupts": 1, + "rust_task_inhibit_yield": 1, + "test": 31, + "should_fail": 11, + "ignore": 16, + "cfg": 16, + "windows": 14, + "test_cant_dup_task_builder": 1, + "b": 2, + "b.spawn": 2, + "should": 2, + "have": 1, + "been": 1, + "by": 1, + "previous": 1, + "call": 1, + "test_spawn_unlinked_unsup_no_fail_down": 1, + "grandchild": 1, + "sends": 1, + "port": 3, + "ch.clone": 2, + "iter": 8, + "repeat": 8, + "If": 1, + "first": 1, + "grandparent": 1, + "hangs.": 1, + "Shouldn": 1, + "leave": 1, + "child": 3, + "hanging": 1, + "around.": 1, + "test_spawn_linked_sup_fail_up": 1, + "fails": 4, + "parent": 2, + "_ch": 1, + "<()>": 6, + "opts.linked": 2, + "opts.supervised": 2, + "b0": 5, + "b1": 3, + "b1.spawn": 3, + "We": 1, + "get": 1, + "punted": 1, + "awake": 1, + "test_spawn_linked_sup_fail_down": 1, + "loop": 5, + "*both*": 1, + "mechanisms": 1, + "would": 1, + "wrong": 1, + "this": 1, + "didn": 1, + "s": 1, + "failure": 1, + "propagate": 1, + "across": 1, + "gap": 1, + "test_spawn_failure_propagate_secondborn": 1, + "test_spawn_failure_propagate_nephew_or_niece": 1, + "test_spawn_linked_sup_propagate_sibling": 1, + "test_run_basic": 1, + "Wrapper": 5, + "test_add_wrapper": 1, + "b0.add_wrapper": 1, + "ch.f.swap_unwrap": 4, + "test_future_result": 1, + ".future_result": 4, + "assert": 10, + "test_back_to_the_future_result": 1, + "test_try_success": 1, + "test_try_fail": 1, + "test_spawn_sched_no_threads": 1, + "u": 2, + "test_spawn_sched": 1, + "i": 3, + "int": 5, + "parent_sched_id": 4, + "child_sched_id": 5, + "else": 1, + "test_spawn_sched_childs_on_default_sched": 1, + "default_id": 2, + "nolink": 1, + "extern": 1, + "testrt": 9, + "rust_dbg_lock_create": 2, + "*libc": 6, + "c_void": 6, + "rust_dbg_lock_destroy": 2, + "lock": 13, + "rust_dbg_lock_lock": 3, + "rust_dbg_lock_unlock": 3, + "rust_dbg_lock_wait": 2, + "rust_dbg_lock_signal": 2, + "test_spawn_sched_blocking": 1, + "start_po": 1, + "start_ch": 1, + "fin_po": 1, + "fin_ch": 1, + "start_ch.send": 1, + "fin_ch.send": 1, + "start_po.recv": 1, + "pingpong": 3, + "": 2, + "val": 4, + "setup_po": 1, + "setup_ch": 1, + "parent_po": 2, + "parent_ch": 2, + "child_po": 2, + "child_ch": 4, + "setup_ch.send": 1, + "setup_po.recv": 1, + "child_ch.send": 1, + "fin_po.recv": 1, + "avoid_copying_the_body": 5, + "spawnfn": 2, + "p": 3, + "x_in_parent": 2, + "ptr": 2, + "addr_of": 2, + "as": 7, + "x_in_child": 4, + "p.recv": 1, + "test_avoid_copying_the_body_spawn": 1, + "test_avoid_copying_the_body_task_spawn": 1, + "test_avoid_copying_the_body_try": 1, + "test_avoid_copying_the_body_unlinked": 1, + "test_platform_thread": 1, + "test_unkillable": 1, + "pp": 2, + "*uint": 1, + "cast": 2, + "transmute": 2, + "_p": 1, + "test_unkillable_nested": 1, + "Here": 1, + "test_atomically_nested": 1, + "test_child_doesnt_ref_parent": 1, + "const": 1, + "generations": 2, + "child_no": 3, + "return": 1, + "test_sched_thread_per_core": 1, + "chan": 2, + "cores": 2, + "rust_num_threads": 1, + "reported_threads": 2, + "rust_sched_threads": 2, + "chan.send": 2, + "port.recv": 2, + "test_spawn_thread_on_demand": 1, + "max_threads": 2, + "running_threads": 2, + "rust_sched_current_nonlazy_threads": 2, + "port2": 1, + "chan2": 1, + "chan2.send": 1, + "running_threads2": 2, + "port2.recv": 1 + }, + "Sass": { + "blue": 7, + "#3bbfce": 2, + ";": 6, + "margin": 8, + "px": 3, + ".content_navigation": 1, + "{": 2, + "color": 4, + "}": 2, + ".border": 2, + "padding": 2, + "/": 4, + "border": 3, + "solid": 1, + ".content": 1, + "-": 3, + "navigation": 1, + "darken": 1, + "(": 1, + "%": 1, + ")": 1 + }, + "Scala": { + "SHEBANG#!sh": 2, + "exec": 2, + "scala": 2, + "#": 2, + "object": 3, + "Beers": 1, + "extends": 1, + "Application": 1, + "{": 21, + "def": 10, + "bottles": 3, + "(": 67, + "qty": 12, + "Int": 11, + "f": 4, + "String": 5, + ")": 67, + "//": 29, + "higher": 1, + "-": 5, + "order": 1, + "functions": 2, + "match": 2, + "case": 8, + "+": 49, + "x": 3, + "}": 22, + "beers": 3, + "sing": 3, + "implicit": 3, + "song": 3, + "takeOne": 2, + "nextQty": 2, + "nested": 1, + "if": 2, + "else": 2, + "refrain": 2, + ".capitalize": 1, + "tail": 1, + "recursion": 1, + "val": 6, + "headOfSong": 1, + "println": 8, + "parameter": 1, + "name": 4, + "version": 1, + "organization": 1, + "libraryDependencies": 3, + "%": 12, + "Seq": 3, + "libosmVersion": 4, + "from": 1, + "maxErrors": 1, + "pollInterval": 1, + "javacOptions": 1, + "scalacOptions": 1, + "scalaVersion": 1, + "initialCommands": 2, + "in": 12, + "console": 1, + "mainClass": 2, + "Compile": 4, + "packageBin": 1, + "Some": 6, + "run": 1, + "watchSources": 1, + "<+=>": 1, + "baseDirectory": 1, + "map": 1, + "_": 2, + "input": 1, + "add": 2, + "a": 4, + "maven": 2, + "style": 2, + "repository": 2, + "resolvers": 2, + "at": 4, + "url": 3, + "sequence": 1, + "of": 1, + "repositories": 1, + "define": 1, + "the": 5, + "to": 7, + "publish": 1, + "publishTo": 1, + "set": 2, + "Ivy": 1, + "logging": 1, + "be": 1, + "highest": 1, + "level": 1, + "ivyLoggingLevel": 1, + "UpdateLogging": 1, + "Full": 1, + "disable": 1, + "updating": 1, + "dynamic": 1, + "revisions": 1, + "including": 1, + "SNAPSHOT": 1, + "versions": 1, + "offline": 1, + "true": 5, + "prompt": 1, + "for": 1, + "this": 1, + "build": 1, + "include": 1, + "project": 1, + "id": 1, + "shellPrompt": 2, + "ThisBuild": 1, + "state": 3, + "Project.extract": 1, + ".currentRef.project": 1, + "System.getProperty": 1, + "showTiming": 1, + "false": 7, + "showSuccess": 1, + "timingFormat": 1, + "import": 9, + "java.text.DateFormat": 1, + "DateFormat.getDateTimeInstance": 1, + "DateFormat.SHORT": 2, + "crossPaths": 1, + "fork": 2, + "Test": 3, + "javaOptions": 1, + "parallelExecution": 2, + "javaHome": 1, + "file": 3, + "scalaHome": 1, + "aggregate": 1, + "clean": 1, + "logLevel": 2, + "compile": 1, + "Level.Warn": 2, + "persistLogLevel": 1, + "Level.Debug": 1, + "traceLevel": 2, + "unmanagedJars": 1, + "publishArtifact": 2, + "packageDoc": 2, + "artifactClassifier": 1, + "retrieveManaged": 1, + "credentials": 2, + "Credentials": 2, + "Path.userHome": 1, + "/": 2, + "math.random": 1, + "scala.language.postfixOps": 1, + "scala.util._": 1, + "scala.util.": 1, + "Try": 1, + "Success": 2, + "Failure": 2, + "scala.concurrent._": 1, + "duration._": 1, + "ExecutionContext.Implicits.global": 1, + "scala.concurrent.": 1, + "ExecutionContext": 1, + "CanAwait": 1, + "OnCompleteRunnable": 1, + "TimeoutException": 1, + "ExecutionException": 1, + "blocking": 3, + "node11": 1, + "Welcome": 1, + "Scala": 1, + "worksheet": 1, + "retry": 3, + "[": 11, + "T": 8, + "]": 11, + "n": 3, + "block": 8, + "Future": 5, + "ns": 1, + "Iterator": 2, + ".iterator": 1, + "attempts": 1, + "ns.map": 1, + "failed": 2, + "Future.failed": 1, + "new": 1, + "Exception": 2, + "attempts.foldLeft": 1, + "fallbackTo": 1, + "scala.concurrent.Future": 1, + "scala.concurrent.Fut": 1, + "|": 19, + "ure": 1, + "rb": 3, + "i": 9, + "Thread.sleep": 2, + "*random.toInt": 1, + "i.toString": 5, + "ri": 2, + "onComplete": 1, + "s": 1, + "s.toString": 1, + "t": 1, + "t.toString": 1, + "r": 1, + "r.toString": 1, + "Unit": 1, + "toList": 1, + ".foreach": 1, + "Iteration": 5, + "java.lang.Exception": 1, + "Hi": 10, + "HelloWorld": 1, + "main": 1, + "args": 1, + "Array": 1 + }, + "Scaml": { + "%": 1, + "p": 1, + "Hello": 1, + "World": 1 + }, + "Scheme": { + "(": 366, + "import": 1, + "rnrs": 1, + ")": 380, + "only": 1, + "surfage": 4, + "s1": 1, + "lists": 1, + "filter": 4, + "-": 192, + "map": 4, + "gl": 12, + "glut": 2, + "dharmalab": 2, + "records": 1, + "define": 30, + "record": 5, + "type": 5, + "math": 1, + "basic": 2, + "agave": 4, + "glu": 1, + "compat": 1, + "geometry": 1, + "pt": 49, + "glamour": 2, + "window": 2, + "misc": 1, + "s19": 1, + "time": 24, + "s27": 1, + "random": 27, + "bits": 1, + "s42": 1, + "eager": 1, + "comprehensions": 1, + ";": 1684, + "utilities": 1, + "say": 9, + ".": 2, + "args": 2, + "for": 7, + "each": 7, + "display": 4, + "newline": 2, + "translate": 6, + "p": 6, + "glTranslated": 1, + "x": 10, + "y": 3, + "radians": 8, + "/": 7, + "pi": 2, + "degrees": 2, + "angle": 6, + "a": 19, + "cos": 1, + "sin": 1, + "current": 15, + "in": 14, + "nanoseconds": 2, + "let": 2, + "val": 3, + "+": 28, + "second": 1, + "nanosecond": 1, + "seconds": 12, + "micro": 1, + "milli": 1, + "base": 2, + "step": 1, + "score": 5, + "level": 5, + "ships": 1, + "spaceship": 5, + "fields": 4, + "mutable": 14, + "pos": 16, + "vel": 4, + "theta": 1, + "force": 1, + "particle": 8, + "birth": 2, + "lifetime": 1, + "color": 2, + "particles": 11, + "asteroid": 14, + "radius": 6, + "number": 3, + "of": 3, + "starting": 3, + "asteroids": 15, + "#f": 5, + "bullet": 16, + "pack": 12, + "is": 8, + "initialize": 1, + "size": 1, + "title": 1, + "reshape": 1, + "width": 8, + "height": 8, + "source": 2, + "randomize": 1, + "default": 1, + "wrap": 4, + "mod": 2, + "ship": 8, + "make": 11, + "ammo": 9, + "set": 19, + "list": 6, + "ec": 6, + "i": 6, + "inexact": 16, + "integer": 25, + "buffered": 1, + "procedure": 1, + "lambda": 12, + "background": 1, + "glColor3f": 5, + "matrix": 5, + "excursion": 5, + "ship.pos": 5, + "glRotated": 2, + "ship.theta": 10, + "glutWireCone": 1, + "par": 6, + "c": 4, + "vector": 6, + "ref": 3, + "glutWireSphere": 3, + "bullets": 7, + "pack.pos": 3, + "glutWireCube": 1, + "last": 3, + "dt": 7, + "update": 2, + "system": 2, + "pt*n": 8, + "ship.vel": 5, + "pack.vel": 1, + "cond": 2, + "par.birth": 1, + "par.lifetime": 1, + "else": 2, + "par.pos": 2, + "par.vel": 1, + "bullet.birth": 1, + "bullet.pos": 2, + "bullet.vel": 1, + "a.pos": 2, + "a.vel": 1, + "if": 1, + "<": 1, + "a.radius": 1, + "contact": 2, + "b": 4, + "when": 5, + "<=>": 3, + "distance": 3, + "begin": 2, + "1": 2, + "f": 1, + "append": 4, + "4": 1, + "50": 4, + "0": 7, + "100": 6, + "2": 1, + "n": 2, + "null": 1, + "10": 1, + "5": 1, + "glutIdleFunc": 1, + "glutPostRedisplay": 1, + "glutKeyboardFunc": 1, + "key": 2, + "case": 1, + "char": 1, + "#": 6, + "w": 1, + "d": 1, + "s": 1, + "space": 1, + "cons": 1, + "glutMainLoop": 1, + "library": 1, + "libs": 1, + "export": 1, + "list2": 2, + "objs": 2, + "should": 1, + "not": 1, + "be": 1, + "exported": 1 + }, + "Scilab": { + "function": 1, + "[": 1, + "a": 4, + "b": 4, + "]": 1, + "myfunction": 1, + "(": 7, + "d": 2, + "e": 4, + "f": 2, + ")": 7, + "+": 5, + "%": 4, + "pi": 3, + ";": 7, + "cos": 1, + "cosh": 1, + "if": 1, + "then": 1, + "-": 2, + "e.field": 1, + "else": 1, + "home": 1, + "return": 1, + "end": 1, + "myvar": 1, + "endfunction": 1, + "disp": 1, + "assert_checkequal": 1, + "assert_checkfalse": 1 + }, + "SCSS": { + "blue": 4, + "#3bbfce": 1, + ";": 7, + "margin": 4, + "px": 1, + ".content": 1, + "-": 3, + "navigation": 1, + "{": 2, + "border": 2, + "color": 3, + "darken": 1, + "(": 1, + "%": 1, + ")": 1, + "}": 2, + ".border": 1, + "padding": 1, + "/": 2 + }, + "Shell": { + "SHEBANG#!bash": 8, + "typeset": 5, + "-": 391, + "i": 2, + "n": 22, + "bottles": 6, + "no": 16, + "while": 3, + "[": 85, + "]": 85, + "do": 8, + "echo": 71, + "case": 9, + "{": 63, + "}": 61, + "in": 25, + ")": 154, + "%": 5, + "s": 14, + ";": 138, + "esac": 7, + "done": 8, + "exit": 10, + "/usr/bin/clear": 2, + "##": 28, + "if": 39, + "z": 12, + "then": 41, + "export": 25, + "SCREENDIR": 2, + "fi": 34, + "PATH": 14, + "/usr/local/bin": 6, + "/usr/local/sbin": 6, + "/usr/xpg4/bin": 4, + "/usr/sbin": 6, + "/usr/bin": 8, + "/usr/sfw/bin": 4, + "/usr/ccs/bin": 4, + "/usr/openwin/bin": 4, + "/opt/mysql/current/bin": 4, + "MANPATH": 2, + "/usr/local/man": 2, + "/usr/share/man": 2, + "Random": 2, + "ENV...": 2, + "TERM": 4, + "COLORTERM": 2, + "CLICOLOR": 2, + "#": 53, + "can": 3, + "be": 3, + "set": 21, + "to": 33, + "anything": 2, + "actually": 2, + "DISPLAY": 2, + "r": 17, + "&&": 65, + ".": 5, + "function": 6, + "ls": 6, + "command": 5, + "Fh": 2, + "l": 8, + "list": 3, + "long": 2, + "format...": 2, + "ll": 2, + "|": 17, + "less": 2, + "XF": 2, + "pipe": 2, + "into": 3, + "#CDPATH": 2, + "HISTIGNORE": 2, + "HISTCONTROL": 2, + "ignoreboth": 2, + "shopt": 13, + "cdspell": 2, + "extglob": 2, + "progcomp": 2, + "complete": 82, + "f": 68, + "X": 54, + "bunzip2": 2, + "bzcat": 2, + "bzcmp": 2, + "bzdiff": 2, + "bzegrep": 2, + "bzfgrep": 2, + "bzgrep": 2, + "unzip": 2, + "zipinfo": 2, + "compress": 2, + "znew": 2, + "gunzip": 2, + "zcmp": 2, + "zdiff": 2, + "zcat": 2, + "zegrep": 2, + "zfgrep": 2, + "zgrep": 2, + "zless": 2, + "zmore": 2, + "uncompress": 2, + "ee": 2, + "display": 2, + "xv": 2, + "qiv": 2, + "gv": 2, + "ggv": 2, + "xdvi": 2, + "dvips": 2, + "dviselect": 2, + "dvitype": 2, + "acroread": 2, + "xpdf": 2, + "makeinfo": 2, + "texi2html": 2, + "tex": 2, + "latex": 2, + "slitex": 2, + "jadetex": 2, + "pdfjadetex": 2, + "pdftex": 2, + "pdflatex": 2, + "texi2dvi": 2, + "mpg123": 2, + "mpg321": 2, + "xine": 2, + "aviplay": 2, + "realplay": 2, + "xanim": 2, + "ogg123": 2, + "gqmpeg": 2, + "freeamp": 2, + "xmms": 2, + "xfig": 2, + "timidity": 2, + "playmidi": 2, + "vi": 2, + "vim": 2, + "gvim": 2, + "rvim": 2, + "view": 2, + "rview": 2, + "rgvim": 2, + "rgview": 2, + "gview": 2, + "emacs": 2, + "wine": 2, + "bzme": 2, + "netscape": 2, + "mozilla": 2, + "lynx": 2, + "opera": 2, + "w3m": 2, + "galeon": 2, + "curl": 8, + "dillo": 2, + "elinks": 2, + "links": 2, + "u": 2, + "su": 2, + "passwd": 2, + "groups": 2, + "user": 2, + "commands": 8, + "see": 4, + "only": 6, + "users": 2, + "A": 10, + "stopped": 4, + "P": 4, + "bg": 4, + "completes": 10, + "with": 12, + "jobs": 4, + "j": 2, + "fg": 2, + "disown": 2, + "other": 2, + "job": 3, + "v": 11, + "readonly": 4, + "unset": 10, + "and": 5, + "shell": 4, + "variables": 2, + "setopt": 8, + "options": 8, + "helptopic": 2, + "help": 5, + "helptopics": 2, + "a": 12, + "unalias": 4, + "aliases": 2, + "binding": 2, + "bind": 4, + "readline": 2, + "bindings": 2, + "(": 107, + "make": 6, + "this": 6, + "more": 3, + "intelligent": 2, + "c": 2, + "type": 5, + "which": 10, + "man": 6, + "#sudo": 2, + "on": 4, + "d": 9, + "pushd": 2, + "cd": 11, + "rmdir": 2, + "Make": 2, + "directory": 5, + "directories": 2, + "W": 2, + "alias": 42, + "filenames": 2, + "for": 7, + "PS1": 2, + "..": 2, + "cd..": 2, + "t": 3, + "csh": 2, + "is": 11, + "same": 2, + "as": 2, + "bash...": 2, + "quit": 2, + "q": 8, + "even": 3, + "shorter": 2, + "D": 2, + "rehash": 2, + "source": 7, + "/.bashrc": 3, + "after": 2, + "I": 2, + "edit": 2, + "it": 2, + "pg": 2, + "patch": 2, + "sed": 2, + "awk": 2, + "diff": 2, + "grep": 8, + "find": 2, + "ps": 2, + "whoami": 2, + "ping": 2, + "histappend": 2, + "PROMPT_COMMAND": 2, + "umask": 2, + "path": 13, + "/opt/local/bin": 2, + "/opt/local/sbin": 2, + "/bin": 4, + "prompt": 2, + "history": 18, + "endif": 2, + "stty": 2, + "istrip": 2, + "dirpersiststore": 2, + "##############################################################################": 16, + "#Import": 2, + "the": 17, + "agnostic": 2, + "Bash": 3, + "or": 3, + "Zsh": 2, + "environment": 2, + "config": 4, + "/.profile": 2, + "HISTSIZE": 2, + "#How": 2, + "many": 2, + "lines": 2, + "of": 6, + "keep": 3, + "memory": 3, + "HISTFILE": 2, + "/.zsh_history": 2, + "#Where": 2, + "save": 4, + "disk": 5, + "SAVEHIST": 2, + "#Number": 2, + "entries": 2, + "HISTDUP": 2, + "erase": 2, + "#Erase": 2, + "duplicates": 2, + "file": 9, + "appendhistory": 2, + "#Append": 2, + "overwriting": 2, + "sharehistory": 2, + "#Share": 2, + "across": 2, + "terminals": 2, + "incappendhistory": 2, + "#Immediately": 2, + "append": 2, + "not": 2, + "just": 2, + "when": 2, + "term": 2, + "killed": 2, + "#.": 2, + "/.dotfiles/z": 4, + "zsh/z.sh": 2, + "#function": 2, + "precmd": 2, + "rupa/z.sh": 2, + "fpath": 6, + "HOME/.zsh/func": 2, + "U": 2, + "docker": 1, + "version": 12, + "from": 1, + "ubuntu": 1, + "maintainer": 1, + "Solomon": 1, + "Hykes": 1, + "": 1, + "run": 13, + "apt": 6, + "get": 6, + "install": 8, + "y": 5, + "git": 16, + "https": 2, + "//go.googlecode.com/files/go1.1.1.linux": 1, + "amd64.tar.gz": 1, + "tar": 1, + "C": 1, + "/usr/local": 1, + "xz": 1, + "env": 4, + "/usr/local/go/bin": 2, + "/sbin": 2, + "GOPATH": 1, + "/go": 1, + "CGO_ENABLED": 1, + "/tmp": 1, + "t.go": 1, + "go": 2, + "test": 1, + "PKG": 12, + "github.com/kr/pty": 1, + "REV": 6, + "c699": 1, + "clone": 5, + "http": 3, + "//": 3, + "/go/src/": 6, + "checkout": 3, + "github.com/gorilla/context/": 1, + "d61e5": 1, + "github.com/gorilla/mux/": 1, + "b36453141c": 1, + "iptables": 1, + "/etc/apt/sources.list": 1, + "update": 2, + "lxc": 1, + "aufs": 1, + "tools": 1, + "add": 1, + "/go/src/github.com/dotcloud/docker": 1, + "/go/src/github.com/dotcloud/docker/docker": 1, + "ldflags": 1, + "/go/bin": 1, + "cmd": 1, + "pkgname": 1, + "stud": 4, + "pkgver": 1, + "pkgrel": 1, + "pkgdesc": 1, + "arch": 1, + "i686": 1, + "x86_64": 1, + "url": 4, + "license": 1, + "depends": 1, + "libev": 1, + "openssl": 1, + "makedepends": 1, + "provides": 1, + "conflicts": 1, + "_gitroot": 1, + "//github.com/bumptech/stud.git": 1, + "_gitname": 1, + "build": 2, + "msg": 4, + "pull": 3, + "origin": 1, + "else": 10, + "rm": 2, + "rf": 1, + "package": 1, + "PREFIX": 1, + "/usr": 1, + "DESTDIR": 1, + "Dm755": 1, + "init.stud": 1, + "mkdir": 2, + "p": 2, + "script": 1, + "dotfile": 1, + "repository": 3, + "does": 1, + "lot": 1, + "fun": 2, + "stuff": 3, + "like": 1, + "turning": 1, + "normal": 1, + "dotfiles": 1, + "eg": 1, + ".bashrc": 1, + "symlinks": 1, + "away": 1, + "optionally": 1, + "moving": 1, + "old": 4, + "files": 1, + "so": 1, + "that": 1, + "they": 1, + "preserved": 1, + "setting": 2, + "up": 1, + "cron": 1, + "automate": 1, + "aforementioned": 1, + "maybe": 1, + "some": 1, + "nocasematch": 1, + "This": 1, + "makes": 1, + "pattern": 1, + "matching": 1, + "insensitive": 1, + "POSTFIX": 1, + "URL": 1, + "PUSHURL": 1, + "overwrite": 3, + "true": 2, + "print_help": 2, + "e": 4, + "opt": 3, + "@": 3, + "k": 1, + "local": 22, + "false": 2, + "h": 3, + ".*": 2, + "o": 3, + "continue": 1, + "mv": 1, + "ln": 1, + "remote.origin.url": 1, + "remote.origin.pushurl": 1, + "crontab": 1, + ".jobs.cron": 1, + "x": 1, + "system": 1, + "exec": 3, + "rbenv": 2, + "versions": 1, + "bare": 1, + "&": 5, + "prefix": 1, + "/dev/null": 6, + "rvm_ignore_rvmrc": 1, + "declare": 22, + "rvmrc": 3, + "rvm_rvmrc_files": 3, + "ef": 1, + "+": 1, + "GREP_OPTIONS": 1, + "printf": 4, + "rvm_path": 4, + "UID": 1, + "elif": 4, + "rvm_is_not_a_shell_function": 2, + "rvm_path/scripts": 1, + "rvm": 1, + "sbt_release_version": 2, + "sbt_snapshot_version": 2, + "SNAPSHOT": 3, + "sbt_jar": 3, + "sbt_dir": 2, + "sbt_create": 2, + "sbt_snapshot": 1, + "sbt_launch_dir": 3, + "scala_version": 3, + "java_home": 1, + "sbt_explicit_version": 7, + "verbose": 6, + "debug": 11, + "quiet": 6, + "build_props_sbt": 3, + "project/build.properties": 9, + "versionLine": 2, + "sbt.version": 3, + "versionString": 3, + "versionLine##sbt.version": 1, + "update_build_props_sbt": 2, + "ver": 5, + "return": 3, + "perl": 3, + "pi": 1, + "||": 12, + "Updated": 1, + "Previous": 1, + "value": 1, + "was": 1, + "sbt_version": 8, + "echoerr": 3, + "vlog": 1, + "dlog": 8, + "get_script_path": 2, + "L": 1, + "target": 1, + "readlink": 1, + "get_mem_opts": 3, + "mem": 4, + "perm": 6, + "/": 2, + "<": 2, + "codecache": 1, + "die": 2, + "make_url": 3, + "groupid": 1, + "category": 1, + "default_jvm_opts": 1, + "default_sbt_opts": 1, + "default_sbt_mem": 2, + "noshare_opts": 1, + "sbt_opts_file": 1, + "jvm_opts_file": 1, + "latest_28": 1, + "latest_29": 1, + "latest_210": 1, + "script_path": 1, + "script_dir": 1, + "script_name": 2, + "java_cmd": 2, + "java": 2, + "sbt_mem": 5, + "residual_args": 4, + "java_args": 3, + "scalac_args": 4, + "sbt_commands": 2, + "build_props_scala": 1, + "build.scala.versions": 1, + "versionLine##build.scala.versions": 1, + "execRunner": 2, + "arg": 3, + "sbt_groupid": 3, + "*": 11, + "org.scala": 4, + "tools.sbt": 3, + "sbt": 18, + "sbt_artifactory_list": 2, + "version0": 2, + "F": 1, + "pe": 1, + "make_release_url": 2, + "releases": 1, + "make_snapshot_url": 2, + "snapshots": 1, + "head": 1, + "jar_url": 1, + "jar_file": 1, + "download_url": 2, + "jar": 3, + "dirname": 1, + "fail": 1, + "silent": 1, + "output": 1, + "wget": 2, + "O": 1, + "acquire_sbt_jar": 1, + "sbt_url": 1, + "usage": 2, + "cat": 3, + "<<": 2, + "EOM": 3, + "Usage": 1, + "print": 1, + "message": 1, + "runner": 1, + "chattier": 1, + "log": 2, + "level": 2, + "Debug": 1, + "Error": 1, + "colors": 2, + "disable": 1, + "ANSI": 1, + "color": 1, + "codes": 1, + "create": 2, + "start": 1, + "current": 1, + "contains": 2, + "project": 1, + "dir": 3, + "": 3, + "global": 1, + "settings/plugins": 1, + "default": 4, + "/.sbt/": 1, + "": 1, + "boot": 3, + "shared": 1, + "/.sbt/boot": 1, + "series": 1, + "ivy": 2, + "Ivy": 1, + "/.ivy2": 1, + "": 1, + "share": 2, + "use": 1, + "all": 1, + "caches": 1, + "sharing": 1, + "offline": 3, + "put": 1, + "mode": 2, + "jvm": 2, + "": 1, + "Turn": 1, + "JVM": 1, + "debugging": 1, + "open": 1, + "at": 1, + "given": 2, + "port.": 1, + "batch": 2, + "Disable": 1, + "interactive": 1, + "The": 1, + "way": 1, + "accomplish": 1, + "pre": 1, + "there": 2, + "build.properties": 1, + "an": 1, + "property": 1, + "disk.": 1, + "That": 1, + "scalacOptions": 3, + "S": 2, + "stripped": 1, + "In": 1, + "duplicated": 1, + "conflicting": 1, + "order": 1, + "above": 1, + "shows": 1, + "precedence": 1, + "JAVA_OPTS": 1, + "lowest": 1, + "line": 1, + "highest.": 1, + "addJava": 9, + "addSbt": 12, + "addScalac": 2, + "addResidual": 2, + "addResolver": 1, + "addDebugger": 2, + "get_jvm_opts": 2, + "process_args": 2, + "require_arg": 12, + "gt": 1, + "shift": 28, + "integer": 1, + "inc": 1, + "port": 1, + "snapshot": 1, + "launch": 1, + "scala": 3, + "home": 2, + "D*": 1, + "J*": 1, + "S*": 1, + "sbtargs": 3, + "IFS": 1, + "read": 1, + "<\"$sbt_opts_file\">": 1, + "process": 1, + "combined": 1, + "args": 2, + "reset": 1, + "residuals": 1, + "argumentCount=": 1, + "we": 1, + "were": 1, + "any": 1, + "opts": 1, + "eq": 1, + "0": 1, + "ThisBuild": 1, + "Update": 1, + "properties": 1, + "explicit": 1, + "gives": 1, + "us": 1, + "choice": 1, + "Detected": 1, + "Overriding": 1, + "alert": 1, + "them": 1, + "here": 1, + "argumentCount": 1, + "./build.sbt": 1, + "./project": 1, + "pwd": 1, + "doesn": 1, + "understand": 1, + "iflast": 1, + "#residual_args": 1, + "SHEBANG#!sh": 2, + "SHEBANG#!zsh": 2, + "name": 1, + "foodforthought.jpg": 1, + "name##*fo": 1 + }, + "Shen": { + "*": 47, + "graph.shen": 1, + "-": 747, + "a": 30, + "library": 3, + "for": 12, + "graph": 52, + "definition": 1, + "and": 16, + "manipulation": 1, + "Copyright": 2, + "(": 267, + "C": 6, + ")": 250, + "Eric": 2, + "Schulte": 2, + "***": 5, + "License": 2, + "Redistribution": 2, + "use": 2, + "in": 13, + "source": 4, + "binary": 4, + "forms": 2, + "with": 8, + "or": 2, + "without": 2, + "modification": 2, + "are": 7, + "permitted": 2, + "provided": 4, + "that": 3, + "the": 29, + "following": 6, + "conditions": 6, + "met": 2, + "Redistributions": 4, + "of": 20, + "code": 2, + "must": 4, + "retain": 2, + "above": 4, + "copyright": 4, + "notice": 4, + "this": 4, + "list": 32, + "disclaimer.": 2, + "form": 2, + "reproduce": 2, + "disclaimer": 2, + "documentation": 2, + "and/or": 2, + "other": 2, + "materials": 2, + "distribution.": 2, + "THIS": 4, + "SOFTWARE": 4, + "IS": 2, + "PROVIDED": 2, + "BY": 2, + "THE": 10, + "COPYRIGHT": 4, + "HOLDERS": 2, + "AND": 8, + "CONTRIBUTORS": 4, + "ANY": 8, + "EXPRESS": 2, + "OR": 16, + "IMPLIED": 4, + "WARRANTIES": 4, + "INCLUDING": 6, + "BUT": 4, + "NOT": 4, + "LIMITED": 4, + "TO": 4, + "OF": 16, + "MERCHANTABILITY": 2, + "FITNESS": 2, + "FOR": 4, + "A": 32, + "PARTICULAR": 2, + "PURPOSE": 2, + "ARE": 2, + "DISCLAIMED.": 2, + "IN": 6, + "NO": 2, + "EVENT": 2, + "SHALL": 2, + "HOLDER": 2, + "BE": 2, + "LIABLE": 2, + "DIRECT": 2, + "INDIRECT": 2, + "INCIDENTAL": 2, + "SPECIAL": 2, + "EXEMPLARY": 2, + "CONSEQUENTIAL": 2, + "DAMAGES": 2, + "PROCUREMENT": 2, + "SUBSTITUTE": 2, + "GOODS": 2, + "SERVICES": 2, + ";": 12, + "LOSS": 2, + "USE": 4, + "DATA": 2, + "PROFITS": 2, + "BUSINESS": 2, + "INTERRUPTION": 2, + "HOWEVER": 2, + "CAUSED": 2, + "ON": 2, + "THEORY": 2, + "LIABILITY": 4, + "WHETHER": 2, + "CONTRACT": 2, + "STRICT": 2, + "TORT": 2, + "NEGLIGENCE": 2, + "OTHERWISE": 2, + "ARISING": 2, + "WAY": 2, + "OUT": 2, + "EVEN": 2, + "IF": 2, + "ADVISED": 2, + "POSSIBILITY": 2, + "SUCH": 2, + "DAMAGE.": 2, + "Commentary": 2, + "Graphs": 1, + "represented": 1, + "as": 2, + "two": 1, + "dictionaries": 1, + "one": 2, + "vertices": 17, + "edges.": 1, + "It": 1, + "is": 5, + "important": 1, + "to": 16, + "note": 1, + "dictionary": 3, + "implementation": 1, + "used": 2, + "able": 1, + "accept": 1, + "arbitrary": 1, + "data": 17, + "structures": 1, + "keys.": 1, + "This": 1, + "structure": 2, + "technically": 1, + "encodes": 1, + "hypergraphs": 1, + "generalization": 1, + "graphs": 1, + "which": 1, + "each": 1, + "edge": 32, + "may": 1, + "contain": 2, + "any": 1, + "number": 12, + ".": 1, + "Examples": 1, + "regular": 1, + "G": 25, + "hypergraph": 1, + "H": 3, + "corresponding": 1, + "given": 4, + "below.": 1, + "": 3, + "Vertices": 11, + "Edges": 9, + "+": 33, + "Graph": 65, + "hash": 8, + "|": 103, + "key": 9, + "value": 17, + "b": 13, + "c": 11, + "g": 19, + "[": 93, + "]": 91, + "d": 12, + "e": 14, + "f": 10, + "Hypergraph": 1, + "h": 3, + "i": 3, + "j": 2, + "associated": 1, + "edge/vertex": 1, + "@p": 17, + "V": 48, + "#": 4, + "E": 20, + "edges": 17, + "M": 4, + "vertex": 29, + "associations": 1, + "size": 2, + "all": 3, + "stored": 1, + "dict": 39, + "sizeof": 4, + "int": 1, + "indices": 1, + "into": 1, + "&": 1, + "Edge": 11, + "dicts": 3, + "entry": 2, + "storage": 2, + "Vertex": 3, + "Code": 1, + "require": 2, + "sequence": 2, + "datatype": 1, + "dictoinary": 1, + "vector": 4, + "symbol": 1, + "package": 2, + "add": 25, + "has": 5, + "neighbors": 8, + "connected": 21, + "components": 8, + "partition": 7, + "bipartite": 3, + "included": 2, + "from": 3, + "take": 2, + "drop": 2, + "while": 2, + "range": 1, + "flatten": 1, + "filter": 2, + "complement": 1, + "seperate": 1, + "zip": 1, + "indexed": 1, + "reduce": 3, + "mapcon": 3, + "unique": 3, + "frequencies": 1, + "shuffle": 1, + "pick": 1, + "remove": 2, + "first": 2, + "interpose": 1, + "subset": 3, + "cartesian": 1, + "product": 1, + "<-dict>": 5, + "contents": 1, + "keys": 3, + "vals": 1, + "make": 10, + "define": 34, + "X": 4, + "<-address>": 5, + "0": 1, + "create": 1, + "specified": 1, + "sizes": 2, + "}": 22, + "Vertsize": 2, + "Edgesize": 2, + "let": 9, + "absvector": 1, + "do": 8, + "address": 5, + "defmacro": 3, + "macro": 3, + "return": 4, + "taking": 1, + "optional": 1, + "N": 7, + "vert": 12, + "1": 1, + "2": 3, + "{": 15, + "get": 3, + "Value": 3, + "if": 8, + "tuple": 3, + "fst": 3, + "error": 7, + "string": 3, + "resolve": 6, + "Vector": 2, + "Index": 2, + "Place": 6, + "nth": 1, + "<-vector>": 2, + "Vert": 5, + "Val": 5, + "trap": 4, + "snd": 2, + "map": 5, + "lambda": 1, + "w": 4, + "B": 2, + "Data": 2, + "w/o": 5, + "D": 4, + "update": 5, + "an": 3, + "s": 1, + "Vs": 4, + "Store": 6, + "<": 4, + "limit": 2, + "VertLst": 2, + "/.": 4, + "Contents": 5, + "adjoin": 2, + "length": 5, + "EdgeID": 3, + "EdgeLst": 2, + "p": 1, + "boolean": 4, + "Return": 1, + "Already": 5, + "New": 5, + "Reachable": 2, + "difference": 3, + "append": 1, + "including": 1, + "itself": 1, + "fully": 1, + "Acc": 2, + "true": 1, + "_": 1, + "VS": 4, + "Component": 6, + "ES": 3, + "Con": 8, + "verts": 4, + "cons": 1, + "place": 3, + "partitions": 1, + "element": 2, + "simple": 3, + "CS": 3, + "Neighbors": 3, + "empty": 1, + "intersection": 1, + "check": 1, + "tests": 1, + "set": 1, + "chris": 6, + "patton": 2, + "eric": 1, + "nobody": 2, + "fail": 1, + "when": 1, + "wrapper": 1, + "function": 1, + "html.shen": 1, + "html": 2, + "generation": 1, + "functions": 1, + "shen": 1, + "The": 1, + "standard": 1, + "lisp": 1, + "conversion": 1, + "tool": 1, + "suite.": 1, + "Follows": 1, + "some": 1, + "convertions": 1, + "Clojure": 1, + "tasks": 1, + "stuff": 1, + "todo1": 1, + "today": 1, + "attributes": 1, + "AS": 1, + "load": 1, + "JSON": 1, + "Lexer": 1, + "Read": 1, + "stream": 1, + "characters": 4, + "Whitespace": 4, + "not": 1, + "strings": 2, + "should": 2, + "be": 2, + "discarded.": 1, + "preserved": 1, + "Strings": 1, + "can": 1, + "escaped": 1, + "double": 1, + "quotes.": 1, + "e.g.": 2, + "whitespacep": 2, + "ASCII": 2, + "Space.": 1, + "All": 1, + "others": 1, + "whitespace": 7, + "table.": 1, + "Char": 4, + "member": 1, + "replace": 3, + "@s": 4, + "Suffix": 4, + "where": 2, + "Prefix": 2, + "fetch": 1, + "until": 1, + "unescaped": 1, + "doublequote": 1, + "c#34": 5, + "WhitespaceChar": 2, + "Chars": 4, + "strip": 2, + "chars": 2, + "tokenise": 1, + "JSONString": 2, + "CharList": 2, + "explode": 1 + }, + "Slash": { + "<%>": 1, + "class": 11, + "Env": 1, + "def": 18, + "init": 4, + "memory": 3, + "ptr": 9, + "0": 3, + "ptr=": 1, + "current_value": 5, + "current_value=": 1, + "value": 1, + "AST": 4, + "Next": 1, + "eval": 10, + "env": 16, + "Prev": 1, + "Inc": 1, + "Dec": 1, + "Output": 1, + "print": 1, + "char": 5, + "Input": 1, + "Sequence": 2, + "nodes": 6, + "for": 2, + "node": 2, + "in": 2, + "Loop": 1, + "seq": 4, + "while": 1, + "Parser": 1, + "str": 2, + "chars": 2, + "split": 1, + "parse": 1, + "stack": 3, + "_parse_char": 2, + "if": 1, + "length": 1, + "1": 1, + "throw": 1, + "SyntaxError": 1, + "new": 2, + "unexpected": 2, + "end": 1, + "of": 1, + "input": 1, + "last": 1, + "switch": 1, + "<": 1, + "+": 1, + "-": 1, + ".": 1, + "[": 1, + "]": 1, + ")": 7, + ";": 6, + "}": 3, + "@stack.pop": 1, + "_add": 1, + "(": 6, + "Loop.new": 1, + "Sequence.new": 1, + "src": 2, + "File.read": 1, + "ARGV.first": 1, + "ast": 1, + "Parser.new": 1, + ".parse": 1, + "ast.eval": 1, + "Env.new": 1 + }, + "Squirrel": { + "//example": 1, + "from": 1, + "http": 1, + "//www.squirrel": 1, + "-": 1, + "lang.org/#documentation": 1, + "local": 3, + "table": 1, + "{": 10, + "a": 2, + "subtable": 1, + "array": 3, + "[": 3, + "]": 3, + "}": 10, + "+": 2, + "b": 1, + ";": 15, + "foreach": 1, + "(": 10, + "i": 1, + "val": 2, + "in": 1, + ")": 10, + "print": 2, + "typeof": 1, + "/////////////////////////////////////////////": 1, + "class": 2, + "Entity": 3, + "constructor": 2, + "etype": 2, + "entityname": 4, + "name": 2, + "type": 2, + "x": 2, + "y": 2, + "z": 2, + "null": 2, + "function": 2, + "MoveTo": 1, + "newx": 2, + "newy": 2, + "newz": 2, + "Player": 2, + "extends": 1, + "base.constructor": 1, + "DoDomething": 1, + "newplayer": 1, + "newplayer.MoveTo": 1 + }, + "Standard ML": { + "signature": 2, + "LAZY_BASE": 3, + "sig": 2, + "type": 5, + "a": 74, + "lazy": 12, + "-": 19, + ")": 826, + "end": 52, + "LAZY": 1, + "bool": 9, + "val": 143, + "inject": 3, + "toString": 3, + "(": 822, + "string": 14, + "eq": 2, + "*": 9, + "eqBy": 3, + "compare": 7, + "order": 2, + "map": 2, + "b": 58, + "structure": 10, + "Ops": 2, + "LazyBase": 2, + "struct": 9, + "exception": 1, + "Undefined": 3, + "fun": 51, + "delay": 3, + "f": 37, + "force": 9, + "undefined": 1, + "fn": 124, + "raise": 5, + "LazyMemoBase": 2, + "datatype": 28, + "|": 225, + "Done": 1, + "of": 90, + "unit": 6, + "let": 43, + "open": 8, + "B": 1, + "x": 59, + "isUndefined": 2, + "ignore": 2, + ";": 20, + "false": 31, + "handle": 3, + "true": 35, + "if": 50, + "then": 50, + "else": 50, + "p": 6, + "y": 44, + "op": 1, + "Lazy": 1, + "LazyFn": 2, + "LazyMemo": 1, + "functor": 2, + "Main": 1, + "S": 2, + "MAIN_STRUCTS": 1, + "MAIN": 1, + "Compile": 3, + "Place": 1, + "t": 23, + "Files": 3, + "Generated": 4, + "MLB": 4, + "O": 4, + "OUT": 3, + "SML": 6, + "TypeCheck": 3, + "toInt": 1, + "int": 1, + "OptPred": 1, + "Target": 1, + "Yes": 1, + "Show": 1, + "Anns": 1, + "PathMap": 1, + "gcc": 5, + "ref": 45, + "arScript": 3, + "asOpts": 6, + "{": 79, + "opt": 34, + "pred": 15, + "OptPred.t": 3, + "}": 79, + "list": 10, + "[": 104, + "]": 108, + "ccOpts": 6, + "linkOpts": 6, + "buildConstants": 2, + "debugRuntime": 3, + "debugFormat": 5, + "Dwarf": 3, + "DwarfPlus": 3, + "Dwarf2": 3, + "Stabs": 3, + "StabsPlus": 3, + "option": 6, + "NONE": 47, + "expert": 3, + "explicitAlign": 3, + "Control.align": 1, + "explicitChunk": 2, + "Control.chunk": 1, + "explicitCodegen": 5, + "Native": 5, + "Explicit": 5, + "Control.codegen": 3, + "keepGenerated": 3, + "keepO": 3, + "output": 16, + "profileSet": 3, + "profileTimeSet": 3, + "runtimeArgs": 3, + "show": 2, + "Show.t": 1, + "stop": 10, + "Place.OUT": 1, + "parseMlbPathVar": 3, + "line": 9, + "String.t": 1, + "case": 83, + "String.tokens": 7, + "Char.isSpace": 8, + "var": 3, + "path": 7, + "SOME": 68, + "_": 83, + "readMlbPathMap": 2, + "file": 14, + "File.t": 12, + "not": 1, + "File.canRead": 1, + "Error.bug": 14, + "concat": 52, + "List.keepAllMap": 4, + "File.lines": 2, + "String.forall": 4, + "v": 4, + "targetMap": 5, + "arch": 11, + "MLton.Platform.Arch.t": 3, + "os": 13, + "MLton.Platform.OS.t": 3, + "target": 28, + "Promise.lazy": 1, + "targetsDir": 5, + "OS.Path.mkAbsolute": 4, + "relativeTo": 4, + "Control.libDir": 1, + "potentialTargets": 2, + "Dir.lsDirs": 1, + "targetDir": 5, + "osFile": 2, + "OS.Path.joinDirFile": 3, + "dir": 4, + "archFile": 2, + "File.contents": 2, + "List.first": 2, + "MLton.Platform.OS.fromString": 1, + "MLton.Platform.Arch.fromString": 1, + "in": 40, + "setTargetType": 3, + "usage": 48, + "List.peek": 7, + "...": 23, + "Control": 3, + "Target.arch": 2, + "Target.os": 2, + "hasCodegen": 8, + "cg": 21, + "z": 73, + "Control.Target.arch": 4, + "Control.Target.os": 2, + "Control.Format.t": 1, + "AMD64": 2, + "x86Codegen": 9, + "X86": 3, + "amd64Codegen": 8, + "<": 3, + "Darwin": 6, + "orelse": 7, + "Control.format": 3, + "Executable": 5, + "Archive": 4, + "hasNativeCodegen": 2, + "defaultAlignIs8": 3, + "Alpha": 1, + "ARM": 1, + "HPPA": 1, + "IA64": 1, + "MIPS": 1, + "Sparc": 1, + "S390": 1, + "makeOptions": 3, + "s": 168, + "Fail": 2, + "reportAnnotation": 4, + "flag": 12, + "e": 18, + "Control.Elaborate.Bad": 1, + "Control.Elaborate.Deprecated": 1, + "ids": 2, + "Control.warnDeprecated": 1, + "Out.output": 2, + "Out.error": 3, + "List.toString": 1, + "Control.Elaborate.Id.name": 1, + "Control.Elaborate.Good": 1, + "Control.Elaborate.Other": 1, + "Popt": 1, + "tokenizeOpt": 4, + "opts": 4, + "List.foreach": 5, + "tokenizeTargetOpt": 4, + "List.map": 3, + "Normal": 29, + "SpaceString": 48, + "Align4": 2, + "Align8": 2, + "Expert": 72, + "o": 8, + "List.push": 22, + "OptPred.Yes": 6, + "boolRef": 20, + "ChunkPerFunc": 1, + "OneChunk": 1, + "String.hasPrefix": 2, + "prefix": 3, + "String.dropPrefix": 1, + "Char.isDigit": 3, + "Int.fromString": 4, + "n": 4, + "Coalesce": 1, + "limit": 1, + "Bool": 10, + "closureConvertGlobalize": 1, + "closureConvertShrink": 1, + "String.concatWith": 2, + "Control.Codegen.all": 2, + "Control.Codegen.toString": 2, + "name": 7, + "value": 4, + "Compile.setCommandLineConstant": 2, + "contifyIntoMain": 1, + "debug": 4, + "Control.Elaborate.processDefault": 1, + "Control.defaultChar": 1, + "Control.defaultInt": 5, + "Control.defaultReal": 2, + "Control.defaultWideChar": 2, + "Control.defaultWord": 4, + "Regexp.fromString": 7, + "re": 34, + "Regexp.compileDFA": 4, + "diagPasses": 1, + "Control.Elaborate.processEnabled": 2, + "dropPasses": 1, + "intRef": 8, + "errorThreshhold": 1, + "emitMain": 1, + "exportHeader": 3, + "Control.Format.all": 2, + "Control.Format.toString": 2, + "gcCheck": 1, + "Limit": 1, + "First": 1, + "Every": 1, + "Native.IEEEFP": 1, + "indentation": 1, + "Int": 8, + "i": 8, + "inlineNonRec": 6, + "small": 19, + "product": 19, + "#product": 1, + "inlineIntoMain": 1, + "loops": 18, + "inlineLeafA": 6, + "repeat": 18, + "size": 19, + "inlineLeafB": 6, + "keepCoreML": 1, + "keepDot": 1, + "keepMachine": 1, + "keepRSSA": 1, + "keepSSA": 1, + "keepSSA2": 1, + "keepSXML": 1, + "keepXML": 1, + "keepPasses": 1, + "libname": 9, + "loopPasses": 1, + "Int.toString": 3, + "markCards": 1, + "maxFunctionSize": 1, + "mlbPathVars": 4, + "@": 3, + "Native.commented": 1, + "Native.copyProp": 1, + "Native.cutoff": 1, + "Native.liveTransfer": 1, + "Native.liveStack": 1, + "Native.moveHoist": 1, + "Native.optimize": 1, + "Native.split": 1, + "Native.shuffle": 1, + "err": 1, + "optimizationPasses": 1, + "il": 10, + "set": 10, + "Result.Yes": 6, + "Result.No": 5, + "polyvariance": 9, + "hofo": 12, + "rounds": 12, + "preferAbsPaths": 1, + "profPasses": 1, + "profile": 6, + "ProfileNone": 2, + "ProfileAlloc": 1, + "ProfileCallStack": 3, + "ProfileCount": 1, + "ProfileDrop": 1, + "ProfileLabel": 1, + "ProfileTimeLabel": 4, + "ProfileTimeField": 2, + "profileBranch": 1, + "Regexp": 3, + "seq": 3, + "anys": 6, + "compileDFA": 3, + "profileC": 1, + "profileInclExcl": 2, + "profileIL": 3, + "ProfileSource": 1, + "ProfileSSA": 1, + "ProfileSSA2": 1, + "profileRaise": 2, + "profileStack": 1, + "profileVal": 1, + "Show.Anns": 1, + "Show.PathMap": 1, + "showBasis": 1, + "showDefUse": 1, + "showTypes": 1, + "Control.optimizationPasses": 4, + "String.equals": 4, + "Place.Files": 2, + "Place.Generated": 2, + "Place.O": 3, + "Place.TypeCheck": 1, + "#target": 2, + "Self": 2, + "Cross": 2, + "SpaceString2": 6, + "OptPred.Target": 6, + "#1": 1, + "trace": 4, + "#2": 2, + "typeCheck": 1, + "verbosity": 4, + "Silent": 3, + "Top": 5, + "Pass": 1, + "Detail": 1, + "warnAnn": 1, + "warnDeprecated": 1, + "zoneCutDepth": 1, + "style": 6, + "arg": 3, + "desc": 3, + "mainUsage": 3, + "parse": 2, + "Popt.makeUsage": 1, + "showExpert": 1, + "commandLine": 5, + "args": 8, + "lib": 2, + "libDir": 2, + "OS.Path.mkCanonical": 1, + "result": 1, + "targetStr": 3, + "libTargetDir": 1, + "targetArch": 4, + "archStr": 1, + "String.toLower": 2, + "MLton.Platform.Arch.toString": 2, + "targetOS": 5, + "OSStr": 2, + "MLton.Platform.OS.toString": 1, + "positionIndependent": 3, + "format": 7, + "MinGW": 4, + "Cygwin": 4, + "Library": 6, + "LibArchive": 3, + "Control.positionIndependent": 1, + "align": 1, + "codegen": 4, + "CCodegen": 1, + "MLton.Rusage.measureGC": 1, + "exnHistory": 1, + "Bool.toString": 1, + "Control.profile": 1, + "Control.ProfileCallStack": 1, + "sizeMap": 1, + "Control.libTargetDir": 1, + "ty": 4, + "Bytes.toBits": 1, + "Bytes.fromInt": 1, + "lookup": 4, + "use": 2, + "on": 1, + "must": 1, + "x86": 1, + "with": 1, + "ieee": 1, + "fp": 1, + "can": 1, + "No": 1, + "Out.standard": 1, + "input": 22, + "rest": 3, + "inputFile": 1, + "File.base": 5, + "File.fileOf": 1, + "start": 6, + "base": 3, + "rec": 1, + "loop": 3, + "suf": 14, + "hasNum": 2, + "sufs": 2, + "String.hasSuffix": 2, + "suffix": 8, + "Place.t": 1, + "List.exists": 1, + "File.withIn": 1, + "csoFiles": 1, + "Place.compare": 1, + "GREATER": 5, + "Place.toString": 2, + "EQUAL": 5, + "LESS": 5, + "printVersion": 1, + "tempFiles": 3, + "tmpDir": 2, + "tmpVar": 2, + "default": 2, + "MLton.Platform.OS.host": 2, + "Process.getEnv": 1, + "d": 32, + "temp": 3, + "out": 9, + "File.temp": 1, + "OS.Path.concat": 1, + "Out.close": 2, + "maybeOut": 10, + "maybeOutBase": 4, + "File.extension": 3, + "outputBase": 2, + "ext": 1, + "OS.Path.splitBaseExt": 1, + "defLibname": 6, + "OS.Path.splitDirFile": 1, + "String.extract": 1, + "toAlNum": 2, + "c": 42, + "Char.isAlphaNum": 1, + "#": 3, + "CharVector.map": 1, + "atMLtons": 1, + "Vector.fromList": 1, + "tokenize": 1, + "rev": 2, + "gccDebug": 3, + "asDebug": 2, + "compileO": 3, + "inputs": 7, + "libOpts": 2, + "System.system": 4, + "List.concat": 4, + "linkArchives": 1, + "String.contains": 1, + "File.move": 1, + "from": 1, + "to": 1, + "mkOutputO": 3, + "Counter.t": 3, + "File.dirOf": 2, + "Counter.next": 1, + "compileC": 2, + "debugSwitches": 2, + "compileS": 2, + "compileCSO": 1, + "List.forall": 1, + "Counter.new": 1, + "oFiles": 2, + "List.fold": 1, + "ac": 4, + "extension": 6, + "Option.toString": 1, + "mkCompileSrc": 1, + "listFiles": 2, + "elaborate": 1, + "compile": 2, + "outputs": 2, + "r": 3, + "make": 1, + "Int.inc": 1, + "Out.openOut": 1, + "print": 4, + "outputHeader": 2, + "done": 3, + "Control.No": 1, + "l": 2, + "Layout.output": 1, + "Out.newline": 1, + "Vector.foreach": 1, + "String.translate": 1, + "/": 1, + "Type": 1, + "Check": 1, + ".c": 1, + ".s": 1, + "invalid": 1, + "MLton": 1, + "Exn.finally": 1, + "File.remove": 1, + "doit": 1, + "Process.makeCommandLine": 1, + "main": 1, + "mainWrapped": 1, + "OS.Process.exit": 1, + "CommandLine.arguments": 1, + "RedBlackTree": 1, + "key": 16, + "entry": 12, + "dict": 17, + "Empty": 15, + "Red": 41, + "local": 1, + "lk": 4, + "tree": 4, + "and": 2, + "zipper": 3, + "TOP": 5, + "LEFTB": 10, + "RIGHTB": 10, + "delete": 3, + "zip": 19, + "Black": 40, + "LEFTR": 8, + "RIGHTR": 9, + "bbZip": 28, + "w": 17, + "delMin": 8, + "Match": 1, + "joinRed": 3, + "needB": 2, + "del": 8, + "NotFound": 2, + "entry1": 16, + "as": 7, + "key1": 8, + "datum1": 4, + "joinBlack": 1, + "insertShadow": 3, + "datum": 1, + "oldEntry": 7, + "ins": 8, + "left": 10, + "right": 10, + "restore_left": 1, + "restore_right": 1, + "app": 3, + "ap": 7, + "new": 1, + "insert": 2, + "table": 14, + "clear": 1 + }, + "Stylus": { + "border": 6, + "-": 10, + "radius": 5, + "(": 1, + ")": 1, + "webkit": 1, + "arguments": 3, + "moz": 1, + "a.button": 1, + "px": 5, + "fonts": 2, + "helvetica": 1, + "arial": 1, + "sans": 1, + "serif": 1, + "body": 1, + "{": 1, + "padding": 3, + ";": 2, + "font": 1, + "px/1.4": 1, + "}": 1, + "form": 2, + "input": 2, + "[": 2, + "type": 2, + "text": 2, + "]": 2, + "solid": 1, + "#eee": 1, + "color": 2, + "#ddd": 1, + "textarea": 1, + "@extends": 2, + "foo": 2, + "#FFF": 1, + ".bar": 1, + "background": 1, + "#000": 1 + }, + "SuperCollider": { + "//boot": 1, + "server": 1, + "s.boot": 1, + ";": 18, + "(": 22, + "SynthDef": 1, + "{": 5, + "var": 1, + "sig": 7, + "resfreq": 3, + "Saw.ar": 1, + ")": 22, + "SinOsc.kr": 1, + "*": 3, + "+": 1, + "RLPF.ar": 1, + "Out.ar": 1, + "}": 5, + ".play": 2, + "do": 2, + "arg": 1, + "i": 1, + "Pan2.ar": 1, + "SinOsc.ar": 1, + "exprand": 1, + "LFNoise2.kr": 2, + "rrand": 2, + ".range": 2, + "**": 1, + "rand2": 1, + "a": 2, + "Env.perc": 1, + "-": 1, + "b": 1, + "a.delay": 2, + "a.test.plot": 1, + "b.test.plot": 1, + "Env": 1, + "[": 2, + "]": 2, + ".plot": 2, + "e": 1, + "Env.sine.asStream": 1, + "e.next.postln": 1, + "wait": 1, + ".fork": 1 + }, + "SystemVerilog": { + "module": 3, + "endpoint_phy_wrapper": 2, + "(": 92, + "input": 12, + "clk_sys_i": 2, + "clk_ref_i": 6, + "clk_rx_i": 3, + "rst_n_i": 3, + "IWishboneMaster.master": 2, + "src": 1, + "IWishboneSlave.slave": 1, + "snk": 1, + "sys": 1, + "output": 6, + "[": 17, + "]": 17, + "td_o": 2, + "rd_i": 2, + "txn_o": 2, + "txp_o": 2, + "rxn_i": 2, + "rxp_i": 2, + ")": 92, + ";": 32, + "wire": 12, + "rx_clock": 3, + "parameter": 2, + "g_phy_type": 6, + "gtx_data": 3, + "gtx_k": 3, + "gtx_disparity": 3, + "gtx_enc_error": 3, + "grx_data": 3, + "grx_clk": 1, + "grx_k": 3, + "grx_enc_error": 3, + "grx_bitslide": 2, + "gtp_rst": 2, + "tx_clock": 3, + "generate": 1, + "if": 5, + "begin": 4, + "assign": 2, + "wr_tbi_phy": 1, + "U_Phy": 1, + ".serdes_rst_i": 1, + ".serdes_loopen_i": 1, + "b0": 5, + ".serdes_enable_i": 1, + "b1": 2, + ".serdes_tx_data_i": 1, + ".serdes_tx_k_i": 1, + ".serdes_tx_disparity_o": 1, + ".serdes_tx_enc_err_o": 1, + ".serdes_rx_data_o": 1, + ".serdes_rx_k_o": 1, + ".serdes_rx_enc_err_o": 1, + ".serdes_rx_bitslide_o": 1, + ".tbi_refclk_i": 1, + ".tbi_rbclk_i": 1, + ".tbi_td_o": 1, + ".tbi_rd_i": 1, + ".tbi_syncen_o": 1, + ".tbi_loopen_o": 1, + ".tbi_prbsen_o": 1, + ".tbi_enable_o": 1, + "end": 4, + "else": 2, + "//": 3, + "wr_gtx_phy_virtex6": 1, + "#": 3, + ".g_simulation": 2, + "U_PHY": 1, + ".clk_ref_i": 2, + ".tx_clk_o": 1, + ".tx_data_i": 1, + ".tx_k_i": 1, + ".tx_disparity_o": 1, + ".tx_enc_err_o": 1, + ".rx_rbclk_o": 1, + ".rx_data_o": 1, + ".rx_k_o": 1, + ".rx_enc_err_o": 1, + ".rx_bitslide_o": 1, + ".rst_i": 1, + ".loopen_i": 1, + ".pad_txn0_o": 1, + ".pad_txp0_o": 1, + ".pad_rxn0_i": 1, + ".pad_rxp0_i": 1, + "endgenerate": 1, + "wr_endpoint": 1, + ".g_pcs_16bit": 1, + ".g_rx_buffer_size": 1, + ".g_with_rx_buffer": 1, + ".g_with_timestamper": 1, + ".g_with_dmtd": 1, + ".g_with_dpi_classifier": 1, + ".g_with_vlans": 1, + ".g_with_rtu": 1, + "DUT": 1, + ".clk_sys_i": 1, + ".clk_dmtd_i": 1, + ".rst_n_i": 1, + ".pps_csync_p1_i": 1, + ".src_dat_o": 1, + "snk.dat_i": 1, + ".src_adr_o": 1, + "snk.adr": 1, + ".src_sel_o": 1, + "snk.sel": 1, + ".src_cyc_o": 1, + "snk.cyc": 1, + ".src_stb_o": 1, + "snk.stb": 1, + ".src_we_o": 1, + "snk.we": 1, + ".src_stall_i": 1, + "snk.stall": 1, + ".src_ack_i": 1, + "snk.ack": 1, + ".src_err_i": 1, + ".rtu_full_i": 1, + ".rtu_rq_strobe_p1_o": 1, + ".rtu_rq_smac_o": 1, + ".rtu_rq_dmac_o": 1, + ".rtu_rq_vid_o": 1, + ".rtu_rq_has_vid_o": 1, + ".rtu_rq_prio_o": 1, + ".rtu_rq_has_prio_o": 1, + ".wb_cyc_i": 1, + "sys.cyc": 1, + ".wb_stb_i": 1, + "sys.stb": 1, + ".wb_we_i": 1, + "sys.we": 1, + ".wb_sel_i": 1, + "sys.sel": 1, + ".wb_adr_i": 1, + "sys.adr": 1, + ".wb_dat_i": 1, + "sys.dat_o": 1, + ".wb_dat_o": 1, + "sys.dat_i": 1, + ".wb_ack_o": 1, + "sys.ack": 1, + "endmodule": 2, + "fifo": 1, + "clk_50": 1, + "clk_2": 1, + "reset_n": 1, + "data_out": 1, + "empty": 1, + "priority_encoder": 1, + "INPUT_WIDTH": 3, + "OUTPUT_WIDTH": 3, + "logic": 2, + "-": 4, + "input_data": 2, + "output_data": 3, + "int": 1, + "ii": 6, + "always_comb": 1, + "for": 2, + "<": 1, + "+": 3, + "function": 1, + "integer": 2, + "log2": 4, + "x": 6, + "endfunction": 1 + }, + "Tea": { + "<%>": 1, + "template": 1, + "foo": 1 + }, + "TeX": { + "%": 135, + "ProvidesClass": 2, + "{": 463, + "problemset": 1, + "}": 469, + "DeclareOption*": 2, + "PassOptionsToClass": 2, + "final": 2, + "article": 2, + "DeclareOption": 2, + "worksheet": 1, + "providecommand": 45, + "@solutionvis": 3, + "expand": 1, + "@expand": 3, + "ProcessOptions": 2, + "relax": 3, + "LoadClass": 2, + "[": 81, + "pt": 5, + "letterpaper": 1, + "]": 80, + "RequirePackage": 20, + "top": 1, + "in": 20, + "bottom": 1, + "left": 15, + "right": 16, + "geometry": 1, + "pgfkeys": 1, + "For": 13, + "mathtable": 2, + "environment.": 3, + "tabularx": 1, + "pset": 1, + "heading": 2, + "float": 1, + "Used": 6, + "for": 21, + "floats": 1, + "(": 12, + "tables": 1, + "figures": 1, + "etc.": 1, + ")": 12, + "graphicx": 1, + "inserting": 3, + "images.": 1, + "enumerate": 2, + "the": 19, + "mathtools": 2, + "Required.": 7, + "Loads": 1, + "amsmath.": 1, + "amsthm": 1, + "theorem": 1, + "environments.": 1, + "amssymb": 1, + "booktabs": 1, + "esdiff": 1, + "derivatives": 4, + "and": 5, + "partial": 2, + "Optional.": 1, + "shortintertext.": 1, + "fancyhdr": 2, + "customizing": 1, + "headers/footers.": 1, + "lastpage": 1, + "page": 4, + "count": 1, + "header/footer.": 1, + "xcolor": 1, + "setting": 3, + "color": 3, + "of": 14, + "hyperlinks": 2, + "obeyFinal": 1, + "Disable": 1, + "todos": 1, + "by": 1, + "option": 1, + "class": 1, + "@todoclr": 2, + "linecolor": 1, + "red": 1, + "todonotes": 1, + "keeping": 1, + "track": 1, + "to": 16, + "-": 9, + "dos.": 1, + "colorlinks": 1, + "true": 1, + "linkcolor": 1, + "navy": 2, + "urlcolor": 1, + "black": 2, + "hyperref": 1, + "following": 2, + "urls": 2, + "references": 1, + "a": 2, + "document.": 1, + "url": 2, + "Enables": 1, + "with": 5, + "tag": 1, + "all": 2, + "hypcap": 1, + "definecolor": 2, + "gray": 1, + "To": 1, + "Dos.": 1, + "brightness": 1, + "RGB": 1, + "coloring": 1, + "setlength": 12, + "parskip": 1, + "ex": 2, + "Sets": 1, + "space": 8, + "between": 1, + "paragraphs.": 2, + "parindent": 2, + "Indent": 1, + "first": 1, + "line": 2, + "new": 1, + "let": 11, + "VERBATIM": 2, + "verbatim": 2, + "def": 18, + "verbatim@font": 1, + "small": 8, + "ttfamily": 1, + "usepackage": 2, + "caption": 1, + "footnotesize": 2, + "subcaption": 1, + "captionsetup": 4, + "table": 2, + "labelformat": 4, + "simple": 3, + "labelsep": 4, + "period": 3, + "labelfont": 4, + "bf": 4, + "figure": 2, + "subtable": 1, + "parens": 1, + "subfigure": 1, + "TRUE": 1, + "FALSE": 1, + "SHOW": 3, + "HIDE": 2, + "thispagestyle": 5, + "empty": 6, + "listoftodos": 1, + "clearpage": 4, + "pagenumbering": 1, + "arabic": 2, + "shortname": 2, + "#1": 40, + "authorname": 2, + "#2": 17, + "coursename": 3, + "#3": 8, + "assignment": 3, + "#4": 4, + "duedate": 2, + "#5": 2, + "begin": 11, + "minipage": 4, + "textwidth": 4, + "flushleft": 2, + "hypertarget": 1, + "@assignment": 2, + "textbf": 5, + "end": 12, + "flushright": 2, + "renewcommand": 10, + "headrulewidth": 1, + "footrulewidth": 1, + "pagestyle": 3, + "fancyplain": 4, + "fancyhf": 2, + "lfoot": 1, + "hyperlink": 1, + "cfoot": 1, + "rfoot": 1, + "thepage": 2, + "pageref": 1, + "LastPage": 1, + "newcounter": 1, + "theproblem": 3, + "Problem": 2, + "counter": 1, + "environment": 1, + "problem": 1, + "addtocounter": 2, + "setcounter": 5, + "equation": 1, + "noindent": 2, + ".": 3, + "textit": 1, + "Default": 2, + "is": 2, + "omit": 1, + "pagebreaks": 1, + "after": 1, + "solution": 2, + "qqed": 2, + "hfill": 3, + "rule": 1, + "mm": 2, + "ifnum": 3, + "pagebreak": 2, + "fi": 15, + "show": 1, + "solutions.": 1, + "vspace": 2, + "em": 8, + "Solution.": 1, + "ifnum#1": 2, + "else": 9, + "chap": 1, + "section": 2, + "Sum": 3, + "n": 4, + "ensuremath": 15, + "sum_": 2, + "from": 5, + "infsum": 2, + "infty": 2, + "Infinite": 1, + "sum": 1, + "Int": 1, + "x": 4, + "int_": 1, + "mathrm": 1, + "d": 1, + "Integrate": 1, + "respect": 1, + "Lim": 2, + "displaystyle": 2, + "lim_": 1, + "Take": 1, + "limit": 1, + "infinity": 1, + "f": 1, + "Frac": 1, + "/": 1, + "_": 1, + "Slanted": 1, + "fraction": 1, + "proper": 1, + "spacing.": 1, + "Usefule": 1, + "display": 2, + "fractions.": 1, + "eval": 1, + "vert_": 1, + "L": 1, + "hand": 2, + "sizing": 2, + "R": 1, + "D": 1, + "diff": 1, + "writing": 2, + "PD": 1, + "diffp": 1, + "full": 1, + "Forces": 1, + "style": 1, + "math": 4, + "mode": 4, + "Deg": 1, + "circ": 1, + "adding": 1, + "degree": 1, + "symbol": 4, + "even": 1, + "if": 1, + "not": 2, + "abs": 1, + "vert": 3, + "Absolute": 1, + "Value": 1, + "norm": 1, + "Vert": 2, + "Norm": 1, + "vector": 1, + "magnitude": 1, + "e": 1, + "times": 3, + "Scientific": 2, + "Notation": 2, + "E": 2, + "u": 1, + "text": 7, + "units": 1, + "Roman": 1, + "mc": 1, + "hspace": 3, + "comma": 1, + "into": 2, + "mtxt": 1, + "insterting": 1, + "on": 2, + "either": 1, + "side.": 1, + "Option": 1, + "preceding": 1, + "punctuation.": 1, + "prob": 1, + "P": 2, + "cndprb": 1, + "right.": 1, + "cov": 1, + "Cov": 1, + "twovector": 1, + "r": 3, + "array": 6, + "threevector": 1, + "fourvector": 1, + "vecs": 4, + "vec": 2, + "bm": 2, + "bolded": 2, + "arrow": 2, + "vect": 3, + "unitvecs": 1, + "hat": 2, + "unitvect": 1, + "Div": 1, + "del": 3, + "cdot": 1, + "Curl": 1, + "Grad": 1, + "NeedsTeXFormat": 1, + "LaTeX2e": 1, + "reedthesis": 1, + "/01/27": 1, + "The": 4, + "Reed": 5, + "College": 5, + "Thesis": 5, + "Class": 4, + "CurrentOption": 1, + "book": 2, + "AtBeginDocument": 1, + "fancyhead": 5, + "LE": 1, + "RO": 1, + "above": 1, + "makes": 2, + "your": 1, + "headers": 6, + "caps.": 2, + "If": 1, + "you": 1, + "would": 1, + "like": 1, + "different": 1, + "choose": 1, + "one": 1, + "options": 1, + "be": 3, + "sure": 1, + "remove": 1, + "both": 1, + "RE": 2, + "slshape": 2, + "nouppercase": 2, + "leftmark": 2, + "This": 2, + "RIGHT": 2, + "side": 2, + "pages": 2, + "italic": 1, + "use": 1, + "lowercase": 1, + "With": 1, + "Capitals": 1, + "When": 1, + "Specified.": 1, + "LO": 2, + "rightmark": 2, + "does": 1, + "same": 1, + "thing": 1, + "LEFT": 2, + "or": 1, + "scshape": 2, + "will": 2, + "And": 1, + "so": 1, + "fancy": 1, + "oldthebibliography": 2, + "thebibliography": 2, + "endoldthebibliography": 2, + "endthebibliography": 1, + "renewenvironment": 2, + "addcontentsline": 5, + "toc": 5, + "chapter": 9, + "bibname": 2, + "things": 1, + "psych": 1, + "majors": 1, + "comment": 1, + "out": 1, + "oldtheindex": 2, + "theindex": 2, + "endoldtheindex": 2, + "endtheindex": 1, + "indexname": 1, + "RToldchapter": 1, + "if@openright": 1, + "RTcleardoublepage": 3, + "global": 2, + "@topnum": 1, + "z@": 2, + "@afterindentfalse": 1, + "secdef": 1, + "@chapter": 2, + "@schapter": 1, + "c@secnumdepth": 1, + "m@ne": 2, + "if@mainmatter": 1, + "refstepcounter": 1, + "typeout": 1, + "@chapapp": 2, + "thechapter.": 1, + "thechapter": 1, + "space#1": 1, + "chaptermark": 1, + "addtocontents": 2, + "lof": 1, + "protect": 2, + "addvspace": 2, + "p@": 3, + "lot": 1, + "if@twocolumn": 3, + "@topnewpage": 1, + "@makechapterhead": 2, + "@afterheading": 1, + "newcommand": 2, + "if@twoside": 1, + "ifodd": 1, + "c@page": 1, + "hbox": 15, + "newpage": 3, + "RToldcleardoublepage": 1, + "cleardoublepage": 4, + "oddsidemargin": 2, + ".5in": 3, + "evensidemargin": 2, + "textheight": 4, + "topmargin": 6, + "addtolength": 8, + "headheight": 4, + "headsep": 3, + ".6in": 1, + "division#1": 1, + "gdef": 6, + "@division": 3, + "@latex@warning@no@line": 3, + "No": 3, + "noexpand": 3, + "division": 2, + "given": 3, + "department#1": 1, + "@department": 3, + "department": 1, + "thedivisionof#1": 1, + "@thedivisionof": 3, + "Division": 2, + "approvedforthe#1": 1, + "@approvedforthe": 3, + "advisor#1": 1, + "@advisor": 3, + "advisor": 1, + "altadvisor#1": 1, + "@altadvisor": 3, + "@altadvisortrue": 1, + "@empty": 1, + "newif": 1, + "if@altadvisor": 3, + "@altadvisorfalse": 1, + "contentsname": 1, + "Table": 1, + "Contents": 1, + "References": 1, + "l@chapter": 1, + "c@tocdepth": 1, + "addpenalty": 1, + "@highpenalty": 2, + "vskip": 4, + "@plus": 1, + "@tempdima": 2, + "begingroup": 1, + "rightskip": 1, + "@pnumwidth": 3, + "parfillskip": 1, + "leavevmode": 1, + "bfseries": 3, + "advance": 1, + "leftskip": 2, + "hskip": 1, + "nobreak": 2, + "normalfont": 1, + "leaders": 1, + "m@th": 1, + "mkern": 2, + "@dotsep": 2, + "mu": 2, + "hb@xt@": 1, + "hss": 1, + "par": 6, + "penalty": 1, + "endgroup": 1, + "newenvironment": 1, + "abstract": 1, + "@restonecoltrue": 1, + "onecolumn": 1, + "@restonecolfalse": 1, + "Abstract": 2, + "center": 7, + "fontsize": 7, + "selectfont": 6, + "if@restonecol": 1, + "twocolumn": 1, + "ifx": 1, + "@pdfoutput": 1, + "@undefined": 1, + "RTpercent": 3, + "@percentchar": 1, + "AtBeginDvi": 2, + "special": 2, + "LaTeX": 3, + "/12/04": 3, + "SN": 3, + "rawpostscript": 1, + "AtEndDocument": 1, + "pdfinfo": 1, + "/Creator": 1, + "maketitle": 1, + "titlepage": 2, + "footnoterule": 1, + "footnote": 1, + "thanks": 1, + "baselineskip": 2, + "setbox0": 2, + "Requirements": 2, + "Degree": 2, + "null": 3, + "vfil": 8, + "@title": 1, + "centerline": 8, + "wd0": 7, + "hrulefill": 5, + "A": 1, + "Presented": 1, + "In": 1, + "Partial": 1, + "Fulfillment": 1, + "Bachelor": 1, + "Arts": 1, + "bigskip": 2, + "lineskip": 1, + ".75em": 1, + "tabular": 2, + "t": 1, + "c": 5, + "@author": 1, + "@date": 1, + "Approved": 2, + "just": 1, + "below": 2, + "cm": 2, + "copy0": 1, + "approved": 1, + "major": 1, + "sign": 1, + "makebox": 6 + }, + "Turing": { + "function": 1, + "factorial": 4, + "(": 3, + "n": 9, + "int": 2, + ")": 3, + "real": 1, + "if": 2, + "then": 1, + "result": 2, + "else": 1, + "*": 1, + "-": 1, + "end": 3, + "var": 1, + "loop": 2, + "put": 3, + "..": 1, + "get": 1, + "exit": 1, + "when": 1 + }, + "TXL": { + "define": 12, + "program": 1, + "[": 38, + "expression": 9, + "]": 38, + "end": 12, + "term": 6, + "|": 3, + "addop": 2, + "primary": 4, + "mulop": 2, + "number": 10, + "(": 2, + ")": 2, + "-": 3, + "/": 3, + "rule": 12, + "main": 1, + "replace": 6, + "E": 3, + "construct": 1, + "NewE": 3, + "resolveAddition": 2, + "resolveSubtraction": 2, + "resolveMultiplication": 2, + "resolveDivision": 2, + "resolveParentheses": 2, + "where": 1, + "not": 1, + "by": 6, + "N1": 8, + "+": 2, + "N2": 8, + "*": 2, + "N": 2 + }, + "TypeScript": { + "class": 3, + "Animal": 4, + "{": 9, + "constructor": 3, + "(": 18, + "public": 1, + "name": 5, + ")": 18, + "}": 9, + "move": 3, + "meters": 2, + "alert": 3, + "this.name": 1, + "+": 3, + ";": 8, + "Snake": 2, + "extends": 2, + "super": 2, + "super.move": 2, + "Horse": 2, + "var": 2, + "sam": 1, + "new": 2, + "tom": 1, + "sam.move": 1, + "tom.move": 1, + "console.log": 1 + }, + "UnrealScript": { + "//": 5, + "-": 220, + "class": 18, + "MutU2Weapons": 1, + "extends": 2, + "Mutator": 1, + "config": 18, + "(": 189, + "U2Weapons": 1, + ")": 189, + ";": 295, + "var": 30, + "string": 25, + "ReplacedWeaponClassNames0": 1, + "ReplacedWeaponClassNames1": 1, + "ReplacedWeaponClassNames2": 1, + "ReplacedWeaponClassNames3": 1, + "ReplacedWeaponClassNames4": 1, + "ReplacedWeaponClassNames5": 1, + "ReplacedWeaponClassNames6": 1, + "ReplacedWeaponClassNames7": 1, + "ReplacedWeaponClassNames8": 1, + "ReplacedWeaponClassNames9": 1, + "ReplacedWeaponClassNames10": 1, + "ReplacedWeaponClassNames11": 1, + "ReplacedWeaponClassNames12": 1, + "bool": 18, + "bConfigUseU2Weapon0": 1, + "bConfigUseU2Weapon1": 1, + "bConfigUseU2Weapon2": 1, + "bConfigUseU2Weapon3": 1, + "bConfigUseU2Weapon4": 1, + "bConfigUseU2Weapon5": 1, + "bConfigUseU2Weapon6": 1, + "bConfigUseU2Weapon7": 1, + "bConfigUseU2Weapon8": 1, + "bConfigUseU2Weapon9": 1, + "bConfigUseU2Weapon10": 1, + "bConfigUseU2Weapon11": 1, + "bConfigUseU2Weapon12": 1, + "//var": 8, + "byte": 4, + "bUseU2Weapon": 1, + "[": 125, + "]": 125, + "": 7, + "ReplacedWeaponClasses": 3, + "": 2, + "ReplacedWeaponPickupClasses": 1, + "": 3, + "ReplacedAmmoPickupClasses": 1, + "U2WeaponClasses": 2, + "//GE": 17, + "For": 3, + "default": 12, + "properties": 3, + "ONLY": 3, + "U2WeaponPickupClassNames": 1, + "U2AmmoPickupClassNames": 2, + "bIsVehicle": 4, + "bNotVehicle": 3, + "localized": 2, + "U2WeaponDisplayText": 1, + "U2WeaponDescText": 1, + "GUISelectOptions": 1, + "int": 10, + "FirePowerMode": 1, + "bExperimental": 3, + "bUseFieldGenerator": 2, + "bUseProximitySensor": 2, + "bIntegrateShieldReward": 2, + "IterationNum": 8, + "Weapons.Length": 1, + "const": 1, + "DamageMultiplier": 28, + "DamagePercentage": 3, + "bUseXMPFeel": 4, + "FlashbangModeString": 1, + "struct": 1, + "WeaponInfo": 2, + "{": 28, + "ReplacedWeaponClass": 1, + "Generated": 4, + "from": 6, + "ReplacedWeaponClassName.": 2, + "This": 3, + "is": 6, + "what": 1, + "we": 3, + "replace.": 1, + "ReplacedWeaponPickupClass": 1, + "UNUSED": 1, + "ReplacedAmmoPickupClass": 1, + "WeaponClass": 1, + "the": 31, + "weapon": 10, + "are": 1, + "going": 1, + "to": 4, + "put": 1, + "inside": 1, + "world.": 1, + "WeaponPickupClassName": 1, + "WeponClass.": 1, + "AmmoPickupClassName": 1, + "WeaponClass.": 1, + "bEnabled": 1, + "Structs": 1, + "can": 2, + "d": 1, + "thus": 1, + "still": 1, + "require": 1, + "bConfigUseU2WeaponX": 1, + "indicates": 1, + "that": 3, + "spawns": 1, + "a": 2, + "vehicle": 3, + "deployable": 1, + "turrets": 1, + ".": 2, + "These": 1, + "only": 2, + "work": 1, + "in": 4, + "gametypes": 1, + "duh.": 1, + "Opposite": 1, + "of": 1, + "works": 1, + "non": 1, + "gametypes.": 2, + "Think": 1, + "shotgun.": 1, + "}": 27, + "Weapons": 31, + "function": 5, + "PostBeginPlay": 1, + "local": 8, + "FireMode": 8, + "x": 65, + "//local": 3, + "ReplacedWeaponPickupClassName": 1, + "//IterationNum": 1, + "ArrayCount": 2, + "Level.Game.bAllowVehicles": 4, + "He": 1, + "he": 1, + "neat": 1, + "way": 1, + "get": 1, + "required": 1, + "number.": 1, + "for": 11, + "<": 9, + "+": 18, + ".bEnabled": 3, + "GetPropertyText": 5, + "needed": 1, + "use": 1, + "variables": 1, + "an": 1, + "array": 2, + "like": 1, + "fashion.": 1, + "//bUseU2Weapon": 1, + ".ReplacedWeaponClass": 5, + "DynamicLoadObject": 2, + "//ReplacedWeaponClasses": 1, + "//ReplacedWeaponPickupClassName": 1, + ".default.PickupClass": 1, + "if": 55, + ".ReplacedWeaponClass.default.FireModeClass": 4, + "None": 10, + "&&": 15, + ".default.AmmoClass": 1, + ".default.AmmoClass.default.PickupClass": 2, + ".ReplacedAmmoPickupClass": 2, + "break": 1, + ".WeaponClass": 7, + ".WeaponPickupClassName": 1, + ".WeaponClass.default.PickupClass": 1, + ".AmmoPickupClassName": 2, + ".bIsVehicle": 2, + ".bNotVehicle": 2, + "Super.PostBeginPlay": 1, + "ValidReplacement": 6, + "return": 47, + "CheckReplacement": 1, + "Actor": 1, + "Other": 23, + "out": 2, + "bSuperRelevant": 3, + "i": 12, + "WeaponLocker": 3, + "L": 2, + "xWeaponBase": 3, + ".WeaponType": 2, + "false": 3, + "true": 5, + "Weapon": 1, + "Other.IsA": 2, + "Other.Class": 2, + "Ammo": 1, + "ReplaceWith": 1, + "L.Weapons.Length": 1, + "L.Weapons": 2, + "//STARTING": 1, + "WEAPON": 1, + "xPawn": 6, + ".RequiredEquipment": 3, + "True": 2, + "Special": 1, + "handling": 1, + "Shield": 2, + "Reward": 2, + "integration": 1, + "ShieldPack": 7, + ".SetStaticMesh": 1, + "StaticMesh": 1, + ".Skins": 1, + "Shader": 2, + ".RepSkin": 1, + ".SetDrawScale": 1, + ".SetCollisionSize": 1, + ".PickupMessage": 1, + ".PickupSound": 1, + "Sound": 1, + "Super.CheckReplacement": 1, + "GetInventoryClassOverride": 1, + "InventoryClassName": 3, + "Super.GetInventoryClassOverride": 1, + "static": 2, + "FillPlayInfo": 1, + "PlayInfo": 3, + "": 1, + "Recs": 4, + "WeaponOptions": 17, + "Super.FillPlayInfo": 1, + ".static.GetWeaponList": 1, + "Recs.Length": 1, + ".ClassName": 1, + ".FriendlyName": 1, + "PlayInfo.AddSetting": 33, + "default.RulesGroup": 33, + "default.U2WeaponDisplayText": 33, + "event": 3, + "GetDescriptionText": 1, + "PropName": 35, + "default.U2WeaponDescText": 33, + "Super.GetDescriptionText": 1, + "PreBeginPlay": 1, + "float": 3, + "k": 29, + "Multiplier.": 1, + "Super.PreBeginPlay": 1, + "/100.0": 1, + "//log": 1, + "@k": 1, + "//Sets": 1, + "various": 1, + "settings": 1, + "match": 1, + "different": 1, + "games": 1, + ".default.DamagePercentage": 1, + "//Original": 1, + "U2": 3, + "compensate": 1, + "division": 1, + "errors": 1, + "Class": 105, + ".default.DamageMin": 12, + "*": 54, + ".default.DamageMax": 12, + ".default.Damage": 27, + ".default.myDamage": 4, + "//Dampened": 1, + "already": 1, + "no": 2, + "need": 1, + "rewrite": 1, + "else": 1, + "//General": 2, + "XMP": 4, + ".default.Spread": 1, + ".default.MaxAmmo": 7, + ".default.Speed": 8, + ".default.MomentumTransfer": 4, + ".default.ClipSize": 4, + ".default.FireLastReloadTime": 3, + ".default.DamageRadius": 4, + ".default.LifeSpan": 4, + ".default.ShakeRadius": 1, + ".default.ShakeMagnitude": 1, + ".default.MaxSpeed": 5, + ".default.FireRate": 3, + ".default.ReloadTime": 3, + "//3200": 1, + "too": 1, + "much": 1, + ".default.VehicleDamageScaling": 2, + "*k": 28, + "//Experimental": 1, + "options": 1, + "lets": 1, + "you": 2, + "Unuse": 1, + "EMPimp": 1, + "projectile": 1, + "and": 3, + "fire": 1, + "two": 1, + "CAR": 1, + "barrels": 1, + "//CAR": 1, + "nothing": 1, + "U2Weapons.U2AssaultRifleFire": 1, + "U2Weapons.U2AssaultRifleAltFire": 1, + "U2ProjectileConcussionGrenade": 1, + "U2Weapons.U2AssaultRifleInv": 1, + "U2Weapons.U2WeaponEnergyRifle": 1, + "U2Weapons.U2WeaponFlameThrower": 1, + "U2Weapons.U2WeaponPistol": 1, + "U2Weapons.U2AutoTurretDeploy": 1, + "U2Weapons.U2WeaponRocketLauncher": 1, + "U2Weapons.U2WeaponGrenadeLauncher": 1, + "U2Weapons.U2WeaponSniper": 2, + "U2Weapons.U2WeaponRocketTurret": 1, + "U2Weapons.U2WeaponLandMine": 1, + "U2Weapons.U2WeaponLaserTripMine": 1, + "U2Weapons.U2WeaponShotgun": 1, + "s": 7, + "Minigun.": 1, + "Enable": 5, + "Shock": 1, + "Lance": 1, + "Energy": 2, + "Rifle": 3, + "What": 7, + "should": 7, + "be": 8, + "replaced": 8, + "with": 9, + "Rifle.": 3, + "By": 7, + "it": 7, + "Bio": 1, + "Magnum": 2, + "Pistol": 1, + "Pistol.": 1, + "Onslaught": 1, + "Grenade": 1, + "Launcher.": 2, + "Shark": 2, + "Rocket": 4, + "Launcher": 1, + "Flak": 1, + "Cannon.": 1, + "Should": 1, + "Lightning": 1, + "Gun": 2, + "Widowmaker": 2, + "Sniper": 3, + "Classic": 1, + "here.": 1, + "Turret": 2, + "delpoyable": 1, + "deployable.": 1, + "Redeemer.": 1, + "Laser": 2, + "Trip": 2, + "Mine": 1, + "Mine.": 1, + "t": 2, + "replace": 1, + "Link": 1, + "matches": 1, + "vehicles.": 1, + "Crowd": 1, + "Pleaser": 1, + "Shotgun.": 1, + "have": 1, + "shields": 1, + "or": 2, + "damage": 1, + "filtering.": 1, + "If": 1, + "checked": 1, + "mutator": 1, + "produces": 1, + "Unreal": 4, + "II": 4, + "shield": 1, + "pickups.": 1, + "Choose": 1, + "between": 2, + "white": 1, + "overlay": 3, + "depending": 2, + "on": 2, + "player": 2, + "view": 1, + "style": 1, + "distance": 1, + "foolproof": 1, + "FM_DistanceBased": 1, + "Arena": 1, + "Add": 1, + "weapons": 1, + "other": 1, + "Fully": 1, + "customisable": 1, + "choose": 1, + "behaviour.": 1, + "US3HelloWorld": 1, + "GameInfo": 1, + "InitGame": 1, + "Options": 1, + "Error": 1, + "log": 1, + "defaultproperties": 1 + }, + "Verilog": { + "////////////////////////////////////////////////////////////////////////////////": 14, + "//": 117, + "timescale": 10, + "ns": 8, + "/": 11, + "ps": 8, + "module": 18, + "button_debounce": 3, + "(": 378, + "input": 68, + "clk": 40, + "clock": 3, + "reset_n": 32, + "asynchronous": 2, + "reset": 13, + "button": 25, + "bouncy": 1, + "output": 42, + "reg": 26, + "debounce": 6, + "debounced": 1, + "-": 73, + "cycle": 1, + "signal": 3, + ")": 378, + ";": 287, + "parameter": 7, + "CLK_FREQUENCY": 4, + "DEBOUNCE_HZ": 4, + "localparam": 4, + "COUNT_VALUE": 2, + "WAIT": 6, + "FIRE": 4, + "COUNT": 4, + "[": 179, + "]": 179, + "state": 6, + "next_state": 6, + "count": 6, + "always": 23, + "@": 16, + "posedge": 11, + "or": 14, + "negedge": 8, + "<": 47, + "begin": 46, + "if": 23, + "end": 48, + "else": 22, + "case": 3, + "<=>": 4, + "1": 7, + "endcase": 3, + "default": 2, + "endmodule": 18, + "control": 1, + "en": 13, + "dsp_sel": 9, + "an": 6, + "wire": 67, + "a": 5, + "b": 3, + "c": 3, + "d": 3, + "e": 3, + "f": 2, + "g": 2, + "h": 2, + "i": 62, + "j": 2, + "k": 2, + "l": 2, + "assign": 23, + "FDRSE": 6, + "#": 10, + ".INIT": 6, + "b0": 27, + "Synchronous": 12, + ".S": 6, + "b1": 19, + "Initial": 6, + "value": 6, + "of": 8, + "register": 6, + "DFF2": 1, + ".Q": 6, + "Data": 13, + ".C": 6, + "Clock": 14, + ".CE": 6, + "enable": 6, + ".D": 6, + ".R": 6, + "set": 6, + "DFF0": 1, + "DFF6": 1, + "DFF4": 1, + "DFF10": 1, + "DFF8": 1, + "hex_display": 1, + "num": 5, + "hex0": 2, + "hex1": 2, + "hex2": 2, + "hex3": 2, + "seg_7": 4, + "hex_group0": 1, + ".num": 4, + ".en": 4, + ".seg": 4, + "hex_group1": 1, + "hex_group2": 1, + "hex_group3": 1, + "mux": 1, + "opA": 4, + "opB": 3, + "sum": 5, + "out": 5, + "cout": 4, + "b0000": 1, + "b01": 1, + "b11": 1, + "pipeline_registers": 1, + "BIT_WIDTH": 5, + "pipe_in": 4, + "pipe_out": 5, + "NUMBER_OF_STAGES": 7, + "generate": 3, + "genvar": 3, + "*": 4, + "BIT_WIDTH*": 5, + "pipe_gen": 6, + "for": 4, + "+": 36, + "pipeline": 2, + "BIT_WIDTH*i": 2, + "endgenerate": 3, + "ps2_mouse": 1, + "Input": 2, + "Reset": 1, + "inout": 2, + "ps2_clk": 3, + "PS2": 2, + "Bidirectional": 2, + "ps2_dat": 3, + "the_command": 2, + "Command": 1, + "to": 3, + "send": 2, + "mouse": 1, + "send_command": 2, + "Signal": 2, + "command_was_sent": 2, + "command": 1, + "finished": 1, + "sending": 1, + "error_communication_timed_out": 3, + "received_data": 2, + "Received": 1, + "data": 4, + "received_data_en": 4, + "If": 1, + "new": 1, + "has": 1, + "been": 1, + "received": 1, + "start_receiving_data": 3, + "wait_for_incoming_data": 3, + "ps2_clk_posedge": 3, + "Internal": 2, + "Wires": 1, + "ps2_clk_negedge": 3, + "idle_counter": 4, + "Registers": 2, + "ps2_clk_reg": 4, + "ps2_data_reg": 5, + "last_ps2_clk": 4, + "ns_ps2_transceiver": 13, + "State": 1, + "Machine": 1, + "s_ps2_transceiver": 8, + "PS2_STATE_0_IDLE": 10, + "h1": 1, + "PS2_STATE_2_COMMAND_OUT": 2, + "h3": 1, + "PS2_STATE_4_END_DELAYED": 4, + "Defaults": 1, + "PS2_STATE_1_DATA_IN": 3, + "||": 1, + "PS2_STATE_3_END_TRANSFER": 3, + "h00": 1, + "&&": 3, + "h01": 1, + "ps2_mouse_cmdout": 1, + "mouse_cmdout": 1, + ".clk": 6, + "Inputs": 2, + ".reset": 2, + ".the_command": 1, + ".send_command": 1, + ".ps2_clk_posedge": 2, + ".ps2_clk_negedge": 2, + ".ps2_clk": 1, + "Bidirectionals": 1, + ".ps2_dat": 1, + ".command_was_sent": 1, + "Outputs": 2, + ".error_communication_timed_out": 1, + "ps2_mouse_datain": 1, + "mouse_datain": 1, + ".wait_for_incoming_data": 1, + ".start_receiving_data": 1, + ".ps2_data": 1, + ".received_data": 1, + ".received_data_en": 1, + "ns/1ps": 2, + "e0": 1, + "x": 41, + "y": 21, + "{": 11, + "}": 11, + "e1": 1, + "ch": 1, + "z": 7, + "o": 6, + "&": 6, + "maj": 1, + "|": 2, + "s0": 1, + "s1": 1, + "sign_extender": 1, + "INPUT_WIDTH": 5, + "OUTPUT_WIDTH": 4, + "original": 3, + "sign_extended_original": 2, + "sign_extend": 3, + "gen_sign_extend": 1, + "sqrt_pipelined": 3, + "start": 12, + "optional": 2, + "INPUT_BITS": 28, + "radicand": 12, + "unsigned": 2, + "data_valid": 7, + "valid": 2, + "OUTPUT_BITS": 14, + "root": 8, + "number": 2, + "bits": 2, + "any": 1, + "integer": 1, + "%": 3, + "start_gen": 7, + "propagation": 1, + "OUTPUT_BITS*INPUT_BITS": 9, + "root_gen": 15, + "values": 3, + "radicand_gen": 10, + "mask_gen": 9, + "mask": 3, + "mask_4": 1, + "is": 4, + "odd": 1, + "this": 2, + "INPUT_BITS*": 27, + "<<": 2, + "i/2": 2, + "even": 1, + "pipeline_stage": 1, + "INPUT_BITS*i": 5, + "t_button_debounce": 1, + ".CLK_FREQUENCY": 1, + ".DEBOUNCE_HZ": 1, + ".reset_n": 3, + ".button": 1, + ".debounce": 1, + "initial": 3, + "bx": 4, + "#10": 10, + "#5": 3, + "#100": 1, + "#0.1": 8, + "t_div_pipelined": 1, + "dividend": 3, + "divisor": 5, + "div_by_zero": 2, + "quotient": 2, + "quotient_correct": 1, + "BITS": 2, + "div_pipelined": 2, + ".BITS": 1, + ".dividend": 1, + ".divisor": 1, + ".quotient": 1, + ".div_by_zero": 1, + ".start": 2, + ".data_valid": 2, + "#50": 2, + "#1": 1, + "#1000": 1, + "finish": 2, + "t_sqrt_pipelined": 1, + ".INPUT_BITS": 1, + ".radicand": 1, + ".root": 1, + "#10000": 1, + "vga": 1, + "wb_clk_i": 6, + "Mhz": 1, + "VDU": 1, + "wb_rst_i": 6, + "wb_dat_i": 3, + "wb_dat_o": 2, + "wb_adr_i": 3, + "wb_we_i": 3, + "wb_tga_i": 5, + "wb_sel_i": 3, + "wb_stb_i": 2, + "wb_cyc_i": 2, + "wb_ack_o": 2, + "vga_red_o": 2, + "vga_green_o": 2, + "vga_blue_o": 2, + "horiz_sync": 2, + "vert_sync": 2, + "csrm_adr_o": 2, + "csrm_sel_o": 2, + "csrm_we_o": 2, + "csrm_dat_o": 2, + "csrm_dat_i": 2, + "csr_adr_i": 3, + "csr_stb_i": 2, + "conf_wb_dat_o": 3, + "conf_wb_ack_o": 3, + "mem_wb_dat_o": 3, + "mem_wb_ack_o": 3, + "csr_adr_o": 2, + "csr_dat_i": 3, + "csr_stb_o": 3, + "v_retrace": 3, + "vh_retrace": 3, + "w_vert_sync": 3, + "shift_reg1": 3, + "graphics_alpha": 4, + "memory_mapping1": 3, + "write_mode": 3, + "raster_op": 3, + "read_mode": 3, + "bitmask": 3, + "set_reset": 3, + "enable_set_reset": 3, + "map_mask": 3, + "x_dotclockdiv2": 3, + "chain_four": 3, + "read_map_select": 3, + "color_compare": 3, + "color_dont_care": 3, + "wbm_adr_o": 3, + "wbm_sel_o": 3, + "wbm_we_o": 3, + "wbm_dat_o": 3, + "wbm_dat_i": 3, + "wbm_stb_o": 3, + "wbm_ack_i": 3, + "stb": 4, + "cur_start": 3, + "cur_end": 3, + "start_addr": 2, + "vcursor": 3, + "hcursor": 3, + "horiz_total": 3, + "end_horiz": 3, + "st_hor_retr": 3, + "end_hor_retr": 3, + "vert_total": 3, + "end_vert": 3, + "st_ver_retr": 3, + "end_ver_retr": 3, + "pal_addr": 3, + "pal_we": 3, + "pal_read": 3, + "pal_write": 3, + "dac_we": 3, + "dac_read_data_cycle": 3, + "dac_read_data_register": 3, + "dac_read_data": 3, + "dac_write_data_cycle": 3, + "dac_write_data_register": 3, + "dac_write_data": 3, + "vga_config_iface": 1, + "config_iface": 1, + ".wb_clk_i": 2, + ".wb_rst_i": 2, + ".wb_dat_i": 2, + ".wb_dat_o": 2, + ".wb_adr_i": 2, + ".wb_we_i": 2, + ".wb_sel_i": 2, + ".wb_stb_i": 2, + ".wb_ack_o": 2, + ".shift_reg1": 2, + ".graphics_alpha": 2, + ".memory_mapping1": 2, + ".write_mode": 2, + ".raster_op": 2, + ".read_mode": 2, + ".bitmask": 2, + ".set_reset": 2, + ".enable_set_reset": 2, + ".map_mask": 2, + ".x_dotclockdiv2": 2, + ".chain_four": 2, + ".read_map_select": 2, + ".color_compare": 2, + ".color_dont_care": 2, + ".pal_addr": 2, + ".pal_we": 2, + ".pal_read": 2, + ".pal_write": 2, + ".dac_we": 2, + ".dac_read_data_cycle": 2, + ".dac_read_data_register": 2, + ".dac_read_data": 2, + ".dac_write_data_cycle": 2, + ".dac_write_data_register": 2, + ".dac_write_data": 2, + ".cur_start": 2, + ".cur_end": 2, + ".start_addr": 1, + ".vcursor": 2, + ".hcursor": 2, + ".horiz_total": 2, + ".end_horiz": 2, + ".st_hor_retr": 2, + ".end_hor_retr": 2, + ".vert_total": 2, + ".end_vert": 2, + ".st_ver_retr": 2, + ".end_ver_retr": 2, + ".v_retrace": 2, + ".vh_retrace": 2, + "vga_lcd": 1, + "lcd": 1, + ".rst": 1, + ".csr_adr_o": 1, + ".csr_dat_i": 1, + ".csr_stb_o": 1, + ".vga_red_o": 1, + ".vga_green_o": 1, + ".vga_blue_o": 1, + ".horiz_sync": 1, + ".vert_sync": 1, + "vga_cpu_mem_iface": 1, + "cpu_mem_iface": 1, + ".wbs_adr_i": 1, + ".wbs_sel_i": 1, + ".wbs_we_i": 1, + ".wbs_dat_i": 1, + ".wbs_dat_o": 1, + ".wbs_stb_i": 1, + ".wbs_ack_o": 1, + ".wbm_adr_o": 1, + ".wbm_sel_o": 1, + ".wbm_we_o": 1, + ".wbm_dat_o": 1, + ".wbm_dat_i": 1, + ".wbm_stb_o": 1, + ".wbm_ack_i": 1, + "vga_mem_arbitrer": 1, + "mem_arbitrer": 1, + ".clk_i": 1, + ".rst_i": 1, + ".csr_adr_i": 1, + ".csr_dat_o": 1, + ".csr_stb_i": 1, + ".csrm_adr_o": 1, + ".csrm_sel_o": 1, + ".csrm_we_o": 1, + ".csrm_dat_o": 1, + ".csrm_dat_i": 1 + }, + "VHDL": { + "-": 2, + "VHDL": 1, + "example": 1, + "file": 1, + "library": 1, + "ieee": 1, + ";": 7, + "use": 1, + "ieee.std_logic_1164.all": 1, + "entity": 2, + "inverter": 2, + "is": 2, + "port": 1, + "(": 1, + "a": 2, + "in": 1, + "std_logic": 2, + "b": 2, + "out": 1, + ")": 1, + "end": 2, + "architecture": 2, + "rtl": 1, + "of": 1, + "begin": 1, + "<": 1, + "not": 1 + }, + "VimL": { + "no": 1, + "toolbar": 1, + "set": 7, + "guioptions": 1, + "-": 1, + "T": 1, + "nocompatible": 1, + "ignorecase": 1, + "incsearch": 1, + "smartcase": 1, + "showmatch": 1, + "showcmd": 1, + "syntax": 1, + "on": 1 + }, + "Visual Basic": { + "VERSION": 1, + "CLASS": 1, + "BEGIN": 1, + "MultiUse": 1, + "-": 9, + "NotPersistable": 1, + "DataBindingBehavior": 1, + "vbNone": 1, + "MTSTransactionMode": 1, + "*************************************************************************************************************************************************************************************************************************************************": 2, + "Copyright": 1, + "(": 20, + "c": 1, + ")": 20, + "David": 1, + "Briant": 1, + "All": 1, + "rights": 1, + "reserved": 1, + "Option": 1, + "Explicit": 1, + "Private": 25, + "Declare": 3, + "Function": 5, + "apiSetProp": 4, + "Lib": 3, + "Alias": 3, + "ByVal": 6, + "hwnd": 2, + "As": 34, + "Long": 10, + "lpString": 2, + "String": 13, + "hData": 1, + "apiGlobalAddAtom": 3, + "apiSetForegroundWindow": 1, + "myMouseEventsForm": 5, + "fMouseEventsForm": 2, + "WithEvents": 3, + "myAST": 3, + "cTP_AdvSysTray": 2, + "Attribute": 3, + "myAST.VB_VarHelpID": 1, + "myClassName": 2, + "myWindowName": 2, + "Const": 9, + "TEN_MILLION": 1, + "Single": 1, + "myListener": 1, + "VLMessaging.VLMMMFileListener": 1, + "myListener.VB_VarHelpID": 1, + "myMMFileTransports": 2, + "VLMessaging.VLMMMFileTransports": 1, + "myMMFileTransports.VB_VarHelpID": 1, + "myMachineID": 1, + "myRouterSeed": 1, + "myRouterIDsByMMTransportID": 1, + "New": 6, + "Dictionary": 3, + "myMMTransportIDsByRouterID": 2, + "myDirectoryEntriesByIDString": 1, + "GET_ROUTER_ID": 1, + "GET_ROUTER_ID_REPLY": 1, + "REGISTER_SERVICE": 1, + "REGISTER_SERVICE_REPLY": 1, + "UNREGISTER_SERVICE": 1, + "UNREGISTER_SERVICE_REPLY": 1, + "GET_SERVICES": 1, + "GET_SERVICES_REPLY": 1, + "Initialize": 1, + "/": 1, + "Release": 1, + "hide": 1, + "us": 1, + "from": 2, + "the": 7, + "Applications": 1, + "list": 1, + "in": 1, + "Windows": 1, + "Task": 1, + "Manager": 1, + "App.TaskVisible": 1, + "False": 1, + "create": 1, + "tray": 1, + "icon": 1, + "Set": 5, + "myAST.create": 1, + "myMouseEventsForm.icon": 1, + "make": 1, + "myself": 1, + "easily": 2, + "found": 1, + "myMouseEventsForm.hwnd": 3, + "End": 11, + "Sub": 9, + "shutdown": 1, + "myAST.destroy": 1, + "Nothing": 2, + "Unload": 1, + "myAST_RButtonUp": 1, + "Dim": 1, + "epm": 1, + "cTP_EasyPopupMenu": 1, + "menuItemSelected": 1, + "epm.addMenuItem": 3, + "MF_STRING": 3, + "epm.addSubmenuItem": 2, + "MF_SEPARATOR": 1, + "MF_CHECKED": 1, + "route": 2, + "to": 4, + "a": 4, + "remote": 1, + "machine": 1, + "Else": 1, + "for": 4, + "moment": 1, + "just": 1, + "between": 1, + "MMFileTransports": 1, + "If": 4, + "myMMTransportIDsByRouterID.Exists": 1, + "message.toAddress.RouterID": 2, + "Then": 1, + "transport": 1, + "transport.send": 1, + "messageToBytes": 1, + "message": 1, + "directoryEntryIDString": 2, + "serviceType": 2, + "address": 1, + "VLMAddress": 1, + "&": 7, + "address.MachineID": 1, + "address.RouterID": 1, + "address.AgentID": 1, + "myMMFileTransports_disconnecting": 1, + "id": 1, + "oReceived": 2, + "Boolean": 1, + "True": 1, + "@Code": 1, + "ViewData": 1, + "Code": 1, + "@section": 1, + "featured": 1, + "": 1, + "Section": 1, + "

": 1, + "We": 1, + "suggest": 1, + "following": 1, + "

": 1, + "
    ": 1, + "
  1. ": 3, + "
    ": 3, + "Getting": 1, + "Started": 1, + "
    ": 3, + "gives": 2, + "powerful": 1, + "patterns": 1, + "based": 1, + "way": 1, + "build": 1, + "dynamic": 1, + "websites": 1, + "that": 5, + "enables": 1, + "clean": 1, + "separation": 1, + "of": 2, + "concerns": 1, + "full": 1, + "control": 1, + "over": 1, + "markup": 1, + "enjoyable": 1, + "agile": 1, + "development.": 1, + "includes": 1, + "many": 1, + "enable": 1, + "fast": 1, + "TDD": 1, + "friendly": 1, + "development": 1, + "creating": 1, + "sophisticated": 1, + "applications": 1, + "use": 1, + "latest": 1, + "web": 2, + "standards.": 1, + "Learn": 3, + "
  2. ": 3, + "Add": 1, + "NuGet": 2, + "packages": 1, + "jump": 1, + "start": 1, + "your": 2, + "coding": 1, + "makes": 1, + "it": 1, + "easy": 1, + "install": 1, + "update": 1, + "free": 1, + "libraries": 1, + "tools.": 1, + "Find": 1, + "Web": 1, + "Hosting": 1, + "You": 1, + "can": 1, + "find": 1, + "hosting": 1, + "company": 1, + "offers": 1, + "right": 1, + "mix": 1, + "price": 1, + "applications.": 1, + "
": 1, + "Module": 2, + "Module1": 1, + "Main": 1, + "Console.Out.WriteLine": 2 + }, + "Volt": { + "module": 1, + "main": 2, + ";": 53, + "import": 7, + "core.stdc.stdio": 1, + "core.stdc.stdlib": 1, + "watt.process": 1, + "watt.path": 1, + "results": 1, + "list": 1, + "cmd": 1, + "int": 8, + "(": 37, + ")": 37, + "{": 12, + "auto": 6, + "cmdGroup": 2, + "new": 3, + "CmdGroup": 1, + "bool": 4, + "printOk": 2, + "true": 4, + "printImprovments": 2, + "printFailing": 2, + "printRegressions": 2, + "string": 1, + "compiler": 3, + "getEnv": 1, + "if": 7, + "is": 2, + "null": 3, + "printf": 6, + ".ptr": 14, + "return": 2, + "-": 3, + "}": 12, + "///": 1, + "@todo": 1, + "Scan": 1, + "for": 4, + "files": 1, + "tests": 2, + "testList": 1, + "total": 5, + "passed": 5, + "failed": 5, + "improved": 3, + "regressed": 6, + "rets": 5, + "Result": 2, + "[": 6, + "]": 6, + "tests.length": 3, + "size_t": 3, + "i": 14, + "<": 3, + "+": 14, + ".runTest": 1, + "cmdGroup.waitAll": 1, + "ret": 1, + "ret.ok": 1, + "cast": 5, + "ret.hasPassed": 4, + "&&": 2, + "ret.test.ptr": 4, + "ret.msg.ptr": 4, + "else": 3, + "fflush": 2, + "stdout": 1, + "xml": 8, + "fopen": 1, + "fprintf": 2, + "rets.length": 1, + ".xmlLog": 1, + "fclose": 1, + "rate": 2, + "float": 2, + "/": 1, + "*": 1, + "f": 1, + "double": 1 + }, + "wisp": { + ";": 199, + "#": 2, + "wisp": 6, + "Wisp": 13, + "is": 20, + "homoiconic": 1, + "JS": 17, + "dialect": 1, + "with": 6, + "a": 24, + "clojure": 2, + "syntax": 2, + "s": 7, + "-": 33, + "expressions": 6, + "and": 9, + "macros.": 1, + "code": 3, + "compiles": 1, + "to": 21, + "human": 1, + "readable": 1, + "javascript": 1, + "which": 3, + "one": 3, + "of": 16, + "they": 3, + "key": 3, + "differences": 1, + "from": 2, + "clojurescript.": 1, + "##": 2, + "data": 1, + "structures": 1, + "nil": 4, + "just": 3, + "like": 2, + "js": 1, + "undefined": 1, + "differenc": 1, + "that": 7, + "it": 10, + "shortcut": 1, + "for": 5, + "void": 2, + "(": 77, + ")": 75, + "in": 16, + "JS.": 2, + "Booleans": 1, + "booleans": 2, + "true": 6, + "/": 1, + "false": 2, + "are": 14, + "Numbers": 1, + "numbers": 2, + "Strings": 2, + "strings": 3, + "can": 13, + "be": 15, + "multiline": 1, + "Characters": 2, + "sugar": 1, + "single": 1, + "char": 1, + "Keywords": 3, + "symbolic": 2, + "identifiers": 2, + "evaluate": 2, + "themselves.": 1, + "keyword": 1, + "Since": 1, + "string": 1, + "constats": 1, + "fulfill": 1, + "this": 2, + "purpose": 2, + "keywords": 1, + "compile": 3, + "equivalent": 2, + "strings.": 1, + "window.addEventListener": 1, + "load": 1, + "handler": 1, + "invoked": 2, + "as": 4, + "functions": 8, + "desugars": 1, + "plain": 2, + "associated": 2, + "value": 2, + "access": 1, + "bar": 4, + "foo": 6, + "[": 22, + "]": 22, + "Vectors": 1, + "vectors": 1, + "arrays.": 1, + "Note": 3, + "Commas": 2, + "white": 1, + "space": 1, + "&": 6, + "used": 1, + "if": 7, + "desired": 1, + "Maps": 2, + "hash": 1, + "maps": 1, + "objects.": 1, + "unlike": 1, + "keys": 1, + "not": 4, + "arbitary": 1, + "types.": 1, + "{": 4, + "beep": 1, + "bop": 1, + "}": 4, + "optional": 2, + "but": 7, + "come": 1, + "handy": 1, + "separating": 1, + "pairs.": 1, + "b": 5, + "In": 5, + "future": 2, + "JSONs": 1, + "may": 1, + "made": 2, + "compatible": 1, + "map": 3, + "syntax.": 1, + "Lists": 1, + "You": 1, + "up": 1, + "lists": 1, + "representing": 1, + "expressions.": 1, + "The": 1, + "first": 4, + "item": 2, + "the": 9, + "expression": 6, + "function": 7, + "being": 1, + "rest": 7, + "items": 2, + "arguments.": 2, + "baz": 2, + "Conventions": 1, + "puts": 1, + "lot": 2, + "effort": 1, + "making": 1, + "naming": 1, + "conventions": 3, + "transparent": 1, + "by": 2, + "encouraning": 1, + "lisp": 1, + "then": 1, + "translating": 1, + "them": 1, + "dash": 1, + "delimited": 1, + "dashDelimited": 1, + "predicate": 1, + "isPredicate": 1, + "__privates__": 1, + "list": 2, + "vector": 1, + "listToVector": 1, + "As": 1, + "side": 2, + "effect": 1, + "some": 2, + "names": 1, + "expressed": 3, + "few": 1, + "ways": 1, + "although": 1, + "third": 2, + "expression.": 1, + "<": 1, + "number": 3, + "Else": 1, + "missing": 1, + "conditional": 1, + "evaluates": 2, + "result": 2, + "will": 6, + ".": 6, + "monday": 1, + "today": 1, + "Compbining": 1, + "everything": 1, + "an": 1, + "sometimes": 1, + "might": 1, + "want": 2, + "compbine": 1, + "multiple": 1, + "into": 2, + "usually": 3, + "evaluating": 1, + "have": 2, + "effects": 1, + "do": 4, + "console.log": 2, + "+": 9, + "Also": 1, + "special": 4, + "form": 10, + "many.": 1, + "If": 2, + "evaluation": 1, + "nil.": 1, + "Bindings": 1, + "Let": 1, + "containing": 1, + "lexical": 1, + "context": 1, + "simbols": 1, + "bindings": 1, + "forms": 1, + "bound": 1, + "their": 2, + "respective": 1, + "results.": 1, + "let": 2, + "c": 1, + "Functions": 1, + "fn": 15, + "x": 22, + "named": 1, + "similar": 2, + "increment": 1, + "also": 2, + "contain": 1, + "documentation": 1, + "metadata.": 1, + "Docstring": 1, + "metadata": 1, + "presented": 1, + "compiled": 2, + "yet": 1, + "comments": 1, + "function.": 1, + "incerement": 1, + "added": 1, + "makes": 1, + "capturing": 1, + "arguments": 7, + "easier": 1, + "than": 1, + "argument": 1, + "follows": 1, + "simbol": 1, + "capture": 1, + "all": 4, + "args": 1, + "array.": 1, + "rest.reduce": 1, + "sum": 3, + "Overloads": 1, + "overloaded": 1, + "depending": 1, + "on": 1, + "take": 2, + "without": 2, + "introspection": 1, + "version": 1, + "y": 6, + "more": 3, + "more.reduce": 1, + "does": 1, + "has": 2, + "variadic": 1, + "overload": 1, + "passed": 1, + "throws": 1, + "exception.": 1, + "Other": 1, + "Special": 1, + "Forms": 1, + "Instantiation": 1, + "type": 2, + "instantiation": 1, + "consice": 1, + "needs": 1, + "suffixed": 1, + "character": 1, + "Type.": 1, + "options": 2, + "More": 1, + "verbose": 1, + "there": 1, + "new": 2, + "Class": 1, + "Method": 1, + "calls": 3, + "method": 2, + "no": 1, + "different": 1, + "Any": 1, + "quoted": 1, + "prevent": 1, + "doesn": 1, + "t": 1, + "unless": 5, + "or": 2, + "macro": 7, + "try": 1, + "implemting": 1, + "understand": 1, + "use": 2, + "case": 1, + "We": 1, + "execute": 1, + "body": 4, + "condition": 4, + "defn": 2, + "Although": 1, + "following": 2, + "log": 1, + "anyway": 1, + "since": 1, + "exectued": 1, + "before": 1, + "called.": 1, + "Macros": 2, + "solve": 1, + "problem": 1, + "because": 1, + "immediately.": 1, + "Instead": 1, + "you": 1, + "get": 2, + "choose": 1, + "when": 1, + "evaluated.": 1, + "return": 1, + "instead.": 1, + "defmacro": 3, + "less": 1, + "how": 1, + "build": 1, + "implemented.": 1, + "define": 4, + "name": 2, + "def": 1, + "@body": 1, + "Now": 1, + "we": 2, + "above": 1, + "defined": 1, + "expanded": 2, + "time": 1, + "resulting": 1, + "diff": 1, + "program": 1, + "output.": 1, + "print": 1, + "message": 2, + ".log": 1, + "console": 1, + "Not": 1, + "macros": 2, + "via": 2, + "templating": 1, + "language": 1, + "available": 1, + "at": 1, + "hand": 1, + "assemble": 1, + "form.": 1, + "For": 2, + "instance": 1, + "ease": 1, + "functional": 1, + "chanining": 1, + "popular": 1, + "chaining.": 1, + "example": 1, + "API": 1, + "pioneered": 1, + "jQuery": 1, + "very": 2, + "common": 1, + "open": 2, + "target": 1, + "keypress": 2, + "filter": 2, + "isEnterKey": 1, + "getInputText": 1, + "reduce": 3, + "render": 2, + "Unfortunately": 1, + "though": 1, + "requires": 1, + "need": 1, + "methods": 1, + "dsl": 1, + "object": 1, + "limited.": 1, + "Making": 1, + "party": 1, + "second": 1, + "class.": 1, + "Via": 1, + "achieve": 1, + "chaining": 1, + "such": 1, + "tradeoffs.": 1, + "operations": 3, + "operation": 3, + "cons": 2, + "tagret": 1, + "enter": 1, + "input": 1, + "text": 1 + }, + "XC": { + "int": 2, + "main": 1, + "(": 1, + ")": 1, + "{": 2, + "x": 3, + ";": 4, + "chan": 1, + "c": 3, + "par": 1, + "<:>": 1, + "0": 1, + "}": 2, + "return": 1 + }, + "XML": { + "": 4, + "version=": 6, + "": 1, + "name=": 223, + "xmlns": 2, + "ea=": 2, + "": 2, + "This": 21, + "easyant": 3, + "module.ant": 1, + "sample": 2, + "file": 3, + "is": 123, + "optionnal": 1, + "and": 44, + "designed": 1, + "to": 164, + "customize": 1, + "your": 8, + "build": 1, + "with": 23, + "own": 2, + "specific": 8, + "target.": 1, + "": 2, + "": 2, + "": 2, + "my": 2, + "awesome": 1, + "additionnal": 1, + "target": 6, + "": 2, + "": 2, + "extensionOf=": 1, + "i": 2, + "would": 2, + "love": 1, + "could": 1, + "easily": 1, + "plug": 1, + "pre": 1, + "compile": 1, + "step": 1, + "": 1, + "": 1, + "": 1, + "organisation=": 3, + "module=": 3, + "revision=": 3, + "status=": 1, + "this": 77, + "a": 128, + "module.ivy": 1, + "for": 59, + "java": 1, + "standard": 1, + "application": 2, + "": 1, + "": 1, + "value=": 1, + "": 1, + "": 1, + "": 1, + "": 1, + "": 2, + "visibility=": 2, + "description=": 2, + "": 1, + "": 1, + "": 1, + "org=": 1, + "rev=": 1, + "conf=": 1, + "default": 9, + "junit": 2, + "test": 7, + "-": 49, + "/": 6, + "": 1, + "": 1, + "": 1, + "": 1, + "": 2, + "ReactiveUI": 2, + "": 2, + "": 1, + "": 1, + "": 120, + "": 120, + "IObservedChange": 5, + "generic": 3, + "interface": 4, + "that": 94, + "replaces": 1, + "the": 261, + "non": 1, + "PropertyChangedEventArgs.": 1, + "Note": 7, + "it": 16, + "used": 19, + "both": 2, + "Changing": 5, + "(": 52, + "i.e.": 23, + ")": 45, + "Changed": 4, + "Observables.": 2, + "In": 6, + "future": 2, + "will": 65, + "be": 57, + "Covariant": 1, + "which": 12, + "allow": 1, + "simpler": 1, + "casting": 1, + "between": 15, + "changes.": 2, + "": 121, + "": 120, + "The": 74, + "object": 42, + "has": 16, + "raised": 1, + "change.": 12, + "name": 7, + "of": 75, + "property": 74, + "changed": 18, + "on": 35, + "Sender.": 1, + "value": 44, + "changed.": 9, + "IMPORTANT": 1, + "NOTE": 1, + "often": 3, + "not": 9, + "set": 41, + "performance": 1, + "reasons": 1, + "unless": 1, + "you": 20, + "have": 17, + "explicitly": 1, + "requested": 1, + "an": 88, + "Observable": 56, + "via": 8, + "method": 34, + "such": 5, + "as": 25, + "ObservableForProperty.": 1, + "To": 4, + "retrieve": 3, + "use": 5, + "Value": 3, + "extension": 2, + "method.": 2, + "IReactiveNotifyPropertyChanged": 6, + "represents": 4, + "extended": 1, + "version": 3, + "INotifyPropertyChanged": 1, + "also": 17, + "exposes": 1, + "IEnableLogger": 1, + "dummy": 1, + "attaching": 1, + "any": 11, + "class": 11, + "give": 1, + "access": 3, + "Log": 2, + "When": 5, + "called": 5, + "fire": 11, + "change": 26, + "notifications": 22, + "neither": 3, + "traditional": 3, + "nor": 3, + "until": 7, + "return": 11, + "disposed.": 3, + "": 36, + "An": 26, + "when": 38, + "disposed": 4, + "reenables": 3, + "notifications.": 5, + "": 36, + "Represents": 4, + "fires": 6, + "*before*": 2, + "about": 5, + "should": 10, + "duplicate": 2, + "if": 27, + "same": 8, + "multiple": 6, + "times.": 4, + "*after*": 2, + "TSender": 1, + "helper": 5, + "adds": 2, + "typed": 2, + "versions": 2, + "Changed.": 1, + "IReactiveCollection": 3, + "collection": 27, + "can": 11, + "notify": 3, + "its": 4, + "contents": 2, + "are": 13, + "either": 1, + "items": 27, + "added/removed": 1, + "or": 24, + "itself": 2, + "changes": 13, + ".": 20, + "It": 1, + "important": 6, + "implement": 5, + "Changing/Changed": 1, + "from": 12, + "semantically": 3, + "Fires": 14, + "added": 6, + "once": 4, + "per": 2, + "item": 19, + "added.": 4, + "Functions": 2, + "add": 2, + "AddRange": 2, + "provided": 14, + "was": 6, + "before": 8, + "going": 4, + "collection.": 6, + "been": 5, + "removed": 4, + "providing": 20, + "removed.": 4, + "whenever": 18, + "number": 9, + "in": 45, + "new": 10, + "Count.": 4, + "previous": 2, + "Provides": 4, + "Item": 4, + "implements": 8, + "IReactiveNotifyPropertyChanged.": 4, + "only": 18, + "enabled": 8, + "ChangeTrackingEnabled": 2, + "True.": 2, + "Enables": 2, + "ItemChanging": 2, + "ItemChanged": 2, + "properties": 29, + ";": 10, + "implementing": 2, + "rebroadcast": 2, + "through": 3, + "ItemChanging/ItemChanged.": 2, + "T": 1, + "type": 23, + "specified": 7, + "Observables": 4, + "IMessageBus": 1, + "act": 2, + "simple": 2, + "way": 2, + "ViewModels": 3, + "other": 9, + "objects": 4, + "communicate": 2, + "each": 7, + "loosely": 2, + "coupled": 2, + "way.": 2, + "Specifying": 2, + "messages": 22, + "go": 2, + "where": 4, + "done": 2, + "combination": 2, + "Type": 9, + "message": 30, + "well": 2, + "additional": 3, + "parameter": 6, + "unique": 12, + "string": 13, + "distinguish": 12, + "arbitrarily": 2, + "by": 13, + "client.": 2, + "Listen": 4, + "provides": 6, + "Message": 2, + "RegisterMessageSource": 4, + "SendMessage.": 2, + "": 12, + "listen": 6, + "to.": 7, + "": 12, + "": 84, + "A": 19, + "identical": 11, + "types": 10, + "one": 27, + "purpose": 10, + "leave": 10, + "null.": 10, + "": 83, + "Determins": 2, + "particular": 2, + "registered.": 2, + "message.": 1, + "True": 6, + "posted": 3, + "Type.": 2, + "Registers": 3, + "representing": 20, + "stream": 7, + "send.": 4, + "Another": 2, + "part": 2, + "code": 4, + "then": 3, + "call": 5, + "Observable.": 6, + "subscribed": 2, + "sent": 2, + "out": 4, + "provided.": 5, + "Sends": 2, + "single": 2, + "using": 9, + "contract.": 2, + "Consider": 2, + "instead": 2, + "sending": 2, + "response": 2, + "events.": 2, + "actual": 2, + "send": 3, + "returns": 5, + "current": 10, + "logger": 2, + "allows": 15, + "log": 2, + "attached.": 1, + "data": 1, + "structure": 1, + "representation": 1, + "memoizing": 2, + "cache": 14, + "evaluate": 1, + "function": 13, + "but": 7, + "keep": 1, + "recently": 3, + "evaluated": 1, + "parameters.": 1, + "Since": 1, + "mathematical": 2, + "sense": 1, + "key": 12, + "*always*": 1, + "maps": 1, + "corresponding": 2, + "value.": 2, + "calculation": 8, + "function.": 6, + "returned": 2, + "Constructor": 2, + "whose": 7, + "results": 6, + "want": 2, + "Tag": 1, + "user": 2, + "defined": 1, + "size": 1, + "maintain": 1, + "after": 1, + "old": 1, + "start": 1, + "thrown": 1, + "out.": 1, + "result": 3, + "gets": 1, + "evicted": 2, + "because": 2, + "Invalidate": 2, + "full": 1, + "Evaluates": 1, + "returning": 1, + "cached": 2, + "possible": 1, + "pass": 2, + "optional": 2, + "parameter.": 1, + "Ensure": 1, + "next": 1, + "time": 3, + "queried": 1, + "called.": 1, + "all": 4, + "Returns": 5, + "values": 4, + "currently": 2, + "MessageBus": 3, + "bus.": 1, + "scheduler": 11, + "post": 2, + "RxApp.DeferredScheduler": 2, + "default.": 2, + "Current": 1, + "RxApp": 1, + "global": 1, + "object.": 3, + "ViewModel": 8, + "another": 3, + "s": 3, + "Return": 1, + "instance": 2, + "type.": 3, + "registered": 1, + "ObservableAsPropertyHelper": 6, + "help": 1, + "backed": 1, + "read": 3, + "still": 1, + "created": 2, + "directly": 1, + "more": 16, + "ToProperty": 2, + "ObservableToProperty": 1, + "methods.": 2, + "so": 1, + "output": 1, + "chained": 2, + "example": 2, + "property.": 12, + "Constructs": 4, + "base": 3, + "on.": 6, + "action": 2, + "take": 2, + "typically": 1, + "t": 2, + "bindings": 13, + "null": 4, + "OAPH": 2, + "at": 2, + "startup.": 1, + "initial": 28, + "normally": 6, + "Dispatcher": 3, + "based": 9, + "last": 1, + "Exception": 1, + "steps": 1, + "taken": 1, + "ensure": 3, + "never": 3, + "complete": 1, + "fail.": 1, + "Converts": 2, + "automatically": 3, + "onChanged": 2, + "raise": 2, + "notification.": 2, + "equivalent": 2, + "convenient.": 1, + "Expression": 7, + "initialized": 2, + "backing": 9, + "field": 10, + "ReactiveObject": 11, + "ObservableAsyncMRUCache": 2, + "memoization": 2, + "asynchronous": 4, + "expensive": 2, + "compute": 1, + "MRU": 1, + "fixed": 1, + "limit": 5, + "cache.": 5, + "guarantees": 6, + "given": 11, + "flight": 2, + "subsequent": 1, + "requests": 4, + "wait": 3, + "first": 1, + "empty": 1, + "web": 6, + "image": 1, + "receives": 1, + "two": 1, + "concurrent": 5, + "issue": 2, + "WebRequest": 1, + "does": 1, + "mean": 1, + "request": 3, + "Concurrency": 1, + "limited": 1, + "maxConcurrent": 1, + "too": 1, + "many": 1, + "operations": 6, + "progress": 1, + "further": 1, + "queued": 1, + "slot": 1, + "available.": 1, + "performs": 1, + "asyncronous": 1, + "async": 3, + "CPU": 1, + "Observable.Return": 1, + "may": 1, + "result.": 2, + "*must*": 1, + "equivalently": 1, + "input": 2, + "being": 1, + "memoized": 1, + "calculationFunc": 2, + "depends": 1, + "varables": 1, + "than": 5, + "unpredictable.": 1, + "reached": 2, + "discarded.": 4, + "maximum": 2, + "regardless": 2, + "caches": 2, + "server.": 2, + "clean": 1, + "up": 25, + "manage": 1, + "disk": 1, + "download": 1, + "save": 2, + "temporary": 1, + "folder": 1, + "onRelease": 1, + "delete": 1, + "file.": 1, + "run": 7, + "defaults": 1, + "TaskpoolScheduler": 2, + "Issues": 1, + "fetch": 1, + "operation.": 1, + "operation": 2, + "finishes.": 1, + "If": 6, + "immediately": 3, + "upon": 1, + "subscribing": 1, + "returned.": 2, + "provide": 2, + "synchronous": 1, + "AsyncGet": 1, + "resulting": 1, + "Works": 2, + "like": 2, + "SelectMany": 2, + "memoizes": 2, + "selector": 5, + "calls.": 2, + "addition": 3, + "no": 4, + "selectors": 2, + "running": 4, + "concurrently": 2, + "queues": 2, + "rest.": 2, + "very": 2, + "services": 2, + "avoid": 2, + "potentially": 2, + "spamming": 2, + "server": 2, + "hundreds": 2, + "requests.": 2, + "similar": 3, + "passed": 1, + "SelectMany.": 1, + "similarly": 1, + "ObservableAsyncMRUCache.AsyncGet": 1, + "must": 2, + "sense.": 1, + "flattened": 2, + "selector.": 2, + "overload": 2, + "useful": 2, + "making": 3, + "service": 1, + "several": 1, + "places": 1, + "paths": 1, + "already": 1, + "configured": 1, + "ObservableAsyncMRUCache.": 1, + "notification": 6, + "Attempts": 1, + "expression": 3, + "false": 2, + "expression.": 1, + "entire": 1, + "able": 1, + "followed": 1, + "otherwise": 1, + "Given": 3, + "fully": 3, + "filled": 1, + "SetValueToProperty": 1, + "apply": 3, + "target.property": 1, + "This.GetValue": 1, + "observed": 1, + "onto": 1, + "convert": 2, + "stream.": 3, + "ValueIfNotDefault": 1, + "filters": 1, + "BindTo": 1, + "takes": 1, + "applies": 1, + "Conceptually": 1, + "child": 2, + "without": 1, + "checks.": 1, + "set.": 3, + "x.Foo.Bar.Baz": 1, + "disconnects": 1, + "binding.": 1, + "ReactiveCollection.": 1, + "ReactiveCollection": 1, + "existing": 3, + "list.": 2, + "list": 1, + "populate": 1, + "anything": 2, + "Change": 2, + "Tracking": 2, + "Creates": 3, + "adding": 2, + "completes": 4, + "optionally": 2, + "ensuring": 2, + "delay.": 2, + "withDelay": 2, + "leak": 2, + "Timer.": 2, + "always": 4, + "UI": 2, + "thread.": 3, + "put": 2, + "into": 2, + "populated": 4, + "faster": 2, + "delay": 2, + "Select": 3, + "item.": 3, + "creating": 2, + "collections": 1, + "updated": 1, + "respective": 1, + "Model": 1, + "updated.": 1, + "Collection.Select": 1, + "mirror": 1, + "ObservableForProperty": 14, + "ReactiveObject.": 1, + "unlike": 13, + "Selector": 1, + "classes": 2, + "INotifyPropertyChanged.": 1, + "monitor": 1, + "RaiseAndSetIfChanged": 2, + "Setter": 2, + "write": 2, + "assumption": 4, + "named": 2, + "RxApp.GetFieldNameForPropertyNameFunc.": 2, + "almost": 2, + "keyword.": 2, + "newly": 2, + "intended": 5, + "Silverlight": 2, + "WP7": 1, + "reflection": 1, + "cannot": 1, + "private": 1, + "field.": 1, + "Reference": 1, + "Use": 13, + "custom": 4, + "raiseAndSetIfChanged": 1, + "doesn": 1, + "x": 1, + "x.SomeProperty": 1, + "suffice.": 1, + "RaisePropertyChanging": 2, + "mock": 4, + "scenarios": 4, + "manually": 4, + "fake": 4, + "invoke": 4, + "raisePropertyChanging": 4, + "faking": 4, + "RaisePropertyChanged": 2, + "helps": 1, + "make": 2, + "them": 1, + "compatible": 1, + "Rx.Net.": 1, + "declare": 1, + "initialize": 1, + "derive": 1, + "properties/methods": 1, + "MakeObjectReactiveHelper.": 1, + "InUnitTestRunner": 1, + "attempts": 1, + "determine": 1, + "heuristically": 1, + "unit": 3, + "framework.": 1, + "we": 1, + "determined": 1, + "framework": 1, + "running.": 1, + "GetFieldNameForProperty": 1, + "convention": 2, + "GetFieldNameForPropertyNameFunc.": 1, + "needs": 1, + "found.": 1, + "name.": 1, + "DeferredScheduler": 1, + "schedule": 2, + "work": 2, + "normal": 2, + "mode": 2, + "DispatcherScheduler": 1, + "Unit": 1, + "Test": 1, + "Immediate": 1, + "simplify": 1, + "writing": 1, + "common": 1, + "tests.": 1, + "background": 1, + "modes": 1, + "TPL": 1, + "Task": 1, + "Pool": 1, + "Threadpool": 1, + "Set": 3, + "provider": 1, + "usually": 1, + "entry": 1, + "MessageBus.Current.": 1, + "override": 1, + "naming": 1, + "one.": 1, + "WhenAny": 12, + "observe": 12, + "constructors": 12, + "need": 12, + "setup.": 12, + "": 1, + "": 1, + "encoding=": 1, + "": 1, + "TS": 1, + "": 1, + "language=": 1, + "": 1, + "MainWindow": 1, + "": 8, + "": 8, + "filename=": 8, + "line=": 8, + "": 8, + "United": 1, + "Kingdom": 1, + "": 8, + "": 8, + "Reino": 1, + "Unido": 1, + "": 8, + "": 8, + "God": 1, + "Queen": 1, + "Deus": 1, + "salve": 1, + "Rainha": 1, + "England": 1, + "Inglaterra": 1, + "Wales": 1, + "Gales": 1, + "Scotland": 1, + "Esc": 1, + "cia": 1, + "Northern": 1, + "Ireland": 1, + "Irlanda": 1, + "Norte": 1, + "Portuguese": 1, + "Portugu": 1, + "English": 1, + "Ingl": 1, + "": 1, + "": 1 + }, + "XProc": { + "": 1, + "version=": 2, + "encoding=": 1, + "": 1, + "xmlns": 2, + "p=": 1, + "c=": 1, + "": 1, + "port=": 2, + "": 1, + "": 1, + "Hello": 1, + "world": 1, + "": 1, + "": 1, + "": 1, + "": 1, + "": 1, + "": 1 + }, + "XQuery": { + "(": 38, + "-": 486, + "xproc.xqm": 1, + "core": 1, + "xqm": 1, + "contains": 1, + "entry": 2, + "points": 1, + "primary": 1, + "eval": 3, + "step": 5, + "function": 3, + "and": 3, + "control": 1, + "functions.": 1, + ")": 38, + "xquery": 1, + "version": 1, + "encoding": 1, + ";": 25, + "module": 6, + "namespace": 8, + "xproc": 17, + "declare": 24, + "namespaces": 5, + "p": 2, + "c": 1, + "err": 1, + "imports": 1, + "import": 4, + "util": 1, + "at": 4, + "const": 1, + "parse": 8, + "u": 2, + "options": 2, + "boundary": 1, + "space": 1, + "preserve": 1, + "option": 1, + "saxon": 1, + "output": 1, + "functions": 1, + "variable": 13, + "run": 2, + "run#6": 1, + "choose": 1, + "try": 1, + "catch": 1, + "group": 1, + "for": 1, + "each": 1, + "viewport": 1, + "library": 1, + "pipeline": 8, + "list": 1, + "all": 1, + "declared": 1, + "enum": 3, + "{": 5, + "": 1, + "name=": 1, + "ns": 1, + "": 1, + "}": 5, + "": 1, + "": 1, + "point": 1, + "stdin": 1, + "dflag": 1, + "tflag": 1, + "bindings": 2, + "STEP": 3, + "I": 1, + "preprocess": 1, + "let": 6, + "validate": 1, + "explicit": 3, + "AST": 2, + "name": 1, + "type": 1, + "ast": 1, + "element": 1, + "parse/@*": 1, + "sort": 1, + "parse/*": 1, + "II": 1, + "eval_result": 1, + "III": 1, + "serialize": 1, + "return": 2, + "results": 1, + "serialized_result": 2 + }, + "XSLT": { + "": 1, + "version=": 2, + "": 1, + "xmlns": 1, + "xsl=": 1, + "": 1, + "match=": 1, + "": 1, + "": 1, + "

": 1, + "My": 1, + "CD": 1, + "Collection": 1, + "

": 1, + "": 1, + "border=": 1, + "": 2, + "bgcolor=": 1, + "": 2, + "Artist": 1, + "": 2, + "": 1, + "select=": 3, + "": 2, + "": 1, + "
": 2, + "Title": 1, + "
": 2, + "": 2, + "
": 1, + "": 1, + "": 1, + "
": 1, + "
": 1 + }, + "Xtend": { + "package": 2, + "example2": 1, + "import": 7, + "org.junit.Test": 2, + "static": 4, + "org.junit.Assert.*": 2, + "class": 4, + "BasicExpressions": 2, + "{": 14, + "@Test": 7, + "def": 7, + "void": 7, + "literals": 5, + "(": 42, + ")": 42, + "//": 11, + "string": 1, + "work": 1, + "with": 2, + "single": 1, + "or": 1, + "double": 2, + "quotes": 1, + "assertEquals": 14, + "number": 1, + "big": 1, + "decimals": 1, + "in": 2, + "this": 1, + "case": 1, + "+": 6, + "*": 1, + "bd": 3, + "boolean": 1, + "true": 1, + "false": 1, + "getClass": 1, + "typeof": 1, + "}": 13, + "collections": 2, + "There": 1, + "are": 1, + "various": 1, + "methods": 2, + "to": 1, + "create": 1, + "and": 1, + "numerous": 1, + "extension": 2, + "which": 1, + "make": 1, + "working": 1, + "them": 1, + "convenient.": 1, + "val": 9, + "list": 1, + "newArrayList": 2, + "list.map": 1, + "[": 9, + "toUpperCase": 1, + "]": 9, + ".head": 1, + "set": 1, + "newHashSet": 1, + "set.filter": 1, + "it": 2, + ".size": 2, + "map": 1, + "newHashMap": 1, + "-": 5, + "map.get": 1, + "controlStructures": 1, + "looks": 1, + "like": 1, + "Java": 1, + "if": 1, + ".length": 1, + "but": 1, + "foo": 1, + "bar": 1, + "Never": 2, + "happens": 3, + "text": 2, + "never": 1, + "s": 1, + "cascades.": 1, + "Object": 1, + "someValue": 2, + "switch": 1, + "Number": 1, + "String": 2, + "loops": 1, + "for": 2, + "loop": 2, + "var": 1, + "counter": 8, + "i": 4, + "..": 1, + "while": 2, + "iterator": 1, + ".iterator": 2, + "iterator.hasNext": 1, + "iterator.next": 1, + "example6": 1, + "java.io.FileReader": 1, + "java.util.Set": 1, + "com.google.common.io.CharStreams.*": 1, + "Movies": 1, + "numberOfActionMovies": 1, + "movies.filter": 2, + "categories.contains": 1, + "yearOfBestMovieFrom80ies": 1, + ".contains": 1, + "year": 2, + ".sortBy": 1, + "rating": 3, + ".last.year": 1, + "sumOfVotesOfTop2": 1, + "long": 2, + "movies": 3, + "movies.sortBy": 1, + ".take": 1, + ".map": 1, + "numberOfVotes": 2, + ".reduce": 1, + "a": 2, + "b": 2, + "|": 2, + "_229": 1, + "new": 2, + "FileReader": 1, + ".readLines.map": 1, + "line": 1, + "segments": 1, + "line.split": 1, + "return": 1, + "Movie": 2, + "segments.next": 4, + "Integer": 1, + "parseInt": 1, + "Double": 1, + "parseDouble": 1, + "Long": 1, + "parseLong": 1, + "segments.toSet": 1, + "@Data": 1, + "title": 1, + "int": 1, + "Set": 1, + "": 1, + "categories": 1 + }, + "YAML": { + "gem": 1, + "-": 25, + "local": 1, + "gen": 1, + "rdoc": 2, + "run": 1, + "tests": 1, + "inline": 1, + "source": 1, + "line": 1, + "numbers": 1, + "gempath": 1, + "/usr/local/rubygems": 1, + "/home/gavin/.rubygems": 1, + "http_interactions": 1, + "request": 1, + "method": 1, + "get": 1, + "uri": 1, + "http": 1, + "//example.com/": 1, + "body": 3, + "headers": 2, + "{": 1, + "}": 1, + "response": 2, + "status": 1, + "code": 1, + "message": 1, + "OK": 1, + "Content": 2, + "Type": 1, + "text/html": 1, + ";": 1, + "charset": 1, + "utf": 1, + "Length": 1, + "This": 1, + "is": 1, + "the": 1, + "http_version": 1, + "recorded_at": 1, + "Tue": 1, + "Nov": 1, + "GMT": 1, + "recorded_with": 1, + "VCR": 1 + } + }, + "language_tokens": { + "ABAP": 1500, + "Agda": 376, + "ApacheConf": 1449, + "Apex": 4408, + "AppleScript": 1862, + "Arduino": 20, + "AsciiDoc": 103, + "AspectJ": 324, + "ATS": 4558, + "AutoHotkey": 3, + "Awk": 544, + "BlitzBasic": 2065, + "Bluespec": 1298, + "Brightscript": 579, + "C": 59053, + "C#": 278, + "C++": 31181, + "Ceylon": 50, + "Cirru": 244, + "Clojure": 510, + "COBOL": 90, + "CoffeeScript": 2951, + "Common Lisp": 103, + "Coq": 18259, + "Creole": 134, + "CSS": 43867, + "Cuda": 290, + "Dart": 74, + "Diff": 16, + "DM": 169, + "ECL": 281, + "edn": 227, + "Elm": 628, + "Emacs Lisp": 1756, + "Erlang": 2928, + "fish": 636, + "Forth": 1516, + "Frege": 5564, + "Game Maker Language": 13310, + "GAS": 133, + "GLSL": 3766, + "Gnuplot": 1023, + "Gosu": 410, + "Groovy": 69, + "Groovy Server Pages": 91, + "Haml": 4, + "Handlebars": 69, + "Hy": 155, + "IDL": 418, + "Idris": 148, + "INI": 27, + "Ioke": 2, + "Jade": 3, + "Java": 8987, + "JavaScript": 76934, + "JSON": 183, + "JSON5": 57, + "JSONLD": 18, + "Julia": 247, + "Kotlin": 155, + "KRL": 25, + "Lasso": 9849, + "Less": 39, + "LFE": 1711, + "Literate Agda": 478, + "Literate CoffeeScript": 275, + "LiveScript": 123, + "Logos": 93, + "Logtalk": 36, + "Lua": 724, + "M": 23615, + "Makefile": 50, + "Markdown": 1, + "Mask": 74, + "Mathematica": 411, + "Matlab": 11942, + "Max": 714, + "MediaWiki": 766, + "Monkey": 207, + "MoonScript": 1718, + "Nemerle": 17, + "NetLogo": 243, + "Nginx": 179, + "Nimrod": 1, + "NSIS": 725, + "Nu": 116, + "Objective-C": 26518, + "OCaml": 382, + "Omgrofl": 57, + "Opa": 28, + "OpenCL": 144, + "OpenEdge ABL": 762, + "Org": 358, + "Oxygene": 157, + "Parrot Assembly": 6, + "Parrot Internal Representation": 5, + "Pascal": 30, + "PAWN": 3263, + "Perl": 17497, + "Perl6": 372, + "PHP": 20724, + "Pod": 658, + "PogoScript": 250, + "PostScript": 107, + "PowerShell": 12, + "Processing": 74, + "Prolog": 468, + "Protocol Buffer": 63, + "Python": 5715, + "R": 195, + "Racket": 331, + "Ragel in Ruby Host": 593, + "RDoc": 279, + "Rebol": 11, + "RMarkdown": 19, + "RobotFramework": 483, + "Ruby": 3862, + "Rust": 3566, + "Sass": 56, + "Scala": 750, + "Scaml": 4, + "Scheme": 3515, + "Scilab": 69, + "SCSS": 39, + "Shell": 3744, + "Shen": 3472, + "Slash": 187, + "Squirrel": 130, + "Standard ML": 6405, + "Stylus": 76, + "SuperCollider": 133, + "SystemVerilog": 541, + "Tea": 3, + "TeX": 2701, + "Turing": 44, + "TXL": 213, + "TypeScript": 109, + "UnrealScript": 2873, + "Verilog": 3778, + "VHDL": 42, + "VimL": 20, + "Visual Basic": 581, + "Volt": 388, + "wisp": 1363, + "XC": 24, + "XML": 5737, + "XProc": 22, + "XQuery": 801, + "XSLT": 44, + "Xtend": 399, + "YAML": 77 + }, "languages": { - "TypeScript": 3, - "TeX": 1, - "Julia": 1, - "JavaScript": 20, - "Logos": 1, - "OCaml": 2, - "Prolog": 6, - "PHP": 9, - "MoonScript": 1, - "Verilog": 13, - "Diff": 1, - "Objective-C": 19, - "Gosu": 5, - "Nemerle": 1, - "GLSL": 3, "ABAP": 1, - "Shell": 37, - "PowerShell": 2, - "AutoHotkey": 1, - "Max": 3, - "Protocol Buffer": 1, - "Erlang": 5, - "Literate CoffeeScript": 1, - "Common Lisp": 1, - "fish": 3, - "Awk": 1, - "Nimrod": 1, - "Apex": 6, - "Python": 7, - "XQuery": 1, - "DM": 1, - "Frege": 4, - "Jade": 1, - "Elm": 3, - "Perl": 14, - "Logtalk": 1, "Agda": 1, "ApacheConf": 3, - "Opa": 2, - "Cuda": 2, - "Coq": 12, - "RobotFramework": 3, - "CoffeeScript": 9, - "Slash": 1, - "Omgrofl": 1, - "SCSS": 1, - "Groovy": 2, - "COBOL": 4, - "Oxygene": 2, - "XProc": 1, - "Markdown": 1, - "Handlebars": 2, - "Arduino": 1, - "Emacs Lisp": 2, - "Dart": 1, - "TXL": 1, - "Squirrel": 1, - "Org": 1, - "Scaml": 1, - "Bluespec": 2, - "Visual Basic": 1, - "wisp": 1, - "RDoc": 1, - "CSS": 2, - "NSIS": 2, - "Rebol": 1, - "Ioke": 1, - "R": 2, - "Racket": 2, - "Turing": 1, - "KRL": 1, - "Ragel in Ruby Host": 3, - "Makefile": 2, - "YAML": 1, - "Ruby": 17, - "XC": 1, - "Scilab": 3, - "Parrot Internal Representation": 1, - "MediaWiki": 1, - "Rust": 1, - "INI": 2, - "Scala": 3, - "Sass": 2, - "OpenCL": 2, - "C++": 19, - "LFE": 4, - "C": 26, - "edn": 1, - "Creole": 1, - "VHDL": 1, - "Pascal": 1, - "Lua": 3, - "Nginx": 1, - "XSLT": 1, - "Groovy Server Pages": 4, - "Clojure": 7, - "Processing": 1, - "Xtend": 2, - "JSON": 4, - "NetLogo": 1, - "PogoScript": 1, - "Idris": 1, - "SuperCollider": 2, - "Matlab": 39, - "Nu": 2, - "Forth": 7, - "GAS": 1, - "LiveScript": 1, - "Parrot Assembly": 1, - "Literate Agda": 1, - "AsciiDoc": 3, - "M": 28, - "VimL": 2, - "Haml": 1, - "Kotlin": 1, - "Brightscript": 1, - "XML": 3, - "Monkey": 1, - "Scheme": 1, - "Less": 1, - "Tea": 1, - "Java": 6, - "Lasso": 4, - "OpenEdge ABL": 5, + "Apex": 6, "AppleScript": 7, - "UnrealScript": 2, + "Arduino": 1, + "AsciiDoc": 3, + "AspectJ": 2, + "ATS": 10, + "AutoHotkey": 1, + "Awk": 1, "BlitzBasic": 3, + "Bluespec": 2, + "Brightscript": 1, + "C": 29, + "C#": 2, + "C++": 27, + "Ceylon": 1, + "Cirru": 9, + "Clojure": 7, + "COBOL": 4, + "CoffeeScript": 9, + "Common Lisp": 1, + "Coq": 12, + "Creole": 1, + "CSS": 2, + "Cuda": 2, + "Dart": 1, + "Diff": 1, + "DM": 1, "ECL": 1, - "Standard ML": 2, + "edn": 1, + "Elm": 3, + "Emacs Lisp": 2, + "Erlang": 5, + "fish": 3, + "Forth": 7, + "Frege": 4, + "Game Maker Language": 13, + "GAS": 1, + "GLSL": 3, + "Gnuplot": 6, + "Gosu": 4, + "Groovy": 2, + "Groovy Server Pages": 4, + "Haml": 1, + "Handlebars": 2, + "Hy": 2, + "IDL": 4, + "Idris": 1, + "INI": 2, + "Ioke": 1, + "Jade": 1, + "Java": 6, + "JavaScript": 20, + "JSON": 4, + "JSON5": 2, + "JSONLD": 1, + "Julia": 1, + "Kotlin": 1, + "KRL": 1, + "Lasso": 4, + "Less": 1, + "LFE": 4, + "Literate Agda": 1, + "Literate CoffeeScript": 1, + "LiveScript": 1, + "Logos": 1, + "Logtalk": 1, + "Lua": 3, + "M": 29, + "Makefile": 2, + "Markdown": 1, + "Mask": 1, + "Mathematica": 3, + "Matlab": 39, + "Max": 3, + "MediaWiki": 1, + "Monkey": 1, + "MoonScript": 1, + "Nemerle": 1, + "NetLogo": 1, + "Nginx": 1, + "Nimrod": 1, + "NSIS": 2, + "Nu": 2, + "Objective-C": 19, + "OCaml": 2, + "Omgrofl": 1, + "Opa": 2, + "OpenCL": 2, + "OpenEdge ABL": 5, + "Org": 1, + "Oxygene": 1, + "Parrot Assembly": 1, + "Parrot Internal Representation": 1, + "Pascal": 1, + "PAWN": 1, + "Perl": 14, + "Perl6": 3, + "PHP": 9, + "Pod": 1, + "PogoScript": 1, + "PostScript": 1, + "PowerShell": 2, + "Processing": 1, + "Prolog": 3, + "Protocol Buffer": 1, + "Python": 7, + "R": 3, + "Racket": 2, + "Ragel in Ruby Host": 3, + "RDoc": 1, + "Rebol": 1, + "RMarkdown": 1, + "RobotFramework": 3, + "Ruby": 17, + "Rust": 1, + "Sass": 2, + "Scala": 4, + "Scaml": 1, + "Scheme": 2, + "Scilab": 3, + "SCSS": 1, + "Shell": 37, + "Shen": 3, + "Slash": 1, + "Squirrel": 1, + "Standard ML": 4, + "Stylus": 1, + "SuperCollider": 1, + "SystemVerilog": 4, + "Tea": 1, + "TeX": 2, + "Turing": 1, + "TXL": 1, + "TypeScript": 3, + "UnrealScript": 2, + "Verilog": 13, + "VHDL": 1, + "VimL": 2, + "Visual Basic": 3, "Volt": 1, - "Ceylon": 1 + "wisp": 1, + "XC": 1, + "XML": 4, + "XProc": 1, + "XQuery": 1, + "XSLT": 1, + "Xtend": 2, + "YAML": 2 }, - "extnames": { - "TypeScript": [ - ".ts" - ], - "TeX": [ - ".cls" - ], - "Julia": [ - ".jl" - ], - "JavaScript": [ - ".js", - ".script!" - ], - "Logos": [ - ".xm" - ], - "OCaml": [ - ".eliom", - ".ml" - ], - "Prolog": [ - ".pl" - ], - "PHP": [ - ".module", - ".php", - ".script!" - ], - "MoonScript": [ - ".moon" - ], - "Verilog": [ - ".v" - ], - "Objective-C": [ - ".h", - ".m" - ], - "Diff": [ - ".patch" - ], - "Gosu": [ - ".gs", - ".gsp", - ".gst", - ".gsx", - ".vark" - ], - "Nemerle": [ - ".n" - ], - "GLSL": [ - ".fp", - ".glsl" - ], - "ABAP": [ - ".abap" - ], - "Shell": [ - ".bash", - ".script!", - ".sh", - ".zsh" - ], - "PowerShell": [ - ".ps1", - ".psm1" - ], - "AutoHotkey": [ - ".ahk" - ], - "Protocol Buffer": [ - ".proto" - ], - "Erlang": [ - ".erl", - ".escript", - ".script!" - ], - "Literate CoffeeScript": [ - ".litcoffee" - ], - "Common Lisp": [ - ".lisp" - ], - "Max": [ - ".maxhelp", - ".maxpat", - ".mxt" - ], - "fish": [ - ".fish" - ], - "Awk": [ - ".awk" - ], - "Nimrod": [ - ".nim" - ], - "Apex": [ - ".cls" - ], - "Python": [ - ".py", - ".script!" - ], - "XQuery": [ - ".xqm" - ], - "DM": [ - ".dm" - ], - "Frege": [ - ".fr" - ], - "Elm": [ - ".elm" - ], - "Perl": [ - ".fcgi", - ".pl", - ".pm", - ".script!", - ".t" - ], - "Jade": [ - ".jade" - ], - "Logtalk": [ - ".lgt" - ], - "Agda": [ - ".agda" - ], - "Opa": [ - ".opa" - ], - "Cuda": [ - ".cu", - ".cuh" - ], - "Coq": [ - ".v" - ], - "RobotFramework": [ - ".robot" - ], - "CoffeeScript": [ - ".coffee" - ], - "Slash": [ - ".sl" - ], - "Omgrofl": [ - ".omgrofl" - ], - "SCSS": [ - ".scss" - ], - "Groovy": [ - ".gradle", - ".script!" - ], - "Oxygene": [ - ".oxygene", - ".pas" - ], - "XProc": [ - ".xpl" - ], - "Markdown": [ - ".md" - ], - "COBOL": [ - ".cbl", - ".ccp", - ".cob", - ".cpy" - ], - "Handlebars": [ - ".handlebars", - ".hbs" - ], - "Arduino": [ - ".ino" - ], - "Emacs Lisp": [ - ".el" - ], - "Dart": [ - ".dart" - ], - "TXL": [ - ".txl" - ], - "Squirrel": [ - ".nut" - ], - "Org": [ - ".org" - ], - "Scaml": [ - ".scaml" - ], - "Bluespec": [ - ".bsv" - ], - "Visual Basic": [ - ".cls" - ], - "wisp": [ - ".wisp" - ], - "RDoc": [ - ".rdoc" - ], - "CSS": [ - ".css" - ], - "NSIS": [ - ".nsh", - ".nsi" - ], - "Rebol": [ - ".r" - ], - "Ioke": [ - ".ik" - ], - "R": [ - ".R", - ".script!" - ], - "Racket": [ - ".scrbl" - ], - "Turing": [ - ".t" - ], - "KRL": [ - ".krl" - ], - "Ragel in Ruby Host": [ - ".rl" - ], - "Makefile": [ - ".script!" - ], - "Ruby": [ - ".pluginspec", - ".rabl", - ".rake", - ".rb", - ".script!" - ], - "XC": [ - ".xc" - ], - "Scilab": [ - ".sce", - ".sci", - ".tst" - ], - "Parrot Internal Representation": [ - ".pir" - ], - "MediaWiki": [ - ".mediawiki" - ], - "Rust": [ - ".rs" - ], - "Scala": [ - ".sbt", - ".script!" - ], - "Sass": [ - ".sass", - ".scss" - ], - "OpenCL": [ - ".cl" - ], - "C++": [ - ".cc", - ".cpp", - ".h", - ".hpp" - ], - "LFE": [ - ".lfe" - ], - "C": [ - ".c", - ".h" - ], - "edn": [ - ".edn" - ], - "Creole": [ - ".creole" - ], - "VHDL": [ - ".vhd" - ], - "Pascal": [ - ".dpr" - ], - "Lua": [ - ".pd_lua" - ], - "XSLT": [ - ".xslt" - ], - "Groovy Server Pages": [ - ".gsp" - ], - "Clojure": [ - ".cl2", - ".clj", - ".cljc", - ".cljs", - ".cljscm", - ".cljx", - ".hic" - ], - "Processing": [ - ".pde" - ], - "Xtend": [ - ".xtend" - ], - "JSON": [ - ".json", - ".lock" - ], - "NetLogo": [ - ".nlogo" - ], - "PogoScript": [ - ".pogo" - ], - "Idris": [ - ".idr" - ], - "SuperCollider": [ - ".sc", - ".scd" - ], - "Matlab": [ - ".m" - ], - "Nu": [ - ".nu", - ".script!" - ], - "Forth": [ - ".forth", - ".fth" - ], - "GAS": [ - ".s" - ], - "LiveScript": [ - ".ls" - ], - "Parrot Assembly": [ - ".pasm" - ], - "Literate Agda": [ - ".lagda" - ], - "AsciiDoc": [ - ".adoc", - ".asc", - ".asciidoc" - ], - "M": [ - ".m" - ], - "Haml": [ - ".haml" - ], - "Kotlin": [ - ".kt" - ], - "Brightscript": [ - ".brs" - ], - "XML": [ - ".ant", - ".ivy", - ".xml" - ], - "Monkey": [ - ".monkey" - ], - "Scheme": [ - ".sps" - ], - "Less": [ - ".less" - ], - "Tea": [ - ".tea" - ], - "Java": [ - ".java" - ], - "Lasso": [ - ".las", - ".lasso", - ".lasso9", - ".ldml" - ], - "OpenEdge ABL": [ - ".cls", - ".p" - ], - "AppleScript": [ - ".applescript" - ], - "UnrealScript": [ - ".uc" - ], - "BlitzBasic": [ - ".bb" - ], - "ECL": [ - ".ecl" - ], - "Standard ML": [ - ".sig", - ".sml" - ], - "Volt": [ - ".volt" - ], - "Ceylon": [ - ".ceylon" - ] - } + "md5": "d9bd17d749b0473099a28d7f4fb01dcc" } \ No newline at end of file diff --git a/lib/linguist/vendor.yml b/lib/linguist/vendor.yml index 2bc71b72..5d870de5 100644 --- a/lib/linguist/vendor.yml +++ b/lib/linguist/vendor.yml @@ -10,7 +10,7 @@ ## Vendor Conventions ## # Caches -- cache/ +- (^|/)cache/ # Dependencies - ^[Dd]ependencies/ @@ -27,11 +27,18 @@ # Node dependencies - node_modules/ +# Bower Components +- bower_components/ + # Erlang bundles - ^rebar$ # Bootstrap minified css and js -- (^|/)bootstrap([^.]*)(\.min)\.(js|css)$ +- (^|/)bootstrap([^.]*)(\.min)?\.(js|css)$ + +# Foundation css +- foundation.min.css +- foundation.css # Vendored dependencies - thirdparty/ @@ -40,6 +47,9 @@ # Debian packaging - ^debian/ +# Haxelib projects often contain a neko bytecode file named run.n +- run.n$ + ## Commonly Bundled JavaScript frameworks ## # jQuery @@ -56,6 +66,9 @@ - (^|/)controls\.js$ - (^|/)dragdrop\.js$ +# Typescript definition files +- (.*?)\.d\.ts$ + # MooTools - (^|/)mootools([^.]*)\d+\.\d+.\d+([^.]*)\.js$ @@ -82,6 +95,12 @@ - (^|/)shCore\.js$ - (^|/)shLegacy\.js$ +# AngularJS +- (^|/)angular([^.]*)(\.min)?\.js$ + +# React +- (^|/)react(-[^.]*)?(\.min)?\.js$ + ## Python ## # django @@ -101,6 +120,13 @@ # Sparkle - (^|/)Sparkle/ +## Groovy ## + +# Gradle +- (^|/)gradlew$ +- (^|/)gradlew\.bat$ +- (^|/)gradle/wrapper/ + ## .NET ## # Visual Studio IntelliSense @@ -140,6 +166,7 @@ # LICENSE, README, git config files - ^COPYING$ - LICENSE$ +- License$ - gitattributes$ - gitignore$ - gitmodules$ diff --git a/samples/ATS/CoYonedaLemma.dats b/samples/ATS/CoYonedaLemma.dats new file mode 100644 index 00000000..aeac8bb1 --- /dev/null +++ b/samples/ATS/CoYonedaLemma.dats @@ -0,0 +1,110 @@ +(* ****** ****** *) +// +// HX-2014-01 +// CoYoneda Lemma: +// +(* ****** ****** *) +// +#include +"share/atspre_staload.hats" +// +(* ****** ****** *) + +staload +"libats/ML/SATS/basis.sats" +staload +"libats/ML/SATS/list0.sats" + +(* ****** ****** *) + +staload _ = "libats/ML/DATS/list0.dats" + +(* ****** ****** *) + +sortdef ftype = type -> type + +(* ****** ****** *) + +infixr (->) ->> +typedef ->> (a:type, b:type) = a - b + +(* ****** ****** *) + +typedef +functor(F:ftype) = + {a,b:type} (a ->> b) ->> F(a) ->> F(b) + +(* ****** ****** *) + +typedef +list0 (a:type) = list0 (a) +extern +val functor_list0 : functor (list0) + +(* ****** ****** *) + +implement +functor_list0{a,b} + (f) = lam xs => list0_map (xs, f) + +(* ****** ****** *) + +datatype +CoYoneda + (F:ftype, r:type) = {a:type} CoYoneda of (a ->> r, F(a)) +// end of [CoYoneda] + +(* ****** ****** *) +// +extern +fun CoYoneda_phi + : {F:ftype}functor(F) -> {r:type} (F (r) ->> CoYoneda (F, r)) +extern +fun CoYoneda_psi + : {F:ftype}functor(F) -> {r:type} (CoYoneda (F, r) ->> F (r)) +// +(* ****** ****** *) + +implement +CoYoneda_phi(ftor) = lam (fx) => CoYoneda (lam x => x, fx) +implement +CoYoneda_psi(ftor) = lam (CoYoneda(f, fx)) => ftor (f) (fx) + +(* ****** ****** *) + +datatype int0 = I of (int) +datatype bool = True | False // boxed boolean + +(* ****** ****** *) +// +fun bool2string + (x:bool): string = +( + case+ x of True() => "True" | False() => "False" +) +// +implement +fprint_val (out, x) = fprint (out, bool2string(x)) +// +(* ****** ****** *) + +fun int2bool (i: int0): bool = + let val+I(i) = i in if i > 0 then True else False end + +(* ****** ****** *) + +val myintlist0 = g0ofg1($list{int0}((I)1, (I)0, (I)1, (I)0, (I)0)) +val myboolist0 = CoYoneda{list0,bool}{int0}(lam (i) => int2bool(i), myintlist0) +val myboolist0 = CoYoneda_psi{list0}(functor_list0){bool}(myboolist0) + +(* ****** ****** *) + +val ((*void*)) = fprintln! (stdout_ref, "myboolist0 = ", myboolist0) + +(* ****** ****** *) + +implement main0 () = () + +(* ****** ****** *) + +(* end of [CoYonedaLemma.dats] *) diff --git a/samples/ATS/DiningPhil2.dats b/samples/ATS/DiningPhil2.dats new file mode 100644 index 00000000..55c39654 --- /dev/null +++ b/samples/ATS/DiningPhil2.dats @@ -0,0 +1,178 @@ +(* ****** ****** *) +// +// HX-2013-11 +// +// Implementing a variant of +// the problem of Dining Philosophers +// +(* ****** ****** *) +// +#include +"share/atspre_define.hats" +#include +"share/atspre_staload.hats" +// +(* ****** ****** *) + +staload +UN = "prelude/SATS/unsafe.sats" + +(* ****** ****** *) + +staload "libc/SATS/stdlib.sats" +staload "libc/SATS/unistd.sats" + +(* ****** ****** *) + +staload "{$LIBATSHWXI}/teaching/mythread/SATS/channel.sats" + +(* ****** ****** *) + +staload _ = "libats/DATS/deqarray.dats" +staload _ = "{$LIBATSHWXI}/teaching/mythread/DATS/channel.dats" + +(* ****** ****** *) + +staload "./DiningPhil2.sats" + +(* ****** ****** *) + +implement phil_left (n) = n +implement phil_right (n) = (n+1) \nmod NPHIL + +(* ****** ****** *) +// +extern +fun randsleep (n: intGte(1)): void +// +implement +randsleep (n) = + ignoret (sleep($UN.cast{uInt}(rand() mod n + 1))) +// end of [randsleep] +// +(* ****** ****** *) + +implement +phil_think (n) = +{ +val () = println! ("phil_think(", n, ") starts") +val () = randsleep (6) +val () = println! ("phil_think(", n, ") finishes") +} + +(* ****** ****** *) + +implement +phil_dine (n, lf, rf) = +{ +val () = println! ("phil_dine(", n, ") starts") +val () = randsleep (3) +val () = println! ("phil_dine(", n, ") finishes") +} + +(* ****** ****** *) + +implement +phil_loop (n) = let +// +val () = phil_think (n) +// +val nl = phil_left (n) +val nr = phil_right (n) +// +val ch_lfork = fork_changet (nl) +val ch_rfork = fork_changet (nr) +// +val lf = channel_takeout (ch_lfork) +val () = println! ("phil_loop(", n, ") picks left fork") +// +val () = randsleep (2) // HX: try to actively induce deadlock +// +val rf = channel_takeout (ch_rfork) +val () = println! ("phil_loop(", n, ") picks right fork") +// +val () = phil_dine (n, lf, rf) +// +val ch_forktray = forktray_changet () +val () = channel_insert (ch_forktray, lf) +val () = channel_insert (ch_forktray, rf) +// +in + phil_loop (n) +end // end of [phil_loop] + +(* ****** ****** *) + +implement +cleaner_wash (f) = +{ +val f = fork_get_num (f) +val () = println! ("cleaner_wash(", f, ") starts") +val () = randsleep (1) +val () = println! ("cleaner_wash(", f, ") finishes") +} + +(* ****** ****** *) + +implement +cleaner_return (f) = +{ + val n = fork_get_num (f) + val ch = fork_changet (n) + val () = channel_insert (ch, f) +} + +(* ****** ****** *) + +implement +cleaner_loop () = let +// +val ch = forktray_changet () +val f0 = channel_takeout (ch) +// +val () = cleaner_wash (f0) +val () = cleaner_return (f0) +// +in + cleaner_loop () +end // end of [cleaner_loop] + +(* ****** ****** *) + +dynload "DiningPhil2.sats" +dynload "DiningPhil2_fork.dats" +dynload "DiningPhil2_thread.dats" + +(* ****** ****** *) + +local +// +staload +"{$LIBATSHWXI}/teaching/mythread/SATS/mythread.sats" +// +in (* in of [local] *) +// +val () = mythread_create_cloptr (llam () => phil_loop (0)) +val () = mythread_create_cloptr (llam () => phil_loop (1)) +val () = mythread_create_cloptr (llam () => phil_loop (2)) +val () = mythread_create_cloptr (llam () => phil_loop (3)) +val () = mythread_create_cloptr (llam () => phil_loop (4)) +// +val () = mythread_create_cloptr (llam () => cleaner_loop ()) +// +end // end of [local] + +(* ****** ****** *) + +implement +main0 () = +{ +// +val () = println! ("DiningPhil2: starting") +val ((*void*)) = while (true) ignoret (sleep(1)) +// +} (* end of [main0] *) + +(* ****** ****** *) + +(* end of [DiningPhil2.dats] *) diff --git a/samples/ATS/DiningPhil2.sats b/samples/ATS/DiningPhil2.sats new file mode 100644 index 00000000..bc7e96be --- /dev/null +++ b/samples/ATS/DiningPhil2.sats @@ -0,0 +1,71 @@ +(* ****** ****** *) +// +// HX-2013-11 +// +// Implementing a variant of +// the problem of Dining Philosophers +// +(* ****** ****** *) + +#include +"share/atspre_define.hats" + +(* ****** ****** *) + +staload "{$LIBATSHWXI}/teaching/mythread/SATS/channel.sats" + +(* ****** ****** *) + +%{# +#define NPHIL 5 +%} // end of [%{#] +#define NPHIL 5 + +(* ****** ****** *) + +typedef nphil = natLt(NPHIL) + +(* ****** ****** *) + +fun phil_left (n: nphil): nphil +fun phil_right (n: nphil): nphil + +(* ****** ****** *) +// +fun phil_loop (n: nphil): void +// +(* ****** ****** *) + +fun cleaner_loop ((*void*)): void + +(* ****** ****** *) + +absvtype fork_vtype = ptr +vtypedef fork = fork_vtype + +(* ****** ****** *) + +fun fork_get_num (!fork): nphil + +(* ****** ****** *) + +fun phil_dine + (n: nphil, lf: !fork, rf: !fork): void +// end of [phil_dine] + +fun phil_think (n: nphil): void + +(* ****** ****** *) + +fun cleaner_wash (f: !fork): void +fun cleaner_return (f: fork): void + +(* ****** ****** *) +// +fun fork_changet (n: nphil): channel(fork) +// +fun forktray_changet ((*void*)): channel(fork) +// +(* ****** ****** *) + +(* end of [DiningPhil2.sats] *) diff --git a/samples/ATS/DiningPhil2_fork.dats b/samples/ATS/DiningPhil2_fork.dats new file mode 100644 index 00000000..a6a8d4df --- /dev/null +++ b/samples/ATS/DiningPhil2_fork.dats @@ -0,0 +1,89 @@ +(* ****** ****** *) +// +// HX-2013-11 +// +// Implementing a variant of +// the problem of Dining Philosophers +// +(* ****** ****** *) +// +#include +"share/atspre_define.hats" +#include +"share/atspre_staload.hats" +// +(* ****** ****** *) + +staload +UN = "prelude/SATS/unsafe.sats" + +(* ****** ****** *) + +staload "{$LIBATSHWXI}/teaching/mythread/SATS/channel.sats" + +(* ****** ****** *) + +staload _ = "libats/DATS/deqarray.dats" +staload _ = "{$LIBATSHWXI}/teaching/mythread/DATS/channel.dats" + +(* ****** ****** *) + +staload "./DiningPhil2.sats" + +(* ****** ****** *) + +datavtype fork = FORK of (nphil) + +(* ****** ****** *) + +assume fork_vtype = fork + +(* ****** ****** *) + +implement +fork_get_num (f) = let val FORK(n) = f in n end + +(* ****** ****** *) + +local + +val +the_forkarray = let +// +typedef t = channel(fork) +// +implement +array_tabulate$fopr + (n) = ch where +{ + val n = $UN.cast{nphil}(n) + val ch = channel_create_exn (i2sz(2)) + val () = channel_insert (ch, FORK (n)) +} +// +in + arrayref_tabulate (i2sz(NPHIL)) +end // end of [val] + +in (* in of [local] *) + +implement fork_changet (n) = the_forkarray[n] + +end // end of [local] + +(* ****** ****** *) + +local + +val the_forktray = + channel_create_exn (i2sz(NPHIL+1)) + +in (* in of [local] *) + +implement forktray_changet () = the_forktray + +end // end of [local] + +(* ****** ****** *) + +(* end of [DiningPhil2_fork.dats] *) diff --git a/samples/ATS/DiningPhil2_thread.dats b/samples/ATS/DiningPhil2_thread.dats new file mode 100644 index 00000000..be73840b --- /dev/null +++ b/samples/ATS/DiningPhil2_thread.dats @@ -0,0 +1,43 @@ +(* ****** ****** *) +// +// HX-2013-11 +// +// Implementing a variant of +// the problem of Dining Philosophers +// +(* ****** ****** *) +// +#include "share/atspre_define.hats" +#include "share/atspre_staload.hats" +// +(* ****** ****** *) + +staload "{$LIBATSHWXI}/teaching/mythread/SATS/mythread.sats" + +(* ****** ****** *) + +local +// +#include "{$LIBATSHWXI}/teaching/mythread/DATS/mythread.dats" +// +in (* in of [local] *) +// +// HX: it is intentionally left to be empty +// +end // end of [local] + +(* ****** ****** *) + +local +// +#include "{$LIBATSHWXI}/teaching/mythread/DATS/mythread_posix.dats" +// +in (* in of [local] *) +// +// HX: it is intentionally left to be empty +// +end // end of [local] + +(* ****** ****** *) + +(* end of [DiningPhil2_thread.dats] *) diff --git a/samples/ATS/YonedaLemma.dats b/samples/ATS/YonedaLemma.dats new file mode 100644 index 00000000..cd3c31e6 --- /dev/null +++ b/samples/ATS/YonedaLemma.dats @@ -0,0 +1,178 @@ +(* ****** ****** *) +// +// HX-2014-01 +// Yoneda Lemma: +// The hardest "trivial" theorem :) +// +(* ****** ****** *) +// +#include +"share/atspre_staload.hats" +// +(* ****** ****** *) + +staload +"libats/ML/SATS/basis.sats" +staload +"libats/ML/SATS/list0.sats" +staload +"libats/ML/SATS/option0.sats" + +(* ****** ****** *) + +staload _ = "libats/ML/DATS/list0.dats" +staload _ = "libats/ML/DATS/option0.dats" + +(* ****** ****** *) + +sortdef ftype = type -> type + +(* ****** ****** *) + +infixr (->) ->> +typedef ->> (a:type, b:type) = a - b + +(* ****** ****** *) + +typedef +functor(F:ftype) = + {a,b:type} (a ->> b) ->> F(a) ->> F(b) + +(* ****** ****** *) + +typedef +list0 (a:type) = list0 (a) +extern +val functor_list0 : functor (list0) + +(* ****** ****** *) + +implement +functor_list0{a,b} + (f) = lam xs => list0_map (xs, f) + +(* ****** ****** *) + +typedef +option0 (a:type) = option0 (a) +extern +val functor_option0 : functor (option0) + +(* ****** ****** *) + +implement +functor_option0{a,b} + (f) = lam opt => option0_map (opt, f) + +(* ****** ****** *) + +extern +val functor_homres + : {c:type} functor (lam(r:type) => c ->> r) + +(* ****** ****** *) + +implement +functor_homres{c}{a,b} (f) = lam (r) => lam (x) => f (r(x)) + +(* ****** ****** *) +// +extern +fun Yoneda_phi : {F:ftype}functor(F) -> + {a:type}F(a) ->> ({r:type}(a ->> r) ->> F(r)) +extern +fun Yoneda_psi : {F:ftype}functor(F) -> + {a:type}({r:type}(a ->> r) ->> F(r)) ->> F(a) +// +(* ****** ****** *) +// +implement +Yoneda_phi + (ftor) = lam(fx) => lam (m) => ftor(m)(fx) +// +implement +Yoneda_psi (ftor) = lam(mf) => mf(lam x => x) +// +(* ****** ****** *) + +(* + +(* ****** ****** *) +// +// HX-2014-01-05: +// Another version based on Natural Transformation +// +(* ****** ****** *) + +typedef +natrans(F:ftype, G:ftype) = {x:type} (F(x) ->> G(x)) + +(* ****** ****** *) +// +extern +fun Yoneda_phi_nat : {F:ftype}functor(F) -> + {a:type} F(a) ->> natrans(lam (r:type) => (a ->> r), F) +extern +fun Yoneda_psi_nat : {F:ftype}functor(F) -> + {a:type} natrans(lam (r:type) => (a ->> r), F) ->> F(a) +// +(* ****** ****** *) +// +implement +Yoneda_phi_nat + (ftor) = lam(fx) => lam (m) => ftor(m)(fx) +// +implement +Yoneda_psi_nat (ftor) = lam(mf) => mf(lam x => x) +// +(* ****** ****** *) + +*) + +(* ****** ****** *) + +datatype bool = True | False // boxed boolean + +(* ****** ****** *) +// +fun bool2string + (x:bool): string = +( + case+ x of True() => "True" | False() => "False" +) +// +implement +fprint_val (out, x) = fprint (out, bool2string(x)) +// +(* ****** ****** *) +// +val myboolist0 = + $list_t{bool}(True, False, True, False, False) +val myboolist0 = g0ofg1_list (myboolist0) +// +(* ****** ****** *) +// +extern +val Yoneda_bool_list0 : {r:type} (bool ->> r) ->> list0(r) +// +implement +Yoneda_bool_list0 = + Yoneda_phi(functor_list0){bool}(myboolist0) +// +(* ****** ****** *) +// +val myboolist1 = + Yoneda_psi(functor_list0){bool}(Yoneda_bool_list0) +// +(* ****** ****** *) + +val () = fprintln! (stdout_ref, "myboolist0 = ", myboolist0) +val () = fprintln! (stdout_ref, "myboolist1 = ", myboolist1) + +(* ****** ****** *) + +implement main0 () = () + +(* ****** ****** *) + +(* end of [YonedaLemma.dats] *) diff --git a/samples/ATS/linset.hats b/samples/ATS/linset.hats new file mode 100644 index 00000000..29e44c44 --- /dev/null +++ b/samples/ATS/linset.hats @@ -0,0 +1,187 @@ +(***********************************************************************) +(* *) +(* Applied Type System *) +(* *) +(***********************************************************************) + +(* +** ATS/Postiats - Unleashing the Potential of Types! +** Copyright (C) 2011-2013 Hongwei Xi, ATS Trustful Software, Inc. +** All rights reserved +** +** ATS is free software; you can redistribute it and/or modify it under +** the terms of the GNU GENERAL PUBLIC LICENSE (GPL) as published by the +** Free Software Foundation; either version 3, or (at your option) any +** later version. +** +** ATS is distributed in the hope that it will be useful, but WITHOUT ANY +** WARRANTY; without even the implied warranty of MERCHANTABILITY or +** FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License +** for more details. +** +** You should have received a copy of the GNU General Public License +** along with ATS; see the file COPYING. If not, please write to the +** Free Software Foundation, 51 Franklin Street, Fifth Floor, Boston, MA +** 02110-1301, USA. +*) + +(* ****** ****** *) + +(* Author: Hongwei Xi *) +(* Authoremail: hwxi AT cs DOT bu DOT edu *) +(* Start time: December, 2012 *) + +(* ****** ****** *) +// +// HX: shared by linset_listord (* ordered list *) +// HX: shared by linset_avltree (* AVL-tree-based *) +// +(* ****** ****** *) +// +// HX-2013-02: +// for sets of nonlinear elements +// +absvtype set_vtype (a:t@ype+) = ptr +// +(* ****** ****** *) + +vtypedef set (a:t0p) = set_vtype (a) + +(* ****** ****** *) + +fun{a:t0p} +compare_elt_elt (x1: a, x2: a):<> int + +(* ****** ****** *) + +fun{} linset_nil{a:t0p} ():<> set(a) +fun{} linset_make_nil{a:t0p} ():<> set(a) + +(* ****** ****** *) + +fun{a:t0p} linset_sing (x: a): set(a) +fun{a:t0p} linset_make_sing (x: a): set(a) + +(* ****** ****** *) + +fun{a:t0p} +linset_make_list (xs: List(INV(a))): set(a) + +(* ****** ****** *) + +fun{} +linset_is_nil {a:t0p} (xs: !set(INV(a))):<> bool +fun{} +linset_isnot_nil {a:t0p} (xs: !set(INV(a))):<> bool + +(* ****** ****** *) + +fun{a:t0p} linset_size (!set(INV(a))): size_t + +(* ****** ****** *) + +fun{a:t0p} +linset_is_member (xs: !set(INV(a)), x0: a):<> bool +fun{a:t0p} +linset_isnot_member (xs: !set(INV(a)), x0: a):<> bool + +(* ****** ****** *) + +fun{a:t0p} +linset_copy (!set(INV(a))): set(a) +fun{a:t0p} +linset_free (xs: set(INV(a))): void + +(* ****** ****** *) +// +fun{a:t0p} +linset_insert + (xs: &set(INV(a)) >> _, x0: a): bool +// +(* ****** ****** *) +// +fun{a:t0p} +linset_takeout +( + &set(INV(a)) >> _, a, res: &(a?) >> opt(a, b) +) : #[b:bool] bool(b) // endfun +fun{a:t0p} +linset_takeout_opt (&set(INV(a)) >> _, a): Option_vt(a) +// +(* ****** ****** *) +// +fun{a:t0p} +linset_remove + (xs: &set(INV(a)) >> _, x0: a): bool +// +(* ****** ****** *) +// +// HX: choosing an element in an unspecified manner +// +fun{a:t0p} +linset_choose +( + xs: !set(INV(a)), x: &a? >> opt (a, b) +) : #[b:bool] bool(b) +// +fun{a:t0p} +linset_choose_opt (xs: !set(INV(a))): Option_vt(a) +// +(* ****** ****** *) + +fun{a:t0p} +linset_takeoutmax +( + xs: &set(INV(a)) >> _, res: &a? >> opt(a, b) +) : #[b:bool] bool (b) +fun{a:t0p} +linset_takeoutmax_opt (xs: &set(INV(a)) >> _): Option_vt(a) + +(* ****** ****** *) + +fun{a:t0p} +linset_takeoutmin +( + xs: &set(INV(a)) >> _, res: &a? >> opt(a, b) +) : #[b:bool] bool (b) +fun{a:t0p} +linset_takeoutmin_opt (xs: &set(INV(a)) >> _): Option_vt(a) + +(* ****** ****** *) +// +fun{} +fprint_linset$sep (FILEref): void // ", " +// +fun{a:t0p} +fprint_linset (out: FILEref, xs: !set(INV(a))): void +// +overload fprint with fprint_linset +// +(* ****** ****** *) +// +fun{ +a:t0p}{env:vt0p +} linset_foreach$fwork + (x: a, env: &(env) >> _): void +// +fun{a:t0p} +linset_foreach (set: !set(INV(a))): void +fun{ +a:t0p}{env:vt0p +} linset_foreach_env + (set: !set(INV(a)), env: &(env) >> _): void +// end of [linset_foreach_env] +// +(* ****** ****** *) + +fun{a:t0p} +linset_listize (xs: set(INV(a))): List0_vt (a) + +(* ****** ****** *) + +fun{a:t0p} +linset_listize1 (xs: !set(INV(a))): List0_vt (a) + +(* ****** ****** *) + +(* end of [linset.hats] *) diff --git a/samples/ATS/linset_listord.dats b/samples/ATS/linset_listord.dats new file mode 100644 index 00000000..eb7dd642 --- /dev/null +++ b/samples/ATS/linset_listord.dats @@ -0,0 +1,504 @@ +(***********************************************************************) +(* *) +(* Applied Type System *) +(* *) +(***********************************************************************) + +(* +** ATS/Postiats - Unleashing the Potential of Types! +** Copyright (C) 2011-2013 Hongwei Xi, ATS Trustful Software, Inc. +** All rights reserved +** +** ATS is free software; you can redistribute it and/or modify it under +** the terms of the GNU GENERAL PUBLIC LICENSE (GPL) as published by the +** Free Software Foundation; either version 3, or (at your option) any +** later version. +** +** ATS is distributed in the hope that it will be useful, but WITHOUT ANY +** WARRANTY; without even the implied warranty of MERCHANTABILITY or +** FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License +** for more details. +** +** You should have received a copy of the GNU General Public License +** along with ATS; see the file COPYING. If not, please write to the +** Free Software Foundation, 51 Franklin Street, Fifth Floor, Boston, MA +** 02110-1301, USA. +*) + +(* ****** ****** *) + +(* Author: Hongwei Xi *) +(* Authoremail: hwxi AT cs DOT bu DOT edu *) +(* Start time: February, 2013 *) + +(* ****** ****** *) +// +// HX-2013-08: +// a set is represented as a sorted list in descending order; +// note that descending order is chosen to faciliate set comparison +// +(* ****** ****** *) + +staload +UN = "prelude/SATS/unsafe.sats" + +(* ****** ****** *) + +staload "libats/SATS/linset_listord.sats" + +(* ****** ****** *) + +#include "./SHARE/linset.hats" // code reuse +#include "./SHARE/linset_node.hats" // code reuse + +(* ****** ****** *) + +assume +set_vtype (elt:t@ype) = List0_vt (elt) + +(* ****** ****** *) + +implement{} +linset_nil () = list_vt_nil () +implement{} +linset_make_nil () = list_vt_nil () + +(* ****** ****** *) + +implement +{a}(*tmp*) +linset_sing + (x) = list_vt_cons{a}(x, list_vt_nil) +// end of [linset_sing] +implement{a} +linset_make_sing + (x) = list_vt_cons{a}(x, list_vt_nil) +// end of [linset_make_sing] + +(* ****** ****** *) + +implement{} +linset_is_nil (xs) = list_vt_is_nil (xs) +implement{} +linset_isnot_nil (xs) = list_vt_is_cons (xs) + +(* ****** ****** *) + +implement{a} +linset_size (xs) = + let val n = list_vt_length(xs) in i2sz(n) end +// end of [linset_size] + +(* ****** ****** *) + +implement{a} +linset_is_member + (xs, x0) = let +// +fun aux + {n:nat} .. +( + xs: !list_vt (a, n) +) :<> bool = let +in +// +case+ xs of +| list_vt_cons (x, xs) => let + val sgn = compare_elt_elt (x0, x) in + if sgn > 0 then false else (if sgn < 0 then aux (xs) else true) + end // end of [list_vt_cons] +| list_vt_nil ((*void*)) => false +// +end // end of [aux] +// +in + aux (xs) +end // end of [linset_is_member] + +(* ****** ****** *) + +implement{a} +linset_copy (xs) = list_vt_copy (xs) +implement{a} +linset_free (xs) = list_vt_free (xs) + +(* ****** ****** *) + +implement{a} +linset_insert + (xs, x0) = let +// +fun +mynode_cons + {n:nat} .<>. +( + nx: mynode1 (a), xs: list_vt (a, n) +) : list_vt (a, n+1) = let +// +val xs1 = +$UN.castvwtp0{List1_vt(a)}(nx) +val+@list_vt_cons (_, xs2) = xs1 +prval () = $UN.cast2void (xs2); val () = (xs2 := xs) +// +in + fold@ (xs1); xs1 +end // end of [mynode_cons] +// +fun ins + {n:nat} .. // tail-recursive +( + xs: &list_vt (a, n) >> list_vt (a, n1) +) : #[n1:nat | n <= n1; n1 <= n+1] bool = +( +case+ xs of +| @list_vt_cons + (x, xs1) => let + val sgn = + compare_elt_elt (x0, x) + // end of [val] + in + if sgn > 0 then let + prval () = fold@ (xs) + val nx = mynode_make_elt (x0) + val ((*void*)) = xs := mynode_cons (nx, xs) + in + false + end else if sgn < 0 then let + val ans = ins (xs1) + prval () = fold@ (xs) + in + ans + end else let // [x0] is found + prval () = fold@ (xs) + in + true (* [x0] in [xs] *) + end (* end of [if] *) + end // end of [list_vt_cons] +| list_vt_nil () => let + val nx = mynode_make_elt (x0) + val ((*void*)) = xs := mynode_cons (nx, xs) + in + false + end // end of [list_vt_nil] +) (* end of [ins] *) +// +in + $effmask_all (ins (xs)) +end // end of [linset_insert] + +(* ****** ****** *) + +(* +// +HX-2013-08: +[linset_remove] moved up +// +implement{a} +linset_remove + (xs, x0) = let +// +fun rem + {n:nat} .. // tail-recursive +( + xs: &list_vt (a, n) >> list_vt (a, n1) +) : #[n1:nat | n1 <= n; n <= n1+1] bool = +( +case+ xs of +| @list_vt_cons + (x, xs1) => let + val sgn = + compare_elt_elt (x0, x) + // end of [val] + in + if sgn > 0 then let + prval () = fold@ (xs) + in + false + end else if sgn < 0 then let + val ans = rem (xs1) + prval () = fold@ (xs) + in + ans + end else let // x0 = x + val xs1_ = xs1 + val ((*void*)) = free@{a}{0}(xs) + val () = xs := xs1_ + in + true // [x0] in [xs] + end (* end of [if] *) + end // end of [list_vt_cons] +| list_vt_nil () => false +) (* end of [rem] *) +// +in + $effmask_all (rem (xs)) +end // end of [linset_remove] +*) + +(* ****** ****** *) +(* +** By Brandon Barker +*) +implement +{a}(*tmp*) +linset_choose + (xs, x0) = let +in +// +case+ xs of +| list_vt_cons + (x, xs1) => let + val () = x0 := x + prval () = opt_some{a}(x0) + in + true + end // end of [list_vt_cons] +| list_vt_nil () => let + prval () = opt_none{a}(x0) + in + false + end // end of [list_vt_nil] +// +end // end of [linset_choose] + +(* ****** ****** *) + +implement +{a}{env} +linset_foreach_env (xs, env) = let +// +implement +list_vt_foreach$fwork + (x, env) = linset_foreach$fwork (x, env) +// +in + list_vt_foreach_env (xs, env) +end // end of [linset_foreach_env] + +(* ****** ****** *) + +implement{a} +linset_listize (xs) = xs + +(* ****** ****** *) + +implement{a} +linset_listize1 (xs) = list_vt_copy (xs) + +(* ****** ****** *) +// +// HX: functions for processing mynodes +// +(* ****** ****** *) + +implement{ +} mynode_null{a} () = + $UN.castvwtp0{mynode(a,null)}(the_null_ptr) +// end of [mynode_null] + +(* ****** ****** *) + +implement +{a}(*tmp*) +mynode_make_elt + (x) = let +// +val nx = list_vt_cons{a}{0}(x, _ ) +// +in + $UN.castvwtp0{mynode1(a)}(nx) +end // end of [mynode_make_elt] + +(* ****** ****** *) + +implement{ +} mynode_free + {a}(nx) = () where { +val nx = + $UN.castvwtp0{List1_vt(a)}(nx) +// +val+~list_vt_cons (_, nx2) = nx +// +prval ((*void*)) = $UN.cast2void (nx2) +// +} (* end of [mynode_free] *) + +(* ****** ****** *) + +implement +{a}(*tmp*) +mynode_get_elt + (nx) = (x) where { +// +val nx1 = + $UN.castvwtp1{List1_vt(a)}(nx) +// +val+list_vt_cons (x, _) = nx1 +// +prval ((*void*)) = $UN.cast2void (nx1) +// +} (* end of [mynode_get_elt] *) + +(* ****** ****** *) + +implement +{a}(*tmp*) +mynode_set_elt + {l} (nx, x0) = +{ +// +val nx1 = + $UN.castvwtp1{List1_vt(a)}(nx) +// +val+@list_vt_cons (x, _) = nx1 +// +val () = x := x0 +// +prval () = fold@ (nx1) +prval () = $UN.cast2void (nx1) +// +prval () = __assert (nx) where +{ + extern praxi __assert (nx: !mynode(a?, l) >> mynode (a, l)): void +} (* end of [prval] *) +// +} (* end of [mynode_set_elt] *) + +(* ****** ****** *) + +implement +{a}(*tmp*) +mynode_getfree_elt + (nx) = (x) where { +// +val nx = + $UN.castvwtp0{List1_vt(a)}(nx) +// +val+~list_vt_cons (x, nx2) = nx +// +prval ((*void*)) = $UN.cast2void (nx2) +// +} (* end of [mynode_getfree_elt] *) + +(* ****** ****** *) + +(* +fun{a:t0p} +linset_takeout_ngc + (set: &set(INV(a)) >> _, x0: a): mynode0 (a) +// end of [linset_takeout_ngc] +*) +implement +{a}(*tmp*) +linset_takeout_ngc + (set, x0) = let +// +fun takeout +( + xs: &List0_vt (a) >> _ +) : mynode0(a) = let +in +// +case+ xs of +| @list_vt_cons + (x, xs1) => let + prval pf_x = view@x + prval pf_xs1 = view@xs1 + val sgn = + compare_elt_elt (x0, x) + // end of [val] + in + if sgn > 0 then let + prval () = fold@ (xs) + in + mynode_null{a}((*void*)) + end else if sgn < 0 then let + val res = takeout (xs1) + prval ((*void*)) = fold@ (xs) + in + res + end else let // x0 = x + val xs1_ = xs1 + val res = $UN.castvwtp0{mynode1(a)}((pf_x, pf_xs1 | xs)) + val () = xs := xs1_ + in + res // [x0] in [xs] + end (* end of [if] *) + end // end of [list_vt_cons] +| list_vt_nil () => mynode_null{a}((*void*)) +// +end (* end of [takeout] *) +// +in + $effmask_all (takeout (set)) +end // end of [linset_takeout_ngc] + +(* ****** ****** *) + +implement +{a}(*tmp*) +linset_takeoutmax_ngc + (xs) = let +in +// +case+ xs of +| @list_vt_cons + (x, xs1) => let + prval pf_x = view@x + prval pf_xs1 = view@xs1 + val xs_ = xs + val () = xs := xs1 + in + $UN.castvwtp0{mynode1(a)}((pf_x, pf_xs1 | xs_)) + end // end of [list_vt_cons] +| @list_vt_nil () => let + prval () = fold@ (xs) + in + mynode_null{a}((*void*)) + end // end of [list_vt_nil] +// +end // end of [linset_takeoutmax_ngc] + +(* ****** ****** *) + +implement +{a}(*tmp*) +linset_takeoutmin_ngc + (xs) = let +// +fun unsnoc + {n:pos} .. +( + xs: &list_vt (a, n) >> list_vt (a, n-1) +) : mynode1 (a) = let +// +val+@list_vt_cons (x, xs1) = xs +// +prval pf_x = view@x and pf_xs1 = view@xs1 +// +in +// +case+ xs1 of +| list_vt_cons _ => + let val res = unsnoc(xs1) in fold@xs; res end + // end of [list_vt_cons] +| list_vt_nil () => let + val xs_ = xs + val () = xs := list_vt_nil{a}() + in + $UN.castvwtp0{mynode1(a)}((pf_x, pf_xs1 | xs_)) + end // end of [list_vt_nil] +// +end // end of [unsnoc] +// +in +// +case+ xs of +| list_vt_cons _ => unsnoc (xs) +| list_vt_nil () => mynode_null{a}((*void*)) +// +end // end of [linset_takeoutmin_ngc] + +(* ****** ****** *) + +(* end of [linset_listord.dats] *) diff --git a/samples/ATS/linset_listord.sats b/samples/ATS/linset_listord.sats new file mode 100644 index 00000000..468a534f --- /dev/null +++ b/samples/ATS/linset_listord.sats @@ -0,0 +1,51 @@ +(***********************************************************************) +(* *) +(* Applied Type System *) +(* *) +(***********************************************************************) + +(* +** ATS/Postiats - Unleashing the Potential of Types! +** Copyright (C) 2011-2013 Hongwei Xi, ATS Trustful Software, Inc. +** All rights reserved +** +** ATS is free software; you can redistribute it and/or modify it under +** the terms of the GNU GENERAL PUBLIC LICENSE (GPL) as published by the +** Free Software Foundation; either version 3, or (at your option) any +** later version. +** +** ATS is distributed in the hope that it will be useful, but WITHOUT ANY +** WARRANTY; without even the implied warranty of MERCHANTABILITY or +** FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License +** for more details. +** +** You should have received a copy of the GNU General Public License +** along with ATS; see the file COPYING. If not, please write to the +** Free Software Foundation, 51 Franklin Street, Fifth Floor, Boston, MA +** 02110-1301, USA. +*) + +(* ****** ****** *) +// +// Author: Hongwei Xi +// Authoremail: hwxiATcsDOTbuDOTedu +// Time: October, 2010 +// +(* ****** ****** *) + +#define ATS_PACKNAME "ATSLIB.libats.linset_listord" +#define ATS_STALOADFLAG 0 // no static loading at run-time + +(* ****** ****** *) + +#include "./SHARE/linset.hats" +#include "./SHARE/linset_node.hats" + +(* ****** ****** *) + +castfn +linset2list {a:t0p} (xs: set (INV(a))):<> List0_vt (a) + +(* ****** ****** *) + +(* end of [linset_listord.sats] *) diff --git a/samples/ATS/main.atxt b/samples/ATS/main.atxt new file mode 100644 index 00000000..3bba35f0 --- /dev/null +++ b/samples/ATS/main.atxt @@ -0,0 +1,215 @@ +%{ +#include "./../ATEXT/atextfun.hats" +%} + + + + + + +EFFECTIVATS-DiningPhil2 +#patscode_style() + + + + +

+Effective ATS: Dining Philosophers +

+ +In this article, I present an implementation of a slight variant of the +famous problem of 5-Dining-Philosophers by Dijkstra that makes simple but +convincing use of linear types. + +

+The Original Problem +

+ +There are five philosophers sitting around a table and there are also 5 +forks placed on the table such that each fork is located between the left +hand of a philosopher and the right hand of another philosopher. Each +philosopher does the following routine repeatedly: thinking and dining. In +order to dine, a philosopher needs to first acquire two forks: one located +on his left-hand side and the other on his right-hand side. After +finishing dining, a philosopher puts the two acquired forks onto the table: +one on his left-hand side and the other on his right-hand side. + +

+A Variant of the Original Problem +

+ +The following twist is added to the original version: + +

+ +After a fork is used, it becomes a "dirty" fork and needs to be put in a +tray for dirty forks. There is a cleaner who cleans dirty forks and then +puts them back on the table. + +

+Channels for Communication +

+ +A channel is just a shared queue of fixed capacity. The following two +functions are for inserting an element into and taking an element out of a +given channel: + +
+#pats2xhtml_sats("\
+fun{a:vt0p} channel_insert (channel (a), a): void
+fun{a:vt0p} channel_takeout (chan: channel (a)): (a) 
+")
+ +If [channel_insert] is called on a channel that is full, then the caller is +blocked until an element is taken out of the channel. If [channel_takeout] +is called on a channel that is empty, then the caller is blocked until an +element is inserted into the channel. + +

+A Channel for Each Fork +

+ +Forks are resources given a linear type. Each fork is initially stored in a +channel, which can be obtained by calling the following function: + +
+#pats2xhtml_sats("\
+fun fork_changet (n: nphil): channel(fork)
+")
+ +where the type [nphil] is defined to be [natLt(5)] (for natural numbers +less than 5). The channels for storing forks are chosen to be of capacity +2. The reason that channels of capacity 2 are chosen to store at most one +element (in each of them) is to guarantee that these channels can never be +full (so that there is no attempt made to send signals to awake callers +supposedly being blocked due to channels being full). + + +

+A Channel for the Fork Tray +

+ +A tray for storing "dirty" forks is also a channel, which can be obtained +by calling the following function: + +
+#pats2xhtml_sats("\
+fun forktray_changet ((*void*)): channel(fork)
+")
+ +The capacity chosen for the channel is 6 (instead of 5) so that it can +never become full (as there are only 5 forks in total). + +

+Philosopher Loop +

+ +Each philosopher is implemented as a loop: + +
+#pats2xhtml_dats('\
+implement
+phil_loop (n) = let
+//
+val () = phil_think (n)
+//
+val nl = phil_left (n) // = n
+val nr = phil_right (n) // = (n+1) % 5
+//
+val ch_lfork = fork_changet (nl)
+val ch_rfork = fork_changet (nr)
+//
+val lf = channel_takeout (ch_lfork)
+val () = println! ("phil_loop(", n, ") picks left fork")
+//
+val () = randsleep (2) // sleep up to 2 seconds
+//
+val rf = channel_takeout (ch_rfork)
+val () = println! ("phil_loop(", n, ") picks right fork")
+//
+val () = phil_dine (n, lf, rf)
+//
+val ch_forktray = forktray_changet ()
+val () = channel_insert (ch_forktray, lf) // left fork to dirty tray
+val () = channel_insert (ch_forktray, rf) // right fork to dirty tray
+//
+in
+  phil_loop (n)
+end // end of [phil_loop]
+')
+ +It should be straighforward to follow the code for [phil_loop]. + +

+Fork Cleaner Loop +

+ +A cleaner is implemented as a loop: + +
+#pats2xhtml_dats('\
+implement
+cleaner_loop () = let
+//
+val ch = forktray_changet ()
+val f0 = channel_takeout (ch) // [f0] is dirty
+//
+val () = cleaner_wash (f0) // washes dirty [f0]
+val () = cleaner_return (f0) // puts back cleaned [f0]
+//
+in
+  cleaner_loop ()
+end // end of [cleaner_loop]
+')
+ +The function [cleaner_return] first finds out the number of a given fork +and then uses the number to locate the channel for storing the fork. Its +actual implementation is given as follows: + +
+#pats2xhtml_dats('\
+implement
+cleaner_return (f) =
+{
+  val n = fork_get_num (f)
+  val ch = fork_changet (n)
+  val () = channel_insert (ch, f)
+}
+')
+ +It should now be straighforward to follow the code for [cleaner_loop]. + +

+Testing +

+ +The entire code of this implementation is stored in the following files: + +
+DiningPhil2.sats
+DiningPhil2.dats
+DiningPhil2_fork.dats
+DiningPhil2_thread.dats
+
+ +There is also a Makefile available for compiling the ATS source code into +an excutable for testing. One should be able to encounter a deadlock after +running the simulation for a while. + +
+ +This article is written by
Hongwei Xi. + + + + +%{ +implement main () = fprint_filsub (stdout_ref, "main_atxt.txt") +%} diff --git a/samples/AspectJ/CacheAspect.aj b/samples/AspectJ/CacheAspect.aj new file mode 100644 index 00000000..bfab7bc4 --- /dev/null +++ b/samples/AspectJ/CacheAspect.aj @@ -0,0 +1,41 @@ +package com.blogspot.miguelinlas3.aspectj.cache; + +import java.util.Map; +import java.util.WeakHashMap; + +import org.aspectj.lang.JoinPoint; + +import com.blogspot.miguelinlas3.aspectj.cache.marker.Cachable; + +/** + * This simple aspect simulates the behaviour of a very simple cache + * + * @author migue + * + */ +public aspect CacheAspect { + + public pointcut cache(Cachable cachable): execution(@Cachable * * (..)) && @annotation(cachable); + + Object around(Cachable cachable): cache(cachable){ + + String evaluatedKey = this.evaluateKey(cachable.scriptKey(), thisJoinPoint); + + if(cache.containsKey(evaluatedKey)){ + System.out.println("Cache hit for key " + evaluatedKey); + return this.cache.get(evaluatedKey); + } + + System.out.println("Cache miss for key " + evaluatedKey); + Object value = proceed(cachable); + cache.put(evaluatedKey, value); + return value; + } + + protected String evaluateKey(String key, JoinPoint joinPoint) { + // TODO add some smart staff to allow simple scripting in @Cachable annotation + return key; + } + + protected Map cache = new WeakHashMap(); +} diff --git a/samples/AspectJ/OptimizeRecursionCache.aj b/samples/AspectJ/OptimizeRecursionCache.aj new file mode 100644 index 00000000..ed1e8695 --- /dev/null +++ b/samples/AspectJ/OptimizeRecursionCache.aj @@ -0,0 +1,50 @@ +package aspects.caching; + +import java.util.Map; + +/** + * Cache aspect for optimize recursive functions. + * + * @author Migueli + * @date 05/11/2013 + * @version 1.0 + * + */ +public abstract aspect OptimizeRecursionCache { + + @SuppressWarnings("rawtypes") + private Map _cache; + + public OptimizeRecursionCache() { + _cache = getCache(); + } + + @SuppressWarnings("rawtypes") + abstract public Map getCache(); + + abstract public pointcut operation(Object o); + + pointcut topLevelOperation(Object o): operation(o) && !cflowbelow(operation(Object)); + + before(Object o) : topLevelOperation(o) { + System.out.println("Seeking value for " + o); + } + + Object around(Object o) : operation(o) { + Object cachedValue = _cache.get(o); + if (cachedValue != null) { + System.out.println("Found cached value for " + o + ": " + cachedValue); + return cachedValue; + } + return proceed(o); + } + + @SuppressWarnings("unchecked") + after(Object o) returning(Object result) : topLevelOperation(o) { + _cache.put(o, result); + } + + after(Object o) returning(Object result) : topLevelOperation(o) { + System.out.println("cache size: " + _cache.size()); + } +} diff --git a/samples/C#/Index.cshtml b/samples/C#/Index.cshtml new file mode 100644 index 00000000..f7aa29c6 --- /dev/null +++ b/samples/C#/Index.cshtml @@ -0,0 +1,45 @@ +@{ + ViewBag.Title = "Home Page"; +} +@section featured { + +} +

We suggest the following:

+
    +
  1. +
    Getting Started
    + ASP.NET MVC gives you a powerful, patterns-based way to build dynamic websites that + enables a clean separation of concerns and that gives you full control over markup + for enjoyable, agile development. ASP.NET MVC includes many features that enable + fast, TDD-friendly development for creating sophisticated applications that use + the latest web standards. + Learn more… +
  2. + +
  3. +
    Add NuGet packages and jump-start your coding
    + NuGet makes it easy to install and update free libraries and tools. + Learn more… +
  4. + +
  5. +
    Find Web Hosting
    + You can easily find a web hosting company that offers the right mix of features + and price for your applications. + Learn more… +
  6. +
diff --git a/samples/C#/Program.cs b/samples/C#/Program.cs new file mode 100644 index 00000000..20e24850 --- /dev/null +++ b/samples/C#/Program.cs @@ -0,0 +1,21 @@ +using System; +using System.Collections.Generic; +using System.Linq; +using System.Text; +using System.Threading.Tasks; + +namespace LittleSampleApp +{ + /// + /// Just what it says on the tin. A little sample application for Linguist to try out. + /// + /// + class Program + { + static void Main(string[] args) + { + Console.WriteLine("Hello, I am a little sample application to test GitHub's Linguist module."); + Console.WriteLine("I also include a Razor MVC file just to prove it handles cshtml files now."); + } + } +} diff --git a/samples/C++/CsvStreamer.h b/samples/C++/CsvStreamer.h new file mode 100644 index 00000000..b15e648d --- /dev/null +++ b/samples/C++/CsvStreamer.h @@ -0,0 +1,42 @@ +#pragma once +#include +#include +#include +#include "util.h" + +using namespace std; + + +#define DEFAULT_DELIMITER ',' + + +class CsvStreamer +{ + private: + ofstream file; // File output stream + vector row_buffer; // Buffer which stores a row's data before being flushed/written + int fields; // Number of fields (columns) + long rows; // Number of rows (records) including header row + char delimiter; // Delimiter character; comma by default + string sanitize(string); // Returns a string ready for output into the file + + public: + CsvStreamer(); // Empty CSV streamer... be sure to open the file before writing! + CsvStreamer(string, char); // Same as open(string, char)... + CsvStreamer(string); // Opens an output CSV file given a file path/name + ~CsvStreamer(); // Ensures the output file is closed and saved + void open(string); // Opens an output CSV file given a file path/name (default delimiter) + void open(string, char); // Opens an output CSV file given a file path/name and a delimiting character (default comma) + void add_field(string); // If still on first line, adds a new field to the header row + void save_fields(); // Call this to save the header row; all new writes should be through append() + void append(string); // Appends the current row with this data for the next field; quoted only if needed (leading/trailing spaces are trimmed) + void append(string, bool); // Like append(string) but can specify whether to trim spaces at either end of the data (false to keep spaces) + void append(float); // Appends the current row with this number + void append(double); // Appends the current row with this number + void append(long); // Appends the current row with this number + void append(int); // Appends the current row with this number + void writeln(); // Flushes what was in the row buffer into the file (writes the row) + void close(); // Saves and closes the file + int field_count(); // Gets the number of fields (columns) + long row_count(); // Gets the number of records (rows) -- NOT including the header row +}; diff --git a/samples/C++/Field.h b/samples/C++/Field.h new file mode 100644 index 00000000..201be118 --- /dev/null +++ b/samples/C++/Field.h @@ -0,0 +1,32 @@ +/***************************************************************************** +* Dwarf Mine - The 13-11 Benchmark +* +* Copyright (c) 2013 Bünger, Thomas; Kieschnick, Christian; Kusber, +* Michael; Lohse, Henning; Wuttke, Nikolai; Xylander, Oliver; Yao, Gary; +* Zimmermann, Florian +* +* Permission is hereby granted, free of charge, to any person obtaining +* a copy of this software and associated documentation files (the +* "Software"), to deal in the Software without restriction, including +* without limitation the rights to use, copy, modify, merge, publish, +* distribute, sublicense, and/or sell copies of the Software, and to +* permit persons to whom the Software is furnished to do so, subject to +* the following conditions: +* +* The above copyright notice and this permission notice shall be +* included in all copies or substantial portions of the Software. +* +* THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, +* EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF +* MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. +* IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY +* CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, +* TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE +* SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. +*****************************************************************************/ + +#pragma once + +enum Field { Free, Black, White, Illegal }; + +typedef Field Player; diff --git a/samples/C++/Types.h b/samples/C++/Types.h new file mode 100644 index 00000000..e2675538 --- /dev/null +++ b/samples/C++/Types.h @@ -0,0 +1,32 @@ +/***************************************************************************** +* Dwarf Mine - The 13-11 Benchmark +* +* Copyright (c) 2013 Bünger, Thomas; Kieschnick, Christian; Kusber, +* Michael; Lohse, Henning; Wuttke, Nikolai; Xylander, Oliver; Yao, Gary; +* Zimmermann, Florian +* +* Permission is hereby granted, free of charge, to any person obtaining +* a copy of this software and associated documentation files (the +* "Software"), to deal in the Software without restriction, including +* without limitation the rights to use, copy, modify, merge, publish, +* distribute, sublicense, and/or sell copies of the Software, and to +* permit persons to whom the Software is furnished to do so, subject to +* the following conditions: +* +* The above copyright notice and this permission notice shall be +* included in all copies or substantial portions of the Software. +* +* THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, +* EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF +* MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. +* IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY +* CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, +* TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE +* SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. +*****************************************************************************/ + +#pragma once + +#include + +typedef uint32_t smallPrime_t; diff --git a/samples/C++/bcm2835.h b/samples/C++/bcm2835.h new file mode 100644 index 00000000..e5330933 --- /dev/null +++ b/samples/C++/bcm2835.h @@ -0,0 +1,1129 @@ +// bcm2835.h +// +// C and C++ support for Broadcom BCM 2835 as used in Raspberry Pi +// +// Author: Mike McCauley +// Copyright (C) 2011-2013 Mike McCauley +// $Id: bcm2835.h,v 1.8 2013/02/15 22:06:09 mikem Exp mikem $ +// +/// \mainpage C library for Broadcom BCM 2835 as used in Raspberry Pi +/// +/// This is a C library for Raspberry Pi (RPi). It provides access to +/// GPIO and other IO functions on the Broadcom BCM 2835 chip, +/// allowing access to the GPIO pins on the +/// 26 pin IDE plug on the RPi board so you can control and interface with various external devices. +/// +/// It provides functions for reading digital inputs and setting digital outputs, using SPI and I2C, +/// and for accessing the system timers. +/// Pin event detection is supported by polling (interrupts are not supported). +/// +/// It is C++ compatible, and installs as a header file and non-shared library on +/// any Linux-based distro (but clearly is no use except on Raspberry Pi or another board with +/// BCM 2835). +/// +/// The version of the package that this documentation refers to can be downloaded +/// from http://www.airspayce.com/mikem/bcm2835/bcm2835-1.26.tar.gz +/// You can find the latest version at http://www.airspayce.com/mikem/bcm2835 +/// +/// Several example programs are provided. +/// +/// Based on data in http://elinux.org/RPi_Low-level_peripherals and +/// http://www.raspberrypi.org/wp-content/uploads/2012/02/BCM2835-ARM-Peripherals.pdf +/// and http://www.scribd.com/doc/101830961/GPIO-Pads-Control2 +/// +/// You can also find online help and discussion at http://groups.google.com/group/bcm2835 +/// Please use that group for all questions and discussions on this topic. +/// Do not contact the author directly, unless it is to discuss commercial licensing. +/// +/// Tested on debian6-19-04-2012, 2012-07-15-wheezy-raspbian and Occidentalisv01 +/// CAUTION: it has been observed that when detect enables such as bcm2835_gpio_len() +/// are used and the pin is pulled LOW +/// it can cause temporary hangs on 2012-07-15-wheezy-raspbian and Occidentalisv01. +/// Reason for this is not yet determined, but suspect that an interrupt handler is +/// hitting a hard loop on those OSs. +/// If you must use bcm2835_gpio_len() and friends, make sure you disable the pins with +/// bcm2835_gpio_cler_len() and friends after use. +/// +/// \par Installation +/// +/// This library consists of a single non-shared library and header file, which will be +/// installed in the usual places by make install +/// +/// \code +/// # download the latest version of the library, say bcm2835-1.xx.tar.gz, then: +/// tar zxvf bcm2835-1.xx.tar.gz +/// cd bcm2835-1.xx +/// ./configure +/// make +/// sudo make check +/// sudo make install +/// \endcode +/// +/// \par Physical Addresses +/// +/// The functions bcm2835_peri_read(), bcm2835_peri_write() and bcm2835_peri_set_bits() +/// are low level peripheral register access functions. They are designed to use +/// physical addresses as described in section 1.2.3 ARM physical addresses +/// of the BCM2835 ARM Peripherals manual. +/// Physical addresses range from 0x20000000 to 0x20FFFFFF for peripherals. The bus +/// addresses for peripherals are set up to map onto the peripheral bus address range starting at +/// 0x7E000000. Thus a peripheral advertised in the manual at bus address 0x7Ennnnnn is available at +/// physical address 0x20nnnnnn. +/// +/// The base address of the various peripheral registers are available with the following +/// externals: +/// bcm2835_gpio +/// bcm2835_pwm +/// bcm2835_clk +/// bcm2835_pads +/// bcm2835_spio0 +/// bcm2835_st +/// bcm2835_bsc0 +/// bcm2835_bsc1 +/// +/// \par Pin Numbering +/// +/// The GPIO pin numbering as used by RPi is different to and inconsistent with the underlying +/// BCM 2835 chip pin numbering. http://elinux.org/RPi_BCM2835_GPIOs +/// +/// RPi has a 26 pin IDE header that provides access to some of the GPIO pins on the BCM 2835, +/// as well as power and ground pins. Not all GPIO pins on the BCM 2835 are available on the +/// IDE header. +/// +/// RPi Version 2 also has a P5 connector with 4 GPIO pins, 5V, 3.3V and Gnd. +/// +/// The functions in this library are designed to be passed the BCM 2835 GPIO pin number and _not_ +/// the RPi pin number. There are symbolic definitions for each of the available pins +/// that you should use for convenience. See \ref RPiGPIOPin. +/// +/// \par SPI Pins +/// +/// The bcm2835_spi_* functions allow you to control the BCM 2835 SPI0 interface, +/// allowing you to send and received data by SPI (Serial Peripheral Interface). +/// For more information about SPI, see http://en.wikipedia.org/wiki/Serial_Peripheral_Interface_Bus +/// +/// When bcm2835_spi_begin() is called it changes the bahaviour of the SPI interface pins from their +/// default GPIO behaviour in order to support SPI. While SPI is in use, you will not be able +/// to control the state of the SPI pins through the usual bcm2835_spi_gpio_write(). +/// When bcm2835_spi_end() is called, the SPI pins will all revert to inputs, and can then be +/// configured and controled with the usual bcm2835_gpio_* calls. +/// +/// The Raspberry Pi GPIO pins used for SPI are: +/// +/// - P1-19 (MOSI) +/// - P1-21 (MISO) +/// - P1-23 (CLK) +/// - P1-24 (CE0) +/// - P1-26 (CE1) +/// +/// \par I2C Pins +/// +/// The bcm2835_i2c_* functions allow you to control the BCM 2835 BSC interface, +/// allowing you to send and received data by I2C ("eye-squared cee"; generically referred to as "two-wire interface") . +/// For more information about I?C, see http://en.wikipedia.org/wiki/I%C2%B2C +/// +/// The Raspberry Pi V2 GPIO pins used for I2C are: +/// +/// - P1-03 (SDA) +/// - P1-05 (SLC) +/// +/// \par Real Time performance constraints +/// +/// The bcm2835 is a library for user programs (i.e. they run in 'userland'). +/// Such programs are not part of the kernel and are usually +/// subject to paging and swapping by the kernel while it does other things besides running your program. +/// This means that you should not expect to get real-time performance or +/// real-time timing constraints from such programs. In particular, there is no guarantee that the +/// bcm2835_delay() and bcm2835_delayMicroseconds() will return after exactly the time requested. +/// In fact, depending on other activity on the host, IO etc, you might get significantly longer delay times +/// than the one you asked for. So please dont expect to get exactly the time delay you request. +/// +/// Arjan reports that you can prevent swapping on Linux with the following code fragment: +/// +/// \code +/// struct sched_param sp; +/// memset(&sp, 0, sizeof(sp)); +/// sp.sched_priority = sched_get_priority_max(SCHED_FIFO); +/// sched_setscheduler(0, SCHED_FIFO, &sp); +/// mlockall(MCL_CURRENT | MCL_FUTURE); +/// \endcode +/// +/// \par Open Source Licensing GPL V2 +/// +/// This is the appropriate option if you want to share the source code of your +/// application with everyone you distribute it to, and you also want to give them +/// the right to share who uses it. If you wish to use this software under Open +/// Source Licensing, you must contribute all your source code to the open source +/// community in accordance with the GPL Version 2 when your application is +/// distributed. See http://www.gnu.org/copyleft/gpl.html and COPYING +/// +/// \par Acknowledgements +/// +/// Some of this code has been inspired by Dom and Gert. +/// The I2C code has been inspired by Alan Barr. +/// +/// \par Revision History +/// +/// \version 1.0 Initial release +/// \version 1.1 Minor bug fixes +/// \version 1.2 Added support for SPI +/// \version 1.3 Added bcm2835_spi_transfern() +/// \version 1.4 Fixed a problem that prevented SPI CE1 being used. Reported by David Robinson. +/// \version 1.5 Added bcm2835_close() to deinit the library. Suggested by C?sar Ortiz +/// \version 1.6 Document testing on 2012-07-15-wheezy-raspbian and Occidentalisv01 +/// Functions bcm2835_gpio_ren(), bcm2835_gpio_fen(), bcm2835_gpio_hen() +/// bcm2835_gpio_len(), bcm2835_gpio_aren() and bcm2835_gpio_afen() now +/// changes only the pin specified. Other pins that were already previously +/// enabled stay enabled. +/// Added bcm2835_gpio_clr_ren(), bcm2835_gpio_clr_fen(), bcm2835_gpio_clr_hen() +/// bcm2835_gpio_clr_len(), bcm2835_gpio_clr_aren(), bcm2835_gpio_clr_afen() +/// to clear the enable for individual pins, suggested by Andreas Sundstrom. +/// \version 1.7 Added bcm2835_spi_transfernb to support different buffers for read and write. +/// \version 1.8 Improvements to read barrier, as suggested by maddin. +/// \version 1.9 Improvements contributed by mikew: +/// I noticed that it was mallocing memory for the mmaps on /dev/mem. +/// It's not necessary to do that, you can just mmap the file directly, +/// so I've removed the mallocs (and frees). +/// I've also modified delayMicroseconds() to use nanosleep() for long waits, +/// and a busy wait on a high resolution timer for the rest. This is because +/// I've found that calling nanosleep() takes at least 100-200 us. +/// You need to link using '-lrt' using this version. +/// I've added some unsigned casts to the debug prints to silence compiler +/// warnings I was getting, fixed some typos, and changed the value of +/// BCM2835_PAD_HYSTERESIS_ENABLED to 0x08 as per Gert van Loo's doc at +/// http://www.scribd.com/doc/101830961/GPIO-Pads-Control2 +/// Also added a define for the passwrd value that Gert says is needed to +/// change pad control settings. +/// \version 1.10 Changed the names of the delay functions to bcm2835_delay() +/// and bcm2835_delayMicroseconds() to prevent collisions with wiringPi. +/// Macros to map delay()-> bcm2835_delay() and +/// Macros to map delayMicroseconds()-> bcm2835_delayMicroseconds(), which +/// can be disabled by defining BCM2835_NO_DELAY_COMPATIBILITY +/// \version 1.11 Fixed incorrect link to download file +/// \version 1.12 New GPIO pin definitions for RPi version 2 (which has a different GPIO mapping) +/// \version 1.13 New GPIO pin definitions for RPi version 2 plug P5 +/// Hardware base pointers are now available (after initialisation) externally as bcm2835_gpio +/// bcm2835_pwm bcm2835_clk bcm2835_pads bcm2835_spi0. +/// \version 1.14 Now compiles even if CLOCK_MONOTONIC_RAW is not available, uses CLOCK_MONOTONIC instead. +/// Fixed errors in documentation of SPI divider frequencies based on 250MHz clock. +/// Reported by Ben Simpson. +/// \version 1.15 Added bcm2835_close() to end of examples as suggested by Mark Wolfe. +/// \version 1.16 Added bcm2835_gpio_set_multi, bcm2835_gpio_clr_multi and bcm2835_gpio_write_multi +/// to allow a mask of pins to be set all at once. Requested by Sebastian Loncar. +/// \version 1.17 Added bcm2835_gpio_write_mask. Requested by Sebastian Loncar. +/// \version 1.18 Added bcm2835_i2c_* functions. Changes to bcm2835_delayMicroseconds: +/// now uses the RPi system timer counter, instead of clock_gettime, for improved accuracy. +/// No need to link with -lrt now. Contributed by Arjan van Vught. +/// \version 1.19 Removed inlines added by previous patch since they don't seem to work everywhere. +/// Reported by olly. +/// \version 1.20 Patch from Mark Dootson to close /dev/mem after access to the peripherals has been granted. +/// \version 1.21 delayMicroseconds is now not susceptible to 32 bit timer overruns. +/// Patch courtesy Jeremy Mortis. +/// \version 1.22 Fixed incorrect definition of BCM2835_GPFEN0 which broke the ability to set +/// falling edge events. Reported by Mark Dootson. +/// \version 1.23 Added bcm2835_i2c_set_baudrate and bcm2835_i2c_read_register_rs. +/// Improvements to bcm2835_i2c_read and bcm2835_i2c_write functions +/// to fix ocasional reads not completing. Patched by Mark Dootson. +/// \version 1.24 Mark Dootson p[atched a problem with his previously submitted code +/// under high load from other processes. +/// \version 1.25 Updated author and distribution location details to airspayce.com +/// \version 1.26 Added missing unmapmem for pads in bcm2835_close to prevent a memory leak. +/// Reported by Hartmut Henkel. +/// \author Mike McCauley (mikem@airspayce.com) DO NOT CONTACT THE AUTHOR DIRECTLY: USE THE LISTS + + + +// Defines for BCM2835 +#ifndef BCM2835_H +#define BCM2835_H + +#include + +/// \defgroup constants Constants for passing to and from library functions +/// The values here are designed to be passed to various functions in the bcm2835 library. +/// @{ + + +/// This means pin HIGH, true, 3.3volts on a pin. +#define HIGH 0x1 +/// This means pin LOW, false, 0volts on a pin. +#define LOW 0x0 + +/// Speed of the core clock core_clk +#define BCM2835_CORE_CLK_HZ 250000000 ///< 250 MHz + +// Physical addresses for various peripheral register sets +/// Base Physical Address of the BCM 2835 peripheral registers +#define BCM2835_PERI_BASE 0x20000000 +/// Base Physical Address of the System Timer registers +#define BCM2835_ST_BASE (BCM2835_PERI_BASE + 0x3000) +/// Base Physical Address of the Pads registers +#define BCM2835_GPIO_PADS (BCM2835_PERI_BASE + 0x100000) +/// Base Physical Address of the Clock/timer registers +#define BCM2835_CLOCK_BASE (BCM2835_PERI_BASE + 0x101000) +/// Base Physical Address of the GPIO registers +#define BCM2835_GPIO_BASE (BCM2835_PERI_BASE + 0x200000) +/// Base Physical Address of the SPI0 registers +#define BCM2835_SPI0_BASE (BCM2835_PERI_BASE + 0x204000) +/// Base Physical Address of the BSC0 registers +#define BCM2835_BSC0_BASE (BCM2835_PERI_BASE + 0x205000) +/// Base Physical Address of the PWM registers +#define BCM2835_GPIO_PWM (BCM2835_PERI_BASE + 0x20C000) + /// Base Physical Address of the BSC1 registers +#define BCM2835_BSC1_BASE (BCM2835_PERI_BASE + 0x804000) + + +/// Base of the ST (System Timer) registers. +/// Available after bcm2835_init has been called +extern volatile uint32_t *bcm2835_st; + +/// Base of the GPIO registers. +/// Available after bcm2835_init has been called +extern volatile uint32_t *bcm2835_gpio; + +/// Base of the PWM registers. +/// Available after bcm2835_init has been called +extern volatile uint32_t *bcm2835_pwm; + +/// Base of the CLK registers. +/// Available after bcm2835_init has been called +extern volatile uint32_t *bcm2835_clk; + +/// Base of the PADS registers. +/// Available after bcm2835_init has been called +extern volatile uint32_t *bcm2835_pads; + +/// Base of the SPI0 registers. +/// Available after bcm2835_init has been called +extern volatile uint32_t *bcm2835_spi0; + +/// Base of the BSC0 registers. +/// Available after bcm2835_init has been called +extern volatile uint32_t *bcm2835_bsc0; + +/// Base of the BSC1 registers. +/// Available after bcm2835_init has been called +extern volatile uint32_t *bcm2835_bsc1; + +/// Size of memory page on RPi +#define BCM2835_PAGE_SIZE (4*1024) +/// Size of memory block on RPi +#define BCM2835_BLOCK_SIZE (4*1024) + + +// Defines for GPIO +// The BCM2835 has 54 GPIO pins. +// BCM2835 data sheet, Page 90 onwards. +/// GPIO register offsets from BCM2835_GPIO_BASE. Offsets into the GPIO Peripheral block in bytes per 6.1 Register View +#define BCM2835_GPFSEL0 0x0000 ///< GPIO Function Select 0 +#define BCM2835_GPFSEL1 0x0004 ///< GPIO Function Select 1 +#define BCM2835_GPFSEL2 0x0008 ///< GPIO Function Select 2 +#define BCM2835_GPFSEL3 0x000c ///< GPIO Function Select 3 +#define BCM2835_GPFSEL4 0x0010 ///< GPIO Function Select 4 +#define BCM2835_GPFSEL5 0x0014 ///< GPIO Function Select 5 +#define BCM2835_GPSET0 0x001c ///< GPIO Pin Output Set 0 +#define BCM2835_GPSET1 0x0020 ///< GPIO Pin Output Set 1 +#define BCM2835_GPCLR0 0x0028 ///< GPIO Pin Output Clear 0 +#define BCM2835_GPCLR1 0x002c ///< GPIO Pin Output Clear 1 +#define BCM2835_GPLEV0 0x0034 ///< GPIO Pin Level 0 +#define BCM2835_GPLEV1 0x0038 ///< GPIO Pin Level 1 +#define BCM2835_GPEDS0 0x0040 ///< GPIO Pin Event Detect Status 0 +#define BCM2835_GPEDS1 0x0044 ///< GPIO Pin Event Detect Status 1 +#define BCM2835_GPREN0 0x004c ///< GPIO Pin Rising Edge Detect Enable 0 +#define BCM2835_GPREN1 0x0050 ///< GPIO Pin Rising Edge Detect Enable 1 +#define BCM2835_GPFEN0 0x0058 ///< GPIO Pin Falling Edge Detect Enable 0 +#define BCM2835_GPFEN1 0x005c ///< GPIO Pin Falling Edge Detect Enable 1 +#define BCM2835_GPHEN0 0x0064 ///< GPIO Pin High Detect Enable 0 +#define BCM2835_GPHEN1 0x0068 ///< GPIO Pin High Detect Enable 1 +#define BCM2835_GPLEN0 0x0070 ///< GPIO Pin Low Detect Enable 0 +#define BCM2835_GPLEN1 0x0074 ///< GPIO Pin Low Detect Enable 1 +#define BCM2835_GPAREN0 0x007c ///< GPIO Pin Async. Rising Edge Detect 0 +#define BCM2835_GPAREN1 0x0080 ///< GPIO Pin Async. Rising Edge Detect 1 +#define BCM2835_GPAFEN0 0x0088 ///< GPIO Pin Async. Falling Edge Detect 0 +#define BCM2835_GPAFEN1 0x008c ///< GPIO Pin Async. Falling Edge Detect 1 +#define BCM2835_GPPUD 0x0094 ///< GPIO Pin Pull-up/down Enable +#define BCM2835_GPPUDCLK0 0x0098 ///< GPIO Pin Pull-up/down Enable Clock 0 +#define BCM2835_GPPUDCLK1 0x009c ///< GPIO Pin Pull-up/down Enable Clock 1 + +/// \brief bcm2835PortFunction +/// Port function select modes for bcm2835_gpio_fsel() +typedef enum +{ + BCM2835_GPIO_FSEL_INPT = 0b000, ///< Input + BCM2835_GPIO_FSEL_OUTP = 0b001, ///< Output + BCM2835_GPIO_FSEL_ALT0 = 0b100, ///< Alternate function 0 + BCM2835_GPIO_FSEL_ALT1 = 0b101, ///< Alternate function 1 + BCM2835_GPIO_FSEL_ALT2 = 0b110, ///< Alternate function 2 + BCM2835_GPIO_FSEL_ALT3 = 0b111, ///< Alternate function 3 + BCM2835_GPIO_FSEL_ALT4 = 0b011, ///< Alternate function 4 + BCM2835_GPIO_FSEL_ALT5 = 0b010, ///< Alternate function 5 + BCM2835_GPIO_FSEL_MASK = 0b111 ///< Function select bits mask +} bcm2835FunctionSelect; + +/// \brief bcm2835PUDControl +/// Pullup/Pulldown defines for bcm2835_gpio_pud() +typedef enum +{ + BCM2835_GPIO_PUD_OFF = 0b00, ///< Off ? disable pull-up/down + BCM2835_GPIO_PUD_DOWN = 0b01, ///< Enable Pull Down control + BCM2835_GPIO_PUD_UP = 0b10 ///< Enable Pull Up control +} bcm2835PUDControl; + +/// Pad control register offsets from BCM2835_GPIO_PADS +#define BCM2835_PADS_GPIO_0_27 0x002c ///< Pad control register for pads 0 to 27 +#define BCM2835_PADS_GPIO_28_45 0x0030 ///< Pad control register for pads 28 to 45 +#define BCM2835_PADS_GPIO_46_53 0x0034 ///< Pad control register for pads 46 to 53 + +/// Pad Control masks +#define BCM2835_PAD_PASSWRD (0x5A << 24) ///< Password to enable setting pad mask +#define BCM2835_PAD_SLEW_RATE_UNLIMITED 0x10 ///< Slew rate unlimited +#define BCM2835_PAD_HYSTERESIS_ENABLED 0x08 ///< Hysteresis enabled +#define BCM2835_PAD_DRIVE_2mA 0x00 ///< 2mA drive current +#define BCM2835_PAD_DRIVE_4mA 0x01 ///< 4mA drive current +#define BCM2835_PAD_DRIVE_6mA 0x02 ///< 6mA drive current +#define BCM2835_PAD_DRIVE_8mA 0x03 ///< 8mA drive current +#define BCM2835_PAD_DRIVE_10mA 0x04 ///< 10mA drive current +#define BCM2835_PAD_DRIVE_12mA 0x05 ///< 12mA drive current +#define BCM2835_PAD_DRIVE_14mA 0x06 ///< 14mA drive current +#define BCM2835_PAD_DRIVE_16mA 0x07 ///< 16mA drive current + +/// \brief bcm2835PadGroup +/// Pad group specification for bcm2835_gpio_pad() +typedef enum +{ + BCM2835_PAD_GROUP_GPIO_0_27 = 0, ///< Pad group for GPIO pads 0 to 27 + BCM2835_PAD_GROUP_GPIO_28_45 = 1, ///< Pad group for GPIO pads 28 to 45 + BCM2835_PAD_GROUP_GPIO_46_53 = 2 ///< Pad group for GPIO pads 46 to 53 +} bcm2835PadGroup; + +/// \brief GPIO Pin Numbers +/// +/// Here we define Raspberry Pin GPIO pins on P1 in terms of the underlying BCM GPIO pin numbers. +/// These can be passed as a pin number to any function requiring a pin. +/// Not all pins on the RPi 26 bin IDE plug are connected to GPIO pins +/// and some can adopt an alternate function. +/// RPi version 2 has some slightly different pinouts, and these are values RPI_V2_*. +/// At bootup, pins 8 and 10 are set to UART0_TXD, UART0_RXD (ie the alt0 function) respectively +/// When SPI0 is in use (ie after bcm2835_spi_begin()), pins 19, 21, 23, 24, 26 are dedicated to SPI +/// and cant be controlled independently +typedef enum +{ + RPI_GPIO_P1_03 = 0, ///< Version 1, Pin P1-03 + RPI_GPIO_P1_05 = 1, ///< Version 1, Pin P1-05 + RPI_GPIO_P1_07 = 4, ///< Version 1, Pin P1-07 + RPI_GPIO_P1_08 = 14, ///< Version 1, Pin P1-08, defaults to alt function 0 UART0_TXD + RPI_GPIO_P1_10 = 15, ///< Version 1, Pin P1-10, defaults to alt function 0 UART0_RXD + RPI_GPIO_P1_11 = 17, ///< Version 1, Pin P1-11 + RPI_GPIO_P1_12 = 18, ///< Version 1, Pin P1-12 + RPI_GPIO_P1_13 = 21, ///< Version 1, Pin P1-13 + RPI_GPIO_P1_15 = 22, ///< Version 1, Pin P1-15 + RPI_GPIO_P1_16 = 23, ///< Version 1, Pin P1-16 + RPI_GPIO_P1_18 = 24, ///< Version 1, Pin P1-18 + RPI_GPIO_P1_19 = 10, ///< Version 1, Pin P1-19, MOSI when SPI0 in use + RPI_GPIO_P1_21 = 9, ///< Version 1, Pin P1-21, MISO when SPI0 in use + RPI_GPIO_P1_22 = 25, ///< Version 1, Pin P1-22 + RPI_GPIO_P1_23 = 11, ///< Version 1, Pin P1-23, CLK when SPI0 in use + RPI_GPIO_P1_24 = 8, ///< Version 1, Pin P1-24, CE0 when SPI0 in use + RPI_GPIO_P1_26 = 7, ///< Version 1, Pin P1-26, CE1 when SPI0 in use + + // RPi Version 2 + RPI_V2_GPIO_P1_03 = 2, ///< Version 2, Pin P1-03 + RPI_V2_GPIO_P1_05 = 3, ///< Version 2, Pin P1-05 + RPI_V2_GPIO_P1_07 = 4, ///< Version 2, Pin P1-07 + RPI_V2_GPIO_P1_08 = 14, ///< Version 2, Pin P1-08, defaults to alt function 0 UART0_TXD + RPI_V2_GPIO_P1_10 = 15, ///< Version 2, Pin P1-10, defaults to alt function 0 UART0_RXD + RPI_V2_GPIO_P1_11 = 17, ///< Version 2, Pin P1-11 + RPI_V2_GPIO_P1_12 = 18, ///< Version 2, Pin P1-12 + RPI_V2_GPIO_P1_13 = 27, ///< Version 2, Pin P1-13 + RPI_V2_GPIO_P1_15 = 22, ///< Version 2, Pin P1-15 + RPI_V2_GPIO_P1_16 = 23, ///< Version 2, Pin P1-16 + RPI_V2_GPIO_P1_18 = 24, ///< Version 2, Pin P1-18 + RPI_V2_GPIO_P1_19 = 10, ///< Version 2, Pin P1-19, MOSI when SPI0 in use + RPI_V2_GPIO_P1_21 = 9, ///< Version 2, Pin P1-21, MISO when SPI0 in use + RPI_V2_GPIO_P1_22 = 25, ///< Version 2, Pin P1-22 + RPI_V2_GPIO_P1_23 = 11, ///< Version 2, Pin P1-23, CLK when SPI0 in use + RPI_V2_GPIO_P1_24 = 8, ///< Version 2, Pin P1-24, CE0 when SPI0 in use + RPI_V2_GPIO_P1_26 = 7, ///< Version 2, Pin P1-26, CE1 when SPI0 in use + + // RPi Version 2, new plug P5 + RPI_V2_GPIO_P5_03 = 28, ///< Version 2, Pin P5-03 + RPI_V2_GPIO_P5_04 = 29, ///< Version 2, Pin P5-04 + RPI_V2_GPIO_P5_05 = 30, ///< Version 2, Pin P5-05 + RPI_V2_GPIO_P5_06 = 31, ///< Version 2, Pin P5-06 + +} RPiGPIOPin; + +// Defines for SPI +// GPIO register offsets from BCM2835_SPI0_BASE. +// Offsets into the SPI Peripheral block in bytes per 10.5 SPI Register Map +#define BCM2835_SPI0_CS 0x0000 ///< SPI Master Control and Status +#define BCM2835_SPI0_FIFO 0x0004 ///< SPI Master TX and RX FIFOs +#define BCM2835_SPI0_CLK 0x0008 ///< SPI Master Clock Divider +#define BCM2835_SPI0_DLEN 0x000c ///< SPI Master Data Length +#define BCM2835_SPI0_LTOH 0x0010 ///< SPI LOSSI mode TOH +#define BCM2835_SPI0_DC 0x0014 ///< SPI DMA DREQ Controls + +// Register masks for SPI0_CS +#define BCM2835_SPI0_CS_LEN_LONG 0x02000000 ///< Enable Long data word in Lossi mode if DMA_LEN is set +#define BCM2835_SPI0_CS_DMA_LEN 0x01000000 ///< Enable DMA mode in Lossi mode +#define BCM2835_SPI0_CS_CSPOL2 0x00800000 ///< Chip Select 2 Polarity +#define BCM2835_SPI0_CS_CSPOL1 0x00400000 ///< Chip Select 1 Polarity +#define BCM2835_SPI0_CS_CSPOL0 0x00200000 ///< Chip Select 0 Polarity +#define BCM2835_SPI0_CS_RXF 0x00100000 ///< RXF - RX FIFO Full +#define BCM2835_SPI0_CS_RXR 0x00080000 ///< RXR RX FIFO needs Reading ( full) +#define BCM2835_SPI0_CS_TXD 0x00040000 ///< TXD TX FIFO can accept Data +#define BCM2835_SPI0_CS_RXD 0x00020000 ///< RXD RX FIFO contains Data +#define BCM2835_SPI0_CS_DONE 0x00010000 ///< Done transfer Done +#define BCM2835_SPI0_CS_TE_EN 0x00008000 ///< Unused +#define BCM2835_SPI0_CS_LMONO 0x00004000 ///< Unused +#define BCM2835_SPI0_CS_LEN 0x00002000 ///< LEN LoSSI enable +#define BCM2835_SPI0_CS_REN 0x00001000 ///< REN Read Enable +#define BCM2835_SPI0_CS_ADCS 0x00000800 ///< ADCS Automatically Deassert Chip Select +#define BCM2835_SPI0_CS_INTR 0x00000400 ///< INTR Interrupt on RXR +#define BCM2835_SPI0_CS_INTD 0x00000200 ///< INTD Interrupt on Done +#define BCM2835_SPI0_CS_DMAEN 0x00000100 ///< DMAEN DMA Enable +#define BCM2835_SPI0_CS_TA 0x00000080 ///< Transfer Active +#define BCM2835_SPI0_CS_CSPOL 0x00000040 ///< Chip Select Polarity +#define BCM2835_SPI0_CS_CLEAR 0x00000030 ///< Clear FIFO Clear RX and TX +#define BCM2835_SPI0_CS_CLEAR_RX 0x00000020 ///< Clear FIFO Clear RX +#define BCM2835_SPI0_CS_CLEAR_TX 0x00000010 ///< Clear FIFO Clear TX +#define BCM2835_SPI0_CS_CPOL 0x00000008 ///< Clock Polarity +#define BCM2835_SPI0_CS_CPHA 0x00000004 ///< Clock Phase +#define BCM2835_SPI0_CS_CS 0x00000003 ///< Chip Select + +/// \brief bcm2835SPIBitOrder SPI Bit order +/// Specifies the SPI data bit ordering for bcm2835_spi_setBitOrder() +typedef enum +{ + BCM2835_SPI_BIT_ORDER_LSBFIRST = 0, ///< LSB First + BCM2835_SPI_BIT_ORDER_MSBFIRST = 1 ///< MSB First +}bcm2835SPIBitOrder; + +/// \brief SPI Data mode +/// Specify the SPI data mode to be passed to bcm2835_spi_setDataMode() +typedef enum +{ + BCM2835_SPI_MODE0 = 0, ///< CPOL = 0, CPHA = 0 + BCM2835_SPI_MODE1 = 1, ///< CPOL = 0, CPHA = 1 + BCM2835_SPI_MODE2 = 2, ///< CPOL = 1, CPHA = 0 + BCM2835_SPI_MODE3 = 3, ///< CPOL = 1, CPHA = 1 +}bcm2835SPIMode; + +/// \brief bcm2835SPIChipSelect +/// Specify the SPI chip select pin(s) +typedef enum +{ + BCM2835_SPI_CS0 = 0, ///< Chip Select 0 + BCM2835_SPI_CS1 = 1, ///< Chip Select 1 + BCM2835_SPI_CS2 = 2, ///< Chip Select 2 (ie pins CS1 and CS2 are asserted) + BCM2835_SPI_CS_NONE = 3, ///< No CS, control it yourself +} bcm2835SPIChipSelect; + +/// \brief bcm2835SPIClockDivider +/// Specifies the divider used to generate the SPI clock from the system clock. +/// Figures below give the divider, clock period and clock frequency. +/// Clock divided is based on nominal base clock rate of 250MHz +/// It is reported that (contrary to the documentation) any even divider may used. +/// The frequencies shown for each divider have been confirmed by measurement +typedef enum +{ + BCM2835_SPI_CLOCK_DIVIDER_65536 = 0, ///< 65536 = 262.144us = 3.814697260kHz + BCM2835_SPI_CLOCK_DIVIDER_32768 = 32768, ///< 32768 = 131.072us = 7.629394531kHz + BCM2835_SPI_CLOCK_DIVIDER_16384 = 16384, ///< 16384 = 65.536us = 15.25878906kHz + BCM2835_SPI_CLOCK_DIVIDER_8192 = 8192, ///< 8192 = 32.768us = 30/51757813kHz + BCM2835_SPI_CLOCK_DIVIDER_4096 = 4096, ///< 4096 = 16.384us = 61.03515625kHz + BCM2835_SPI_CLOCK_DIVIDER_2048 = 2048, ///< 2048 = 8.192us = 122.0703125kHz + BCM2835_SPI_CLOCK_DIVIDER_1024 = 1024, ///< 1024 = 4.096us = 244.140625kHz + BCM2835_SPI_CLOCK_DIVIDER_512 = 512, ///< 512 = 2.048us = 488.28125kHz + BCM2835_SPI_CLOCK_DIVIDER_256 = 256, ///< 256 = 1.024us = 976.5625MHz + BCM2835_SPI_CLOCK_DIVIDER_128 = 128, ///< 128 = 512ns = = 1.953125MHz + BCM2835_SPI_CLOCK_DIVIDER_64 = 64, ///< 64 = 256ns = 3.90625MHz + BCM2835_SPI_CLOCK_DIVIDER_32 = 32, ///< 32 = 128ns = 7.8125MHz + BCM2835_SPI_CLOCK_DIVIDER_16 = 16, ///< 16 = 64ns = 15.625MHz + BCM2835_SPI_CLOCK_DIVIDER_8 = 8, ///< 8 = 32ns = 31.25MHz + BCM2835_SPI_CLOCK_DIVIDER_4 = 4, ///< 4 = 16ns = 62.5MHz + BCM2835_SPI_CLOCK_DIVIDER_2 = 2, ///< 2 = 8ns = 125MHz, fastest you can get + BCM2835_SPI_CLOCK_DIVIDER_1 = 1, ///< 0 = 262.144us = 3.814697260kHz, same as 0/65536 +} bcm2835SPIClockDivider; + +// Defines for I2C +// GPIO register offsets from BCM2835_BSC*_BASE. +// Offsets into the BSC Peripheral block in bytes per 3.1 BSC Register Map +#define BCM2835_BSC_C 0x0000 ///< BSC Master Control +#define BCM2835_BSC_S 0x0004 ///< BSC Master Status +#define BCM2835_BSC_DLEN 0x0008 ///< BSC Master Data Length +#define BCM2835_BSC_A 0x000c ///< BSC Master Slave Address +#define BCM2835_BSC_FIFO 0x0010 ///< BSC Master Data FIFO +#define BCM2835_BSC_DIV 0x0014 ///< BSC Master Clock Divider +#define BCM2835_BSC_DEL 0x0018 ///< BSC Master Data Delay +#define BCM2835_BSC_CLKT 0x001c ///< BSC Master Clock Stretch Timeout + +// Register masks for BSC_C +#define BCM2835_BSC_C_I2CEN 0x00008000 ///< I2C Enable, 0 = disabled, 1 = enabled +#define BCM2835_BSC_C_INTR 0x00000400 ///< Interrupt on RX +#define BCM2835_BSC_C_INTT 0x00000200 ///< Interrupt on TX +#define BCM2835_BSC_C_INTD 0x00000100 ///< Interrupt on DONE +#define BCM2835_BSC_C_ST 0x00000080 ///< Start transfer, 1 = Start a new transfer +#define BCM2835_BSC_C_CLEAR_1 0x00000020 ///< Clear FIFO Clear +#define BCM2835_BSC_C_CLEAR_2 0x00000010 ///< Clear FIFO Clear +#define BCM2835_BSC_C_READ 0x00000001 ///< Read transfer + +// Register masks for BSC_S +#define BCM2835_BSC_S_CLKT 0x00000200 ///< Clock stretch timeout +#define BCM2835_BSC_S_ERR 0x00000100 ///< ACK error +#define BCM2835_BSC_S_RXF 0x00000080 ///< RXF FIFO full, 0 = FIFO is not full, 1 = FIFO is full +#define BCM2835_BSC_S_TXE 0x00000040 ///< TXE FIFO full, 0 = FIFO is not full, 1 = FIFO is full +#define BCM2835_BSC_S_RXD 0x00000020 ///< RXD FIFO contains data +#define BCM2835_BSC_S_TXD 0x00000010 ///< TXD FIFO can accept data +#define BCM2835_BSC_S_RXR 0x00000008 ///< RXR FIFO needs reading (full) +#define BCM2835_BSC_S_TXW 0x00000004 ///< TXW FIFO needs writing (full) +#define BCM2835_BSC_S_DONE 0x00000002 ///< Transfer DONE +#define BCM2835_BSC_S_TA 0x00000001 ///< Transfer Active + +#define BCM2835_BSC_FIFO_SIZE 16 ///< BSC FIFO size + +/// \brief bcm2835I2CClockDivider +/// Specifies the divider used to generate the I2C clock from the system clock. +/// Clock divided is based on nominal base clock rate of 250MHz +typedef enum +{ + BCM2835_I2C_CLOCK_DIVIDER_2500 = 2500, ///< 2500 = 10us = 100 kHz + BCM2835_I2C_CLOCK_DIVIDER_626 = 626, ///< 622 = 2.504us = 399.3610 kHz + BCM2835_I2C_CLOCK_DIVIDER_150 = 150, ///< 150 = 60ns = 1.666 MHz (default at reset) + BCM2835_I2C_CLOCK_DIVIDER_148 = 148, ///< 148 = 59ns = 1.689 MHz +} bcm2835I2CClockDivider; + +/// \brief bcm2835I2CReasonCodes +/// Specifies the reason codes for the bcm2835_i2c_write and bcm2835_i2c_read functions. +typedef enum +{ + BCM2835_I2C_REASON_OK = 0x00, ///< Success + BCM2835_I2C_REASON_ERROR_NACK = 0x01, ///< Received a NACK + BCM2835_I2C_REASON_ERROR_CLKT = 0x02, ///< Received Clock Stretch Timeout + BCM2835_I2C_REASON_ERROR_DATA = 0x04, ///< Not all data is sent / received +} bcm2835I2CReasonCodes; + +// Defines for ST +// GPIO register offsets from BCM2835_ST_BASE. +// Offsets into the ST Peripheral block in bytes per 12.1 System Timer Registers +// The System Timer peripheral provides four 32-bit timer channels and a single 64-bit free running counter. +// BCM2835_ST_CLO is the System Timer Counter Lower bits register. +// The system timer free-running counter lower register is a read-only register that returns the current value +// of the lower 32-bits of the free running counter. +// BCM2835_ST_CHI is the System Timer Counter Upper bits register. +// The system timer free-running counter upper register is a read-only register that returns the current value +// of the upper 32-bits of the free running counter. +#define BCM2835_ST_CS 0x0000 ///< System Timer Control/Status +#define BCM2835_ST_CLO 0x0004 ///< System Timer Counter Lower 32 bits +#define BCM2835_ST_CHI 0x0008 ///< System Timer Counter Upper 32 bits + +/// @} + + +// Defines for PWM +#define BCM2835_PWM_CONTROL 0 +#define BCM2835_PWM_STATUS 1 +#define BCM2835_PWM0_RANGE 4 +#define BCM2835_PWM0_DATA 5 +#define BCM2835_PWM1_RANGE 8 +#define BCM2835_PWM1_DATA 9 + +#define BCM2835_PWMCLK_CNTL 40 +#define BCM2835_PWMCLK_DIV 41 + +#define BCM2835_PWM1_MS_MODE 0x8000 /// Run in MS mode +#define BCM2835_PWM1_USEFIFO 0x2000 /// Data from FIFO +#define BCM2835_PWM1_REVPOLAR 0x1000 /// Reverse polarity +#define BCM2835_PWM1_OFFSTATE 0x0800 /// Ouput Off state +#define BCM2835_PWM1_REPEATFF 0x0400 /// Repeat last value if FIFO empty +#define BCM2835_PWM1_SERIAL 0x0200 /// Run in serial mode +#define BCM2835_PWM1_ENABLE 0x0100 /// Channel Enable + +#define BCM2835_PWM0_MS_MODE 0x0080 /// Run in MS mode +#define BCM2835_PWM0_USEFIFO 0x0020 /// Data from FIFO +#define BCM2835_PWM0_REVPOLAR 0x0010 /// Reverse polarity +#define BCM2835_PWM0_OFFSTATE 0x0008 /// Ouput Off state +#define BCM2835_PWM0_REPEATFF 0x0004 /// Repeat last value if FIFO empty +#define BCM2835_PWM0_SERIAL 0x0002 /// Run in serial mode +#define BCM2835_PWM0_ENABLE 0x0001 /// Channel Enable + +// Historical name compatibility +#ifndef BCM2835_NO_DELAY_COMPATIBILITY +#define delay(x) bcm2835_delay(x) +#define delayMicroseconds(x) bcm2835_delayMicroseconds(x) +#endif + +#ifdef __cplusplus +extern "C" { +#endif + + /// \defgroup init Library initialisation and management + /// These functions allow you to intialise and control the bcm2835 library + /// @{ + + /// Initialise the library by opening /dev/mem and getting pointers to the + /// internal memory for BCM 2835 device registers. You must call this (successfully) + /// before calling any other + /// functions in this library (except bcm2835_set_debug). + /// If bcm2835_init() fails by returning 0, + /// calling any other function may result in crashes or other failures. + /// Prints messages to stderr in case of errors. + /// \return 1 if successful else 0 + extern int bcm2835_init(void); + + /// Close the library, deallocating any allocated memory and closing /dev/mem + /// \return 1 if successful else 0 + extern int bcm2835_close(void); + + /// Sets the debug level of the library. + /// A value of 1 prevents mapping to /dev/mem, and makes the library print out + /// what it would do, rather than accessing the GPIO registers. + /// A value of 0, the default, causes normal operation. + /// Call this before calling bcm2835_init(); + /// \param[in] debug The new debug level. 1 means debug + extern void bcm2835_set_debug(uint8_t debug); + + /// @} // end of init + + /// \defgroup lowlevel Low level register access + /// These functions provide low level register access, and should not generally + /// need to be used + /// + /// @{ + + /// Reads 32 bit value from a peripheral address + /// The read is done twice, and is therefore always safe in terms of + /// manual section 1.3 Peripheral access precautions for correct memory ordering + /// \param[in] paddr Physical address to read from. See BCM2835_GPIO_BASE etc. + /// \return the value read from the 32 bit register + /// \sa Physical Addresses + extern uint32_t bcm2835_peri_read(volatile uint32_t* paddr); + + + /// Reads 32 bit value from a peripheral address without the read barrier + /// You should only use this when your code has previously called bcm2835_peri_read() + /// within the same peripheral, and no other peripheral access has occurred since. + /// \param[in] paddr Physical address to read from. See BCM2835_GPIO_BASE etc. + /// \return the value read from the 32 bit register + /// \sa Physical Addresses + extern uint32_t bcm2835_peri_read_nb(volatile uint32_t* paddr); + + + /// Writes 32 bit value from a peripheral address + /// The write is done twice, and is therefore always safe in terms of + /// manual section 1.3 Peripheral access precautions for correct memory ordering + /// \param[in] paddr Physical address to read from. See BCM2835_GPIO_BASE etc. + /// \param[in] value The 32 bit value to write + /// \sa Physical Addresses + extern void bcm2835_peri_write(volatile uint32_t* paddr, uint32_t value); + + /// Writes 32 bit value from a peripheral address without the write barrier + /// You should only use this when your code has previously called bcm2835_peri_write() + /// within the same peripheral, and no other peripheral access has occurred since. + /// \param[in] paddr Physical address to read from. See BCM2835_GPIO_BASE etc. + /// \param[in] value The 32 bit value to write + /// \sa Physical Addresses + extern void bcm2835_peri_write_nb(volatile uint32_t* paddr, uint32_t value); + + /// Alters a number of bits in a 32 peripheral regsiter. + /// It reads the current valu and then alters the bits deines as 1 in mask, + /// according to the bit value in value. + /// All other bits that are 0 in the mask are unaffected. + /// Use this to alter a subset of the bits in a register. + /// The write is done twice, and is therefore always safe in terms of + /// manual section 1.3 Peripheral access precautions for correct memory ordering + /// \param[in] paddr Physical address to read from. See BCM2835_GPIO_BASE etc. + /// \param[in] value The 32 bit value to write, masked in by mask. + /// \param[in] mask Bitmask that defines the bits that will be altered in the register. + /// \sa Physical Addresses + extern void bcm2835_peri_set_bits(volatile uint32_t* paddr, uint32_t value, uint32_t mask); + /// @} // end of lowlevel + + /// \defgroup gpio GPIO register access + /// These functions allow you to control the GPIO interface. You can set the + /// function of each GPIO pin, read the input state and set the output state. + /// @{ + + /// Sets the Function Select register for the given pin, which configures + /// the pin as Input, Output or one of the 6 alternate functions. + /// \param[in] pin GPIO number, or one of RPI_GPIO_P1_* from RPiGPIOPin. + /// \param[in] mode Mode to set the pin to, one of BCM2835_GPIO_FSEL_* from \ref bcm2835FunctionSelect + extern void bcm2835_gpio_fsel(uint8_t pin, uint8_t mode); + + /// Sets the specified pin output to + /// HIGH. + /// \param[in] pin GPIO number, or one of RPI_GPIO_P1_* from \ref RPiGPIOPin. + /// \sa bcm2835_gpio_write() + extern void bcm2835_gpio_set(uint8_t pin); + + /// Sets the specified pin output to + /// LOW. + /// \param[in] pin GPIO number, or one of RPI_GPIO_P1_* from \ref RPiGPIOPin. + /// \sa bcm2835_gpio_write() + extern void bcm2835_gpio_clr(uint8_t pin); + + /// Sets any of the first 32 GPIO output pins specified in the mask to + /// HIGH. + /// \param[in] mask Mask of pins to affect. Use eg: (1 << RPI_GPIO_P1_03) | (1 << RPI_GPIO_P1_05) + /// \sa bcm2835_gpio_write_multi() + extern void bcm2835_gpio_set_multi(uint32_t mask); + + /// Sets any of the first 32 GPIO output pins specified in the mask to + /// LOW. + /// \param[in] mask Mask of pins to affect. Use eg: (1 << RPI_GPIO_P1_03) | (1 << RPI_GPIO_P1_05) + /// \sa bcm2835_gpio_write_multi() + extern void bcm2835_gpio_clr_multi(uint32_t mask); + + /// Reads the current level on the specified + /// pin and returns either HIGH or LOW. Works whether or not the pin + /// is an input or an output. + /// \param[in] pin GPIO number, or one of RPI_GPIO_P1_* from \ref RPiGPIOPin. + /// \return the current level either HIGH or LOW + extern uint8_t bcm2835_gpio_lev(uint8_t pin); + + /// Event Detect Status. + /// Tests whether the specified pin has detected a level or edge + /// as requested by bcm2835_gpio_ren(), bcm2835_gpio_fen(), bcm2835_gpio_hen(), + /// bcm2835_gpio_len(), bcm2835_gpio_aren(), bcm2835_gpio_afen(). + /// Clear the flag for a given pin by calling bcm2835_gpio_set_eds(pin); + /// \param[in] pin GPIO number, or one of RPI_GPIO_P1_* from \ref RPiGPIOPin. + /// \return HIGH if the event detect status for th given pin is true. + extern uint8_t bcm2835_gpio_eds(uint8_t pin); + + /// Sets the Event Detect Status register for a given pin to 1, + /// which has the effect of clearing the flag. Use this afer seeing + /// an Event Detect Status on the pin. + /// \param[in] pin GPIO number, or one of RPI_GPIO_P1_* from \ref RPiGPIOPin. + extern void bcm2835_gpio_set_eds(uint8_t pin); + + /// Enable Rising Edge Detect Enable for the specified pin. + /// When a rising edge is detected, sets the appropriate pin in Event Detect Status. + /// The GPRENn registers use + /// synchronous edge detection. This means the input signal is sampled using the + /// system clock and then it is looking for a ?011? pattern on the sampled signal. This + /// has the effect of suppressing glitches. + /// \param[in] pin GPIO number, or one of RPI_GPIO_P1_* from \ref RPiGPIOPin. + extern void bcm2835_gpio_ren(uint8_t pin); + + /// Disable Rising Edge Detect Enable for the specified pin. + /// \param[in] pin GPIO number, or one of RPI_GPIO_P1_* from \ref RPiGPIOPin. + extern void bcm2835_gpio_clr_ren(uint8_t pin); + + /// Enable Falling Edge Detect Enable for the specified pin. + /// When a falling edge is detected, sets the appropriate pin in Event Detect Status. + /// The GPRENn registers use + /// synchronous edge detection. This means the input signal is sampled using the + /// system clock and then it is looking for a ?100? pattern on the sampled signal. This + /// has the effect of suppressing glitches. + /// \param[in] pin GPIO number, or one of RPI_GPIO_P1_* from \ref RPiGPIOPin. + extern void bcm2835_gpio_fen(uint8_t pin); + + /// Disable Falling Edge Detect Enable for the specified pin. + /// \param[in] pin GPIO number, or one of RPI_GPIO_P1_* from \ref RPiGPIOPin. + extern void bcm2835_gpio_clr_fen(uint8_t pin); + + /// Enable High Detect Enable for the specified pin. + /// When a HIGH level is detected on the pin, sets the appropriate pin in Event Detect Status. + /// \param[in] pin GPIO number, or one of RPI_GPIO_P1_* from \ref RPiGPIOPin. + extern void bcm2835_gpio_hen(uint8_t pin); + + /// Disable High Detect Enable for the specified pin. + /// \param[in] pin GPIO number, or one of RPI_GPIO_P1_* from \ref RPiGPIOPin. + extern void bcm2835_gpio_clr_hen(uint8_t pin); + + /// Enable Low Detect Enable for the specified pin. + /// When a LOW level is detected on the pin, sets the appropriate pin in Event Detect Status. + /// \param[in] pin GPIO number, or one of RPI_GPIO_P1_* from \ref RPiGPIOPin. + extern void bcm2835_gpio_len(uint8_t pin); + + /// Disable Low Detect Enable for the specified pin. + /// \param[in] pin GPIO number, or one of RPI_GPIO_P1_* from \ref RPiGPIOPin. + extern void bcm2835_gpio_clr_len(uint8_t pin); + + /// Enable Asynchronous Rising Edge Detect Enable for the specified pin. + /// When a rising edge is detected, sets the appropriate pin in Event Detect Status. + /// Asynchronous means the incoming signal is not sampled by the system clock. As such + /// rising edges of very short duration can be detected. + /// \param[in] pin GPIO number, or one of RPI_GPIO_P1_* from \ref RPiGPIOPin. + extern void bcm2835_gpio_aren(uint8_t pin); + + /// Disable Asynchronous Rising Edge Detect Enable for the specified pin. + /// \param[in] pin GPIO number, or one of RPI_GPIO_P1_* from \ref RPiGPIOPin. + extern void bcm2835_gpio_clr_aren(uint8_t pin); + + /// Enable Asynchronous Falling Edge Detect Enable for the specified pin. + /// When a falling edge is detected, sets the appropriate pin in Event Detect Status. + /// Asynchronous means the incoming signal is not sampled by the system clock. As such + /// falling edges of very short duration can be detected. + /// \param[in] pin GPIO number, or one of RPI_GPIO_P1_* from \ref RPiGPIOPin. + extern void bcm2835_gpio_afen(uint8_t pin); + + /// Disable Asynchronous Falling Edge Detect Enable for the specified pin. + /// \param[in] pin GPIO number, or one of RPI_GPIO_P1_* from \ref RPiGPIOPin. + extern void bcm2835_gpio_clr_afen(uint8_t pin); + + /// Sets the Pull-up/down register for the given pin. This is + /// used with bcm2835_gpio_pudclk() to set the Pull-up/down resistor for the given pin. + /// However, it is usually more convenient to use bcm2835_gpio_set_pud(). + /// \param[in] pud The desired Pull-up/down mode. One of BCM2835_GPIO_PUD_* from bcm2835PUDControl + /// \sa bcm2835_gpio_set_pud() + extern void bcm2835_gpio_pud(uint8_t pud); + + /// Clocks the Pull-up/down value set earlier by bcm2835_gpio_pud() into the pin. + /// \param[in] pin GPIO number, or one of RPI_GPIO_P1_* from \ref RPiGPIOPin. + /// \param[in] on HIGH to clock the value from bcm2835_gpio_pud() into the pin. + /// LOW to remove the clock. + /// \sa bcm2835_gpio_set_pud() + extern void bcm2835_gpio_pudclk(uint8_t pin, uint8_t on); + + /// Reads and returns the Pad Control for the given GPIO group. + /// \param[in] group The GPIO pad group number, one of BCM2835_PAD_GROUP_GPIO_* + /// \return Mask of bits from BCM2835_PAD_* from \ref bcm2835PadGroup + extern uint32_t bcm2835_gpio_pad(uint8_t group); + + /// Sets the Pad Control for the given GPIO group. + /// \param[in] group The GPIO pad group number, one of BCM2835_PAD_GROUP_GPIO_* + /// \param[in] control Mask of bits from BCM2835_PAD_* from \ref bcm2835PadGroup + extern void bcm2835_gpio_set_pad(uint8_t group, uint32_t control); + + /// Delays for the specified number of milliseconds. + /// Uses nanosleep(), and therefore does not use CPU until the time is up. + /// However, you are at the mercy of nanosleep(). From the manual for nanosleep(): + /// If the interval specified in req is not an exact multiple of the granularity + /// underlying clock (see time(7)), then the interval will be + /// rounded up to the next multiple. Furthermore, after the sleep completes, + /// there may still be a delay before the CPU becomes free to once + /// again execute the calling thread. + /// \param[in] millis Delay in milliseconds + extern void bcm2835_delay (unsigned int millis); + + /// Delays for the specified number of microseconds. + /// Uses a combination of nanosleep() and a busy wait loop on the BCM2835 system timers, + /// However, you are at the mercy of nanosleep(). From the manual for nanosleep(): + /// If the interval specified in req is not an exact multiple of the granularity + /// underlying clock (see time(7)), then the interval will be + /// rounded up to the next multiple. Furthermore, after the sleep completes, + /// there may still be a delay before the CPU becomes free to once + /// again execute the calling thread. + /// For times less than about 450 microseconds, uses a busy wait on the System Timer. + /// It is reported that a delay of 0 microseconds on RaspberryPi will in fact + /// result in a delay of about 80 microseconds. Your mileage may vary. + /// \param[in] micros Delay in microseconds + extern void bcm2835_delayMicroseconds (uint64_t micros); + + /// Sets the output state of the specified pin + /// \param[in] pin GPIO number, or one of RPI_GPIO_P1_* from \ref RPiGPIOPin. + /// \param[in] on HIGH sets the output to HIGH and LOW to LOW. + extern void bcm2835_gpio_write(uint8_t pin, uint8_t on); + + /// Sets any of the first 32 GPIO output pins specified in the mask to the state given by on + /// \param[in] mask Mask of pins to affect. Use eg: (1 << RPI_GPIO_P1_03) | (1 << RPI_GPIO_P1_05) + /// \param[in] on HIGH sets the output to HIGH and LOW to LOW. + extern void bcm2835_gpio_write_multi(uint32_t mask, uint8_t on); + + /// Sets the first 32 GPIO output pins specified in the mask to the value given by value + /// \param[in] value values required for each bit masked in by mask, eg: (1 << RPI_GPIO_P1_03) | (1 << RPI_GPIO_P1_05) + /// \param[in] mask Mask of pins to affect. Use eg: (1 << RPI_GPIO_P1_03) | (1 << RPI_GPIO_P1_05) + extern void bcm2835_gpio_write_mask(uint32_t value, uint32_t mask); + + /// Sets the Pull-up/down mode for the specified pin. This is more convenient than + /// clocking the mode in with bcm2835_gpio_pud() and bcm2835_gpio_pudclk(). + /// \param[in] pin GPIO number, or one of RPI_GPIO_P1_* from \ref RPiGPIOPin. + /// \param[in] pud The desired Pull-up/down mode. One of BCM2835_GPIO_PUD_* from bcm2835PUDControl + extern void bcm2835_gpio_set_pud(uint8_t pin, uint8_t pud); + + /// @} + + /// \defgroup spi SPI access + /// These functions let you use SPI0 (Serial Peripheral Interface) to + /// interface with an external SPI device. + /// @{ + + /// Start SPI operations. + /// Forces RPi SPI0 pins P1-19 (MOSI), P1-21 (MISO), P1-23 (CLK), P1-24 (CE0) and P1-26 (CE1) + /// to alternate function ALT0, which enables those pins for SPI interface. + /// You should call bcm2835_spi_end() when all SPI funcitons are complete to return the pins to + /// their default functions + /// \sa bcm2835_spi_end() + extern void bcm2835_spi_begin(void); + + /// End SPI operations. + /// SPI0 pins P1-19 (MOSI), P1-21 (MISO), P1-23 (CLK), P1-24 (CE0) and P1-26 (CE1) + /// are returned to their default INPUT behaviour. + extern void bcm2835_spi_end(void); + + /// Sets the SPI bit order + /// NOTE: has no effect. Not supported by SPI0. + /// Defaults to + /// \param[in] order The desired bit order, one of BCM2835_SPI_BIT_ORDER_*, + /// see \ref bcm2835SPIBitOrder + extern void bcm2835_spi_setBitOrder(uint8_t order); + + /// Sets the SPI clock divider and therefore the + /// SPI clock speed. + /// \param[in] divider The desired SPI clock divider, one of BCM2835_SPI_CLOCK_DIVIDER_*, + /// see \ref bcm2835SPIClockDivider + extern void bcm2835_spi_setClockDivider(uint16_t divider); + + /// Sets the SPI data mode + /// Sets the clock polariy and phase + /// \param[in] mode The desired data mode, one of BCM2835_SPI_MODE*, + /// see \ref bcm2835SPIMode + extern void bcm2835_spi_setDataMode(uint8_t mode); + + /// Sets the chip select pin(s) + /// When an bcm2835_spi_transfer() is made, the selected pin(s) will be asserted during the + /// transfer. + /// \param[in] cs Specifies the CS pins(s) that are used to activate the desired slave. + /// One of BCM2835_SPI_CS*, see \ref bcm2835SPIChipSelect + extern void bcm2835_spi_chipSelect(uint8_t cs); + + /// Sets the chip select pin polarity for a given pin + /// When an bcm2835_spi_transfer() occurs, the currently selected chip select pin(s) + /// will be asserted to the + /// value given by active. When transfers are not happening, the chip select pin(s) + /// return to the complement (inactive) value. + /// \param[in] cs The chip select pin to affect + /// \param[in] active Whether the chip select pin is to be active HIGH + extern void bcm2835_spi_setChipSelectPolarity(uint8_t cs, uint8_t active); + + /// Transfers one byte to and from the currently selected SPI slave. + /// Asserts the currently selected CS pins (as previously set by bcm2835_spi_chipSelect) + /// during the transfer. + /// Clocks the 8 bit value out on MOSI, and simultaneously clocks in data from MISO. + /// Returns the read data byte from the slave. + /// Uses polled transfer as per section 10.6.1 of the BCM 2835 ARM Peripherls manual + /// \param[in] value The 8 bit data byte to write to MOSI + /// \return The 8 bit byte simultaneously read from MISO + /// \sa bcm2835_spi_transfern() + extern uint8_t bcm2835_spi_transfer(uint8_t value); + + /// Transfers any number of bytes to and from the currently selected SPI slave. + /// Asserts the currently selected CS pins (as previously set by bcm2835_spi_chipSelect) + /// during the transfer. + /// Clocks the len 8 bit bytes out on MOSI, and simultaneously clocks in data from MISO. + /// The data read read from the slave is placed into rbuf. rbuf must be at least len bytes long + /// Uses polled transfer as per section 10.6.1 of the BCM 2835 ARM Peripherls manual + /// \param[in] tbuf Buffer of bytes to send. + /// \param[out] rbuf Received bytes will by put in this buffer + /// \param[in] len Number of bytes in the tbuf buffer, and the number of bytes to send/received + /// \sa bcm2835_spi_transfer() + extern void bcm2835_spi_transfernb(char* tbuf, char* rbuf, uint32_t len); + + /// Transfers any number of bytes to and from the currently selected SPI slave + /// using bcm2835_spi_transfernb. + /// The returned data from the slave replaces the transmitted data in the buffer. + /// \param[in,out] buf Buffer of bytes to send. Received bytes will replace the contents + /// \param[in] len Number of bytes int eh buffer, and the number of bytes to send/received + /// \sa bcm2835_spi_transfer() + extern void bcm2835_spi_transfern(char* buf, uint32_t len); + + /// Transfers any number of bytes to the currently selected SPI slave. + /// Asserts the currently selected CS pins (as previously set by bcm2835_spi_chipSelect) + /// during the transfer. + /// \param[in] buf Buffer of bytes to send. + /// \param[in] len Number of bytes in the tbuf buffer, and the number of bytes to send + extern void bcm2835_spi_writenb(char* buf, uint32_t len); + + /// @} + + /// \defgroup i2c I2C access + /// These functions let you use I2C (The Broadcom Serial Control bus with the Philips + /// I2C bus/interface version 2.1 January 2000.) to interface with an external I2C device. + /// @{ + + /// Start I2C operations. + /// Forces RPi I2C pins P1-03 (SDA) and P1-05 (SCL) + /// to alternate function ALT0, which enables those pins for I2C interface. + /// You should call bcm2835_i2c_end() when all I2C functions are complete to return the pins to + /// their default functions + /// \sa bcm2835_i2c_end() + extern void bcm2835_i2c_begin(void); + + /// End I2C operations. + /// I2C pins P1-03 (SDA) and P1-05 (SCL) + /// are returned to their default INPUT behaviour. + extern void bcm2835_i2c_end(void); + + /// Sets the I2C slave address. + /// \param[in] addr The I2C slave address. + extern void bcm2835_i2c_setSlaveAddress(uint8_t addr); + + /// Sets the I2C clock divider and therefore the I2C clock speed. + /// \param[in] divider The desired I2C clock divider, one of BCM2835_I2C_CLOCK_DIVIDER_*, + /// see \ref bcm2835I2CClockDivider + extern void bcm2835_i2c_setClockDivider(uint16_t divider); + + /// Sets the I2C clock divider by converting the baudrate parameter to + /// the equivalent I2C clock divider. ( see \sa bcm2835_i2c_setClockDivider) + /// For the I2C standard 100khz you would set baudrate to 100000 + /// The use of baudrate corresponds to its use in the I2C kernel device + /// driver. (Of course, bcm2835 has nothing to do with the kernel driver) + extern void bcm2835_i2c_set_baudrate(uint32_t baudrate); + + /// Transfers any number of bytes to the currently selected I2C slave. + /// (as previously set by \sa bcm2835_i2c_setSlaveAddress) + /// \param[in] buf Buffer of bytes to send. + /// \param[in] len Number of bytes in the buf buffer, and the number of bytes to send. + /// \return reason see \ref bcm2835I2CReasonCodes + extern uint8_t bcm2835_i2c_write(const char * buf, uint32_t len); + + /// Transfers any number of bytes from the currently selected I2C slave. + /// (as previously set by \sa bcm2835_i2c_setSlaveAddress) + /// \param[in] buf Buffer of bytes to receive. + /// \param[in] len Number of bytes in the buf buffer, and the number of bytes to received. + /// \return reason see \ref bcm2835I2CReasonCodes + extern uint8_t bcm2835_i2c_read(char* buf, uint32_t len); + + /// Allows reading from I2C slaves that require a repeated start (without any prior stop) + /// to read after the required slave register has been set. For example, the popular + /// MPL3115A2 pressure and temperature sensor. Note that your device must support or + /// require this mode. If your device does not require this mode then the standard + /// combined: + /// \sa bcm2835_i2c_write + /// \sa bcm2835_i2c_read + /// are a better choice. + /// Will read from the slave previously set by \sa bcm2835_i2c_setSlaveAddress + /// \param[in] regaddr Buffer containing the slave register you wish to read from. + /// \param[in] buf Buffer of bytes to receive. + /// \param[in] len Number of bytes in the buf buffer, and the number of bytes to received. + /// \return reason see \ref bcm2835I2CReasonCodes + extern uint8_t bcm2835_i2c_read_register_rs(char* regaddr, char* buf, uint32_t len); + + /// @} + + /// \defgroup st System Timer access + /// Allows access to and delays using the System Timer Counter. + /// @{ + + /// Read the System Timer Counter register. + /// \return the value read from the System Timer Counter Lower 32 bits register + uint64_t bcm2835_st_read(void); + + /// Delays for the specified number of microseconds with offset. + /// \param[in] offset_micros Offset in microseconds + /// \param[in] micros Delay in microseconds + extern void bcm2835_st_delay(uint64_t offset_micros, uint64_t micros); + + /// @} + +#ifdef __cplusplus +} +#endif + +#endif // BCM2835_H + +/// @example blink.c +/// Blinks RPi GPIO pin 11 on and off + +/// @example input.c +/// Reads the state of an RPi input pin + +/// @example event.c +/// Shows how to use event detection on an input pin + +/// @example spi.c +/// Shows how to use SPI interface to transfer a byte to and from an SPI device + +/// @example spin.c +/// Shows how to use SPI interface to transfer a number of bytes to and from an SPI device diff --git a/samples/C++/libcanister.h b/samples/C++/libcanister.h new file mode 100644 index 00000000..b7d82a52 --- /dev/null +++ b/samples/C++/libcanister.h @@ -0,0 +1,138 @@ +#ifndef LIBCANIH +#define LIBCANIH +#include +#include +#include +#include + +#define int64 unsigned long long +//#define DEBUG + +#ifdef DEBUG +#define dout cout +#else +#define dout if (0) cerr +#endif + +using namespace std; + +namespace libcanister +{ + + //the canmem object is a generic memory container used commonly + //throughout the canister framework to hold memory of uncertain + //length which may or may not contain null bytes. + class canmem + { + public: + char* data; //the raw memory block + int size; //the absolute length of the block + canmem(); //creates an unallocated canmem + canmem(int allocsize); //creates an allocated, blank canmem of size + canmem(char* strdata); //automates the creation of zero-limited canmems + ~canmem(); //cleans up the canmem + void zeromem(); //overwrites this canmem + void fragmem(); //overwrites this canmem with fragment notation + void countlen(); //counts length of zero-limited strings and stores it in size + void trim(); //removes any nulls from the end of the string + static canmem null(); //returns a singleton null canmem + + }; + + //contains information about the canister + class caninfo + { + public: + canmem path; //physical path + canmem internalname; //a name for the canister + int numfiles; //the number of files in the canister + }; + + //necessary for the use of this class as a type in canfile + class canister; + + //this object holds the definition of a 'file' within the + //canister 'filesystem.' + class canfile + { + public: + libcanister::canister* parent; //the canister that holds this file + canmem path; //internal path ('filename') + canmem data; //the file's decompressed contents + int isfrag; //0 = probably not fragment, 1 = definitely a fragment (ignore) + int cfid; //'canfile id' -- a unique ID for this file + int64 dsize; //ondisk size (compressed form size) + int cachestate; //0 = not in memory, 1 = in memory, 2 = in memory and needs flush + //-1 = error, check the data for the message + void cache(); //pull the file from disk and cache it in memory + void cachedump(); //deletes the contents of this file from the memory cache after assuring the on disk copy is up to date + void cachedumpfinal(fstream& infile); //same as cachedump, but more efficient during closing procedures + void flush(); //updates the on disk copy, but retains the memory cache + }; + + //the primary class + //this defines and controls a single canister + class canister + { + //table of contents + //absolutely worthless to the control code in the canister + //but quite useful to programs using the API, as they may + //desire to enumerate the files in a canister for a user's + //use or for their own. + //contains a newline-delimited list of files in the container. + canfile TOC; + public: + caninfo info; //the general info about this canister + + //the raw canfiles -- recommended that programs do not modify + //these files directly, but not enforced. + canfile* files; + bool readonly; //if true then no write routines will do anything + + //maximum number of files to have in memory at any given + //time, change this to whatever suits your application. + int cachemax; + int cachecnt; //number of files in the cache (should not be modified) + + //both initialize the canister from a physical location + canister (canmem fspath); + canister (char* fspath); + + //destroys the canister (after flushing the modded buffers, of course) + ~canister(); + + //open the fspath + //does it exist? + // | --- yes --- opening it (return 1) + // | --- yes --- file is corrupted, halting (return -1) + // | --- no --- making a new one (return 0) + int open(); + + //close the canister, flush all buffers, clean up + int close(); + + //deletes the file at path inside this canister + int delFile(canmem path); + + //pulls the contents of the file from disk or memory and returns it as a file + canfile getFile(canmem path); + + //creates a file if it does not exist, otherwise overwrites + //returns whether operation succeeded + bool writeFile(canmem path, canmem data); + bool writeFile(canfile file); + + //get the 'table of contents', a file containing a newline delimited + //list of the file paths in the container which have contents + canfile getTOC(); + + //brings the cache back within the cachemax limit + //important: sCFID is the safe CFID + //(the CFID of the file we want to avoid uncaching) + //really just used internally, but it can't do any harm. + void cacheclean(int sCFID, bool dFlush = false); + }; + +} + +#endif \ No newline at end of file diff --git a/samples/C++/metrics.h b/samples/C++/metrics.h new file mode 100644 index 00000000..b6da859d --- /dev/null +++ b/samples/C++/metrics.h @@ -0,0 +1,92 @@ +// Copyright 2011 Google Inc. All Rights Reserved. +// +// Licensed under the Apache License, Version 2.0 (the "License"); +// you may not use this file except in compliance with the License. +// You may obtain a copy of the License at +// +// http://www.apache.org/licenses/LICENSE-2.0 +// +// Unless required by applicable law or agreed to in writing, software +// distributed under the License is distributed on an "AS IS" BASIS, +// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +// See the License for the specific language governing permissions and +// limitations under the License. + +#ifndef NINJA_METRICS_H_ +#define NINJA_METRICS_H_ + +#include +#include +using namespace std; + +#include "util.h" // For int64_t. + +/// The Metrics module is used for the debug mode that dumps timing stats of +/// various actions. To use, see METRIC_RECORD below. + +/// A single metrics we're tracking, like "depfile load time". +struct Metric { + string name; + /// Number of times we've hit the code path. + int count; + /// Total time (in micros) we've spent on the code path. + int64_t sum; +}; + + +/// A scoped object for recording a metric across the body of a function. +/// Used by the METRIC_RECORD macro. +struct ScopedMetric { + explicit ScopedMetric(Metric* metric); + ~ScopedMetric(); + +private: + Metric* metric_; + /// Timestamp when the measurement started. + /// Value is platform-dependent. + int64_t start_; +}; + +/// The singleton that stores metrics and prints the report. +struct Metrics { + Metric* NewMetric(const string& name); + + /// Print a summary report to stdout. + void Report(); + +private: + vector metrics_; +}; + +/// Get the current time as relative to some epoch. +/// Epoch varies between platforms; only useful for measuring elapsed time. +int64_t GetTimeMillis(); + +/// A simple stopwatch which returns the time +/// in seconds since Restart() was called. +struct Stopwatch { + public: + Stopwatch() : started_(0) {} + + /// Seconds since Restart() call. + double Elapsed() const { + return 1e-6 * static_cast(Now() - started_); + } + + void Restart() { started_ = Now(); } + + private: + uint64_t started_; + uint64_t Now() const; +}; + +/// The primary interface to metrics. Use METRIC_RECORD("foobar") at the top +/// of a function to get timing stats recorded for each call of the function. +#define METRIC_RECORD(name) \ + static Metric* metrics_h_metric = \ + g_metrics ? g_metrics->NewMetric(name) : NULL; \ + ScopedMetric metrics_h_scoped(metrics_h_metric); + +extern Metrics* g_metrics; + +#endif // NINJA_METRICS_H_ diff --git a/samples/C++/render_adapter.cpp b/samples/C++/render_adapter.cpp new file mode 100644 index 00000000..4a18f6f6 --- /dev/null +++ b/samples/C++/render_adapter.cpp @@ -0,0 +1,6 @@ +#include + +namespace Gui +{ + +} diff --git a/samples/C++/rpc.h b/samples/C++/rpc.h new file mode 100644 index 00000000..ce810992 --- /dev/null +++ b/samples/C++/rpc.h @@ -0,0 +1,26 @@ +// Copyright (C) 2013 Simon Que +// +// This file is part of DuinoCube. +// +// DuinoCube is free software: you can redistribute it and/or modify +// it under the terms of the GNU Lesser General Public License as published by +// the Free Software Foundation, either version 3 of the License, or +// (at your option) any later version. +// +// DuinoCube is distributed in the hope that it will be useful, +// but WITHOUT ANY WARRANTY; without even the implied warranty of +// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +// GNU Lesser General Public License for more details. +// +// You should have received a copy of the GNU Lesser General Public License +// along with DuinoCube. If not, see . + +// DuinoCube remote procedure call functions. + +#include + +// Initializes RPC system. +void rpc_init(); + +// Runs the RPC server loop forever. +void rpc_server_loop(); diff --git a/samples/C/bootstrap.h b/samples/C/bootstrap.h new file mode 100644 index 00000000..8c29de82 --- /dev/null +++ b/samples/C/bootstrap.h @@ -0,0 +1,102 @@ +#ifndef BOOTSTRAP_H +#define BOOTSTRAP_H + +#include +#include "cxrs.h" + +/* If we're not using GNU C, elide __attribute__ */ +#ifndef __GNUC__ +# define __attribute__(x) /*NOTHING*/ +#endif + +typedef struct object object; + +object *true; +object *false; +object *eof; +object *empty_list; +object *global_enviroment; + +enum obj_type { + scm_bool, + scm_empty_list, + scm_eof, + scm_char, + scm_int, + scm_pair, + scm_symbol, + scm_prim_fun, + scm_lambda, + scm_str, + scm_file +}; + +typedef object *(*prim_proc)(object *args); + +object *read(FILE *in); +object *eval(object *code, object *env); +void print(FILE *out, object *obj, int display); + +int check_type(enum obj_type type, object *obj, int err_on_false); + +static inline int is_true(object *obj) +{ + return obj != false; +} + +object *make_int(int value); +int obj2int(object *i); + +object *make_bool(int value); +int obj2bool(object *b); + +object *make_char(char c); +char obj2char(object *ch); + +object *make_str(char *str); +char *obj2str(object *str); + +object *cons(object *car, object *cdr); +object *car(object *pair); +object *cdr(object *pair); +void set_car(object *pair, object *new); +void set_cdr(object *pair, object *new); + +object *make_symbol(char *name); +char *sym2str(object *sym); +object *get_symbol(char *name) __attribute__((pure)); + +object *make_prim_fun(prim_proc fun); +prim_proc obj2prim_proc(object *proc); + +object *make_lambda(object *args, object *code, object *env); +object *lambda_code(object *lambda); +object *lambda_args(object *lambda); + +object *make_port(FILE *handle, int direction); +int port_direction(object *port); +FILE *port_handle(object *port); +void set_port_handle_to_null(object *port); + +/*both of these should never be called*/ +object *apply_proc(object *); +object *eval_proc(object *); + + +object *maybe_add_begin(object *code); + +void init_enviroment(object *env); + + +void eval_err(char *msg, object *code) __attribute__((noreturn)); + +void define_var(object *var, object *val, object *env); +void set_var(object *var, object *val, object *env); +object *get_var(object *var, object *env); + +object *cond2nested_if(object *cond); +object *let2lambda(object *let); +object *and2nested_if(object *and); +object *or2nested_if(object *or); + +#endif /*include guard*/ diff --git a/samples/C/dynarray.cats b/samples/C/dynarray.cats new file mode 100644 index 00000000..95ee54ba --- /dev/null +++ b/samples/C/dynarray.cats @@ -0,0 +1,56 @@ +/* ******************************************************************* */ +/* */ +/* Applied Type System */ +/* */ +/* ******************************************************************* */ + +/* +** ATS/Postiats - Unleashing the Potential of Types! +** Copyright (C) 2011-20?? Hongwei Xi, ATS Trustful Software, Inc. +** All rights reserved +** +** ATS is free software; you can redistribute it and/or modify it under +** the terms of the GNU GENERAL PUBLIC LICENSE (GPL) as published by the +** Free Software Foundation; either version 3, or (at your option) any +** later version. +** +** ATS is distributed in the hope that it will be useful, but WITHOUT ANY +** WARRANTY; without even the implied warranty of MERCHANTABILITY or +** FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License +** for more details. +** +** You should have received a copy of the GNU General Public License +** along with ATS; see the file COPYING. If not, please write to the +** Free Software Foundation, 51 Franklin Street, Fifth Floor, Boston, MA +** 02110-1301, USA. +*/ + +/* ****** ****** */ + +/* +(* Author: Hongwei Xi *) +(* Authoremail: hwxi AT cs DOT bu DOT edu *) +(* Start time: March, 2013 *) +*/ + +/* ****** ****** */ + +#ifndef ATSHOME_LIBATS_DYNARRAY_CATS +#define ATSHOME_LIBATS_DYNARRAY_CATS + +/* ****** ****** */ + +#include + +/* ****** ****** */ + +#define atslib_dynarray_memcpy memcpy +#define atslib_dynarray_memmove memmove + +/* ****** ****** */ + +#endif // ifndef ATSHOME_LIBATS_DYNARRAY_CATS + +/* ****** ****** */ + +/* end of [dynarray.cats] */ diff --git a/samples/C/readline.cats b/samples/C/readline.cats new file mode 100644 index 00000000..3fad326b --- /dev/null +++ b/samples/C/readline.cats @@ -0,0 +1,47 @@ +/* +** API in ATS for GNU-readline +*/ + +/* ****** ****** */ + +/* +** Permission to use, copy, modify, and distribute this software for any +** purpose with or without fee is hereby granted, provided that the above +** copyright notice and this permission notice appear in all copies. +** +** THE SOFTWARE IS PROVIDED "AS IS" AND THE AUTHOR DISCLAIMS ALL WARRANTIES +** WITH REGARD TO THIS SOFTWARE INCLUDING ALL IMPLIED WARRANTIES OF +** MERCHANTABILITY AND FITNESS. IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR +** ANY SPECIAL, DIRECT, INDIRECT, OR CONSEQUENTIAL DAMAGES OR ANY DAMAGES +** WHATSOEVER RESULTING FROM LOSS OF USE, DATA OR PROFITS, WHETHER IN AN +** ACTION OF CONTRACT, NEGLIGENCE OR OTHER TORTIOUS ACTION, ARISING OUT OF +** OR IN CONNECTION WITH THE USE OR PERFORMANCE OF THIS SOFTWARE. +*/ + +/* ****** ****** */ + +#ifndef READLINE_READLINE_CATS +#define READLINE_READLINE_CATS + +/* ****** ****** */ + +#include + +/* ****** ****** */ +// +#define \ +atscntrb_readline_rl_library_version() ((char*)rl_library_version) +// +#define atscntrb_readline_rl_readline_version() (rl_readline_version) +// +/* ****** ****** */ + +#define atscntrb_readline_readline readline + +/* ****** ****** */ + +#endif // ifndef READLINE_READLINE_CATS + +/* ****** ****** */ + +/* end of [readline.cats] */ diff --git a/samples/Cirru/array.cirru b/samples/Cirru/array.cirru new file mode 100644 index 00000000..9375c650 --- /dev/null +++ b/samples/Cirru/array.cirru @@ -0,0 +1,12 @@ + +print $ array + int 1 + string 2 + +print $ array + int 1 + array + int 2 + string 3 + array + string 4 \ No newline at end of file diff --git a/samples/Cirru/block.cirru b/samples/Cirru/block.cirru new file mode 100644 index 00000000..a9bf0c83 --- /dev/null +++ b/samples/Cirru/block.cirru @@ -0,0 +1,7 @@ + +set f $ block (a b c) + print a b c + +call f (int 1) (int 2) (int 3) + +f (int 1) (int 2) (int 3) \ No newline at end of file diff --git a/samples/Cirru/bool.cirru b/samples/Cirru/bool.cirru new file mode 100644 index 00000000..686d132e --- /dev/null +++ b/samples/Cirru/bool.cirru @@ -0,0 +1,7 @@ + +print $ bool true +print $ bool false +print $ bool yes +print $ bool no +print $ bool 1 +print $ bool 0 \ No newline at end of file diff --git a/samples/Cirru/map.cirru b/samples/Cirru/map.cirru new file mode 100644 index 00000000..5f445668 --- /dev/null +++ b/samples/Cirru/map.cirru @@ -0,0 +1,14 @@ + +print $ map + a $ int 5 + b $ array (int 1) (int 2) + c $ map + int 1 + array (int 4) + +set m $ map + a $ int 1 + +set m b $ int 2 + +print m \ No newline at end of file diff --git a/samples/Cirru/number.cirru b/samples/Cirru/number.cirru new file mode 100644 index 00000000..56e0ac7d --- /dev/null +++ b/samples/Cirru/number.cirru @@ -0,0 +1,3 @@ + +print $ int 1 +print $ float 1.2 \ No newline at end of file diff --git a/samples/Cirru/require.cirru b/samples/Cirru/require.cirru new file mode 100644 index 00000000..53283468 --- /dev/null +++ b/samples/Cirru/require.cirru @@ -0,0 +1,2 @@ + +require ./stdio.cr diff --git a/samples/Cirru/scope.cirru b/samples/Cirru/scope.cirru new file mode 100644 index 00000000..9a6512c9 --- /dev/null +++ b/samples/Cirru/scope.cirru @@ -0,0 +1,23 @@ + +set a (int 2) + +print (self) + +set c (child) + +under c + under parent + print a + +print $ get c a + +set c x (int 3) +print $ get c x + +set just-print $ code + print a + +print just-print + +eval (self) just-print +eval just-print \ No newline at end of file diff --git a/samples/Cirru/stdio.cirru b/samples/Cirru/stdio.cirru new file mode 100644 index 00000000..ef5400e6 --- /dev/null +++ b/samples/Cirru/stdio.cirru @@ -0,0 +1,55 @@ + +set a $ string 1 +print a + +print (string 1) + +print nothing + +print + map + a (int 4) + b $ map + a $ int 5 + b $ int 6 + c $ map + int 7 + +print + array + int 1 + int 2 + array + int 3 + int 4 + +print + array + int 1 + map + a $ int 2 + b $ array + int 3 + +print + int 1 + int 2 + +print $ code + set a 1 + print (get a) + print $ array + int a + array + int a + +set container (map) +set container code $ code + set a 1 + print (get a) + print $ array + int a + array + int a + +print container \ No newline at end of file diff --git a/samples/Cirru/string.cirru b/samples/Cirru/string.cirru new file mode 100644 index 00000000..d4c4331b --- /dev/null +++ b/samples/Cirru/string.cirru @@ -0,0 +1,3 @@ + +print $ string a +print $ string "a b" \ No newline at end of file diff --git a/samples/Dart/point.dart b/samples/Dart/point.dart index 5bb74b29..ee91239b 100644 --- a/samples/Dart/point.dart +++ b/samples/Dart/point.dart @@ -1,15 +1,19 @@ +import 'dart:math' as math; + class Point { + num x, y; + Point(this.x, this.y); - distanceTo(Point other) { + + num distanceTo(Point other) { var dx = x - other.x; var dy = y - other.y; - return Math.sqrt(dx * dx + dy * dy); + return math.sqrt(dx * dx + dy * dy); } - var x, y; } -main() { - Point p = new Point(2, 3); - Point q = new Point(3, 4); +void main() { + var p = new Point(2, 3); + var q = new Point(3, 4); print('distance from p to q = ${p.distanceTo(q)}'); } diff --git a/samples/Game Maker Language/ClientBeginStep.gml b/samples/Game Maker Language/ClientBeginStep.gml new file mode 100644 index 00000000..64d14110 --- /dev/null +++ b/samples/Game Maker Language/ClientBeginStep.gml @@ -0,0 +1,642 @@ +/* + Originally from /Source/gg2/Scripts/Client/ClientBeginStep.gml in Gang Garrison 2 + + Copyright (C) 2008-2013 Faucet Software + http://www.ganggarrison.com + + This program is free software; + you can redistribute it and/or modify it under the terms of the GNU General Public License + as published by the Free Software Foundation; either version 3 of the License, or (at your option) + any later version. + This program is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; + without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. + See the GNU General Public License for more details. + You should have received a copy of the GNU General Public License along with this program; if not, + see . + + Additional permission under GNU GPL version 3 section 7 + If you modify this Program, or any covered work, by linking or combining it with the Game Maker runtime library, + the 39dll library/extension, Hobbel's Download Manager DLL, or modified versions of these libraries, + the licensors of this Program grant you additional permission to convey the resulting work. +*/ + +// receive and interpret the server's message(s) +var i, playerObject, playerID, player, otherPlayerID, otherPlayer, sameVersion, buffer, plugins, pluginsRequired, usePlugins; + +if(tcp_eof(global.serverSocket)) { + if(gotServerHello) + show_message("You have been disconnected from the server."); + else + show_message("Unable to connect to the server."); + instance_destroy(); + exit; +} + +if(room == DownloadRoom and keyboard_check(vk_escape)) +{ + instance_destroy(); + exit; +} + +if(downloadingMap) +{ + while(tcp_receive(global.serverSocket, min(1024, downloadMapBytes-buffer_size(downloadMapBuffer)))) + { + write_buffer(downloadMapBuffer, global.serverSocket); + if(buffer_size(downloadMapBuffer) == downloadMapBytes) + { + write_buffer_to_file(downloadMapBuffer, "Maps/" + downloadMapName + ".png"); + downloadingMap = false; + buffer_destroy(downloadMapBuffer); + downloadMapBuffer = -1; + exit; + } + } + exit; +} + +roomchange = false; +do { + if(tcp_receive(global.serverSocket,1)) { + switch(read_ubyte(global.serverSocket)) { + case HELLO: + gotServerHello = true; + global.joinedServerName = receivestring(global.serverSocket, 1); + downloadMapName = receivestring(global.serverSocket, 1); + advertisedMapMd5 = receivestring(global.serverSocket, 1); + receiveCompleteMessage(global.serverSocket, 1, global.tempBuffer); + pluginsRequired = read_ubyte(global.tempBuffer); + plugins = receivestring(global.serverSocket, 1); + if(string_pos("/", downloadMapName) != 0 or string_pos("\", downloadMapName) != 0) + { + show_message("Server sent illegal map name: "+downloadMapName); + instance_destroy(); + exit; + } + + if (!noReloadPlugins && string_length(plugins)) + { + usePlugins = pluginsRequired || !global.serverPluginsPrompt; + if (global.serverPluginsPrompt) + { + var prompt; + if (pluginsRequired) + { + prompt = show_question( + "This server requires the following plugins to play on it: " + + string_replace_all(plugins, ",", "#") + + '#They are downloaded from the source: "' + + PLUGIN_SOURCE + + '"#The source states: "' + + PLUGIN_SOURCE_NOTICE + + '"#Do you wish to download them and continue connecting?' + ); + if (!prompt) + { + instance_destroy(); + exit; + } + } + else + { + prompt = show_question( + "This server suggests the following optional plugins to play on it: " + + string_replace_all(plugins, ",", "#") + + '#They are downloaded from the source: "' + + PLUGIN_SOURCE + + '"#The source states: "' + + PLUGIN_SOURCE_NOTICE + + '"#Do you wish to download them and use them?' + ); + if (prompt) + { + usePlugins = true; + } + } + } + if (usePlugins) + { + if (!loadserverplugins(plugins)) + { + show_message("Error ocurred loading server-sent plugins."); + instance_destroy(); + exit; + } + global.serverPluginsInUse = true; + } + } + noReloadPlugins = false; + + if(advertisedMapMd5 != "") + { + var download; + download = not file_exists("Maps/" + downloadMapName + ".png"); + if(!download and CustomMapGetMapMD5(downloadMapName) != advertisedMapMd5) + { + if(show_question("The server's copy of the map (" + downloadMapName + ") differs from ours.#Would you like to download this server's version of the map?")) + download = true; + else + { + instance_destroy(); + exit; + } + } + + if(download) + { + write_ubyte(global.serverSocket, DOWNLOAD_MAP); + socket_send(global.serverSocket); + receiveCompleteMessage(global.serverSocket,4,global.tempBuffer); + downloadMapBytes = read_uint(global.tempBuffer); + downloadMapBuffer = buffer_create(); + downloadingMap = true; + roomchange=true; + } + } + ClientPlayerJoin(global.serverSocket); + if(global.rewardKey != "" and global.rewardId != "") + { + var rewardId; + rewardId = string_copy(global.rewardId, 0, 255); + write_ubyte(global.serverSocket, REWARD_REQUEST); + write_ubyte(global.serverSocket, string_length(rewardId)); + write_string(global.serverSocket, rewardId); + } + if(global.queueJumping == true) + { + write_ubyte(global.serverSocket, CLIENT_SETTINGS); + write_ubyte(global.serverSocket, global.queueJumping); + } + socket_send(global.serverSocket); + break; + + case JOIN_UPDATE: + receiveCompleteMessage(global.serverSocket,2,global.tempBuffer); + global.playerID = read_ubyte(global.tempBuffer); + global.currentMapArea = read_ubyte(global.tempBuffer); + break; + + case FULL_UPDATE: + deserializeState(FULL_UPDATE); + break; + + case QUICK_UPDATE: + deserializeState(QUICK_UPDATE); + break; + + case CAPS_UPDATE: + deserializeState(CAPS_UPDATE); + break; + + case INPUTSTATE: + deserializeState(INPUTSTATE); + break; + + case PLAYER_JOIN: + player = instance_create(0,0,Player); + player.name = receivestring(global.serverSocket, 1); + + ds_list_add(global.players, player); + if(ds_list_size(global.players)-1 == global.playerID) { + global.myself = player; + instance_create(0,0,PlayerControl); + } + break; + + case PLAYER_LEAVE: + // Delete player from the game, adjust own ID accordingly + receiveCompleteMessage(global.serverSocket,1,global.tempBuffer); + playerID = read_ubyte(global.tempBuffer); + player = ds_list_find_value(global.players, playerID); + removePlayer(player); + if(playerID < global.playerID) { + global.playerID -= 1; + } + break; + + case PLAYER_DEATH: + var causeOfDeath, assistantPlayerID, assistantPlayer; + receiveCompleteMessage(global.serverSocket,4,global.tempBuffer); + playerID = read_ubyte(global.tempBuffer); + otherPlayerID = read_ubyte(global.tempBuffer); + assistantPlayerID = read_ubyte(global.tempBuffer); + causeOfDeath = read_ubyte(global.tempBuffer); + + player = ds_list_find_value(global.players, playerID); + + otherPlayer = noone; + if(otherPlayerID != 255) + otherPlayer = ds_list_find_value(global.players, otherPlayerID); + + assistantPlayer = noone; + if(assistantPlayerID != 255) + assistantPlayer = ds_list_find_value(global.players, assistantPlayerID); + + doEventPlayerDeath(player, otherPlayer, assistantPlayer, causeOfDeath); + break; + + case BALANCE: + receiveCompleteMessage(global.serverSocket,1,global.tempBuffer); + balanceplayer=read_ubyte(global.tempBuffer); + if balanceplayer == 255 { + if !instance_exists(Balancer) instance_create(x,y,Balancer); + with(Balancer) notice=0; + } else { + player = ds_list_find_value(global.players, balanceplayer); + if(player.object != -1) { + with(player.object) { + instance_destroy(); + } + player.object = -1; + } + if(player.team==TEAM_RED) { + player.team = TEAM_BLUE; + } else { + player.team = TEAM_RED; + } + if !instance_exists(Balancer) instance_create(x,y,Balancer); + Balancer.name=player.name; + with (Balancer) notice=1; + } + break; + + case PLAYER_CHANGETEAM: + receiveCompleteMessage(global.serverSocket,2,global.tempBuffer); + player = ds_list_find_value(global.players, read_ubyte(global.tempBuffer)); + if(player.object != -1) { + with(player.object) { + instance_destroy(); + } + player.object = -1; + } + player.team = read_ubyte(global.tempBuffer); + break; + + case PLAYER_CHANGECLASS: + receiveCompleteMessage(global.serverSocket,2,global.tempBuffer); + player = ds_list_find_value(global.players, read_ubyte(global.tempBuffer)); + if(player.object != -1) { + with(player.object) { + instance_destroy(); + } + player.object = -1; + } + player.class = read_ubyte(global.tempBuffer); + break; + + case PLAYER_CHANGENAME: + receiveCompleteMessage(global.serverSocket,1,global.tempBuffer); + player = ds_list_find_value(global.players, read_ubyte(global.tempBuffer)); + player.name = receivestring(global.serverSocket, 1); + if player=global.myself { + global.playerName=player.name + } + break; + + case PLAYER_SPAWN: + receiveCompleteMessage(global.serverSocket,3,global.tempBuffer); + player = ds_list_find_value(global.players, read_ubyte(global.tempBuffer)); + doEventSpawn(player, read_ubyte(global.tempBuffer), read_ubyte(global.tempBuffer)); + break; + + case CHAT_BUBBLE: + var bubbleImage; + receiveCompleteMessage(global.serverSocket,2,global.tempBuffer); + player = ds_list_find_value(global.players, read_ubyte(global.tempBuffer)); + setChatBubble(player, read_ubyte(global.tempBuffer)); + break; + + case BUILD_SENTRY: + receiveCompleteMessage(global.serverSocket,6,global.tempBuffer); + player = ds_list_find_value(global.players, read_ubyte(global.tempBuffer)); + buildSentry(player, read_ushort(global.tempBuffer)/5, read_ushort(global.tempBuffer)/5, read_byte(global.tempBuffer)); + break; + + case DESTROY_SENTRY: + receiveCompleteMessage(global.serverSocket,4,global.tempBuffer); + playerID = read_ubyte(global.tempBuffer); + otherPlayerID = read_ubyte(global.tempBuffer); + assistantPlayerID = read_ubyte(global.tempBuffer); + causeOfDeath = read_ubyte(global.tempBuffer); + + player = ds_list_find_value(global.players, playerID); + if(otherPlayerID == 255) { + doEventDestruction(player, noone, noone, causeOfDeath); + } else { + otherPlayer = ds_list_find_value(global.players, otherPlayerID); + if (assistantPlayerID == 255) { + doEventDestruction(player, otherPlayer, noone, causeOfDeath); + } else { + assistantPlayer = ds_list_find_value(global.players, assistantPlayerID); + doEventDestruction(player, otherPlayer, assistantPlayer, causeOfDeath); + } + } + break; + + case GRAB_INTEL: + receiveCompleteMessage(global.serverSocket,1,global.tempBuffer); + player = ds_list_find_value(global.players, read_ubyte(global.tempBuffer)); + doEventGrabIntel(player); + break; + + case SCORE_INTEL: + receiveCompleteMessage(global.serverSocket,1,global.tempBuffer); + player = ds_list_find_value(global.players, read_ubyte(global.tempBuffer)); + doEventScoreIntel(player); + break; + + case DROP_INTEL: + receiveCompleteMessage(global.serverSocket,1,global.tempBuffer); + player = ds_list_find_value(global.players, read_ubyte(global.tempBuffer)); + doEventDropIntel(player); + break; + + case RETURN_INTEL: + receiveCompleteMessage(global.serverSocket,1,global.tempBuffer); + doEventReturnIntel(read_ubyte(global.tempBuffer)); + break; + + case GENERATOR_DESTROY: + receiveCompleteMessage(global.serverSocket,1,global.tempBuffer); + team = read_ubyte(global.tempBuffer); + doEventGeneratorDestroy(team); + break; + + case UBER_CHARGED: + receiveCompleteMessage(global.serverSocket,1,global.tempBuffer); + player = ds_list_find_value(global.players, read_ubyte(global.tempBuffer)); + doEventUberReady(player); + break; + + case UBER: + receiveCompleteMessage(global.serverSocket,1,global.tempBuffer); + player = ds_list_find_value(global.players, read_ubyte(global.tempBuffer)); + doEventUber(player); + break; + + case OMNOMNOMNOM: + receiveCompleteMessage(global.serverSocket,1,global.tempBuffer); + player = ds_list_find_value(global.players, read_ubyte(global.tempBuffer)); + if(player.object != -1) { + with(player.object) { + omnomnomnom=true; + if(hp < 200) + { + canEat = false; + alarm[6] = eatCooldown; //10 second cooldown + } + if(player.team == TEAM_RED) { + omnomnomnomindex=0; + omnomnomnomend=31; + } else if(player.team==TEAM_BLUE) { + omnomnomnomindex=32; + omnomnomnomend=63; + } + xscale=image_xscale; + } + } + break; + + case TOGGLE_ZOOM: + receiveCompleteMessage(global.serverSocket,1,global.tempBuffer); + player = ds_list_find_value(global.players, read_ubyte(global.tempBuffer)); + if player.object != -1 { + toggleZoom(player.object); + } + break; + + case PASSWORD_REQUEST: + if(!usePreviousPwd) + global.clientPassword = get_string("Enter Password:", ""); + write_ubyte(global.serverSocket, string_length(global.clientPassword)); + write_string(global.serverSocket, global.clientPassword); + socket_send(global.serverSocket); + break; + + case PASSWORD_WRONG: + show_message("Incorrect Password."); + instance_destroy(); + exit; + + case INCOMPATIBLE_PROTOCOL: + show_message("Incompatible server protocol version."); + instance_destroy(); + exit; + + case KICK: + receiveCompleteMessage(global.serverSocket,1,global.tempBuffer); + reason = read_ubyte(global.tempBuffer); + if reason == KICK_NAME kickReason = "Name Exploit"; + else if reason == KICK_BAD_PLUGIN_PACKET kickReason = "Invalid plugin packet ID"; + else if reason == KICK_MULTI_CLIENT kickReason = "There are too many connections from your IP"; + else kickReason = ""; + show_message("You have been kicked from the server. "+kickReason+"."); + instance_destroy(); + exit; + + case ARENA_STARTROUND: + doEventArenaStartRound(); + break; + + case ARENA_ENDROUND: + with ArenaHUD clientArenaEndRound(); + break; + + case ARENA_RESTART: + doEventArenaRestart(); + break; + + case UNLOCKCP: + doEventUnlockCP(); + break; + + case MAP_END: + global.nextMap=receivestring(global.serverSocket, 1); + receiveCompleteMessage(global.serverSocket,2,global.tempBuffer); + global.winners=read_ubyte(global.tempBuffer); + global.currentMapArea=read_ubyte(global.tempBuffer); + global.mapchanging = true; + if !instance_exists(ScoreTableController) instance_create(0,0,ScoreTableController); + instance_create(0,0,WinBanner); + break; + + case CHANGE_MAP: + roomchange=true; + global.mapchanging = false; + global.currentMap = receivestring(global.serverSocket, 1); + global.currentMapMD5 = receivestring(global.serverSocket, 1); + if(global.currentMapMD5 == "") { // if this is an internal map (signified by the lack of an md5) + if(findInternalMapRoom(global.currentMap)) + room_goto_fix(findInternalMapRoom(global.currentMap)); + else + { + show_message("Error:#Server went to invalid internal map: " + global.currentMap + "#Exiting."); + instance_destroy(); + exit; + } + } else { // it's an external map + if(string_pos("/", global.currentMap) != 0 or string_pos("\", global.currentMap) != 0) + { + show_message("Server sent illegal map name: "+global.currentMap); + instance_destroy(); + exit; + } + if(!file_exists("Maps/" + global.currentMap + ".png") or CustomMapGetMapMD5(global.currentMap) != global.currentMapMD5) + { // Reconnect to the server to download the map + var oldReturnRoom; + oldReturnRoom = returnRoom; + returnRoom = DownloadRoom; + if (global.serverPluginsInUse) + noUnloadPlugins = true; + event_perform(ev_destroy,0); + ClientCreate(); + if (global.serverPluginsInUse) + noReloadPlugins = true; + returnRoom = oldReturnRoom; + usePreviousPwd = true; + exit; + } + room_goto_fix(CustomMapRoom); + } + + for(i=0; i. + + Additional permission under GNU GPL version 3 section 7 + If you modify this Program, or any covered work, by linking or combining it with the Game Maker runtime library, + the 39dll library/extension, Hobbel's Download Manager DLL, or modified versions of these libraries, + the licensors of this Program grant you additional permission to convey the resulting work. +*/ +// Downloading code. + +var downloadHandle, url, tmpfile, window_oldshowborder, window_oldfullscreen; +timeLeft = 0; +counter = 0; +AudioControlPlaySong(-1, false); +window_oldshowborder = window_get_showborder(); +window_oldfullscreen = window_get_fullscreen(); +window_set_fullscreen(false); +window_set_showborder(false); + +if(global.updaterBetaChannel) + url = UPDATE_SOURCE_BETA; +else + url = UPDATE_SOURCE; + +tmpfile = temp_directory + "\gg2update.zip"; + +downloadHandle = httpGet(url, -1); + +while(!httpRequestStatus(downloadHandle)) +{ // while download isn't finished + sleep(floor(1000/30)); // sleep for the equivalent of one frame + io_handle(); // this prevents GameMaker from appearing locked-up + httpRequestStep(downloadHandle); + + // check if the user cancelled the download with the esc key + if(keyboard_check(vk_escape)) + { + httpRequestDestroy(downloadHandle); + window_set_showborder(window_oldshowborder); + window_set_fullscreen(window_oldfullscreen); + room_goto_fix(Menu); + exit; + } + + if(counter == 0 || counter mod 60 == 0) + timer = random(359)+1; + draw_sprite(UpdaterBackgroundS,0,0,0); + draw_set_color(c_white); + draw_set_halign(fa_left); + draw_set_valign(fa_center); + minutes=floor(timer/60); + seconds=floor(timer-minutes*60); + draw_text(x,y-20,string(minutes) + " minutes " + string(seconds) + " seconds Remaining..."); + counter+=1; + var progress, size; + progress = httpRequestResponseBodyProgress(downloadHandle); + size = httpRequestResponseBodySize(downloadHandle); + if (size != -1) + { + progressBar = floor((progress/size) * 20); + offset = 3; + for(i=0;i. + + Additional permission under GNU GPL version 3 section 7 + If you modify this Program, or any covered work, by linking or combining it with the Game Maker runtime library, + the 39dll library/extension, Hobbel's Download Manager DLL, or modified versions of these libraries, + the licensors of this Program grant you additional permission to convey the resulting work. +*/ + +xoffset = view_xview[0]; +yoffset = view_yview[0]; +xsize = view_wview[0]; +ysize = view_hview[0]; + +if (distance_to_point(xoffset+xsize/2,yoffset+ysize/2) > 800) + exit; + +var xr, yr; +xr = round(x); +yr = round(y); + +image_alpha = cloakAlpha; + +if (global.myself.team == team and canCloak) + image_alpha = cloakAlpha/2 + 0.5; + +if (invisible) + exit; + +if(stabbing) + image_alpha -= power(currentWeapon.stab.alpha, 2); + +if team == global.myself.team && (player != global.myself || global.showHealthBar == 1){ + draw_set_alpha(1); + draw_healthbar(xr-10, yr-30, xr+10, yr-25,hp*100/maxHp,c_black,c_red,c_green,0,true,true); +} +if(distance_to_point(mouse_x, mouse_y)<25) { + if cloak && team!=global.myself.team exit; + draw_set_alpha(1); + draw_set_halign(fa_center); + draw_set_valign(fa_bottom); + if(team==TEAM_RED) { + draw_set_color(c_red); + } else { + draw_set_color(c_blue); + } + draw_text(xr, yr-35, player.name); + + if(team == global.myself.team && global.showTeammateStats) + { + if(weapons[0] == Medigun) + draw_text(xr,yr+50, "Superburst: " + string(currentWeapon.uberCharge/20) + "%"); + else if(weapons[0] == Shotgun) + draw_text(xr,yr+50, "Nuts 'N' Bolts: " + string(nutsNBolts)); + else if(weapons[0] == Minegun) + draw_text(xr,yr+50, "Lobbed Mines: " + string(currentWeapon.lobbed)); + } +} + +draw_set_alpha(1); +if team == TEAM_RED ubercolour = c_red; +if team == TEAM_BLUE ubercolour = c_blue; + +var sprite, overlaySprite; +if zoomed +{ + if (team == TEAM_RED) + sprite = SniperCrouchRedS; + else + sprite = SniperCrouchBlueS; + overlaySprite = sniperCrouchOverlay; +} +else +{ + sprite = sprite_index; + overlaySprite = overlay; +} + +if (omnomnomnom) +{ + draw_sprite_ext_overlay(omnomnomnomSprite,omnomnomnomOverlay,omnomnomnomindex,xr,yr,image_xscale,image_yscale,image_angle,c_white,1); + if (ubered) + draw_sprite_ext_overlay(omnomnomnomSprite,omnomnomnomOverlay,omnomnomnomindex,xr,yr,image_xscale,image_yscale,image_angle,ubercolour,0.7); +} +else if (taunting) +{ + draw_sprite_ext_overlay(tauntsprite,tauntOverlay,tauntindex,xr,yr,image_xscale,image_yscale,image_angle,c_white,1); + if (ubered) + draw_sprite_ext_overlay(tauntsprite,tauntOverlay,tauntindex,xr,yr,image_xscale,image_yscale,image_angle,ubercolour,0.7); +} +else if (player.humiliated) + draw_sprite_ext(humiliationPoses,floor(animationImage)+humiliationOffset,xr,yr,image_xscale,image_yscale,image_angle,c_white,image_alpha); +else if (!taunting) +{ + if (cloak) + { + if (!ubered) + draw_sprite_ext(sprite,floor(animationImage+animationOffset),xr,yr,image_xscale,image_yscale,image_angle,c_white,image_alpha); + else if (ubered) + { + draw_sprite_ext(sprite,floor(animationImage+animationOffset),xr,yr,image_xscale,image_yscale,image_angle,c_white,1); + draw_sprite_ext(sprite,floor(animationImage+animationOffset),xr,yr,image_xscale,image_yscale,image_angle,ubercolour,0.7); + } + } + else + { + if (!ubered) + draw_sprite_ext_overlay(sprite,overlaySprite,floor(animationImage+animationOffset),xr,yr,image_xscale,image_yscale,image_angle,c_white,image_alpha); + else if (ubered) + { + draw_sprite_ext_overlay(sprite,overlaySprite,floor(animationImage+animationOffset),xr,yr,image_xscale,image_yscale,image_angle,c_white,1); + draw_sprite_ext_overlay(sprite,overlaySprite,floor(animationImage+animationOffset),xr,yr,image_xscale,image_yscale,image_angle,ubercolour,0.7); + } + } +} +if (burnDuration > 0 or burnIntensity > 0) { + for(i = 0; i < numFlames * burnIntensity / maxIntensity; i += 1) + { + draw_sprite_ext(FlameS, alarm[5] + i + random(2), x + flameArray_x[i], y + flameArray_y[i], 1, 1, 0, c_white, burnDuration / maxDuration * 0.71 + 0.35); + } +} + +// Copied from Lorgan's itemserver "angels" with slight modifications +// All credit be upon him +if (demon != -1) +{ + demonX = median(x-40,demonX,x+40); + demonY = median(y-40,demonY,y); + demonOffset += demonDir; + if (abs(demonOffset) > 15) + demonDir *= -1; + + var dir; + if (demonX > x) + dir = -1; + else + dir = 1; + + if (demonFrame > sprite_get_number(demon)) + demonFrame = 0; + + if (stabbing || ubered) + draw_sprite_ext(demon,demonFrame+floor(animationImage)+7*player.team,demonX,demonY+demonOffset,dir*1,1,0,c_white,1); + else + draw_sprite_ext(demon,demonFrame+floor(animationImage)+7*player.team,demonX,demonY+demonOffset,dir*1,1,0,c_white,image_alpha); + + demonFrame += 1; +} diff --git a/samples/Game Maker Language/characterDrawEvent.gml b/samples/Game Maker Language/characterDrawEvent.gml new file mode 100644 index 00000000..6dcd8fcc --- /dev/null +++ b/samples/Game Maker Language/characterDrawEvent.gml @@ -0,0 +1,80 @@ +// Originally from /spelunky/Scripts/Platform Engine/characterDrawEvent.gml in the Spelunky Community Update Project + +/********************************************************************************** + Copyright (c) 2008, 2009 Derek Yu and Mossmouth, LLC + + This file is part of Spelunky. + + You can redistribute and/or modify Spelunky, including its source code, under + the terms of the Spelunky User License. + + Spelunky is distributed in the hope that it will be entertaining and useful, + but WITHOUT WARRANTY. Please see the Spelunky User License for more details. + + The Spelunky User License should be available in "Game Information", which + can be found in the Resource Explorer, or as an external file called COPYING. + If not, please obtain a new copy of Spelunky from + +***********************************************************************************/ + +/* +This event should be placed in the draw event of the platform character. +*/ +//draws the sprite +draw = true; +if (facing == RIGHT) image_xscale = -1; +else image_xscale = 1; + +if (blinkToggle != 1) +{ + if ((state == CLIMBING or (sprite_index == sPExit or sprite_index == sDamselExit or sprite_index == sTunnelExit)) and global.hasJetpack and not whipping) + { + draw_sprite_ext(sprite_index, -1, x, y, image_xscale, image_yscale, image_angle, image_blend, image_alpha); + //draw_sprite(sprite_index,-1,x,y); + draw_sprite(sJetpackBack,-1,x,y); + draw = false; + } + else if (global.hasJetpack and facing == RIGHT) draw_sprite(sJetpackRight,-1,x-4,y-1); + else if (global.hasJetpack) draw_sprite(sJetpackLeft,-1,x+4,y-1); + if (draw) + { + if (redColor > 0) draw_sprite_ext(sprite_index, -1, x, y, image_xscale, image_yscale, image_angle, make_color_rgb(200 + redColor,0,0), image_alpha); + else draw_sprite_ext(sprite_index, -1, x, y, image_xscale, image_yscale, image_angle, image_blend, image_alpha); + } + if (facing == RIGHT) + { + if (holdArrow == ARROW_NORM) + { + draw_sprite(sArrowRight, -1, x+4, y+1); + } + else if (holdArrow == ARROW_BOMB) + { + if (holdArrowToggle) draw_sprite(sBombArrowRight, 0, x+4, y+2); + else draw_sprite(sBombArrowRight, 1, x+4, y+2); + } + } + else if (facing == LEFT) + { + if (holdArrow == ARROW_NORM) + { + draw_sprite(sArrowLeft, -1, x-4, y+1); + } + else if (holdArrow == ARROW_BOMB) + { + if (holdArrowToggle) draw_sprite(sBombArrowLeft, 0, x-4, y+2); + else draw_sprite(sBombArrowLeft, 1, x-4, y+2); + } + } +} +/* +if canRun +{ + xOffset=80 + if player=1 + yOffset=120 + else + yOffset=143 + //draw the "flySpeed" bar, which shows how much speed the character has acquired while holding the "run" button + //draw_healthbar(view_xview[0]+224+xOffset,view_yview[0]+432+yOffset,view_xview[0]+400+xOffset,view_yview[0]+450+yOffset,flySpeed,make_color_rgb(0,64,128),c_blue,c_aqua,0,1,1) +} +*/ diff --git a/samples/Game Maker Language/characterStepEvent.gml b/samples/Game Maker Language/characterStepEvent.gml new file mode 100644 index 00000000..7416df80 --- /dev/null +++ b/samples/Game Maker Language/characterStepEvent.gml @@ -0,0 +1,1050 @@ +// Originally from /spelunky/Scripts/Platform Engine/characterStepEvent.gml in the Spelunky Community Update Project + +/********************************************************************************** + Copyright (c) 2008, 2009 Derek Yu and Mossmouth, LLC + + This file is part of Spelunky. + + You can redistribute and/or modify Spelunky, including its source code, under + the terms of the Spelunky User License. + + Spelunky is distributed in the hope that it will be entertaining and useful, + but WITHOUT WARRANTY. Please see the Spelunky User License for more details. + + The Spelunky User License should be available in "Game Information", which + can be found in the Resource Explorer, or as an external file called COPYING. + If not, please obtain a new copy of Spelunky from + +***********************************************************************************/ + +/* +This script should be placed in the step event for the platform character. +It updates the keys used by the character, moves all of the solids, moves the +character, sets the sprite index, and sets the animation speed for the sprite. +*/ +hangCountMax = 3; + +////////////////////////////////////// +// KEYS +////////////////////////////////////// + +kLeft = checkLeft(); + +if (kLeft) kLeftPushedSteps += 1; +else kLeftPushedSteps = 0; + +kLeftPressed = checkLeftPressed(); +kLeftReleased = checkLeftReleased(); + +kRight = checkRight(); + +if (kRight) kRightPushedSteps += 1; +else kRightPushedSteps = 0; + +kRightPressed = checkRightPressed(); +kRightReleased = checkRightReleased(); + +kUp = checkUp(); +kDown = checkDown(); + +//key "run" +if canRun + kRun = 0; +// kRun=runKey +else + kRun=0 + +kJump = checkJump(); +kJumpPressed = checkJumpPressed(); +kJumpReleased = checkJumpReleased(); + +if (cantJump > 0) +{ + kJump = 0; + kJumpPressed = 0; + kJumpReleased = 0; + cantJump -= 1; +} +else +{ + if (global.isTunnelMan and + sprite_index == sTunnelAttackL and + !holdItem) + { + kJump = 0; + kJumpPressed = 0; + kJumpReleased = 0; + cantJump -= 1; + } +} + +kAttack = checkAttack(); +kAttackPressed = checkAttackPressed(); +kAttackReleased = checkAttackReleased(); + +kItemPressed = checkItemPressed(); + +xPrev = x; +yPrev = y; + +if (stunned or dead) +{ + kLeft = false; + kLeftPressed = false; + kLeftReleased = false; + kRight = false; + kRightPressed = false; + kRightReleased = false; + kUp = false; + kDown = false; + kJump = false; + kJumpPressed = false; + kJumpReleased = false; + kAttack = false; + kAttackPressed = false; + kAttackReleased = false; + kItemPressed = false; +} + +////////////////////////////////////////// +// Collisions +////////////////////////////////////////// + +colSolidLeft = false; +colSolidRight = false; +colLeft = false; +colRight = false; +colTop = false; +colBot = false; +colLadder = false; +colPlatBot = false; +colPlat = false; +colWaterTop = false; +colIceBot = false; +runKey = false; +if (isCollisionMoveableSolidLeft(1)) colSolidLeft = true; +if (isCollisionMoveableSolidRight(1)) colSolidRight = true; +if (isCollisionLeft(1)) colLeft = true; +if (isCollisionRight(1)) colRight = true; +if (isCollisionTop(1)) colTop = true; +if (isCollisionBottom(1)) colBot = true; +if (isCollisionLadder()) colLadder = true; +if (isCollisionPlatformBottom(1)) colPlatBot = true; +if (isCollisionPlatform()) colPlat = true; +if (isCollisionWaterTop(1)) colWaterTop = true; +if (collision_point(x, y+8, oIce, 0, 0)) colIceBot = true; +if (checkRun()) +{ + runHeld = 100; + runKey = true; +} + +if (checkAttack() and not whipping) +{ + runHeld += 1; + runKey = true; +} + +if (not runKey or (not kLeft and not kRight)) runHeld = 0; + +// allows the character to run left and right +// if state!=DUCKING and state!=LOOKING_UP and state!=CLIMBING +if (state != CLIMBING and state != HANGING) +{ + if (kLeftReleased and approximatelyZero(xVel)) xAcc -= 0.5 + if (kRightReleased and approximatelyZero(xVel)) xAcc += 0.5 + + if (kLeft and not kRight) + { + if (colSolidLeft) + { + // xVel = 3; + if (platformCharacterIs(ON_GROUND) and state != DUCKING) + { + xAcc -= 1; + pushTimer += 10; + //if (not SS_IsSoundPlaying(global.sndPush)) playSound(global.sndPush); + } + } + else if (kLeftPushedSteps > 2) and (facing=LEFT or approximatelyZero(xVel)) + { + xAcc -= runAcc; + } + facing = LEFT; + //if (platformCharacterIs(ON_GROUND) and abs(xVel) > 0 and alarm[3] < 1) alarm[3] = floor(16/-xVel); + } + + if (kRight and not kLeft) + { + if (colSolidRight) + { + // xVel = 3; + if (platformCharacterIs(ON_GROUND) and state != DUCKING) + { + xAcc += 1; + pushTimer += 10; + //if (not SS_IsSoundPlaying(global.sndPush)) playSound(global.sndPush); + } + } + else if (kRightPushedSteps > 2 or colSolidLeft) and (facing=RIGHT or approximatelyZero(xVel)) + { + xAcc += runAcc; + } + facing = RIGHT; + //if (platformCharacterIs(ON_GROUND) and abs(xVel) > 0 and alarm[3] < 1) alarm[3] = floor(16/xVel); + } +} + +/****************************************** + + LADDERS + +*******************************************/ + +if (state == CLIMBING) +{ + if (instance_exists(oCape)) + { + oCape.open = false; + } + kJumped = false; + ladderTimer = 10; + ladder = collision_point(x, y, oLadder, 0, 0); + if (ladder) x = ladder.x + 8; + + if (kLeft) facing = LEFT; + else if (kRight) facing = RIGHT; + if (kUp) + { + if (collision_point(x, y-8, oLadder, 0, 0) or collision_point(x, y-8, oLadderTop, 0, 0)) + { + yAcc -= climbAcc; + if (alarm[2] < 1) alarm[2] = 8; + } + } + else if (kDown) + { + if (collision_point(x, y+8, oLadder, 0, 0) or collision_point(x, y+8, oLadderTop, 0, 0)) + { + yAcc += climbAcc; + if (alarm[2] < 1) alarm[2] = 8; + } + else + state = FALLING; + if (colBot) state = STANDING; + } + + if (kJumpPressed and not whipping) + { + if (kLeft) + xVel = -departLadderXVel; + else if (kRight) + xVel = departLadderXVel; + else + xVel = 0; + yAcc += departLadderYVel; + state = JUMPING; + jumpButtonReleased = 0; + jumpTime = 0; + ladderTimer = 5; + } +} +else +{ + if (ladderTimer > 0) ladderTimer -= 1; +} + +if (platformCharacterIs(IN_AIR) and state != HANGING) +{ + yAcc += gravityIntensity; +} + +// Player has landed +if ((colBot or colPlatBot) and platformCharacterIs(IN_AIR) and yVel >= 0) +{ + if (not colPlat or colBot) + { + yVel = 0; + yAcc = 0; + state = RUNNING; + jumps = 0; + } + //playSound(global.sndLand); +} +if ((colBot or colPlatBot) and not colPlat) yVel = 0; + +// Player has just walked off of the edge of a solid +if (colBot == 0 and (not colPlatBot or colPlat) and platformCharacterIs(ON_GROUND)) +{ + state = FALLING; + yAcc += grav; + kJumped = true; + if (global.hasGloves) hangCount = 5; +} + +if (colTop) +{ + if (dead or stunned) yVel = -yVel * 0.8; + else if (state == JUMPING) yVel = abs(yVel*0.3) +} + +if (colLeft and facing == LEFT) or (colRight and facing == RIGHT) +{ + if (dead or stunned) xVel = -xVel * 0.5; + else xVel = 0; +} + +/****************************************** + + JUMPING + +*******************************************/ + +if (kJumpReleased and platformCharacterIs(IN_AIR)) +{ + kJumped = true; +} +else if (platformCharacterIs(ON_GROUND)) +{ + oCape.open = false; + kJumped = false; +} + +if (kJumpPressed and collision_point(x, y, oWeb, 0, 0)) +{ + obj = instance_place(x, y, oWeb); + obj.life -= 1; + yAcc += initialJumpAcc * 2; + yVel -= 3; + xAcc += xVel/2; + + state = JUMPING; + jumpButtonReleased = 0; + jumpTime = 0; + + grav = gravNorm; +} +else if (kJumpPressed and colWaterTop) +{ + yAcc += initialJumpAcc * 2; + yVel -= 3; + xAcc += xVel/2; + + state = JUMPING; + jumpButtonReleased = 0; + jumpTime = 0; + + grav = gravNorm; +} +else if (global.hasCape and kJumpPressed and kJumped and platformCharacterIs(IN_AIR)) +{ + if (not oCape.open) oCape.open = true; + else oCape.open = false; +} +else if (global.hasJetpack and kJump and kJumped and platformCharacterIs(IN_AIR) and jetpackFuel > 0) +{ + yAcc += initialJumpAcc; + yVel = -1; + jetpackFuel -= 1; + if (alarm[10] < 1) alarm[10] = 3; + + state = JUMPING; + jumpButtonReleased = 0; + jumpTime = 0; + + grav = 0; +} +else if (platformCharacterIs(ON_GROUND) and kJumpPressed and fallTimer == 0) +{ + if (xVel > 3 or xVel < -3) + { + yAcc += initialJumpAcc * 2; + xAcc += xVel * 2; + } + else + { + yAcc += initialJumpAcc * 2; + xAcc += xVel/2; + } + + if (global.hasJordans) + { + yAcc *= 3; + yAccLimit = 12; + grav = 0.5; + } + else if (global.hasSpringShoes) yAcc *= 1.5; + else + { + yAccLimit = 6; + grav = gravNorm; + } + + playSound(global.sndJump); + + pushTimer = 0; + + // the "state" gets changed to JUMPING later on in the code + state = FALLING; + // "variable jumping" states + jumpButtonReleased = 0; + jumpTime = 0; +} + +if (jumpTime < jumpTimeTotal) jumpTime += 1; +//let the character continue to jump +if (kJump == 0) jumpButtonReleased = 1; +if (jumpButtonReleased) jumpTime = jumpTimeTotal; + +gravityIntensity = (jumpTime/jumpTimeTotal) * grav; + +if (kUp and platformCharacterIs(ON_GROUND) and not colLadder) +{ + looking = UP; + if (xVel == 0 and xAcc == 0) state = LOOKING_UP; +} +else looking = 0; + +if (not kUp and state == LOOKING_UP) +{ + state=STANDING +} + +/****************************************** + + HANGING + +*******************************************/ + +if (not colTop) +{ +if (global.hasGloves and yVel > 0) +{ + if (hangCount == 0 and y > 16 and !platformCharacterIs(ON_GROUND) and kRight and colRight and + (collision_point(x+9, y-5, oSolid, 0, 0) or collision_point(x+9, y-6, oSolid, 0, 0))) + { + state = HANGING; + move_snap(1, 8); + yVel = 0; + yAcc = 0; + grav = 0; + } + else if (hangCount == 0 and y > 16 and !platformCharacterIs(ON_GROUND) and kLeft and colLeft and + (collision_point(x-9, y-5, oSolid, 0, 0) or collision_point(x-9, y-6, oSolid, 0, 0))) + { + state = HANGING; + move_snap(1, 8); + yVel = 0; + yAcc = 0; + grav = 0; + } +} +else if (hangCount == 0 and y > 16 and !platformCharacterIs(ON_GROUND) and kRight and colRight and + (collision_point(x+9, y-5, oTree, 0, 0) or collision_point(x+9, y-6, oTree, 0, 0))) +{ + state = HANGING; + move_snap(1, 8); + yVel = 0; + yAcc = 0; + grav = 0; +} +else if (hangCount == 0 and y > 16 and !platformCharacterIs(ON_GROUND) and kLeft and colLeft and + (collision_point(x-9, y-5, oTree, 0, 0) or collision_point(x-9, y-6, oTree, 0, 0))) +{ + state = HANGING; + move_snap(1, 8); + yVel = 0; + yAcc = 0; + grav = 0; +} +else if (hangCount == 0 and y > 16 and !platformCharacterIs(ON_GROUND) and kRight and colRight and + (collision_point(x+9, y-5, oSolid, 0, 0) or collision_point(x+9, y-6, oSolid, 0, 0)) and + not collision_point(x+9, y-9, oSolid, 0, 0) and not collision_point(x, y+9, oSolid, 0, 0)) +{ + state = HANGING; + move_snap(1, 8); + yVel = 0; + yAcc = 0; + grav = 0; +} +else if (hangCount == 0 and y > 16 and !platformCharacterIs(ON_GROUND) and kLeft and colLeft and + (collision_point(x-9, y-5, oSolid, 0, 0) or collision_point(x-9, y-6, oSolid, 0, 0)) and + not collision_point(x-9, y-9, oSolid, 0, 0) and not collision_point(x, y+9, oSolid, 0, 0)) +{ + state = HANGING; + move_snap(1, 8); + yVel = 0; + yAcc = 0; + grav = 0; +} + +if (hangCount == 0 and y > 16 and !platformCharacterIs(ON_GROUND) and state == FALLING and + (collision_point(x, y-5, oArrow, 0, 0) or collision_point(x, y-6, oArrow, 0, 0)) and + not collision_point(x, y-9, oArrow, 0, 0) and not collision_point(x, y+9, oArrow, 0, 0)) +{ + obj = instance_nearest(x, y-5, oArrow); + if (obj.stuck) + { + state = HANGING; + // move_snap(1, 8); + yVel = 0; + yAcc = 0; + grav = 0; + } +} + +/* +if (hangCount == 0 and y > 16 and !platformCharacterIs(ON_GROUND) and state == FALLING and + (collision_point(x, y-5, oTreeBranch, 0, 0) or collision_point(x, y-6, oTreeBranch, 0, 0)) and + not collision_point(x, y-9, oTreeBranch, 0, 0) and not collision_point(x, y+9, oTreeBranch, 0, 0)) +{ + state = HANGING; + // move_snap(1, 8); + yVel = 0; + yAcc = 0; + grav = 0; +} +*/ + +} + +if (hangCount > 0) hangCount -= 1; + +if (state == HANGING) +{ + if (instance_exists(oCape)) oCape.open = false; + kJumped = false; + + if (kDown and kJumpPressed) + { + grav = gravNorm; + state = FALLING; + yAcc -= grav; + hangCount = 5; + if (global.hasGloves) hangCount = 10; + } + else if (kJumpPressed) + { + grav = gravNorm; + if ((facing == RIGHT and kLeft) or (facing == LEFT and kRight)) + { + state = FALLING; + yAcc -= grav; + } + else + { + state = JUMPING; + yAcc += initialJumpAcc * 2; + if (facing == RIGHT) x -= 2; + else x += 2; + } + hangCount = hangCountMax; + } + + if ((facing == LEFT and not isCollisionLeft(2)) or + (facing == RIGHT and not isCollisionRight(2))) + { + grav = gravNorm; + state = FALLING; + yAcc -= grav; + hangCount = 4; + } +} +else +{ + grav = gravNorm; +} + +// pressing down while standing +if (kDown and platformCharacterIs(ON_GROUND) and not whipping) +{ + if (colBot) + { + state = DUCKING; + } + else if colPlatBot + { + // climb down ladder if possible, else jump down + fallTimer = 0; + if (not colBot) + { + ladder = 0; + ladder = instance_place(x, y+16, oLadder); + if (instance_exists(ladder)) + { + if (abs(x-(ladder.x+8)) < 4) + { + x = ladder.x + 8; + + xVel = 0; + yVel = 0; + xAcc = 0; + yAcc = 0; + state = CLIMBING; + } + } + else + { + y += 1; + state = FALLING; + yAcc += grav; + } + } + else + { + //the character can't move down because there is a solid in the way + state = RUNNING; + } + } +} +if (not kDown and state == DUCKING) +{ + state = STANDING; + xVel = 0; + xAcc = 0; +} +if (xVel == 0 and xAcc == 0 and state == RUNNING) +{ + state = STANDING; +} +if (xAcc != 0 and state == STANDING) +{ + state = RUNNING; +} +if (yVel < 0 and platformCharacterIs(IN_AIR) and state != HANGING) +{ + state = JUMPING; +} +if (yVel > 0 and platformCharacterIs(IN_AIR) and state != HANGING) +{ + state = FALLING; + setCollisionBounds(-5, -6, 5, 8); +} +else setCollisionBounds(-5, -8, 5, 8); + +// CLIMB LADDER +colPointLadder = collision_point(x, y, oLadder, 0, 0) or collision_point(x, y, oLadderTop, 0, 0); + +if ((kUp and platformCharacterIs(IN_AIR) and collision_point(x, y-8, oLadder, 0, 0) and ladderTimer == 0) or + (kUp and colPointLadder and ladderTimer == 0) or + (kDown and colPointLadder and ladderTimer == 0 and platformCharacterIs(ON_GROUND) and collision_point(x, y+9, oLadderTop, 0, 0) and xVel == 0)) +{ + ladder = 0; + ladder = instance_place(x, y-8, oLadder); + if (instance_exists(ladder)) + { + if (abs(x-(ladder.x+8)) < 4) + { + x = ladder.x + 8; + if (not collision_point(x, y, oLadder, 0, 0) and + not collision_point(x, y, oLadderTop, 0, 0)) + { + y = ladder.y + 14; + } + + xVel = 0; + yVel = 0; + xAcc = 0; + yAcc = 0; + state = CLIMBING; + } + } +} + +/* +if (sprite_index == sDuckToHangL or sprite_index == sDamselDtHL) +{ + ladder = 0; + if (facing == LEFT and collision_rectangle(x-8, y, x, y+16, oLadder, 0, 0) and not collision_point(x-4, y+16, oSolid, 0, 0)) + { + ladder = instance_nearest(x-4, y+16, oLadder); + } + else if (facing == RIGHT and collision_rectangle(x, y, x+8, y+16, oLadder, 0, 0) and not collision_point(x+4, y+16, oSolid, 0, 0)) + { + ladder = instance_nearest(x+4, y+16, oLadder); + } + + if (ladder) + { + x = ladder.x + 8; + + xVel = 0; + yVel = 0; + xAcc = 0; + yAcc = 0; + state = CLIMBING; + } +} +*/ +/* +if (colLadder and state == CLIMBING and kJumpPressed and not whipping) +{ + if (kLeft) + xVel = -departLadderXVel; + else if (kRight) + xVel = departLadderXVel; + else + xVel = 0; + yAcc += departLadderYVel; + state = JUMPING; + jumpButtonReleased = 0; + jumpTime = 0; + ladderTimer = 5; +} +*/ + +// Calculate horizontal/vertical friction +if (state == CLIMBING) +{ + xFric = frictionClimbingX; + yFric = frictionClimbingY; +} +else +{ + if (runKey and platformCharacterIs(ON_GROUND) and runHeld >= 10) + { + if (kLeft) // run + { + xVel -= 0.1; + xVelLimit = 6; + xFric = frictionRunningFastX; + } + else if (kRight) + { + xVel += 0.1; + xVelLimit = 6; + xFric = frictionRunningFastX; + } + } + else if (state == DUCKING) + { + if (xVel<2 and xVel>-2) + { + xFric = 0.2 + xVelLimit = 3; + image_speed = 0.8; + } + else if (kLeft and global.downToRun) // run + { + xVel -= 0.1; + xVelLimit = 6; + xFric = frictionRunningFastX; + } + else if (kRight and global.downToRun) + { + xVel += 0.1; + xVelLimit = 6; + xFric = frictionRunningFastX; + } + else + { + xVel *= 0.8; + if (xVel < 0.5) xVel = 0; + xFric = 0.2 + xVelLimit = 3; + image_speed = 0.8; + } + } + else + { + //decrease the friction when the character is "flying" + if (platformCharacterIs(IN_AIR)) + { + if (dead or stunned) xFric = 1.0; + else xFric = 0.8; + } + else + { + xFric = frictionRunningX; + } + } + + // Stuck on web or underwater + if (collision_point(x, y, oWeb, 0, 0)) + { + xFric = 0.2; + yFric = 0.2; + fallTimer = 0; + } + else if (collision_point(x, y, oWater, -1, -1)) + { + if (instance_exists(oCape)) oCape.open = false; + + if (state == FALLING and yVel > 0) + { + yFric = 0.5; + } + else if (not collision_point(x, y-9, oWater, -1, -1)) + { + yFric = 1; + } + else + { + yFric = 0.9; + } + } + else + { + swimming = false; + yFric = 1; + } +} + +if (colIceBot and state != DUCKING and not global.hasSpikeShoes) +{ + xFric = 0.98; + yFric = 1; +} + +// RUNNING + +if (platformCharacterIs(ON_GROUND)) +{ + if (state == RUNNING and kLeft and colLeft) + { + pushTimer += 1; + } + else if (state == RUNNING and kRight and colRight) + { + pushTimer += 1; + } + else + { + pushTimer = 0; + } + + if (platformCharacterIs(ON_GROUND) and not kJump and not kDown and not runKey) + { + xVelLimit = 3; + } + + + // ledge flip + if (state == DUCKING and abs(xVel) < 3 and facing == LEFT and + collision_point(x, y+9, oSolid, 0, 0) and not collision_line(x-1, y+9, x-10, y+9, oSolid, 0, 0) and kLeft) + { + state = DUCKTOHANG; + + if (holdItem) + { + holdItem.held = false; + if (holdItem.type == "Gold Idol") holdItem.y -= 8; + scrDropItem(-1, -4); + } + + with oMonkey + { + // knock off monkeys that grabbed you + if (status == 7) + { + xVel = -1; + yVel = -4; + status = 1; + vineCounter = 20; + grabCounter = 60; + } + } + } + else if (state == DUCKING and abs(xVel) < 3 and facing == RIGHT and + collision_point(x, y+9, oSolid, 0, 0) and not collision_line(x+1, y+9, x+10, y+9, oSolid, 0, 0) and kRight) + { + state = DUCKTOHANG; + + if (holdItem) + { + // holdItem.held = false; + if (holdItem.type == "Gold Idol") holdItem.y -= 8; + scrDropItem(1, -4); + } + + with oMonkey + { + // knock off monkeys that grabbed you + if (status == 7) + { + xVel = 1; + yVel = -4; + status = 1; + vineCounter = 20; + grabCounter = 60; + } + } + } +} + +if (state == DUCKTOHANG) +{ + x = xPrev; + y = yPrev; + xVel = 0; + yVel = 0; + xAcc = 0; + yAcc = 0; + grav = 0; +} + +// PARACHUTE AND CAPE +if (instance_exists(oParachute)) +{ + yFric = 0.5; +} +if (instance_exists(oCape)) +{ + if (oCape.open) yFric = 0.5; +} + +if (pushTimer > 100) pushTimer = 100; + +// limits the acceleration if it is too extreme +if (xAcc > xAccLimit) xAcc = xAccLimit; +else if (xAcc < -xAccLimit) xAcc = -xAccLimit; +if (yAcc > yAccLimit) yAcc = yAccLimit; +else if (yAcc < -yAccLimit) yAcc = -yAccLimit; + +// applies the acceleration +xVel += xAcc; +if (dead or stunned) yVel += 0.6; +else yVel += yAcc; + +// nullifies the acceleration +xAcc = 0; +yAcc = 0; + +// applies the friction to the velocity, now that the velocity has been calculated +xVel *= xFric; +yVel *= yFric; + +// apply ball and chain +if (instance_exists(oBall)) +{ + if (distance_to_object(oBall) >= 24) + { + if (xVel > 0 and oBall.x < x and abs(oBall.x-x) > 24) xVel = 0; + if (xVel < 0 and oBall.x > x and abs(oBall.x-x) > 24) xVel = 0; + if (yVel > 0 and oBall.y < y and abs(oBall.y-y) > 24) + { + if (abs(oBall.x-x) < 1) + { + x = oBall.x; + } + else if (oBall.x < x and not kRight) + { + if (xVel > 0) xVel *= -0.25; + else if (xVel == 0) xVel -= 1; + } + else if (oBall.x > x and not kLeft) + { + if (xVel < 0) xVel *= -0.25; + else if (xVel == 0) xVel += 1; + } + yVel = 0; + fallTimer = 0; + } + if (yVel < 0 and oBall.y > y and abs(oBall.y-y) > 24) yVel = 0; + } +} + +// apply the limits since the velocity may be too extreme +if (not dead and not stunned) +{ + if (xVel > xVelLimit) xVel = xVelLimit; + else if (xVel < -xVelLimit) xVel = -xVelLimit; +} +if (yVel > yVelLimit) yVel = yVelLimit; +else if (yVel < -yVelLimit) yVel = -yVelLimit; + +// approximates the "active" variables +if approximatelyZero(xVel) xVel=0 +if approximatelyZero(yVel) yVel=0 +if approximatelyZero(xAcc) xAcc=0 +if approximatelyZero(yAcc) yAcc=0 + +// prepares the character to move up a hill +// we need to use the "slopeYPrev" variable later to know the "true" y previous value +// keep this condition the same +if maxSlope>0 and platformCharacterIs(ON_GROUND) and xVel!=0 +{ + slopeYPrev=y + for(y=y;y>=slopeYPrev-maxSlope;y-=1) + if colTop + break + slopeChangeInY=slopeYPrev-y +} +else + slopeChangeInY=0 + +// moves the character, and balances out the effects caused by other processes +// keep this condition the same +if maxSlope*abs(xVel)>0 and platformCharacterIs(ON_GROUND) +{ + // we need to check if we should dampen out the speed as the character runs on upward slopes + xPrev=x + yPrev=slopeYPrev // we don't want to use y, because y is too high + yPrevHigh=y // we'll use the higher previous variable later + moveTo(xVel,yVel+slopeChangeInY) + dist=point_distance(xPrev,yPrev,x,y)// overall distance that has been traveled + // we should have only ran at xVel + if dist>abs(xVelInteger) + { + // show_message(string(dist)+ " "+string(abs(xVelInteger))) + excess=dist-abs(xVelInteger) + if(xVelInteger<0) + excess*=-1 + // move back since the character moved too far + x=xPrev + y=yPrevHigh // we need the character to be high so the character can move down + // this time we'll move the correct distance, but we need to shorten out the xVel a little + // these lines can be changed for different types of slowing down when running up hills + ratio=abs(xVelInteger)/dist*0.9 //can be changed + moveTo( round(xVelInteger*ratio),round(yVelInteger*ratio+slopeChangeInY) ) + } +} +else +{ + // we simply move xVel and yVel while in the air or on a ladder + moveTo(xVel,yVel) +} +// move the character downhill if possible +// we need to multiply maxDownSlope by the absolute value of xVel since the character normally runs at an xVel larger than 1 +if not colBot and maxDownSlope>0 and xVelInteger!=0 and platformCharacterIs(ON_GROUND) +{ + //the character is floating just above the slope, so move the character down + upYPrev=y + for(y=y;y<=upYPrev+maxDownSlope;y+=1) + if colBot // we hit a solid below + { + upYPrev=y // I know that this doesn't seem to make sense, because of the name of the variable, but it all works out correctly after we break out of this loop + break + } + y=upYPrev +} + +//figures out what the sprite index of the character should be +characterSprite(); + +//sets the previous state and the previously previous state +statePrevPrev = statePrev; +statePrev = state; + +//calculates the image_speed based on the character's velocity +if (state == RUNNING or state == DUCKING or state == LOOKING_UP) +{ + if (state == RUNNING or state == LOOKING_UP) image_speed = abs(xVel) * runAnimSpeed + 0.1; +} + +if (state == CLIMBING) image_speed = sqrt(sqr(abs(xVel))+sqr(abs(yVel))) * climbAnimSpeed +if (xVel >= 4 or xVel <= -4) +{ + image_speed = 1; + if (platformCharacterIs(ON_GROUND)) setCollisionBounds(-8, -8, 8, 8); + else setCollisionBounds(-5, -8, 5, 8); +} +else setCollisionBounds(-5, -8, 5, 8); +if (whipping) image_speed = 1; +if (state == DUCKTOHANG) +{ + image_index = 0; + image_speed = 0.8; +} +//limit the image_speed at 1 so the animation always looks good +if (image_speed > 1) image_speed = 1; diff --git a/samples/Game Maker Language/doEventPlayerDeath.gml b/samples/Game Maker Language/doEventPlayerDeath.gml new file mode 100644 index 00000000..47ee7780 --- /dev/null +++ b/samples/Game Maker Language/doEventPlayerDeath.gml @@ -0,0 +1,251 @@ +/* + Originally from /Source/gg2/Scripts/Events/doEventPlayerDeath.gml in Gang Garrison 2 + + Copyright (C) 2008-2013 Faucet Software + http://www.ganggarrison.com + + This program is free software; + you can redistribute it and/or modify it under the terms of the GNU General Public License + as published by the Free Software Foundation; either version 3 of the License, or (at your option) + any later version. + This program is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; + without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. + See the GNU General Public License for more details. + You should have received a copy of the GNU General Public License along with this program; if not, + see . + + Additional permission under GNU GPL version 3 section 7 + If you modify this Program, or any covered work, by linking or combining it with the Game Maker runtime library, + the 39dll library/extension, Hobbel's Download Manager DLL, or modified versions of these libraries, + the licensors of this Program grant you additional permission to convey the resulting work. +*/ + +/** + * Perform the "player death" event, i.e. change the appropriate scores, + * destroy the character object to much splattering and so on. + * + * argument0: The player whose character died + * argument1: The player who inflicted the fatal damage (or noone for unknown) + * argument2: The player who assisted the kill (or noone for no assist) + * argument3: The source of the fatal damage + */ +var victim, killer, assistant, damageSource; +victim = argument0; +killer = argument1; +assistant = argument2; +damageSource = argument3; + +if(!instance_exists(killer)) + killer = noone; + +if(!instance_exists(assistant)) + assistant = noone; + +//************************************* +//* Scoring and Kill log +//************************************* + + +recordKillInLog(victim, killer, assistant, damageSource); + +victim.stats[DEATHS] += 1; +if(killer) +{ + if(damageSource == WEAPON_KNIFE || damageSource == WEAPON_BACKSTAB) + { + killer.stats[STABS] += 1; + killer.roundStats[STABS] += 1; + killer.stats[POINTS] += 1; + killer.roundStats[POINTS] +=1; + } + + if (victim.object.currentWeapon.object_index == Medigun) + { + if (victim.object.currentWeapon.uberReady) + { + killer.stats[BONUS] += 1; + killer.roundStats[BONUS] += 1; + killer.stats[POINTS] += 1; + killer.roundStats[POINTS] += 1; + } + } + + if (killer != victim) + { + killer.stats[KILLS] += 1; + killer.roundStats[KILLS] += 1; + killer.stats[POINTS] += 1; + killer.roundStats[POINTS] += 1; + if(victim.object.intel) + { + killer.stats[DEFENSES] += 1; + killer.roundStats[DEFENSES] += 1; + killer.stats[POINTS] += 1; + killer.roundStats[POINTS] += 1; + recordEventInLog(4, killer.team, killer.name, global.myself == killer); + } + } +} + +if (assistant) +{ + assistant.stats[ASSISTS] += 1; + assistant.roundStats[ASSISTS] += 1; + assistant.stats[POINTS] += .5; + assistant.roundStats[POINTS] += .5; +} + +//SPEC +if (victim == global.myself) + instance_create(victim.object.x, victim.object.y, Spectator); + +//************************************* +//* Gibbing +//************************************* +var xoffset, yoffset, xsize, ysize; + +xoffset = view_xview[0]; +yoffset = view_yview[0]; +xsize = view_wview[0]; +ysize = view_hview[0]; + +randomize(); +with(victim.object) { + if((damageSource == WEAPON_ROCKETLAUNCHER + or damageSource == WEAPON_MINEGUN or damageSource == FRAG_BOX + or damageSource == WEAPON_REFLECTED_STICKY or damageSource == WEAPON_REFLECTED_ROCKET + or damageSource == FINISHED_OFF_GIB or damageSource == GENERATOR_EXPLOSION) + and (player.class != CLASS_QUOTE) and (global.gibLevel>1) + and distance_to_point(xoffset+xsize/2,yoffset+ysize/2) < 900) { + if (hasReward(victim, 'PumpkinGibs')) + { + repeat(global.gibLevel * 2) { + createGib(x,y,PumpkinGib,hspeed,vspeed,random(145)-72, choose(0,1,1,2,2,3), false, true) + } + } + else + { + repeat(global.gibLevel) { + createGib(x,y,Gib,hspeed,vspeed,random(145)-72, 0, false) + } + switch(player.team) + { + case TEAM_BLUE : + repeat(global.gibLevel - 1) { + createGib(x,y,BlueClump,hspeed,vspeed,random(145)-72, 0, false) + } + break; + case TEAM_RED : + repeat(global.gibLevel - 1) { + createGib(x,y,RedClump,hspeed,vspeed,random(145)-72, 0, false) + } + break; + } + } + + repeat(global.gibLevel * 14) { + var blood; + blood = instance_create(x+random(23)-11,y+random(23)-11,BloodDrop); + blood.hspeed=(random(21)-10); + blood.vspeed=(random(21)-13); + if (hasReward(victim, 'PumpkinGibs')) + { + blood.sprite_index = PumpkinJuiceS; + } + } + if (!hasReward(victim, 'PumpkinGibs')) + { + //All Classes gib head, hands, and feet + if(global.gibLevel > 2 || choose(0,1) == 1) + createGib(x,y,Headgib,0,0,random(105)-52, player.class, false); + repeat(global.gibLevel -1){ + //Medic has specially colored hands + if (player.class == CLASS_MEDIC){ + if (player.team == TEAM_RED) + createGib(x,y,Hand, hspeed, vspeed, random(105)-52 , 9, false); + else + createGib(x,y,Hand, hspeed, vspeed, random(105)-52 , 10, false); + }else{ + createGib(x,y,Hand, hspeed, vspeed, random(105)-52 , player.class, false); + } + createGib(x,y,Feet,random(5)-2,random(3),random(13)-6 , player.class, true); + } + } + + //Class specific gibs + switch(player.class) { + case CLASS_PYRO : + if(global.gibLevel > 2 || choose(0,1) == 1) + createGib(x,y,Accesory,hspeed,vspeed,random(105)-52, 4, false) + break; + case CLASS_SOLDIER : + if(global.gibLevel > 2 || choose(0,1) == 1){ + switch(player.team) { + case TEAM_BLUE : + createGib(x,y,Accesory,hspeed,vspeed,random(105)-52, 2, false); + break; + case TEAM_RED : + createGib(x,y,Accesory,hspeed,vspeed,random(105)-52, 1, false); + break; + } + } + break; + case CLASS_ENGINEER : + if(global.gibLevel > 2 || choose(0,1) == 1) + createGib(x,y,Accesory,hspeed,vspeed,random(105)-52, 3, false) + break; + case CLASS_SNIPER : + if(global.gibLevel > 2 || choose(0,1) == 1) + createGib(x,y,Accesory,hspeed,vspeed,random(105)-52, 0, false) + break; + } + playsound(x,y,Gibbing); + } else { + var deadbody; + if player.class != CLASS_QUOTE playsound(x,y,choose(DeathSnd1, DeathSnd2)); + deadbody = instance_create(x,y-30,DeadGuy); + // 'GS' reward - *G*olden *S*tatue + if(hasReward(player, 'GS')) + { + deadbody.sprite_index = haxxyStatue; + deadbody.image_index = 0; + } + else + { + deadbody.sprite_index = sprite_index; + deadbody.image_index = CHARACTER_ANIMATION_DEAD; + } + deadbody.hspeed=hspeed; + deadbody.vspeed=vspeed; + if(hspeed>0) { + deadbody.image_xscale = -1; + } + } +} + +if (global.gg_birthday){ + myHat = instance_create(victim.object.x,victim.object.y,PartyHat); + myHat.image_index = victim.team; +} +if (global.xmas){ + myHat = instance_create(victim.object.x,victim.object.y,XmasHat); + myHat.image_index = victim.team; +} + + +with(victim.object) { + instance_destroy(); +} + +//************************************* +//* Deathcam +//************************************* +if( global.killCam and victim == global.myself and killer and killer != victim and !(damageSource == KILL_BOX || damageSource == FRAG_BOX || damageSource == FINISHED_OFF || damageSource == FINISHED_OFF_GIB || damageSource == GENERATOR_EXPLOSION)) { + instance_create(0,0,DeathCam); + DeathCam.killedby=killer; + DeathCam.name=killer.name; + DeathCam.oldxview=view_xview[0]; + DeathCam.oldyview=view_yview[0]; + DeathCam.lastDamageSource=damageSource; + DeathCam.team = global.myself.team; +} diff --git a/samples/Game Maker Language/faucet-http.gml b/samples/Game Maker Language/faucet-http.gml new file mode 100644 index 00000000..c9b4d0f5 --- /dev/null +++ b/samples/Game Maker Language/faucet-http.gml @@ -0,0 +1,1469 @@ +#define __http_init +// *** +// This function forms part of Faucet HTTP v1.0 +// https://github.com/TazeTSchnitzel/Faucet-HTTP-Extension +// +// Copyright (c) 2013-2014, Andrea Faulds +// +// Permission to use, copy, modify, and/or distribute this software for any +// purpose with or without fee is hereby granted, provided that the above +// copyright notice and this permission notice appear in all copies. +// +// THE SOFTWARE IS PROVIDED "AS IS" AND THE AUTHOR DISCLAIMS ALL WARRANTIES +// WITH REGARD TO THIS SOFTWARE INCLUDING ALL IMPLIED WARRANTIES OF +// MERCHANTABILITY AND FITNESS. IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR +// ANY SPECIAL, DIRECT, INDIRECT, OR CONSEQUENTIAL DAMAGES OR ANY DAMAGES +// WHATSOEVER RESULTING FROM LOSS OF USE, DATA OR PROFITS, WHETHER IN AN +// ACTION OF CONTRACT, NEGLIGENCE OR OTHER TORTIOUS ACTION, ARISING OUT OF +// OR IN CONNECTION WITH THE USE OR PERFORMANCE OF THIS SOFTWARE. +// *** + +// Creates global.__HttpClient +// real __http_init() + +global.__HttpClient = object_add(); +object_set_persistent(global.__HttpClient, true); + +#define __http_split +// *** +// This function forms part of Faucet HTTP v1.0 +// https://github.com/TazeTSchnitzel/Faucet-HTTP-Extension +// +// Copyright (c) 2013-2014, Andrea Faulds +// +// Permission to use, copy, modify, and/or distribute this software for any +// purpose with or without fee is hereby granted, provided that the above +// copyright notice and this permission notice appear in all copies. +// +// THE SOFTWARE IS PROVIDED "AS IS" AND THE AUTHOR DISCLAIMS ALL WARRANTIES +// WITH REGARD TO THIS SOFTWARE INCLUDING ALL IMPLIED WARRANTIES OF +// MERCHANTABILITY AND FITNESS. IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR +// ANY SPECIAL, DIRECT, INDIRECT, OR CONSEQUENTIAL DAMAGES OR ANY DAMAGES +// WHATSOEVER RESULTING FROM LOSS OF USE, DATA OR PROFITS, WHETHER IN AN +// ACTION OF CONTRACT, NEGLIGENCE OR OTHER TORTIOUS ACTION, ARISING OUT OF +// OR IN CONNECTION WITH THE USE OR PERFORMANCE OF THIS SOFTWARE. +// *** + +// real __http_split(string text, delimeter delimeter, real limit) +// Splits string into items + +// text - string comma-separated values +// delimeter - delimeter to split by +// limit if non-zero, maximum times to split text +// When limited, the remaining text will be left as the last item. +// E.g. splitting "1,2,3,4,5" with delimeter "," and limit 2 yields this list: +// "1", "2", "3,4,5" + +// return value - ds_list containing strings of values + +var text, delimeter, limit; +text = argument0; +delimeter = argument1; +limit = argument2; + +var list, count; +list = ds_list_create(); +count = 0; + +while (string_pos(delimeter, text) != 0) +{ + ds_list_add(list, string_copy(text, 1, string_pos(delimeter,text) - 1)); + text = string_copy(text, string_pos(delimeter, text) + string_length(delimeter), string_length(text) - string_pos(delimeter, text)); + + count += 1; + if (limit and count == limit) + break; +} +ds_list_add(list, text); + +return list; + +#define __http_parse_url +// *** +// This function forms part of Faucet HTTP v1.0 +// https://github.com/TazeTSchnitzel/Faucet-HTTP-Extension +// +// Copyright (c) 2013-2014, Andrea Faulds +// +// Permission to use, copy, modify, and/or distribute this software for any +// purpose with or without fee is hereby granted, provided that the above +// copyright notice and this permission notice appear in all copies. +// +// THE SOFTWARE IS PROVIDED "AS IS" AND THE AUTHOR DISCLAIMS ALL WARRANTIES +// WITH REGARD TO THIS SOFTWARE INCLUDING ALL IMPLIED WARRANTIES OF +// MERCHANTABILITY AND FITNESS. IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR +// ANY SPECIAL, DIRECT, INDIRECT, OR CONSEQUENTIAL DAMAGES OR ANY DAMAGES +// WHATSOEVER RESULTING FROM LOSS OF USE, DATA OR PROFITS, WHETHER IN AN +// ACTION OF CONTRACT, NEGLIGENCE OR OTHER TORTIOUS ACTION, ARISING OUT OF +// OR IN CONNECTION WITH THE USE OR PERFORMANCE OF THIS SOFTWARE. +// *** + +// Parses a URL into its components +// real __http_parse_url(string url) + +// Return value is a ds_map containing keys for the different URL parts: (or -1 on failure) +// "url" - the URL which was passed in +// "scheme" - the URL scheme (e.g. "http") +// "host" - the hostname (e.g. "example.com" or "127.0.0.1") +// "port" - the port (e.g. 8000) - this is a real, unlike the others +// "abs_path" - the absolute path (e.g. "/" or "/index.html") +// "query" - the query string (e.g. "a=b&c=3") +// Parts which are not included will not be in the map +// e.g. http://example.com will not have the "port", "path" or "query" keys + +// This will *only* work properly for URLs of format: +// scheme ":" "//" host [ ":" port ] [ abs_path [ "?" query ]]" +// where [] denotes an optional component +// file: URLs will *not* work as they lack the authority (host:port) component +// It will not work correctly for IPv6 host values + +var url; +url = argument0; + +var map; +map = ds_map_create(); +ds_map_add(map, 'url', url); + +// before scheme +var colonPos; +// Find colon for end of scheme +colonPos = string_pos(':', url); +// No colon - bad URL +if (colonPos == 0) + return -1; +ds_map_add(map, 'scheme', string_copy(url, 1, colonPos - 1)); +url = string_copy(url, colonPos + 1, string_length(url) - colonPos); + +// before double slash +// remove slashes (yes this will screw up file:// but who cares) +while (string_char_at(url, 1) == '/') + url = string_copy(url, 2, string_length(url) - 1); + +// before hostname +var slashPos, colonPos; +// Find slash for beginning of path +slashPos = string_pos('/', url); +// No slash ahead - http://host format with no ending slash +if (slashPos == 0) +{ + // Find : for beginning of port + colonPos = string_pos(':', url); +} +else +{ + // Find : for beginning of port prior to / + colonPos = string_pos(':', string_copy(url, 1, slashPos - 1)); +} +// No colon - no port +if (colonPos == 0) +{ + // There was no slash + if (slashPos == 0) + { + ds_map_add(map, 'host', url); + return map; + } + // There was a slash + else + { + ds_map_add(map, 'host', string_copy(url, 1, slashPos - 1)); + url = string_copy(url, slashPos, string_length(url) - slashPos + 1); + } +} +// There's a colon - port specified +else +{ + // There was no slash + if (slashPos == 0) + { + ds_map_add(map, 'host', string_copy(url, 1, colonPos - 1)); + ds_map_add(map, 'port', real(string_copy(url, colonPos + 1, string_length(url) - colonPos))); + return map; + } + // There was a slash + else + { + ds_map_add(map, 'host', string_copy(url, 1, colonPos - 1)); + url = string_copy(url, colonPos + 1, string_length(url) - colonPos); + slashPos = string_pos('/', url); + ds_map_add(map, 'port', real(string_copy(url, 1, slashPos - 1))); + url = string_copy(url, slashPos, string_length(url) - slashPos + 1); + } +} + +// before path +var queryPos; +queryPos = string_pos('?', url); +// There's no ? - no query +if (queryPos == 0) +{ + ds_map_add(map, 'abs_path', url); + return map; +} +else +{ + ds_map_add(map, 'abs_path', string_copy(url, 1, queryPos - 1)); + ds_map_add(map, 'query', string_copy(url, queryPos + 1, string_length(url) - queryPos)); + return map; +} + +// Return -1 upon unlikely error +ds_map_destroy(map); +return -1; + +#define __http_resolve_url +// *** +// This function forms part of Faucet HTTP v1.0 +// https://github.com/TazeTSchnitzel/Faucet-HTTP-Extension +// +// Copyright (c) 2013-2014, Andrea Faulds +// +// Permission to use, copy, modify, and/or distribute this software for any +// purpose with or without fee is hereby granted, provided that the above +// copyright notice and this permission notice appear in all copies. +// +// THE SOFTWARE IS PROVIDED "AS IS" AND THE AUTHOR DISCLAIMS ALL WARRANTIES +// WITH REGARD TO THIS SOFTWARE INCLUDING ALL IMPLIED WARRANTIES OF +// MERCHANTABILITY AND FITNESS. IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR +// ANY SPECIAL, DIRECT, INDIRECT, OR CONSEQUENTIAL DAMAGES OR ANY DAMAGES +// WHATSOEVER RESULTING FROM LOSS OF USE, DATA OR PROFITS, WHETHER IN AN +// ACTION OF CONTRACT, NEGLIGENCE OR OTHER TORTIOUS ACTION, ARISING OUT OF +// OR IN CONNECTION WITH THE USE OR PERFORMANCE OF THIS SOFTWARE. +// *** + +// Takes a base URL and a URL reference and applies it to the base URL +// Returns resulting absolute URL +// string __http_resolve_url(string baseUrl, string refUrl) + +// Return value is a string containing the new absolute URL, or "" on failure + +// Works only for restricted URL syntax as understood by by http_resolve_url +// The sole restriction of which is that only scheme://authority/path URLs work +// This notably excludes file: URLs which lack the authority component + +// As described by RFC3986: +// URI-reference = URI / relative-ref +// relative-ref = relative-part [ "?" query ] [ "#" fragment ] +// relative-part = "//" authority path-abempty +// / path-absolute +// / path-noscheme +// / path-empty +// However http_resolve_url does *not* deal with fragments + +// Algorithm based on that of section 5.2.2 of RFC 3986 + +var baseUrl, refUrl; +baseUrl = argument0; +refUrl = argument1; + +// Parse base URL +var urlParts; +urlParts = __http_parse_url(baseUrl); +if (urlParts == -1) + return ''; + +// Try to parse reference URL +var refUrlParts, canParseRefUrl; +refUrlParts = __http_parse_url(refUrl); +canParseRefUrl = (refUrlParts != -1); +if (refUrlParts != -1) + ds_map_destroy(refUrlParts); + +var result; +result = ''; + +// Parsing of reference URL succeeded - it's absolute and we're done +if (canParseRefUrl) +{ + result = refUrl; +} +// Begins with '//' - scheme-relative URL +else if (string_copy(refUrl, 1, 2) == '//' and string_length(refUrl) > 2) +{ + result = ds_map_find_value(urlParts, 'scheme') + ':' + refUrl; +} +// Is or begins with '/' - absolute path relative URL +else if (((string_char_at(refUrl, 1) == '/' and string_length(refUrl) > 1) or refUrl == '/') +// Doesn't begin with ':' and is not blank - relative path relative URL + or (string_char_at(refUrl, 1) != ':' and string_length(refUrl) > 0)) +{ + // Find '?' for query + var queryPos; + queryPos = string_pos('?', refUrl); + // No query + if (queryPos == 0) + { + refUrl = __http_resolve_path(ds_map_find_value(urlParts, 'abs_path'), refUrl); + ds_map_replace(urlParts, 'abs_path', refUrl); + if (ds_map_exists(urlParts, 'query')) + ds_map_delete(urlParts, 'query'); + } + // Query exists, split + else + { + var path, query; + path = string_copy(refUrl, 1, queryPos - 1); + query = string_copy(refUrl, queryPos + 1, string_length(relUrl) - queryPos); + path = __http_resolve_path(ds_map_find_value(urlParts, 'abs_path'), path); + ds_map_replace(urlParts, 'abs_path', path); + if (ds_map_exists(urlParts, 'query')) + ds_map_replace(urlParts, 'query', query); + else + ds_map_add(urlParts, 'query', query); + } + result = __http_construct_url(urlParts); +} + +ds_map_destroy(urlParts); +return result; + +#define __http_resolve_path +// *** +// This function forms part of Faucet HTTP v1.0 +// https://github.com/TazeTSchnitzel/Faucet-HTTP-Extension +// +// Copyright (c) 2013-2014, Andrea Faulds +// +// Permission to use, copy, modify, and/or distribute this software for any +// purpose with or without fee is hereby granted, provided that the above +// copyright notice and this permission notice appear in all copies. +// +// THE SOFTWARE IS PROVIDED "AS IS" AND THE AUTHOR DISCLAIMS ALL WARRANTIES +// WITH REGARD TO THIS SOFTWARE INCLUDING ALL IMPLIED WARRANTIES OF +// MERCHANTABILITY AND FITNESS. IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR +// ANY SPECIAL, DIRECT, INDIRECT, OR CONSEQUENTIAL DAMAGES OR ANY DAMAGES +// WHATSOEVER RESULTING FROM LOSS OF USE, DATA OR PROFITS, WHETHER IN AN +// ACTION OF CONTRACT, NEGLIGENCE OR OTHER TORTIOUS ACTION, ARISING OUT OF +// OR IN CONNECTION WITH THE USE OR PERFORMANCE OF THIS SOFTWARE. +// *** + +// Takes a base path and a path reference and applies it to the base path +// Returns resulting absolute path +// string __http_resolve_path(string basePath, string refPath) + +// Return value is a string containing the new absolute path + +// Deals with UNIX-style / paths, not Windows-style \ paths +// Can be used to clean up .. and . in non-absolute paths too ('' as basePath) + +var basePath, refPath; +basePath = argument0; +refPath = argument1; + +// refPath begins with '/' (is absolute), we can ignore all of basePath +if (string_char_at(refPath, 1) == '/') +{ + basePath = refPath; + refPath = ''; +} + +var parts, refParts; +parts = __http_split(basePath, '/', 0); +refParts = __http_split(refPath, '/', 0); + +if (refPath != '') +{ + // Find last part of base path + var lastPart; + lastPart = ds_list_find_value(parts, ds_list_size(parts) - 1); + + // If it's not blank (points to a file), remove it + if (lastPart != '') + { + ds_list_delete(parts, ds_list_size(parts) - 1); + } + + // Concatenate refParts to end of parts + var i; + for (i = 0; i < ds_list_size(refParts); i += 1) + ds_list_add(parts, ds_list_find_value(refParts, i)); +} + +// We now don't need refParts any more +ds_list_destroy(refParts); + +// Deal with '..' and '.' +for (i = 0; i < ds_list_size(parts); i += 1) +{ + var part; + part = ds_list_find_value(parts, i); + + if (part == '.') + { + if (i == 1 or i == ds_list_size(parts) - 1) + ds_list_replace(parts, i, ''); + else + ds_list_delete(parts, i); + i -= 1; + continue; + } + else if (part == '..') + { + if (i > 1) + { + ds_list_delete(parts, i - 1); + ds_list_delete(part, i); + i -= 2; + } + else + { + ds_list_replace(parts, i, ''); + i -= 1; + } + continue; + } + else if (part == '' and i != 0 and i != ds_list_size(parts) - 1) + { + ds_list_delete(parts, i); + i -= 1; + continue; + } +} + +// Reconstruct path from parts +var path; +path = ''; +for (i = 0; i < ds_list_size(parts); i += 1) +{ + if (i != 0) + path += '/'; + path += ds_list_find_value(parts, i); +} + +ds_map_destroy(parts); +return path; + +#define __http_parse_hex +// *** +// This function forms part of Faucet HTTP v1.0 +// https://github.com/TazeTSchnitzel/Faucet-HTTP-Extension +// +// Copyright (c) 2013-2014, Andrea Faulds +// +// Permission to use, copy, modify, and/or distribute this software for any +// purpose with or without fee is hereby granted, provided that the above +// copyright notice and this permission notice appear in all copies. +// +// THE SOFTWARE IS PROVIDED "AS IS" AND THE AUTHOR DISCLAIMS ALL WARRANTIES +// WITH REGARD TO THIS SOFTWARE INCLUDING ALL IMPLIED WARRANTIES OF +// MERCHANTABILITY AND FITNESS. IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR +// ANY SPECIAL, DIRECT, INDIRECT, OR CONSEQUENTIAL DAMAGES OR ANY DAMAGES +// WHATSOEVER RESULTING FROM LOSS OF USE, DATA OR PROFITS, WHETHER IN AN +// ACTION OF CONTRACT, NEGLIGENCE OR OTHER TORTIOUS ACTION, ARISING OUT OF +// OR IN CONNECTION WITH THE USE OR PERFORMANCE OF THIS SOFTWARE. +// *** + +// Takes a lowercase hexadecimal string and returns its integer value +// real __http_parse_hex(string hexString) + +// Return value is the whole number value (or -1 if invalid) +// Only works for whole numbers (non-fractional numbers >= 0) and lowercase hex + +var hexString; +hexString = argument0; + +var result, hexValues; +result = 0; +hexValues = "0123456789abcdef"; + +var i; +for (i = 1; i <= string_length(hexString); i += 1) { + result *= 16; + var digit; + digit = string_pos(string_char_at(hexString, i), hexValues) - 1; + if (digit == -1) + return -1; + result += digit; +} + +return result; + +#define __http_construct_url +// *** +// This function forms part of Faucet HTTP v1.0 +// https://github.com/TazeTSchnitzel/Faucet-HTTP-Extension +// +// Copyright (c) 2013-2014, Andrea Faulds +// +// Permission to use, copy, modify, and/or distribute this software for any +// purpose with or without fee is hereby granted, provided that the above +// copyright notice and this permission notice appear in all copies. +// +// THE SOFTWARE IS PROVIDED "AS IS" AND THE AUTHOR DISCLAIMS ALL WARRANTIES +// WITH REGARD TO THIS SOFTWARE INCLUDING ALL IMPLIED WARRANTIES OF +// MERCHANTABILITY AND FITNESS. IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR +// ANY SPECIAL, DIRECT, INDIRECT, OR CONSEQUENTIAL DAMAGES OR ANY DAMAGES +// WHATSOEVER RESULTING FROM LOSS OF USE, DATA OR PROFITS, WHETHER IN AN +// ACTION OF CONTRACT, NEGLIGENCE OR OTHER TORTIOUS ACTION, ARISING OUT OF +// OR IN CONNECTION WITH THE USE OR PERFORMANCE OF THIS SOFTWARE. +// *** + +// Constructs an URL from its components (as http_parse_url would return) +// string __http_construct_url(real parts) + +// Return value is the string of the constructed URL +// Keys of parts map: +// "scheme" - the URL scheme (e.g. "http") +// "host" - the hostname (e.g. "example.com" or "127.0.0.1") +// "port" - the port (e.g. 8000) - this is a real, unlike the others +// "abs_path" - the absolute path (e.g. "/" or "/index.html") +// "query" - the query string (e.g. "a=b&c=3") +// Parts which are omitted will be omitted in the URL +// e.g. http://example.com lacks "port", "path" or "query" keys + +// This will *only* work properly for URLs of format: +// scheme ":" "//" host [ ":" port ] [ abs_path [ "?" query ]]" +// where [] denotes an optional component +// file: URLs will *not* work as they lack the authority (host:port) component +// Should work correctly for IPv6 host values, but bare in mind parse_url won't + +var parts; +parts = argument0; + +var url; +url = ''; + +url += ds_map_find_value(parts, 'scheme'); +url += '://'; +url += ds_map_find_value(parts, 'host'); +if (ds_map_exists(parts, 'port')) + url += ':' + string(ds_map_find_value(parts, 'port')); +if (ds_map_exists(parts, 'abs_path')) +{ + url += ds_map_find_value(parts, 'abs_path'); + if (ds_map_exists(parts, 'query')) + url += '?' + ds_map_find_value(parts, 'query'); +} + +return url; + +#define __http_prepare_request +// *** +// This function forms part of Faucet HTTP v1.0 +// https://github.com/TazeTSchnitzel/Faucet-HTTP-Extension +// +// Copyright (c) 2013-2014, Andrea Faulds +// +// Permission to use, copy, modify, and/or distribute this software for any +// purpose with or without fee is hereby granted, provided that the above +// copyright notice and this permission notice appear in all copies. +// +// THE SOFTWARE IS PROVIDED "AS IS" AND THE AUTHOR DISCLAIMS ALL WARRANTIES +// WITH REGARD TO THIS SOFTWARE INCLUDING ALL IMPLIED WARRANTIES OF +// MERCHANTABILITY AND FITNESS. IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR +// ANY SPECIAL, DIRECT, INDIRECT, OR CONSEQUENTIAL DAMAGES OR ANY DAMAGES +// WHATSOEVER RESULTING FROM LOSS OF USE, DATA OR PROFITS, WHETHER IN AN +// ACTION OF CONTRACT, NEGLIGENCE OR OTHER TORTIOUS ACTION, ARISING OUT OF +// OR IN CONNECTION WITH THE USE OR PERFORMANCE OF THIS SOFTWARE. +// *** + +// Internal function - prepares request +// void __http_prepare_request(real client, string url, real headers) + +// client - HttpClient object to prepare +// url - URL to send GET request to +// headers - ds_map of extra headers to send, -1 if none + +var client, url, headers; +client = argument0; +url = argument1; +headers = argument2; + +var parsed; +parsed = __http_parse_url(url); + +if (parsed == -1) + show_error("Error when making HTTP GET request - can't parse URL: " + url, true); + +if (!ds_map_exists(parsed, 'port')) + ds_map_add(parsed, 'port', 80); +if (!ds_map_exists(parsed, 'abs_path')) + ds_map_add(parsed, 'abs_path', '/'); + +with (client) +{ + destroyed = false; + CR = chr(13); + LF = chr(10); + CRLF = CR + LF; + socket = tcp_connect(ds_map_find_value(parsed, 'host'), ds_map_find_value(parsed, 'port')); + state = 0; + errored = false; + error = ''; + linebuf = ''; + line = 0; + statusCode = -1; + reasonPhrase = ''; + responseBody = buffer_create(); + responseBodySize = -1; + responseBodyProgress = -1; + responseHeaders = ds_map_create(); + requestUrl = url; + requestHeaders = headers; + + // Request = Request-Line ; Section 5.1 + // *(( general-header ; Section 4.5 + // | request-header ; Section 5.3 + // | entity-header ) CRLF) ; Section 7.1 + // CRLF + // [ message-body ] ; Section 4.3 + + // "The Request-Line begins with a method token, followed by the + // Request-URI and the protocol version, and ending with CRLF. The + // elements are separated by SP characters. No CR or LF is allowed + // except in the final CRLF sequence." + if (ds_map_exists(parsed, 'query')) + write_string(socket, 'GET ' + ds_map_find_value(parsed, 'abs_path') + '?' + ds_map_find_value(parsed, 'query') + ' HTTP/1.1' + CRLF); + else + write_string(socket, 'GET ' + ds_map_find_value(parsed, 'abs_path') + ' HTTP/1.1' + CRLF); + + // "A client MUST include a Host header field in all HTTP/1.1 request + // messages." + // "A "host" without any trailing port information implies the default + // port for the service requested (e.g., "80" for an HTTP URL)." + if (ds_map_find_value(parsed, 'port') == 80) + write_string(socket, 'Host: ' + ds_map_find_value(parsed, 'host') + CRLF); + else + write_string(socket, 'Host: ' + ds_map_find_value(parsed, 'host') + + ':' + string(ds_map_find_value(parsed, 'port')) + CRLF); + + // "An HTTP/1.1 server MAY assume that a HTTP/1.1 client intends to + // maintain a persistent connection unless a Connection header including + // the connection-token "close" was sent in the request." + write_string(socket, 'Connection: close' + CRLF); + + // "If no Accept-Encoding field is present in a request, the server MAY + // assume that the client will accept any content coding." + write_string(socket, 'Accept-Encoding:' + CRLF); + + // If headers specified + if (headers != -1) + { + var key; + // Iterate over headers map + for (key = ds_map_find_first(headers); is_string(key); key = ds_map_find_next(headers, key)) + { + write_string(socket, key + ': ' + ds_map_find_value(headers, key) + CRLF); + } + } + + // Send extra CRLF to terminate request + write_string(socket, CRLF); + + socket_send(socket); + + ds_map_destroy(parsed); +} + +#define __http_parse_header +// *** +// This function forms part of Faucet HTTP v1.0 +// https://github.com/TazeTSchnitzel/Faucet-HTTP-Extension +// +// Copyright (c) 2013-2014, Andrea Faulds +// +// Permission to use, copy, modify, and/or distribute this software for any +// purpose with or without fee is hereby granted, provided that the above +// copyright notice and this permission notice appear in all copies. +// +// THE SOFTWARE IS PROVIDED "AS IS" AND THE AUTHOR DISCLAIMS ALL WARRANTIES +// WITH REGARD TO THIS SOFTWARE INCLUDING ALL IMPLIED WARRANTIES OF +// MERCHANTABILITY AND FITNESS. IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR +// ANY SPECIAL, DIRECT, INDIRECT, OR CONSEQUENTIAL DAMAGES OR ANY DAMAGES +// WHATSOEVER RESULTING FROM LOSS OF USE, DATA OR PROFITS, WHETHER IN AN +// ACTION OF CONTRACT, NEGLIGENCE OR OTHER TORTIOUS ACTION, ARISING OUT OF +// OR IN CONNECTION WITH THE USE OR PERFORMANCE OF THIS SOFTWARE. +// *** + +// Internal function - parses header +// real __http_parse_header(string linebuf, real line) +// Returns false if it errored (caller should return and destroy) + +var linebuf, line; +linebuf = argument0; +line = argument1; + +// "HTTP/1.1 header field values can be folded onto multiple lines if the +// continuation line begins with a space or horizontal tab." +if ((string_char_at(linebuf, 1) == ' ' or ord(string_char_at(linebuf, 1)) == 9)) +{ + if (line == 1) + { + errored = true; + error = "First header line of response can't be a continuation, right?"; + return false; + } + headerValue = ds_map_find_value(responseHeaders, string_lower(headerName)) + + string_copy(linebuf, 2, string_length(linebuf) - 1); +} +// "Each header field consists +// of a name followed by a colon (":") and the field value. Field names +// are case-insensitive. The field value MAY be preceded by any amount +// of LWS, though a single SP is preferred." +else +{ + var colonPos; + colonPos = string_pos(':', linebuf); + if (colonPos == 0) + { + errored = true; + error = "No colon in a header line of response"; + return false; + } + headerName = string_copy(linebuf, 1, colonPos - 1); + headerValue = string_copy(linebuf, colonPos + 1, string_length(linebuf) - colonPos); + // "The field-content does not include any leading or trailing LWS: + // linear white space occurring before the first non-whitespace + // character of the field-value or after the last non-whitespace + // character of the field-value. Such leading or trailing LWS MAY be + // removed without changing the semantics of the field value." + while (string_char_at(headerValue, 1) == ' ' or ord(string_char_at(headerValue, 1)) == 9) + headerValue = string_copy(headerValue, 2, string_length(headerValue) - 1); +} + +ds_map_add(responseHeaders, string_lower(headerName), headerValue); + +if (string_lower(headerName) == 'content-length') +{ + responseBodySize = real(headerValue); + responseBodyProgress = 0; +} + +return true; + +#define __http_client_step +// *** +// This function forms part of Faucet HTTP v1.0 +// https://github.com/TazeTSchnitzel/Faucet-HTTP-Extension +// +// Copyright (c) 2013-2014, Andrea Faulds +// +// Permission to use, copy, modify, and/or distribute this software for any +// purpose with or without fee is hereby granted, provided that the above +// copyright notice and this permission notice appear in all copies. +// +// THE SOFTWARE IS PROVIDED "AS IS" AND THE AUTHOR DISCLAIMS ALL WARRANTIES +// WITH REGARD TO THIS SOFTWARE INCLUDING ALL IMPLIED WARRANTIES OF +// MERCHANTABILITY AND FITNESS. IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR +// ANY SPECIAL, DIRECT, INDIRECT, OR CONSEQUENTIAL DAMAGES OR ANY DAMAGES +// WHATSOEVER RESULTING FROM LOSS OF USE, DATA OR PROFITS, WHETHER IN AN +// ACTION OF CONTRACT, NEGLIGENCE OR OTHER TORTIOUS ACTION, ARISING OUT OF +// OR IN CONNECTION WITH THE USE OR PERFORMANCE OF THIS SOFTWARE. +// *** + +// Steps the HTTP client (needs to be called each step or so) + +var client; +client = argument0; + +with (client) +{ + if (errored) + exit; + + // Socket error + if (socket_has_error(socket)) + { + errored = true; + error = "Socket error: " + socket_error(socket); + return __http_client_destroy(); + } + + var available; + available = tcp_receive_available(socket); + + switch (state) + { + // Receiving lines + case 0: + if (!available && tcp_eof(socket)) + { + errored = true; + error = "Unexpected EOF when receiving headers/status code"; + return __http_client_destroy(); + } + + var bytesRead, c; + for (bytesRead = 1; bytesRead <= available; bytesRead += 1) + { + c = read_string(socket, 1); + // Reached end of line + // "HTTP/1.1 defines the sequence CR LF as the end-of-line marker for all + // protocol elements except the entity-body (see appendix 19.3 for + // tolerant applications)." + if (c == LF and string_char_at(linebuf, string_length(linebuf)) == CR) + { + // Strip trailing CR + linebuf = string_copy(linebuf, 1, string_length(linebuf) - 1); + // First line - status code + if (line == 0) + { + // "The first line of a Response message is the Status-Line, consisting + // of the protocol version followed by a numeric status code and its + // associated textual phrase, with each element separated by SP + // characters. No CR or LF is allowed except in the final CRLF sequence." + var httpVer, spacePos; + spacePos = string_pos(' ', linebuf); + if (spacePos == 0) + { + errored = true; + error = "No space in first line of response"; + return __http_client_destroy(); + } + httpVer = string_copy(linebuf, 1, spacePos); + linebuf = string_copy(linebuf, spacePos + 1, string_length(linebuf) - spacePos); + + spacePos = string_pos(' ', linebuf); + if (spacePos == 0) + { + errored = true; + error = "No second space in first line of response"; + return __http_client_destroy(); + } + statusCode = real(string_copy(linebuf, 1, spacePos)); + reasonPhrase = string_copy(linebuf, spacePos + 1, string_length(linebuf) - spacePos); + } + // Other line + else + { + // Blank line, end of response headers + if (linebuf == '') + { + state = 1; + // write remainder + write_buffer_part(responseBody, socket, available - bytesRead); + responseBodyProgress = available - bytesRead; + break; + } + // Header + else + { + if (!__http_parse_header(linebuf, line)) + return __http_client_destroy(); + } + } + + linebuf = ''; + line += 1; + } + else + linebuf += c; + } + break; + // Receiving response body + case 1: + write_buffer(responseBody, socket); + responseBodyProgress += available; + if (tcp_eof(socket)) + { + if (ds_map_exists(responseHeaders, 'transfer-encoding')) + { + if (ds_map_find_value(responseHeaders, 'transfer-encoding') == 'chunked') + { + // Chunked transfer, let's decode it + var actualResponseBody, actualResponseSize; + actualResponseBody = buffer_create(); + actualResponseBodySize = 0; + + // Parse chunks + // chunk = chunk-size [ chunk-extension ] CRLF + // chunk-data CRLF + // chunk-size = 1*HEX + while (buffer_bytes_left(responseBody)) + { + var chunkSize, c; + chunkSize = ''; + + // Read chunk size byte by byte + while (buffer_bytes_left(responseBody)) + { + c = read_string(responseBody, 1); + if (c == CR or c == ';') + break; + else + chunkSize += c; + } + + // We found a semicolon - beginning of chunk-extension + if (c == ';') + { + // skip all extension stuff + while (buffer_bytes_left(responseBody) && c != CR) + { + c = read_string(responseBody, 1); + } + } + // Reached end of header + if (c == CR) + { + c += read_string(responseBody, 1); + // Doesn't end in CRLF + if (c != CRLF) + { + errored = true; + error = 'header of chunk in chunked transfer did not end in CRLF'; + buffer_destroy(actualResponseBody); + return __http_client_destroy(); + } + // chunk-size is empty - something's up! + if (chunkSize == '') + { + errored = true; + error = 'empty chunk-size in a chunked transfer'; + buffer_destroy(actualResponseBody); + return __http_client_destroy(); + } + chunkSize = __http_parse_hex(chunkSize); + // Parsing of size failed - not hex? + if (chunkSize == -1) + { + errored = true; + error = 'chunk-size was not hexadecimal in a chunked transfer'; + buffer_destroy(actualResponseBody); + return __http_client_destroy(); + } + // Is the chunk bigger than the remaining response? + if (chunkSize + 2 > buffer_bytes_left(responseBody)) + { + errored = true; + error = 'chunk-size was greater than remaining data in a chunked transfer'; + buffer_destroy(actualResponseBody); + return __http_client_destroy(); + } + // OK, everything's good, read the chunk + write_buffer_part(actualResponseBody, responseBody, chunkSize); + actualResponseBodySize += chunkSize; + // Check for CRLF + if (read_string(responseBody, 2) != CRLF) + { + errored = true; + error = 'chunk did not end in CRLF in a chunked transfer'; + return __http_client_destroy(); + } + } + else + { + errored = true; + error = 'did not find CR after reading chunk header in a chunked transfer, Faucet HTTP bug?'; + return __http_client_destroy(); + } + // if the chunk size is zero, then it was the last chunk + if (chunkSize == 0 + // trailer headers will be present + and ds_map_exists(responseHeaders, 'trailer')) + { + // Parse header lines + var line; + line = 1; + while (buffer_bytes_left(responseBody)) + { + var linebuf; + linebuf = ''; + while (buffer_bytes_left(responseBody)) + { + c = read_string(responseBody, 1); + if (c != CR) + linebuf += c; + else + break; + } + c += read_string(responseBody, 1); + if (c != CRLF) + { + errored = true; + error = 'trailer header did not end in CRLF in a chunked transfer'; + return __http_client_destroy(); + } + if (!__http_parse_header(linebuf, line)) + return __http_client_destroy(); + line += 1; + } + } + } + responseBodySize = actualResponseBodySize; + buffer_destroy(responseBody); + responseBody = actualResponseBody; + } + else + { + errored = true; + error = 'Unsupported Transfer-Encoding: "' + ds_map_find_value(responseHaders, 'transfer-encoding') + '"'; + return __http_client_destroy(); + } + } + else if (responseBodySize != -1) + { + if (responseBodyProgress < responseBodySize) + { + errored = true; + error = "Unexpected EOF, response body size is less than expected"; + return __http_client_destroy(); + } + } + // 301 Moved Permanently/302 Found/303 See Other/307 Moved Temporarily + if (statusCode == 301 or statusCode == 302 or statusCode == 303 or statusCode == 307) + { + if (ds_map_exists(responseHeaders, 'location')) + { + var location, resolved; + location = ds_map_find_value(responseHeaders, 'location'); + resolved = __http_resolve_url(requestUrl, location); + // Resolving URL didn't fail and it's http:// + if (resolved != '' and string_copy(resolved, 1, 7) == 'http://') + { + // Restart request + __http_client_destroy(); + __http_prepare_request(client, resolved, requestHeaders); + } + else + { + errored = true; + error = "301, 302, 303 or 307 response with invalid or unsupported Location URL ('" + location + "') - can't redirect"; + return __http_client_destroy(); + } + exit; + } + else + { + errored = true; + error = "301, 302, 303 or 307 response without Location header - can't redirect"; + return __http_client_destroy(); + } + } + else + state = 2; + } + break; + // Done. + case 2: + break; + } +} + +#define __http_client_destroy +// *** +// This function forms part of Faucet HTTP v1.0 +// https://github.com/TazeTSchnitzel/Faucet-HTTP-Extension +// +// Copyright (c) 2013-2014, Andrea Faulds +// +// Permission to use, copy, modify, and/or distribute this software for any +// purpose with or without fee is hereby granted, provided that the above +// copyright notice and this permission notice appear in all copies. +// +// THE SOFTWARE IS PROVIDED "AS IS" AND THE AUTHOR DISCLAIMS ALL WARRANTIES +// WITH REGARD TO THIS SOFTWARE INCLUDING ALL IMPLIED WARRANTIES OF +// MERCHANTABILITY AND FITNESS. IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR +// ANY SPECIAL, DIRECT, INDIRECT, OR CONSEQUENTIAL DAMAGES OR ANY DAMAGES +// WHATSOEVER RESULTING FROM LOSS OF USE, DATA OR PROFITS, WHETHER IN AN +// ACTION OF CONTRACT, NEGLIGENCE OR OTHER TORTIOUS ACTION, ARISING OUT OF +// OR IN CONNECTION WITH THE USE OR PERFORMANCE OF THIS SOFTWARE. +// *** + +// Clears up contents of an httpClient prior to destruction or after error + +if (!destroyed) { + socket_destroy(socket); + buffer_destroy(responseBody); + ds_map_destroy(responseHeaders); +} +destroyed = true; + +#define http_new_get +// *** +// This function forms part of Faucet HTTP v1.0 +// https://github.com/TazeTSchnitzel/Faucet-HTTP-Extension +// +// Copyright (c) 2013-2014, Andrea Faulds +// +// Permission to use, copy, modify, and/or distribute this software for any +// purpose with or without fee is hereby granted, provided that the above +// copyright notice and this permission notice appear in all copies. +// +// THE SOFTWARE IS PROVIDED "AS IS" AND THE AUTHOR DISCLAIMS ALL WARRANTIES +// WITH REGARD TO THIS SOFTWARE INCLUDING ALL IMPLIED WARRANTIES OF +// MERCHANTABILITY AND FITNESS. IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR +// ANY SPECIAL, DIRECT, INDIRECT, OR CONSEQUENTIAL DAMAGES OR ANY DAMAGES +// WHATSOEVER RESULTING FROM LOSS OF USE, DATA OR PROFITS, WHETHER IN AN +// ACTION OF CONTRACT, NEGLIGENCE OR OTHER TORTIOUS ACTION, ARISING OUT OF +// OR IN CONNECTION WITH THE USE OR PERFORMANCE OF THIS SOFTWARE. +// *** + +// Makes a GET HTTP request +// real http_new_get(string url) + +// url - URL to send GET request to + +// Return value is an HttpClient instance that can be passed to +// fct_http_request_status etc. +// (errors on failure to parse URL) + +var url, client; + +url = argument0; + +if (!variable_global_exists('__HttpClient')) + __http_init(); + +client = instance_create(0, 0, global.__HttpClient); +__http_prepare_request(client, url, -1); +return client; + +#define http_new_get_ex +// *** +// This function forms part of Faucet HTTP v1.0 +// https://github.com/TazeTSchnitzel/Faucet-HTTP-Extension +// +// Copyright (c) 2013-2014, Andrea Faulds +// +// Permission to use, copy, modify, and/or distribute this software for any +// purpose with or without fee is hereby granted, provided that the above +// copyright notice and this permission notice appear in all copies. +// +// THE SOFTWARE IS PROVIDED "AS IS" AND THE AUTHOR DISCLAIMS ALL WARRANTIES +// WITH REGARD TO THIS SOFTWARE INCLUDING ALL IMPLIED WARRANTIES OF +// MERCHANTABILITY AND FITNESS. IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR +// ANY SPECIAL, DIRECT, INDIRECT, OR CONSEQUENTIAL DAMAGES OR ANY DAMAGES +// WHATSOEVER RESULTING FROM LOSS OF USE, DATA OR PROFITS, WHETHER IN AN +// ACTION OF CONTRACT, NEGLIGENCE OR OTHER TORTIOUS ACTION, ARISING OUT OF +// OR IN CONNECTION WITH THE USE OR PERFORMANCE OF THIS SOFTWARE. +// *** + +// Makes a GET HTTP request with custom headers +// real http_new_get_ex(string url, real headers) + +// url - URL to send GET request to +// headers - ds_map of extra headers to send + +// Return value is an HttpClient instance that can be passed to +// fct_http_request_status etc. +// (errors on failure to parse URL) + +var url, headers, client; + +url = argument0; +headers = argument1; + +if (!variable_global_exists('__HttpClient')) + __http_init(); + +client = instance_create(0, 0, global.__HttpClient); +__http_prepare_request(client, url, headers); +return client; + +#define http_step +// *** +// This function forms part of Faucet HTTP v1.0 +// https://github.com/TazeTSchnitzel/Faucet-HTTP-Extension +// +// Copyright (c) 2013-2014, Andrea Faulds +// +// Permission to use, copy, modify, and/or distribute this software for any +// purpose with or without fee is hereby granted, provided that the above +// copyright notice and this permission notice appear in all copies. +// +// THE SOFTWARE IS PROVIDED "AS IS" AND THE AUTHOR DISCLAIMS ALL WARRANTIES +// WITH REGARD TO THIS SOFTWARE INCLUDING ALL IMPLIED WARRANTIES OF +// MERCHANTABILITY AND FITNESS. IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR +// ANY SPECIAL, DIRECT, INDIRECT, OR CONSEQUENTIAL DAMAGES OR ANY DAMAGES +// WHATSOEVER RESULTING FROM LOSS OF USE, DATA OR PROFITS, WHETHER IN AN +// ACTION OF CONTRACT, NEGLIGENCE OR OTHER TORTIOUS ACTION, ARISING OUT OF +// OR IN CONNECTION WITH THE USE OR PERFORMANCE OF THIS SOFTWARE. +// *** + +// Steps the HTTP client. This is what makes everything actually happen. +// Call it each step. Returns whether or not the request has finished. +// real http_step(real client) + +// client - HttpClient object + +// Return value is either: +// 0 - In progress +// 1 - Done or Errored + +// Example usage: +// req = http_new_get("http://example.com/x.txt"); +// while (http_step(req)) {} +// if (http_status_code(req) != 200) { +// // Errored! +// } else { +// // Hasn't errored, do stuff here. +// } + +var client; +client = argument0; + +__http_client_step(client); + +if (client.errored || client.state == 2) + return 1; +else + return 0; + +#define http_status_code +// *** +// This function forms part of Faucet HTTP v1.0 +// https://github.com/TazeTSchnitzel/Faucet-HTTP-Extension +// +// Copyright (c) 2013-2014, Andrea Faulds +// +// Permission to use, copy, modify, and/or distribute this software for any +// purpose with or without fee is hereby granted, provided that the above +// copyright notice and this permission notice appear in all copies. +// +// THE SOFTWARE IS PROVIDED "AS IS" AND THE AUTHOR DISCLAIMS ALL WARRANTIES +// WITH REGARD TO THIS SOFTWARE INCLUDING ALL IMPLIED WARRANTIES OF +// MERCHANTABILITY AND FITNESS. IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR +// ANY SPECIAL, DIRECT, INDIRECT, OR CONSEQUENTIAL DAMAGES OR ANY DAMAGES +// WHATSOEVER RESULTING FROM LOSS OF USE, DATA OR PROFITS, WHETHER IN AN +// ACTION OF CONTRACT, NEGLIGENCE OR OTHER TORTIOUS ACTION, ARISING OUT OF +// OR IN CONNECTION WITH THE USE OR PERFORMANCE OF THIS SOFTWARE. +// *** + +// Gets the status code +// real http_status_code(real client) + +// client - HttpClient object + +// Return value is either: +// * 0, if the request has not yet finished +// * a negative value, if there was an internal Faucet HTTP error +// * a positive value, the status code of the HTTP request + +// "The Status-Code element is a 3-digit integer result code of the +// attempt to understand and satisfy the request. These codes are fully +// defined in section 10. The Reason-Phrase is intended to give a short +// textual description of the Status-Code. The Status-Code is intended +// for use by automata and the Reason-Phrase is intended for the human +// user. The client is not required to examine or display the Reason- +// Phrase." + +// See also: http_reason_phrase, gets the Reason-Phrase + +var client; +client = argument0; + +if (client.errored) + return -1; +else if (client.state == 2) + return client.statusCode; +else + return 0; + +#define http_reason_phrase +// *** +// This function forms part of Faucet HTTP v1.0 +// https://github.com/TazeTSchnitzel/Faucet-HTTP-Extension +// +// Copyright (c) 2013-2014, Andrea Faulds +// +// Permission to use, copy, modify, and/or distribute this software for any +// purpose with or without fee is hereby granted, provided that the above +// copyright notice and this permission notice appear in all copies. +// +// THE SOFTWARE IS PROVIDED "AS IS" AND THE AUTHOR DISCLAIMS ALL WARRANTIES +// WITH REGARD TO THIS SOFTWARE INCLUDING ALL IMPLIED WARRANTIES OF +// MERCHANTABILITY AND FITNESS. IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR +// ANY SPECIAL, DIRECT, INDIRECT, OR CONSEQUENTIAL DAMAGES OR ANY DAMAGES +// WHATSOEVER RESULTING FROM LOSS OF USE, DATA OR PROFITS, WHETHER IN AN +// ACTION OF CONTRACT, NEGLIGENCE OR OTHER TORTIOUS ACTION, ARISING OUT OF +// OR IN CONNECTION WITH THE USE OR PERFORMANCE OF THIS SOFTWARE. +// *** + +// Gets the reason phrase +// string http_reason_phrase(real client) + +// client - HttpClient object +// Return value is either: +// * "", if the request has not yet finished +// * an internal Faucet HTTP error message, if there was one +// * the reason phrase of the HTTP request + +// "The Status-Code element is a 3-digit integer result code of the +// attempt to understand and satisfy the request. These codes are fully +// defined in section 10. The Reason-Phrase is intended to give a short +// textual description of the Status-Code. The Status-Code is intended +// for use by automata and the Reason-Phrase is intended for the human +// user. The client is not required to examine or display the Reason- +// Phrase." + +// See also: http_status_code, gets the Status-Code + +var client; +client = argument0; + +if (client.errored) + return client.error; +else if (client.state == 2) + return client.reasonPhrase; +else + return ""; + +#define http_response_body +// *** +// This function forms part of Faucet HTTP v1.0 +// https://github.com/TazeTSchnitzel/Faucet-HTTP-Extension +// +// Copyright (c) 2013-2014, Andrea Faulds +// +// Permission to use, copy, modify, and/or distribute this software for any +// purpose with or without fee is hereby granted, provided that the above +// copyright notice and this permission notice appear in all copies. +// +// THE SOFTWARE IS PROVIDED "AS IS" AND THE AUTHOR DISCLAIMS ALL WARRANTIES +// WITH REGARD TO THIS SOFTWARE INCLUDING ALL IMPLIED WARRANTIES OF +// MERCHANTABILITY AND FITNESS. IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR +// ANY SPECIAL, DIRECT, INDIRECT, OR CONSEQUENTIAL DAMAGES OR ANY DAMAGES +// WHATSOEVER RESULTING FROM LOSS OF USE, DATA OR PROFITS, WHETHER IN AN +// ACTION OF CONTRACT, NEGLIGENCE OR OTHER TORTIOUS ACTION, ARISING OUT OF +// OR IN CONNECTION WITH THE USE OR PERFORMANCE OF THIS SOFTWARE. +// *** + +// Gets the response body returned by an HTTP request as a buffer +// real http_response_body(real client) + +// client - HttpClient object + +// Return value is a buffer if client hasn't errored and is finished + +var client; +client = argument0; + +return client.responseBody; + +#define http_response_body_size +// *** +// This function forms part of Faucet HTTP v1.0 +// https://github.com/TazeTSchnitzel/Faucet-HTTP-Extension +// +// Copyright (c) 2013-2014, Andrea Faulds +// +// Permission to use, copy, modify, and/or distribute this software for any +// purpose with or without fee is hereby granted, provided that the above +// copyright notice and this permission notice appear in all copies. +// +// THE SOFTWARE IS PROVIDED "AS IS" AND THE AUTHOR DISCLAIMS ALL WARRANTIES +// WITH REGARD TO THIS SOFTWARE INCLUDING ALL IMPLIED WARRANTIES OF +// MERCHANTABILITY AND FITNESS. IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR +// ANY SPECIAL, DIRECT, INDIRECT, OR CONSEQUENTIAL DAMAGES OR ANY DAMAGES +// WHATSOEVER RESULTING FROM LOSS OF USE, DATA OR PROFITS, WHETHER IN AN +// ACTION OF CONTRACT, NEGLIGENCE OR OTHER TORTIOUS ACTION, ARISING OUT OF +// OR IN CONNECTION WITH THE USE OR PERFORMANCE OF THIS SOFTWARE. +// *** + +// Gets the size of response body returned by an HTTP request +// real http_response_body_size(real client) + +// client - HttpClient object + +// Return value is the size in bytes, or -1 if we don't know or don't know yet + +// Call this each time you use the size - it may have changed in the case of redirect + +var client; +client = argument0; + +return client.responseBodySize; + +#define http_response_body_progress +// *** +// This function forms part of Faucet HTTP v1.0 +// https://github.com/TazeTSchnitzel/Faucet-HTTP-Extension +// +// Copyright (c) 2013-2014, Andrea Faulds +// +// Permission to use, copy, modify, and/or distribute this software for any +// purpose with or without fee is hereby granted, provided that the above +// copyright notice and this permission notice appear in all copies. +// +// THE SOFTWARE IS PROVIDED "AS IS" AND THE AUTHOR DISCLAIMS ALL WARRANTIES +// WITH REGARD TO THIS SOFTWARE INCLUDING ALL IMPLIED WARRANTIES OF +// MERCHANTABILITY AND FITNESS. IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR +// ANY SPECIAL, DIRECT, INDIRECT, OR CONSEQUENTIAL DAMAGES OR ANY DAMAGES +// WHATSOEVER RESULTING FROM LOSS OF USE, DATA OR PROFITS, WHETHER IN AN +// ACTION OF CONTRACT, NEGLIGENCE OR OTHER TORTIOUS ACTION, ARISING OUT OF +// OR IN CONNECTION WITH THE USE OR PERFORMANCE OF THIS SOFTWARE. +// *** + +// Gets the size of response body returned by an HTTP request which is so far downloaded +// real http_response_body_progress(real client) + +// client - HttpClient object + +// Return value is the size in bytes, or -1 if we haven't started yet or client has errored + +var client; +client = argument0; + +return client.responseBodyProgress; + +#define http_response_headers +// *** +// This function forms part of Faucet HTTP v1.0 +// https://github.com/TazeTSchnitzel/Faucet-HTTP-Extension +// +// Copyright (c) 2013-2014, Andrea Faulds +// +// Permission to use, copy, modify, and/or distribute this software for any +// purpose with or without fee is hereby granted, provided that the above +// copyright notice and this permission notice appear in all copies. +// +// THE SOFTWARE IS PROVIDED "AS IS" AND THE AUTHOR DISCLAIMS ALL WARRANTIES +// WITH REGARD TO THIS SOFTWARE INCLUDING ALL IMPLIED WARRANTIES OF +// MERCHANTABILITY AND FITNESS. IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR +// ANY SPECIAL, DIRECT, INDIRECT, OR CONSEQUENTIAL DAMAGES OR ANY DAMAGES +// WHATSOEVER RESULTING FROM LOSS OF USE, DATA OR PROFITS, WHETHER IN AN +// ACTION OF CONTRACT, NEGLIGENCE OR OTHER TORTIOUS ACTION, ARISING OUT OF +// OR IN CONNECTION WITH THE USE OR PERFORMANCE OF THIS SOFTWARE. +// *** + +// Gets the response headers returned by an HTTP request as a ds_map +// real http_response_headers(real client) + +// client - HttpClient object + +// Return value is a ds_map if client hasn't errored and is finished + +// All headers will have lowercase keys +// The ds_map is owned by the HttpClient, do not use ds_map_destroy() yourself +// Call when the request has finished - otherwise may be incomplete or missing + +var client; +client = argument0; + +return client.responseHeaders; + +#define http_destroy +// *** +// This function forms part of Faucet HTTP v1.0 +// https://github.com/TazeTSchnitzel/Faucet-HTTP-Extension +// +// Copyright (c) 2013-2014, Andrea Faulds +// +// Permission to use, copy, modify, and/or distribute this software for any +// purpose with or without fee is hereby granted, provided that the above +// copyright notice and this permission notice appear in all copies. +// +// THE SOFTWARE IS PROVIDED "AS IS" AND THE AUTHOR DISCLAIMS ALL WARRANTIES +// WITH REGARD TO THIS SOFTWARE INCLUDING ALL IMPLIED WARRANTIES OF +// MERCHANTABILITY AND FITNESS. IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR +// ANY SPECIAL, DIRECT, INDIRECT, OR CONSEQUENTIAL DAMAGES OR ANY DAMAGES +// WHATSOEVER RESULTING FROM LOSS OF USE, DATA OR PROFITS, WHETHER IN AN +// ACTION OF CONTRACT, NEGLIGENCE OR OTHER TORTIOUS ACTION, ARISING OUT OF +// OR IN CONNECTION WITH THE USE OR PERFORMANCE OF THIS SOFTWARE. +// *** + +// Cleans up HttpClient +// void http_destroy(real client) + +// client - HttpClient object + +var client; +client = argument0; + +with (client) +{ + __http_client_destroy(); + instance_destroy(); +} + diff --git a/samples/Game Maker Language/game_init.gml b/samples/Game Maker Language/game_init.gml new file mode 100644 index 00000000..4f5012d2 --- /dev/null +++ b/samples/Game Maker Language/game_init.gml @@ -0,0 +1,484 @@ +/* + Originally from /Source/gg2/Scripts/game_init.gml in Gang Garrison 2 + + Copyright (C) 2008-2013 Faucet Software + http://www.ganggarrison.com + + This program is free software; + you can redistribute it and/or modify it under the terms of the GNU General Public License + as published by the Free Software Foundation; either version 3 of the License, or (at your option) + any later version. + This program is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; + without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. + See the GNU General Public License for more details. + You should have received a copy of the GNU General Public License along with this program; if not, + see . + + Additional permission under GNU GPL version 3 section 7 + If you modify this Program, or any covered work, by linking or combining it with the Game Maker runtime library, + the 39dll library/extension, Hobbel's Download Manager DLL, or modified versions of these libraries, + the licensors of this Program grant you additional permission to convey the resulting work. +*/ + +// Returns true if the game is successfully initialized, false if there was an error and we should quit. +{ + instance_create(0,0,RoomChangeObserver); + set_little_endian_global(true); + if file_exists("game_errors.log") file_delete("game_errors.log"); + if file_exists("last_plugin.log") file_delete("last_plugin.log"); + + // Delete old left-over files created by the updater + var backupFilename; + backupFilename = file_find_first("gg2-old.delete.me.*", 0); + while(backupFilename != "") + { + file_delete(backupFilename); + backupFilename = file_find_next(); + } + file_find_close(); + + var customMapRotationFile, restart; + restart = false; + + //import wav files for music + global.MenuMusic=sound_add(choose("Music/menumusic1.wav","Music/menumusic2.wav","Music/menumusic3.wav","Music/menumusic4.wav","Music/menumusic5.wav","Music/menumusic6.wav"), 1, true); + global.IngameMusic=sound_add("Music/ingamemusic.wav", 1, true); + global.FaucetMusic=sound_add("Music/faucetmusic.wav", 1, true); + if(global.MenuMusic != -1) + sound_volume(global.MenuMusic, 0.8); + if(global.IngameMusic != -1) + sound_volume(global.IngameMusic, 0.8); + if(global.FaucetMusic != -1) + sound_volume(global.FaucetMusic, 0.8); + + global.sendBuffer = buffer_create(); + global.tempBuffer = buffer_create(); + global.HudCheck = false; + global.map_rotation = ds_list_create(); + + global.CustomMapCollisionSprite = -1; + + window_set_region_scale(-1, false); + + ini_open("gg2.ini"); + global.playerName = ini_read_string("Settings", "PlayerName", "Player"); + if string_count("#",global.playerName) > 0 global.playerName = "Player"; + global.playerName = string_copy(global.playerName, 0, min(string_length(global.playerName), MAX_PLAYERNAME_LENGTH)); + global.fullscreen = ini_read_real("Settings", "Fullscreen", 0); + global.useLobbyServer = ini_read_real("Settings", "UseLobby", 1); + global.hostingPort = ini_read_real("Settings", "HostingPort", 8190); + global.music = ini_read_real("Settings", "Music", ini_read_real("Settings", "IngameMusic", MUSIC_BOTH)); + global.playerLimit = ini_read_real("Settings", "PlayerLimit", 10); + //thy playerlimit shalt not exceed 48! + if (global.playerLimit > 48) + { + if (global.dedicatedMode != 1) + show_message("Warning: Player Limit cannot exceed 48. It has been set to 48"); + global.playerLimit = 48; + ini_write_real("Settings", "PlayerLimit", 48); + } + global.multiClientLimit = ini_read_real("Settings", "MultiClientLimit", 3); + global.particles = ini_read_real("Settings", "Particles", PARTICLES_NORMAL); + global.gibLevel = ini_read_real("Settings", "Gib Level", 3); + global.killCam = ini_read_real("Settings", "Kill Cam", 1); + global.monitorSync = ini_read_real("Settings", "Monitor Sync", 0); + if global.monitorSync == 1 set_synchronization(true); + else set_synchronization(false); + global.medicRadar = ini_read_real("Settings", "Healer Radar", 1); + global.showHealer = ini_read_real("Settings", "Show Healer", 1); + global.showHealing = ini_read_real("Settings", "Show Healing", 1); + global.showHealthBar = ini_read_real("Settings", "Show Healthbar", 0); + global.showTeammateStats = ini_read_real("Settings", "Show Extra Teammate Stats", 0); + global.serverPluginsPrompt = ini_read_real("Settings", "ServerPluginsPrompt", 1); + global.restartPrompt = ini_read_real("Settings", "RestartPrompt", 1); + //user HUD settings + global.timerPos=ini_read_real("Settings","Timer Position", 0) + global.killLogPos=ini_read_real("Settings","Kill Log Position", 0) + global.kothHudPos=ini_read_real("Settings","KoTH HUD Position", 0) + global.clientPassword = ""; + // for admin menu + customMapRotationFile = ini_read_string("Server", "MapRotation", ""); + global.shuffleRotation = ini_read_real("Server", "ShuffleRotation", 1); + global.timeLimitMins = max(1, min(255, ini_read_real("Server", "Time Limit", 15))); + global.serverPassword = ini_read_string("Server", "Password", ""); + global.mapRotationFile = customMapRotationFile; + global.dedicatedMode = ini_read_real("Server", "Dedicated", 0); + global.serverName = ini_read_string("Server", "ServerName", "My Server"); + global.welcomeMessage = ini_read_string("Server", "WelcomeMessage", ""); + global.caplimit = max(1, min(255, ini_read_real("Server", "CapLimit", 5))); + global.caplimitBkup = global.caplimit; + global.autobalance = ini_read_real("Server", "AutoBalance",1); + global.Server_RespawntimeSec = ini_read_real("Server", "Respawn Time", 5); + global.rewardKey = unhex(ini_read_string("Haxxy", "RewardKey", "")); + global.rewardId = ini_read_string("Haxxy", "RewardId", ""); + global.mapdownloadLimitBps = ini_read_real("Server", "Total bandwidth limit for map downloads in bytes per second", 50000); + global.updaterBetaChannel = ini_read_real("General", "UpdaterBetaChannel", isBetaVersion()); + global.attemptPortForward = ini_read_real("Server", "Attempt UPnP Forwarding", 0); + global.serverPluginList = ini_read_string("Server", "ServerPluginList", ""); + global.serverPluginsRequired = ini_read_real("Server", "ServerPluginsRequired", 0); + if (string_length(global.serverPluginList) > 254) { + show_message("Error: Server plugin list cannot exceed 254 characters"); + return false; + } + var CrosshairFilename, CrosshairRemoveBG; + CrosshairFilename = ini_read_string("Settings", "CrosshairFilename", ""); + CrosshairRemoveBG = ini_read_real("Settings", "CrosshairRemoveBG", 1); + global.queueJumping = ini_read_real("Settings", "Queued Jumping", 0); + + global.backgroundHash = ini_read_string("Background", "BackgroundHash", "default"); + global.backgroundTitle = ini_read_string("Background", "BackgroundTitle", ""); + global.backgroundURL = ini_read_string("Background", "BackgroundURL", ""); + global.backgroundShowVersion = ini_read_real("Background", "BackgroundShowVersion", true); + + readClasslimitsFromIni(); + + global.currentMapArea=1; + global.totalMapAreas=1; + global.setupTimer=1800; + global.joinedServerName=""; + global.serverPluginsInUse=false; + // Create plugin packet maps + global.pluginPacketBuffers = ds_map_create(); + global.pluginPacketPlayers = ds_map_create(); + + ini_write_string("Settings", "PlayerName", global.playerName); + ini_write_real("Settings", "Fullscreen", global.fullscreen); + ini_write_real("Settings", "UseLobby", global.useLobbyServer); + ini_write_real("Settings", "HostingPort", global.hostingPort); + ini_key_delete("Settings", "IngameMusic"); + ini_write_real("Settings", "Music", global.music); + ini_write_real("Settings", "PlayerLimit", global.playerLimit); + ini_write_real("Settings", "MultiClientLimit", global.multiClientLimit); + ini_write_real("Settings", "Particles", global.particles); + ini_write_real("Settings", "Gib Level", global.gibLevel); + ini_write_real("Settings", "Kill Cam", global.killCam); + ini_write_real("Settings", "Monitor Sync", global.monitorSync); + ini_write_real("Settings", "Healer Radar", global.medicRadar); + ini_write_real("Settings", "Show Healer", global.showHealer); + ini_write_real("Settings", "Show Healing", global.showHealing); + ini_write_real("Settings", "Show Healthbar", global.showHealthBar); + ini_write_real("Settings", "Show Extra Teammate Stats", global.showTeammateStats); + ini_write_real("Settings", "Timer Position", global.timerPos); + ini_write_real("Settings", "Kill Log Position", global.killLogPos); + ini_write_real("Settings", "KoTH HUD Position", global.kothHudPos); + ini_write_real("Settings", "ServerPluginsPrompt", global.serverPluginsPrompt); + ini_write_real("Settings", "RestartPrompt", global.restartPrompt); + ini_write_string("Server", "MapRotation", customMapRotationFile); + ini_write_real("Server", "ShuffleRotation", global.shuffleRotation); + ini_write_real("Server", "Dedicated", global.dedicatedMode); + ini_write_string("Server", "ServerName", global.serverName); + ini_write_string("Server", "WelcomeMessage", global.welcomeMessage); + ini_write_real("Server", "CapLimit", global.caplimit); + ini_write_real("Server", "AutoBalance", global.autobalance); + ini_write_real("Server", "Respawn Time", global.Server_RespawntimeSec); + ini_write_real("Server", "Total bandwidth limit for map downloads in bytes per second", global.mapdownloadLimitBps); + ini_write_real("Server", "Time Limit", global.timeLimitMins); + ini_write_string("Server", "Password", global.serverPassword); + ini_write_real("General", "UpdaterBetaChannel", global.updaterBetaChannel); + ini_write_real("Server", "Attempt UPnP Forwarding", global.attemptPortForward); + ini_write_string("Server", "ServerPluginList", global.serverPluginList); + ini_write_real("Server", "ServerPluginsRequired", global.serverPluginsRequired); + ini_write_string("Settings", "CrosshairFilename", CrosshairFilename); + ini_write_real("Settings", "CrosshairRemoveBG", CrosshairRemoveBG); + ini_write_real("Settings", "Queued Jumping", global.queueJumping); + + ini_write_string("Background", "BackgroundHash", global.backgroundHash); + ini_write_string("Background", "BackgroundTitle", global.backgroundTitle); + ini_write_string("Background", "BackgroundURL", global.backgroundURL); + ini_write_real("Background", "BackgroundShowVersion", global.backgroundShowVersion); + + ini_write_real("Classlimits", "Scout", global.classlimits[CLASS_SCOUT]) + ini_write_real("Classlimits", "Pyro", global.classlimits[CLASS_PYRO]) + ini_write_real("Classlimits", "Soldier", global.classlimits[CLASS_SOLDIER]) + ini_write_real("Classlimits", "Heavy", global.classlimits[CLASS_HEAVY]) + ini_write_real("Classlimits", "Demoman", global.classlimits[CLASS_DEMOMAN]) + ini_write_real("Classlimits", "Medic", global.classlimits[CLASS_MEDIC]) + ini_write_real("Classlimits", "Engineer", global.classlimits[CLASS_ENGINEER]) + ini_write_real("Classlimits", "Spy", global.classlimits[CLASS_SPY]) + ini_write_real("Classlimits", "Sniper", global.classlimits[CLASS_SNIPER]) + ini_write_real("Classlimits", "Quote", global.classlimits[CLASS_QUOTE]) + + //screw the 0 index we will start with 1 + //map_truefort + maps[1] = ini_read_real("Maps", "ctf_truefort", 1); + //map_2dfort + maps[2] = ini_read_real("Maps", "ctf_2dfort", 2); + //map_conflict + maps[3] = ini_read_real("Maps", "ctf_conflict", 3); + //map_classicwell + maps[4] = ini_read_real("Maps", "ctf_classicwell", 4); + //map_waterway + maps[5] = ini_read_real("Maps", "ctf_waterway", 5); + //map_orange + maps[6] = ini_read_real("Maps", "ctf_orange", 6); + //map_dirtbowl + maps[7] = ini_read_real("Maps", "cp_dirtbowl", 7); + //map_egypt + maps[8] = ini_read_real("Maps", "cp_egypt", 8); + //arena_montane + maps[9] = ini_read_real("Maps", "arena_montane", 9); + //arena_lumberyard + maps[10] = ini_read_real("Maps", "arena_lumberyard", 10); + //gen_destroy + maps[11] = ini_read_real("Maps", "gen_destroy", 11); + //koth_valley + maps[12] = ini_read_real("Maps", "koth_valley", 12); + //koth_corinth + maps[13] = ini_read_real("Maps", "koth_corinth", 13); + //koth_harvest + maps[14] = ini_read_real("Maps", "koth_harvest", 14); + //dkoth_atalia + maps[15] = ini_read_real("Maps", "dkoth_atalia", 15); + //dkoth_sixties + maps[16] = ini_read_real("Maps", "dkoth_sixties", 16); + + //Server respawn time calculator. Converts each second to a frame. (read: multiply by 30 :hehe:) + if (global.Server_RespawntimeSec == 0) + { + global.Server_Respawntime = 1; + } + else + { + global.Server_Respawntime = global.Server_RespawntimeSec * 30; + } + + // I have to include this, or the client'll complain about an unknown variable. + global.mapchanging = false; + + ini_write_real("Maps", "ctf_truefort", maps[1]); + ini_write_real("Maps", "ctf_2dfort", maps[2]); + ini_write_real("Maps", "ctf_conflict", maps[3]); + ini_write_real("Maps", "ctf_classicwell", maps[4]); + ini_write_real("Maps", "ctf_waterway", maps[5]); + ini_write_real("Maps", "ctf_orange", maps[6]); + ini_write_real("Maps", "cp_dirtbowl", maps[7]); + ini_write_real("Maps", "cp_egypt", maps[8]); + ini_write_real("Maps", "arena_montane", maps[9]); + ini_write_real("Maps", "arena_lumberyard", maps[10]); + ini_write_real("Maps", "gen_destroy", maps[11]); + ini_write_real("Maps", "koth_valley", maps[12]); + ini_write_real("Maps", "koth_corinth", maps[13]); + ini_write_real("Maps", "koth_harvest", maps[14]); + ini_write_real("Maps", "dkoth_atalia", maps[15]); + ini_write_real("Maps", "dkoth_sixties", maps[16]); + + ini_close(); + + // parse the protocol version UUID for later use + global.protocolUuid = buffer_create(); + parseUuid(PROTOCOL_UUID, global.protocolUuid); + + global.gg2lobbyId = buffer_create(); + parseUuid(GG2_LOBBY_UUID, global.gg2lobbyId); + + // Create abbreviations array for rewards use + initRewards() + +var a, IPRaw, portRaw; +doubleCheck=0; +global.launchMap = ""; + + for(a = 1; a <= parameter_count(); a += 1) + { + if (parameter_string(a) == "-dedicated") + { + global.dedicatedMode = 1; + } + else if (parameter_string(a) == "-restart") + { + restart = true; + } + else if (parameter_string(a) == "-server") + { + IPRaw = parameter_string(a+1); + if (doubleCheck == 1) + { + doubleCheck = 2; + } + else + { + doubleCheck = 1; + } + } + else if (parameter_string(a) == "-port") + { + portRaw = parameter_string(a+1); + if (doubleCheck == 1) + { + doubleCheck = 2; + } + else + { + doubleCheck = 1; + } + } + else if (parameter_string(a) == "-map") + { + global.launchMap = parameter_string(a+1); + global.dedicatedMode = 1; + } + } + + if (doubleCheck == 2) + { + global.serverPort = real(portRaw); + global.serverIP = IPRaw; + global.isHost = false; + instance_create(0,0,Client); + } + + global.customMapdesginated = 0; + + // if the user defined a valid map rotation file, then load from there + + if(customMapRotationFile != "" && file_exists(customMapRotationFile) && global.launchMap == "") { + global.customMapdesginated = 1; + var fileHandle, i, mapname; + fileHandle = file_text_open_read(customMapRotationFile); + for(i = 1; !file_text_eof(fileHandle); i += 1) { + mapname = file_text_read_string(fileHandle); + // remove leading whitespace from the string + while(string_char_at(mapname, 0) == " " || string_char_at(mapname, 0) == chr(9)) { // while it starts with a space or tab + mapname = string_delete(mapname, 0, 1); // delete that space or tab + } + if(mapname != "" && string_char_at(mapname, 0) != "#") { // if it's not blank and it's not a comment (starting with #) + ds_list_add(global.map_rotation, mapname); + } + file_text_readln(fileHandle); + } + file_text_close(fileHandle); + } + + else if (global.launchMap != "") && (global.dedicatedMode == 1) + { + ds_list_add(global.map_rotation, global.launchMap); + } + + else { // else load from the ini file Maps section + //Set up the map rotation stuff + var i, sort_list; + sort_list = ds_list_create(); + for(i=1; i <= 16; i += 1) { + if(maps[i] != 0) ds_list_add(sort_list, ((100*maps[i])+i)); + } + ds_list_sort(sort_list, 1); + + // translate the numbers back into the names they represent + for(i=0; i < ds_list_size(sort_list); i += 1) { + switch(ds_list_find_value(sort_list, i) mod 100) { + case 1: + ds_list_add(global.map_rotation, "ctf_truefort"); + break; + case 2: + ds_list_add(global.map_rotation, "ctf_2dfort"); + break; + case 3: + ds_list_add(global.map_rotation, "ctf_conflict"); + break; + case 4: + ds_list_add(global.map_rotation, "ctf_classicwell"); + break; + case 5: + ds_list_add(global.map_rotation, "ctf_waterway"); + break; + case 6: + ds_list_add(global.map_rotation, "ctf_orange"); + break; + case 7: + ds_list_add(global.map_rotation, "cp_dirtbowl"); + break; + case 8: + ds_list_add(global.map_rotation, "cp_egypt"); + break; + case 9: + ds_list_add(global.map_rotation, "arena_montane"); + break; + case 10: + ds_list_add(global.map_rotation, "arena_lumberyard"); + break; + case 11: + ds_list_add(global.map_rotation, "gen_destroy"); + break; + case 12: + ds_list_add(global.map_rotation, "koth_valley"); + break; + case 13: + ds_list_add(global.map_rotation, "koth_corinth"); + break; + case 14: + ds_list_add(global.map_rotation, "koth_harvest"); + break; + case 15: + ds_list_add(global.map_rotation, "dkoth_atalia"); + break; + case 16: + ds_list_add(global.map_rotation, "dkoth_sixties"); + break; + + } + } + ds_list_destroy(sort_list); + } + + window_set_fullscreen(global.fullscreen); + + global.gg2Font = font_add_sprite(gg2FontS,ord("!"),false,0); + global.countFont = font_add_sprite(countFontS, ord("0"),false,2); + draw_set_font(global.gg2Font); + cursor_sprite = CrosshairS; + + if(!directory_exists(working_directory + "\Maps")) directory_create(working_directory + "\Maps"); + + instance_create(0, 0, AudioControl); + instance_create(0, 0, SSControl); + + // custom dialog box graphics + message_background(popupBackgroundB); + message_button(popupButtonS); + message_text_font("Century",9,c_white,1); + message_button_font("Century",9,c_white,1); + message_input_font("Century",9,c_white,0); + + //Key Mapping + ini_open("controls.gg2"); + global.jump = ini_read_real("Controls", "jump", ord("W")); + global.down = ini_read_real("Controls", "down", ord("S")); + global.left = ini_read_real("Controls", "left", ord("A")); + global.right = ini_read_real("Controls", "right", ord("D")); + global.attack = ini_read_real("Controls", "attack", MOUSE_LEFT); + global.special = ini_read_real("Controls", "special", MOUSE_RIGHT); + global.taunt = ini_read_real("Controls", "taunt", ord("F")); + global.chat1 = ini_read_real("Controls", "chat1", ord("Z")); + global.chat2 = ini_read_real("Controls", "chat2", ord("X")); + global.chat3 = ini_read_real("Controls", "chat3", ord("C")); + global.medic = ini_read_real("Controls", "medic", ord("E")); + global.drop = ini_read_real("Controls", "drop", ord("B")); + global.changeTeam = ini_read_real("Controls", "changeTeam", ord("N")); + global.changeClass = ini_read_real("Controls", "changeClass", ord("M")); + global.showScores = ini_read_real("Controls", "showScores", vk_shift); + ini_close(); + + calculateMonthAndDay(); + + if(!directory_exists(working_directory + "\Plugins")) directory_create(working_directory + "\Plugins"); + loadplugins(); + + /* Windows 8 is known to crash GM when more than three (?) sounds play at once + * We'll store the kernel version (Win8 is 6.2, Win7 is 6.1) and check it there. + ***/ + registry_set_root(1); // HKLM + global.NTKernelVersion = real(registry_read_string_ext("\SOFTWARE\Microsoft\Windows NT\CurrentVersion\", "CurrentVersion")); // SIC + + if (file_exists(CrosshairFilename)) + { + sprite_replace(CrosshairS,CrosshairFilename,1,CrosshairRemoveBG,false,0,0); + sprite_set_offset(CrosshairS,sprite_get_width(CrosshairS)/2,sprite_get_height(CrosshairS)/2); + } + if(global.dedicatedMode == 1) { + AudioControlToggleMute(); + room_goto_fix(Menu); + } else if(restart) { + room_goto_fix(Menu); + } + return true; +} diff --git a/samples/Game Maker Language/jsonion.gml b/samples/Game Maker Language/jsonion.gml new file mode 100644 index 00000000..e4d2a6cb --- /dev/null +++ b/samples/Game Maker Language/jsonion.gml @@ -0,0 +1,1861 @@ +// Originally from /jsonion.gml in JSOnion +// JSOnion v1.0.0d is licensed under the MIT licence. You may freely adapt and use this library in commercial and non-commercial projects. + +#define __jso_gmt_tuple +{ + + /** + tuple(>element_0<, >element_1<, ..., >element_n<): Return an n-tuple + @author: GameGeisha + @version: 1.2 (GMTuple) + */ + + //Position, address table and data + var pos, addr_table, data; + pos = 6*argument_count+4; + addr_table = ""; + data = ""; + + //Build the tuple element-by-element + var i, ca, isstr, datastr; + for (i=0; ith element of + @author: GameGeisha + @version: 1.2 (GMTuple) + */ + + //Capture arguments + var t, n, size; + t = argument0; + n = argument1; + size = __jso_gmt_size(t); + + //Search for the bounding positions for the th element in the address table + var start, afterend, isstr; + isstr = ord(string_char_at(t, 4+6*n))-$30; + start = real(string_copy(t, 5+6*n, 5)); + if (n < size-1) { + afterend = real(string_copy(t, 11+6*n, 5)); + } else { + afterend = string_length(t)+1; + } + + //Return the th element with the correct type + if (isstr) { + return string_copy(t, start, afterend-start); + } + else { + return real(string_copy(t, start, afterend-start)); + } + +} + +#define __jso_gmt_size +{ + + /** + size(tuple_source): Return the size of + @author: GameGeisha + @version: 1.2 (GMTuple) + */ + + return real(string_copy(argument0, 1, 3)); + +} + +#define __jso_gmt_numtostr +{ + + /** + __gmt_numtostr(num): Return string representation of . Decimal numbers expressed as scientific notation + with double precision (i.e. 15 digits) + @author: GameGeisha + @version: 1.2 (edited) + */ + if (frac(argument0) == 0) { + return string(argument0); + } + + var mantissa, exponent; + exponent = floor(log10(abs(argument0))); + mantissa = string_format(argument0/power(10,exponent), 15, 14); + var i, ca; + i = string_length(mantissa); + do { + ca = string_char_at(mantissa, i); + i -= 1; + } until (ca != "0") + if (ca != ".") { + mantissa = string_copy(mantissa, 1, i+1); + } + else { + mantissa = string_copy(mantissa, 1, i); + } + if (exponent != 0) { + return mantissa + "e" + string(exponent); + } + else { + return mantissa; + } + +} + +#define __jso_gmt_test_all +{ + + /** + test_all(): Runs all test suites + @author: GameGeisha + @version: 1.2 (GMTuple) + */ + + //Automated testing sequence + __jso_gmt_test_elem(); + __jso_gmt_test_size(); + __jso_gmt_test_numtostr(); + +} + +#define __jso_gmt_test_numtostr +{ + + /** + _test_numtostr(): Runs number-to-string tests + @author: GameGeisha + @version: 1.2 (GMTuple) + */ + + var tolerance; + tolerance = 1/10000000000; + + if (real(__jso_gmt_numtostr(9)) != 9) { + show_message("Scientific notation conversion failed for 1-digit integer! Result: " + __jso_gmt_numtostr(9)); + } + if (real(__jso_gmt_numtostr(500)) != 500) { + show_message("Scientific notation conversion failed for 3-digit integer! Result: " + __jso_gmt_numtostr(500)); + } + if (abs(real(__jso_gmt_numtostr(pi))-pi) > tolerance) { + show_message("Scientific notation conversion failed for pi! Result: " + __jso_gmt_numtostr(pi)); + } + if (abs(real(__jso_gmt_numtostr(104729.903455))-104729.903455) > tolerance) { + show_message("Scientific notation conversion failed for large decimal number! Result: " + __jso_gmt_numtostr(104729.903455)); + } + if (abs(real(__jso_gmt_numtostr(-pi))+pi) > tolerance) { + show_message("Scientific notation conversion failed for -pi! Result: " + __jso_gmt_numtostr(-pi)); + } + if (abs(real(__jso_gmt_numtostr(1/pi))-1/pi) > tolerance) { + show_message("Scientific notation conversion failed for 1/pi! Result: " + __jso_gmt_numtostr(1/pi)); + } + +} + +#define __jso_gmt_test_elem +{ + + /** + _test_elem(): Runs tuple element retrieval tests + @author: GameGeisha + @version: 1.2 (GMTuple) + */ + + if (__jso_gmt_elem(__jso_gmt_tuple("Qblock", "kll"), 0) != "Qblock") { + show_message("Element retrieval failed for simple string. #Should be:Qblock#Actual:" + __jso_gmt_elem(__jso_gmt_tuple("Qblock"), 0)); + } + if (__jso_gmt_elem(__jso_gmt_tuple(9, "Q", -7), 0) != 9) { + show_message("Element retrieval failed for simple number. #Should be 9#Actual:" + string(__jso_gmt_elem(__jso_gmt_tuple(9, "Q", 7), 0))); + } + if (__jso_gmt_elem(__jso_gmt_tuple("Qblock", "", "Negg"), 1) != "") { + show_message("Element retrieval failed for empty string#Should be empty string#Actual:"+string(__jso_gmt_elem(__jso_gmt_tuple("Qblock", "", "Negg"), 0))); + } + + if (__jso_gmt_elem(__jso_gmt_elem(__jso_gmt_tuple("Not this", __jso_gmt_tuple(0, 1, 2, 3), "Waahoo"), 1), 3) != 3) { + show_message("Element retrieval failed in nested tuple. #Should be 3#Actual:" + string(__jso_gmt_elem(__jso_gmt_elem(__jso_gmt_tuple("Not this", __jso_gmt_tuple(0, 1, 2, 3), "Waahoo"), 1), 3))); + } + +} + +#define __jso_gmt_test_size +{ + + /** + _test_size(): Runs tuple size tests + @author: GameGeisha + @version: 1.2 (GMTuple) + */ + + if (__jso_gmt_size(__jso_gmt_tuple("Waahoo", "Negg", 0)) != 3) { + show_message("Bad size for 3-tuple"); + } + if (__jso_gmt_size(__jso_gmt_tuple()) != 0) { + show_message("Bad size for null tuple"); + } + if (__jso_gmt_size(__jso_gmt_tuple(7)) != 1) { + show_message("Bad size for 1-tuple"); + } + if (__jso_gmt_size(__jso_gmt_tuple(1,2,3,4,5,6,7,8,9,10)) != 10) { + show_message("Bad size for 10-tuple"); + } + +} + +#define jso_new_map +{ + /** + jso_new_map(): Create a new map. + JSOnion version: 1.0.0d + */ + return ds_map_create(); +} + +#define jso_new_list +{ + /** + jso_new_list(): Create a new list. + JSOnion version: 1.0.0d + */ + return ds_list_create(); +} + +#define jso_map_add_real +{ + /** + jso_map_add_real(map, key, val): Add the key-value pair : to , where is a real value. + JSOnion version: 1.0.0d + */ + ds_map_add(argument0, argument1, argument2); +} + +#define jso_map_add_string +{ + /** + jso_map_add_string(map, key, str): Add the key-value pair : to , where is a string value. + JSOnion version: 1.0.0d + */ + ds_map_add(argument0, argument1, "s" + argument2); +} + +#define jso_map_add_sublist +{ + /** + jso_map_add_sublist(map, key, sublist): Add the key-value pair : to , where is a list. + JSOnion version: 1.0.0d + */ + ds_map_add(argument0, argument1, "l" + string(argument2)); +} + +#define jso_map_add_submap +{ + /** + jso_map_add_submap(map, key, submap): Add the key-value pair : to , where is a map. + JSOnion version: 1.0.0d + */ + ds_map_add(argument0, argument1, "m" + string(argument2)); +} + +#define jso_map_add_integer +{ + /** + jso_map_add_integer(map, key, int): Add the key-value pair : to , where is a integer value. + JSOnion version: 1.0.0d + */ + ds_map_add(argument0, argument1, floor(argument2)); +} + +#define jso_map_add_boolean +{ + /** + jso_map_add_boolean(map, key, bool): Add the key-value pair : to , where is a boolean value. + JSOnion version: 1.0.0d + */ + if (argument2) { + ds_map_add(argument0, argument1, "btrue"); + } else { + ds_map_add(argument0, argument1, "bfalse"); + } +} + +#define jso_list_add_real +{ + /** + jso_list_add_real(list, val): Append the real value to . + JSOnion version: 1.0.0d + */ + ds_list_add(argument0, argument1); +} + +#define jso_list_add_string +{ + /** + jso_list_add_string(list, str): Append the string value to . + JSOnion version: 1.0.0d + */ + ds_list_add(argument0, "s" + argument1); +} + +#define jso_list_add_sublist +{ + /** + jso_list_add_sublist(list, sublist): Append the list to . + JSOnion version: 1.0.0d + */ + ds_list_add(argument0, "l" + string(argument1)); +} + +#define jso_list_add_submap +{ + /** + jso_list_add_submap(list, submap): Append the map to . + JSOnion version: 1.0.0d + */ + ds_list_add(argument0, "m" + string(argument1)); +} + +#define jso_list_add_integer +{ + /** + jso_list_add_integer(list, int): Append the integer to . + JSOnion version: 1.0.0d + */ + ds_list_add(argument0, floor(argument1)); +} + +#define jso_list_add_boolean +{ + /** + jso_list_add_boolean(list, bool): Append the boolean value to . + JSOnion version: 1.0.0d + */ + if (argument1) { + ds_list_add(argument0, "btrue"); + } else { + ds_list_add(argument0, "bfalse"); + } +} + +#define jso_map_get +{ + /** + jso_map_get(map, key): Retrieve the value stored in with the key value , with the correct type. + JSOnion version: 1.0.0d + */ + + //Grab the value + var v; + v = ds_map_find_value(argument0, argument1); + + //String; could be string, map or list + if (is_string(v)) { + switch (string_char_at(v, 1)) { + case "s": + return string_delete(v, 1, 1); + break; + case "l": case "m": + return real(string_delete(v, 1, 1)); + break; + case "b": + if (v == "btrue") { + return true; + } + else if (v == "bfalse") { + return false; + } + else { + show_error("Invalid boolean value.", true); + } + break; + default: show_error("Invalid map contents.", true); break; + } + } + + //Real; return real value as-is + else { + return v; + } +} + +#define jso_map_get_type +{ + /** + jso_map_get_type(map, key): Return the type of value to which the key value is mapped to in . + JSOnion version: 1.0.0d + */ + + //Grab the value + var v; + v = ds_map_find_value(argument0, argument1); + + //String; could be string, map or list + if (is_string(v)) { + switch (string_char_at(v, 1)) { + case "s": + return jso_type_string; + break; + case "l": + return jso_type_list; + break; + case "m": + return jso_type_map; + break; + case "b": + return jso_type_boolean; + break; + default: show_error("Invalid map content type.", true); break; + } + } + + //Real + else { + return jso_type_real; + } +} + +#define jso_list_get +{ + /** + jso_list_get(list, index): Retrieve the value stored in at position , with the correct type. + JSOnion version: 1.0.0d + */ + + //Grab the value + var v; + v = ds_list_find_value(argument0, argument1); + + //String; could be string, map or list + if (is_string(v)) { + switch (string_char_at(v, 1)) { + case "s": + return string_delete(v, 1, 1); + break; + case "l": case "m": + return real(string_delete(v, 1, 1)); + break; + case "b": + if (v == "btrue") { + return true; + } + else if (v == "bfalse") { + return false; + } + else { + show_error("Invalid boolean value.", true); + } + break; + default: show_error("Invalid list contents.", true); break; + } + } + + //Real; return real value as-is + else { + return v; + } +} + +#define jso_list_get_type +{ + /** + jso_list_get_type(list, index): Retrieve the type of value found at position of . + JSOnion version: 1.0.0d + */ + + //Grab the value + var v; + v = ds_list_find_value(argument0, argument1); + + //String; could be string, map or list + if (is_string(v)) { + switch (string_char_at(v, 1)) { + case "s": + return jso_type_string; + break; + case "l": + return jso_type_list; + break; + case "m": + return jso_type_map; + break; + case "b": + return jso_type_boolean; + break; + default: show_error("Invalid list content type.", true); break; + } + } + + //Real + else { + return jso_type_real; + } +} + +#define jso_cleanup_map +{ + /** + jso_cleanup_map(map): Recursively free up . + JSOnion version: 1.0.0d + */ + + //Loop through all keys + var i, l, k; + l = ds_map_size(argument0); + k = ds_map_find_first(argument0); + for (i=0; i. + JSOnion version: 1.0.0d + */ + + //Loop through all elements + var i, l, v; + l = ds_list_size(argument0); + for (i=0; i): Return a JSON-encoded version of real value . + This uses scientific notation with up to 15 significant digits for decimal values. + For integers, it just uses string(). + This is adapted from the same algorithm used in GMTuple. + JSOnion version: 1.0.0d + */ + + return __jso_gmt_numtostr(argument0); +} + +#define jso_encode_string +{ + /** + jso_encode_string(str): Return a JSON-encoded version of string . + JSOnion version: 1.0.0d + */ + + //Iteratively reconstruct the string + var i, l, s, c; + s = ""; + l = string_length(argument0); + for (i=1; i<=l; i+=1) { + //Replace escape characters + c = string_char_at(argument0, i); + switch (ord(c)) { + case 34: case 92: case 47: //Double quotes, backslashes and slashes + s += "\" + c; + break; + case 8: //Backspace + s += "\b"; + break; + case 12: //Form feed + s += "\f"; + break; + case 10: //New line + s += "\n"; + break; + case 13: //Carriage return + s += "\r"; + break; + case 9: //Horizontal tab + s += "\t"; + break; + default: //Not an escape character + s += c; + break; + } + } + + //Add quotes + return '"' + s + '"'; +} + +#define jso_encode_list +{ + /** + jso_encode_list(list): Return a JSON-encoded version of list . + JSOnion version: 1.0.0d + */ + + //Iteratively encode each element + var i, l, s; + s = ""; + l = ds_list_size(argument0); + for (i=0; i 0) { + s += ","; + } + //Select correct encoding for each element, then recursively encode each + switch (jso_list_get_type(argument0, i)) { + case jso_type_real: + s += jso_encode_real(jso_list_get(argument0, i)); + break; + case jso_type_string: + s += jso_encode_string(jso_list_get(argument0, i)); + break; + case jso_type_map: + s += jso_encode_map(jso_list_get(argument0, i)); + break; + case jso_type_list: + s += jso_encode_list(jso_list_get(argument0, i)); + break; + case jso_type_boolean: + s += jso_encode_boolean(jso_list_get(argument0, i)); + break; + } + } + + //Done, add square brackets + return "[" + s + "]"; +} + +#define jso_encode_map +{ + /** + jso_encode_map(map): Return a JSON-encoded version of map . + JSOnion version: 1.0.0d + */ + + //Go through every key-value pair + var i, l, k, s; + s = ""; + l = ds_map_size(argument0); + k = ds_map_find_first(argument0); + for (i=0; i 0) { + s += ","; + } + //Find the key and encode it + if (is_real(k)) { + s += jso_encode_real(k); + } else { + s += jso_encode_string(k); + } + //Add the : separator + s += ":"; + //Select correct encoding for each value, then recursively encode each + switch (jso_map_get_type(argument0, k)) { + case jso_type_real: + s += jso_encode_real(jso_map_get(argument0, k)); + break; + case jso_type_string: + s += jso_encode_string(jso_map_get(argument0, k)); + break; + case jso_type_map: + s += jso_encode_map(jso_map_get(argument0, k)); + break; + case jso_type_list: + s += jso_encode_list(jso_map_get(argument0, k)); + break; + case jso_type_boolean: + s += jso_encode_boolean(jso_map_get(argument0, k)); + break; + } + //Get next key + k = ds_map_find_next(argument0, k); + } + + //Done, add braces + return "{" + s + "}"; +} + +#define jso_encode_integer +{ + /** + jso_encode_integer(int): Return a JSON-encoded version of the integer value . + JSOnion version: 1.0.0d + */ + return string(floor(argument0)); +} + +#define jso_encode_boolean +{ + /** + jso_encode_boolean(bool): Return a JSON-encoded version of the boolean value . + JSOnion version: 1.0.0d + */ + if (argument0) { + return "true"; + } else { + return "false"; + } +} + +#define jso_decode_map +{ + /** + jso_decode_map(json): Return a JSOnion-compatible map representing the JSON string . + JSOnion version: 1.0.0d + */ + return __jso_gmt_elem(_jso_decode_map(argument0, 1), 0); +} + +#define jso_decode_list +{ + /** + jso_decode_list(json): Return a JSOnion-compatible list representing the JSON string . + JSOnion version: 1.0.0d + */ + return __jso_gmt_elem(_jso_decode_list(argument0, 1), 0); +} + +#define jso_decode_string +{ + /** + jso_decode_string(json): Return a string representing the JSON string . + JSOnion version: 1.0.0d + */ + return __jso_gmt_elem(_jso_decode_string(argument0, 1), 0); +} + +#define jso_decode_boolean +{ + /** + jso_decode_boolean(json): Return a boolean value representing the JSON string . + JSOnion version: 1.0.0d + */ + return __jso_gmt_elem(_jso_decode_boolean(argument0, 1), 0); +} + +#define jso_decode_real +{ + /** + jso_decode_real(json): Return a real value representing the JSON string . + JSOnion version: 1.0.0d + */ + return __jso_gmt_elem(_jso_decode_real(argument0, 1), 0); +} + +#define jso_decode_integer +{ + /** + jso_decode_integer(json): Return an integer value representing the JSON string . + JSOnion version: 1.0.0d + */ + return __jso_gmt_elem(_jso_decode_integer(argument0, 1), 0); +} + +#define _jso_decode_map +{ + /** + _jso_decode_map(json, startindex): Extract a map from JSON string starting at position . + Return a 2-tuple of the extracted map handle and the position after the ending }. + JSOnion version: 1.0.0d + */ + var i, len, map; + i = argument1; + len = string_length(argument0); + map = jso_new_map(); + + //Seek to first { + var c; + c = string_char_at(argument0, i); + if (c != "{") { + do { + i += 1; + c = string_char_at(argument0, i); + if (!_jso_is_whitespace_char(c)) && (c != "{") { + show_error("Cannot parse map at position " + string(i), true); + } + } until (c == "{") + } + i += 1; + + //Read until end of JSON or ending } + var found_end, state, found, current_key; + found_end = false; + state = 0; + for (i=i; i<=len && !found_end; i+=1) { + c = string_char_at(argument0, i); + switch (state) { + //0: Looking for a key or closing } + case 0: + switch (c) { + case "}": + found_end = true; + break; + case '"': + found = _jso_decode_string(argument0, i); + current_key = __jso_gmt_elem(found, 0); + i = __jso_gmt_elem(found, 1)-1; + state = 1; + break; + case "0": case "1": case "2": case "3": case "4": case "5": case "6": case "7": case "8": case "9": case "+": case "-": + found = _jso_decode_real(argument0, i); + current_key = __jso_gmt_elem(found, 0); + i = __jso_gmt_elem(found, 1)-1; + state = 1; + break; + default: + if (!_jso_is_whitespace_char(c)) { + show_error("Unexpected character at position " + string(i) + ".", true); + } + break; + } + break; + //1: Looking for the : separator + case 1: + switch (c) { + case ":": + state = 2; + break; + default: + if (!_jso_is_whitespace_char(c)) { + show_error("Unexpected character at position " + string(i) + ".", true); + } + break; + } + break; + //2: Looking for a value + case 2: + switch (c) { + case "[": + found = _jso_decode_list(argument0, i); + jso_map_add_sublist(map, current_key, __jso_gmt_elem(found, 0)); + i = __jso_gmt_elem(found, 1)-1; + state = 3; + break; + case "{": + found = _jso_decode_map(argument0, i); + jso_map_add_submap(map, current_key, __jso_gmt_elem(found, 0)); + i = __jso_gmt_elem(found, 1)-1; + state = 3; + break; + case '"': + found = _jso_decode_string(argument0, i); + jso_map_add_string(map, current_key, __jso_gmt_elem(found, 0)); + i = __jso_gmt_elem(found, 1)-1; + state = 3; + break; + case "0": case "1": case "2": case "3": case "4": case "5": case "6": case "7": case "8": case "9": case "+": case "-": + found = _jso_decode_real(argument0, i); + jso_map_add_real(map, current_key, __jso_gmt_elem(found, 0)); + i = __jso_gmt_elem(found, 1)-1; + state = 3; + break; + case "t": case "f": + found = _jso_decode_boolean(argument0, i); + jso_map_add_boolean(map, current_key, __jso_gmt_elem(found, 0)); + i = __jso_gmt_elem(found, 1)-1; + state = 3; + break; + default: + if (!_jso_is_whitespace_char(c)) { + show_error("Unexpected character at position " + string(i) + ".", true); + } + break; + } + break; + //3: Done looking for an entry, want comma or } + case 3: + switch (c) { + case "}": + found_end = true; + break; + case ",": + state = 0; + break; + default: + if (!_jso_is_whitespace_char(c)) { + show_error("Unexpected character at position " + string(i) + ".", true); + } + break; + } + break; + } + } + + //Return extracted map with ending position if the ending } is found + if (found_end) { + return __jso_gmt_tuple(map, i); + } + //Ended too early, throw error + else { + show_error("Unexpected end of map in JSON string.", true); + } +} + +#define _jso_decode_list +{ + /** + _jso_decode_list(json, startindex): Extract a list from JSON string starting at position . + Return a 2-tuple of the extracted list handle and the position after the ending ]. + JSOnion version: 1.0.0d + */ + var i, len, list; + i = argument1; + len = string_length(argument0); + list = jso_new_list(); + + //Seek to first [ + var c; + c = string_char_at(argument0, i); + if (c != "[") { + do { + i += 1; + c = string_char_at(argument0, i); + if (!_jso_is_whitespace_char(c)) && (c != "[") { + show_error("Cannot parse list at position " + string(i), true); + } + } until (c == "[") + } + i += 1; + + //Read until end of JSON or ending ] + var found_end, state, found; + found_end = false; + state = 0; + for (i=i; i<=len && !found_end; i+=1) { + c = string_char_at(argument0, i); + switch (state) { + //0: Looking for an item + case 0: + switch (c) { + case "]": + found_end = true; + break; + case "[": + found = _jso_decode_list(argument0, i); + jso_list_add_sublist(list, __jso_gmt_elem(found, 0)); + i = __jso_gmt_elem(found, 1)-1; + state = 1; + break; + case "{": + found = _jso_decode_map(argument0, i); + jso_list_add_submap(list, __jso_gmt_elem(found, 0)); + i = __jso_gmt_elem(found, 1)-1; + state = 1; + break; + case '"': + found = _jso_decode_string(argument0, i); + jso_list_add_string(list, __jso_gmt_elem(found, 0)); + i = __jso_gmt_elem(found, 1)-1; + state = 1; + break; + case "0": case "1": case "2": case "3": case "4": case "5": case "6": case "7": case "8": case "9": case "+": case "-": + found = _jso_decode_real(argument0, i); + jso_list_add_real(list, __jso_gmt_elem(found, 0)); + i = __jso_gmt_elem(found, 1)-1; + state = 1; + break; + case "t": case "f": + found = _jso_decode_boolean(argument0, i); + jso_list_add_boolean(list, __jso_gmt_elem(found, 0)); + i = __jso_gmt_elem(found, 1)-1; + state = 1; + break; + default: + if (!_jso_is_whitespace_char(c)) { + show_error("Unexpected character at position " + string(i) + ".", true); + } + break; + } + break; + //1: Done looking for an item, want comma or ] + case 1: + switch (c) { + case "]": + found_end = true; + break; + case ",": + state = 0; + break; + default: + if (!_jso_is_whitespace_char(c)) { + show_error("Unexpected character at position " + string(i) + ".", true); + } + break; + } + break; + } + } + + //Return extracted list with ending position if the ending ] is found + if (found_end) { + return __jso_gmt_tuple(list, i); + } + //Ended too early, throw error + else { + show_error("Unexpected end of list in JSON string.", true); + } +} + +#define _jso_decode_string +{ + /** + _jso_decode_string(json, startindex): Extract a string from JSON string starting at position . + Return a 2-tuple of the extracted string and the position after the ending double quote. + JSOnion version: 1.0.0d + */ + var i, len, str; + i = argument1; + len = string_length(argument0); + str = ""; + + //Seek to first double quote + var c; + c = string_char_at(argument0, i); + if (c != '"') { + do { + i += 1; + c = string_char_at(argument0, i); + } until (c == '"') + } + i += 1; + + //Read until end of JSON or ending double quote + var found_end, escape_mode; + found_end = false; + escape_mode = false; + for (i=i; i<=len && !found_end; i+=1) { + c = string_char_at(argument0, i); + //Escape mode + if (escape_mode) { + switch (c) { + case '"': case "\": case "/": + str += c; + escape_mode = false; + break; + case "b": + str += chr(8); + escape_mode = false; + break; + case "f": + str += chr(12); + escape_mode = false; + break; + case "n": + str += chr(10); + escape_mode = false; + break; + case "r": + str += chr(13); + escape_mode = false; + break; + case "t": + str += chr(9); + escape_mode = false; + break; + case "u": + var u; + if (len-i < 5) { + show_error("Invalid escape character at position " + string(i) + ".", true); + } else { + str += chr(_jso_hex_to_decimal(string_copy(argument0, i+1, 4))); + escape_mode = false; + i += 4; + } + break; + default: + show_error("Invalid escape character at position " + string(i) + ".", true); + break; + } + } + //Regular mode + else { + switch (c) { + case '"': found_end = true; break; + case "\": escape_mode = true; break; + default: str += c; break; + } + } + } + + //Return extracted string with ending position if the ending double quote is found + if (found_end) { + return __jso_gmt_tuple(str, i); + } + //Ended too early, throw error + else { + show_error("Unexpected end of string in JSON string.", true); + } +} + +#define _jso_decode_boolean +{ + /** + _jso_decode_boolean(json, startindex): Extract a boolean from JSON string starting at position . + Return a 2-tuple of the extracted boolean and the position after the last e. + JSOnion version: 1.0.0d + */ + var i, len, str; + i = argument1; + len = string_length(argument0); + + //Seek to first t or f that can be found + var c; + c = string_char_at(argument0, i); + if (c != "t") && (c != "f") { + do { + i += 1; + c = string_char_at(argument0, i); + if (!_jso_is_whitespace_char(c)) && (c != "t") && (c != "f") { + show_error("Cannot parse boolean value at position " + string(i), true); + } + } until (c == "t") || (c == "f") + } + + //Look for true if t is found + if (c == "t") && (string_copy(argument0, i, 4) == "true") { + return __jso_gmt_tuple(true, i+4); + } + //Look for false if f is found + else if (c == "f") && (string_copy(argument0, i, 5) == "false") { + return __jso_gmt_tuple(false, i+5); + } + //Error: unexpected ending + else { + show_error("Unexpected end of boolean in JSON string.", true); + } +} + +#define _jso_decode_real +{ + /** + _jso_decode_real(json, startindex): Extract a real value from JSON string starting at position . + Return a 2-tuple of the extracted real value and the position after the real value. + JSOnion version: 1.0.0d + */ + var i, len, str; + i = argument1; + len = string_length(argument0); + str = ""; + + //Seek to first character: +, -, or 0-9 + var c; + c = string_char_at(argument0, i); + if (string_pos(c, "0123456789+-") == 0) { + do { + i += 1; + c = string_char_at(argument0, i); + if (!_jso_is_whitespace_char(c)) && (string_pos(c, "0123456789+-") == 0) { + show_error("Cannot parse real value at position " + string(i), true); + } + } until (string_pos(c, "0123456789+-") > 0) + } + + //Determine starting state + var state; + switch (c) { + case "+": case "-": + state = 0; + break; + default: + state = 1; + break; + } + str += c; + i += 1; + + //Loop until no more digits found + var done; + done = false; + for (i=i; i<=len && !done; i+=1) { + c = string_char_at(argument0, i); + switch (state) { + //0: Found a sign, looking for a starting number + case 0: + switch (c) { + case "0": case "1": case "2": case "3": case "4": case "5": case "6": case "7": case "8": case "9": + str += c; + state = 1; + break; + default: + show_error("Unexpected character at position " + string(i) + ", expecting a digit.", true); + break; + } + break; + //1: Found a starting digit, looking for decimal dot, e, E, or more digits + case 1: + if (_jso_is_whitespace_char(c)) || (string_pos(c, ":,]}") > 0) { + done = true; + i -= 1; + } else { + switch (c) { + case "0": case "1": case "2": case "3": case "4": case "5": case "6": case "7": case "8": case "9": + str += c; + break; + case ".": + str += c; + state = 2; + break; + case "e": case "E": + str += c; + state = 3; + break; + default: + show_error("Unexpected character at position " + string(i) + ", expecting a dot, e, E or a digit.", true); + break; + } + } + break; + //2: Found a decimal dot, looking for more digits + case 2: + switch (c) { + case "0": case "1": case "2": case "3": case "4": case "5": case "6": case "7": case "8": case "9": + str += c; + state = -2; + break; + default: + show_error("Unexpected character at position " + string(i) + ", expecting a digit.", true); + break; + } + break; + //-2: Found a decimal dot and a digit after it, looking for more digits, e, or E + case -2: + if (_jso_is_whitespace_char(c)) || (string_pos(c, ":,]}") > 0) { + done = true; + i -= 1; + } else { + switch (c) { + case "0": case "1": case "2": case "3": case "4": case "5": case "6": case "7": case "8": case "9": + str += c; + break; + case "e": case "E": + str += c; + state = 3; + break; + default: + show_error("Unexpected character at position " + string(i) + ", expecting an e, E or a digit.", true); + break; + } + } + break; + //3: Found an e/E, looking for +, - or more digits + case 3: + switch (c) { + case "+": case "-": + str += c; + state = 4; + break; + case "0": case "1": case "2": case "3": case "4": case "5": case "6": case "7": case "8": case "9": + str += c; + state = 5; + break; + default: + show_error("Unexpected character at position " + string(i) + ", expecting a +, - or a digit.", true); + break; + } + break; + //4: Found an e/E exponent sign, looking for more digits + case 4: + switch (c) { + case "0": case "1": case "2": case "3": case "4": case "5": case "6": case "7": case "8": case "9": + str += c; + state = 5; + break; + default: + show_error("Unexpected character at position " + string(i) + ", expecting a digit.", true); + break; + } + break; + //5: Looking for final digits of the exponent + case 5: + if (_jso_is_whitespace_char(c)) || (string_pos(c, ":,]}") > 0) { + done = true; + i -= 1; + } else { + switch (c) { + case "0": case "1": case "2": case "3": case "4": case "5": case "6": case "7": case "8": case "9": + str += c; + state = 5; + break; + default: + show_error("Unexpected character at position " + string(i) + ", expecting a digit.", true); + break; + } + } + break; + } + } + + //Am I still expecting more characters? + if (done) || (state == 1) || (state == -2) || (state == 5) { + return __jso_gmt_tuple(real(str), i); + } + //Error: unexpected ending + else { + show_error("Unexpected end of real in JSON string.", true); + } +} + +#define _jso_decode_integer +{ + /** + _jso_decode_real(json, startindex): Extract a real value from JSON string starting at position . + Return a 2-tuple of the extracted integer value (with leading i) and the position after the real value. + JSOnion version: 1.0.0d + */ + var i, len, str; + i = argument1; + len = string_length(argument0); + str = ""; + + //Seek to first character: +, -, or 0-9 + var c; + c = string_char_at(argument0, i); + if (string_pos(c, "0123456789+-") == 0) { + do { + i += 1; + c = string_char_at(argument0, i); + if (!_jso_is_whitespace_char(c)) && (string_pos(c, "0123456789+-") == 0) { + show_error("Cannot parse integer value at position " + string(i), true); + } + } until (string_pos(c, "0123456789+-") > 0) + } + + //Determine starting state + var state; + switch (c) { + case "+": case "-": + state = 0; + break; + default: + state = 1; + break; + } + str += c; + i += 1; + + //Loop until no more digits found + var done; + done = false; + for (i=i; i<=len && !done; i+=1) { + c = string_char_at(argument0, i); + switch (state) { + //0: Found a sign, looking for a starting number + case 0: + switch (c) { + case "0": case "1": case "2": case "3": case "4": case "5": case "6": case "7": case "8": case "9": + str += c; + state = 1; + break; + default: + show_error("Unexpected character at position " + string(i) + ", expecting a digit.", true); + break; + } + break; + //1: Found a starting digit, looking for decimal dot, e, E, or more digits + case 1: + if (_jso_is_whitespace_char(c)) || (string_pos(c, ":,]}") > 0) { + done = true; + i -= 1; + } else { + switch (c) { + case "0": case "1": case "2": case "3": case "4": case "5": case "6": case "7": case "8": case "9": + str += c; + break; + default: + show_error("Unexpected character at position " + string(i) + ", expecting a digit.", true); + break; + } + } + break; + } + } + + //Am I still expecting more characters? + if (done) || (state == 1) { + return __jso_gmt_tuple(floor(real(str)), i); + } + //Error: unexpected ending + else { + show_error("Unexpected end of integer in JSON string.", true); + } +} + +#define jso_compare_maps +{ + /** + jso_compare_maps(map1, map2): Return whether the contents of JSOnion-compatible maps and are the same. + JSOnion version: 1.0.0d + */ + + //If they aren't the same size, they can't be the same + var size; + size = ds_map_size(argument0); + if (size != ds_map_size(argument1)) { + return false; + } + + //Compare contents pairwise + var i, k, type, a, b; + k = ds_map_find_first(argument0); + for (i=0; i and are the same. + JSOnion version: 1.0.0d + */ + + //If they aren't the same size, they can't be the same + var size; + size = ds_list_size(argument0); + if (size != ds_list_size(argument1)) { + return false; + } + + //Compare contents pairwise + var i, type, a, b; + for (i=0; i, return whether a value exists there. + JSOnion version: 1.0.0d + */ + + //Catch empty calls + if (argument_count < 2) { + show_error("Expected at least 2 arguments, got " + string(argument_count) + ".", true); + } + + //Build list of keys/indices + var i, key_list; + key_list = ds_list_create(); + for (i=1; i, return whether a value exists there. + JSOnion version: 1.0.0d + */ + + //Catch empty calls + if (argument_count < 2) { + show_error("Expected at least 2 arguments, got " + string(argument_count) + ".", true); + } + + //Build list of keys/indices + var i, key_list; + key_list = ds_list_create(); + for (i=1; i, return the value that exists there. + JSOnion version: 1.0.0d + */ + + //Catch empty calls + if (argument_count < 2) { + show_error("Expected at least 2 arguments, got " + string(argument_count) + ".", true); + } + + //Build list of keys/indices + var i, key_list; + key_list = ds_list_create(); + for (i=1; i, return the type of value that exists there. + JSOnion version: 1.0.0d + */ + + //Catch empty calls + if (argument_count < 2) { + show_error("Expected at least 2 arguments, got " + string(argument_count) + ".", true); + } + + //Build list of keys/indices + var i, key_list; + key_list = ds_list_create(); + for (i=1; i, return the value that exists there. + JSOnion version: 1.0.0d + */ + + //Catch empty calls + if (argument_count < 2) { + show_error("Expected at least 2 arguments, got " + string(argument_count) + ".", true); + } + + //Build list of keys/indices + var i, key_list; + key_list = ds_list_create(); + for (i=1; i, return the type of value that exists there. + JSOnion version: 1.0.0d + */ + + //Catch empty calls + if (argument_count < 2) { + show_error("Expected at least 2 arguments, got " + string(argument_count) + ".", true); + } + + //Build list of keys/indices + var i, key_list; + key_list = ds_list_create(); + for (i=1; i= ds_list_size(data)) { + switch (task_type) { + case 0: + return false; + break; + default: + show_error("Index overflow for nested lists in " + type_string + " lookup.", true); + break; + } + } + type = jso_list_get_type(data, k); + data = jso_list_get(data, k); + break; + //Trying to go through a leaf; don't attempt to look further + default: + switch (task_type) { + case 0: + return false; + break; + default: + show_error("Recursive overflow in " + type_string + " lookup.", true); + break; + } + break; + } + } + + //Can find something, return the value requested by the task + switch (task_type) { + case 0: + return true; + break; + case 1: + return data; + break; + case 2: + return type; + break; + } +} + +#define _jso_is_whitespace_char +{ + /** + _jso_is_whitespace_char(char): Return whether is a whitespace character. + Definition of whitespace is given by Unicode 6.0, Chapter 4.6. + JSOnion version: 1.0.0d + */ + switch (ord(argument0)) { + case $0009: + case $000A: + case $000B: + case $000C: + case $000D: + case $0020: + case $0085: + case $00A0: + case $1680: + case $180E: + case $2000: + case $2001: + case $2002: + case $2003: + case $2004: + case $2005: + case $2006: + case $2007: + case $2008: + case $2009: + case $200A: + case $2028: + case $2029: + case $202F: + case $205F: + case $3000: + return true; + } + return false; +} + +#define _jso_hex_to_decimal +{ + /** + _jso_hex_to_decimal(hex_string): Return the decimal value of the hex number represented by + JSOnion version: 1.0.0d + */ + var hex_string, hex_digits; + hex_string = string_lower(argument0); + hex_digits = "0123456789abcdef"; + + //Convert digit-by-digit + var i, len, digit_value, num; + len = string_length(hex_string); + num = 0; + for (i=1; i<=len; i+=1) { + digit_value = string_pos(string_char_at(hex_string, i), hex_digits)-1; + if (digit_value >= 0) { + num *= 16; + num += digit_value; + } + //Unknown character + else { + show_error("Invalid hex number: " + argument0, true); + } + } + return num; +} + diff --git a/samples/Game Maker Language/jsonion_test.gml b/samples/Game Maker Language/jsonion_test.gml new file mode 100644 index 00000000..3cf0d423 --- /dev/null +++ b/samples/Game Maker Language/jsonion_test.gml @@ -0,0 +1,1169 @@ +// Originally from /jsonion_test.gml in JSOnion +// JSOnion v1.0.0d is licensed under the MIT licence. You may freely adapt and use this library in commercial and non-commercial projects. + +#define assert_true +{ + /** + assert_true(result, errormsg): Display error unless is true. + */ + + if (!argument0) { + _assert_error_popup(argument1 + string_repeat(_assert_newline(), 2) + "Expected true, got false."); + } +} + +#define assert_false +{ + /** + assert_false(result, errormsg): Display error unless is false. + */ + + if (argument0) { + _assert_error_popup(argument1 + string_repeat(_assert_newline(), 2) + "Expected false, got true."); + } +} + +#define assert_equal +{ + /** + assert_equal(expected, result, errormsg): Display error unless and are equal. + */ + + //Safe equality check; won't crash even if the two are different types + var match; + match = is_string(argument0) == is_string(argument1); + if (match) { + match = argument0 == argument1; + } + + //No match? + if (!match) { + //Data types + var type; + type[0] = "(Real)"; + type[1] = "(String)"; + + //Construct message + var msg; + msg = argument2; + //Add expected value + msg += string_repeat(_assert_newline(), 2); + msg += "Expected " + type[is_string(argument0)] + ":" + _assert_newline(); + msg += _assert_debug_value(argument0); + //Add actual value + msg += string_repeat(_assert_newline(), 2); + msg += "Actual " + type[is_string(argument1)] + ":" + _assert_newline(); + msg += _assert_debug_value(argument1); + + //Display message + _assert_error_popup(msg); + } +} + +#define _assert_error_popup +{ + /** + _assert_error_popup(msg): Display an assertion error. + */ + + //Display message + if (os_browser == browser_not_a_browser) { + show_error(argument0, false); //Full-fledged error message for non-browser environments + } else { + show_message(argument0); //Browsers don't support show_error(), use show_message() instead + } +} + +#define _assert_debug_value +{ + /** + _assert_debug_value(val): Returns a low-level debug value for the value . + can be a string or a real value. + */ + + //String + if (is_string(argument0)) { + if (os_browser == browser_not_a_browser) { + return argument0; + } else { + return string_replace_all(argument0, "#", "\#"); + } + } + + //Numeric --- use GMTuple's algorithm + else { + + //Integers + if (frac(argument0) == 0) { + return string(argument0); + } + + //Decimal numbers; get exponent and mantissa + var mantissa, exponent; + exponent = floor(log10(abs(argument0))); + mantissa = string_format(argument0/power(10,exponent), 15, 14); + //Look for trailing zeros in the mantissa + var i, ca; + i = string_length(mantissa); + do { + ca = string_char_at(mantissa, i); + i -= 1; + } until (ca != "0") + //Remove the dot if only the first digit of the normalized mantissa is nonzero + if (ca != ".") { + mantissa = string_copy(mantissa, 1, i+1); + } + else { + mantissa = string_copy(mantissa, 1, i); + } + //Remove the exponent if it is 0 + if (exponent != 0) { + return mantissa + "e" + string(exponent); + } else { + return mantissa; + } + + //GMTuple algorithm done + } +} + +#define _assert_newline +{ + /** + _assert_newline(): Returns a system-appropriate newline character sequence. + */ + + if (os_browser == browser_not_a_browser) { + return chr(13) + chr(10); + } else { + return "#"; + } +} + +#define jso_test_all +{ + /** + jso_test_all(): Run the test suite for the JSOnion library. + JSOnion version: 1.0.0d + */ + var a, b; + a = current_time; + _test_jso_new(); + _test_jso_map_add(); + _test_jso_list_add(); + _test_jso_encode(); + _test_jso_compare(); + _test_jso_decode(); + _test_jso_lookup(); + _test_jso_bugs(); + __jso_gmt_test_all(); + b = current_time; + show_debug_message("JSOnion: Tests completed in " + string(b-a) + "ms."); +} + +#define _test_jso_new +{ + /** + _test_jso_new(): Test jso_new_*() functions. + JSOnion version: 1.0.0d + */ + + var expected, actual; + + //jso_new_map() + actual = jso_new_map(); + assert_true(actual >= 0, "jso_new_map() failed to create a new map."); + ds_map_destroy(actual); + + //jso_new_list() + actual = jso_new_list(); + assert_true(actual >= 0, "jso_new_list() failed to create a new list."); + ds_list_destroy(actual); +} + +#define _test_jso_map_add +{ + /** + _test_jso_map_add(): Test jso_map_add_*() functions. + JSOnion version: 1.0.0d + */ + + var expected, actual, key, map; + map = jso_new_map(); + + //jso_map_add_real() + expected = pi; + key = "pi"; + jso_map_add_real(map, key, expected); + actual = jso_map_get(map, key); + assert_true(ds_map_exists(map, key), "jso_map_add_real() failed to add the number."); + assert_equal(expected, actual, "jso_map_add_real() added the wrong number."); + ds_map_delete(map, key); + + //jso_map_add_string() + expected = "waahoo"; + key = "str"; + jso_map_add_string(map, key, expected); + actual = jso_map_get(map, key); + assert_true(ds_map_exists(map, key), "jso_map_add_string() failed to add the string."); + assert_equal(expected, actual, "jso_map_add_string() added the wrong string."); + ds_map_delete(map, key); + + //jso_map_add_sublist() + expected = jso_new_list(); + key = "sublist"; + jso_map_add_sublist(map, key, expected); + actual = jso_map_get(map, key); + assert_true(ds_map_exists(map, key), "jso_map_add_sublist() failed to add the new sublist."); + assert_equal(expected, actual, "jso_map_add_sublist() added the wrong sublist."); + ds_map_delete(map, key); + ds_list_destroy(expected); + + //jso_map_add_submap() + expected = jso_new_map(); + key = "sublist"; + jso_map_add_sublist(map, key, expected); + actual = jso_map_get(map, key); + assert_true(ds_map_exists(map, key), "jso_map_add_submap() failed to add the new submap."); + assert_equal(expected, actual, "jso_map_add_submap() added the wrong submap."); + ds_map_delete(map, key); + ds_map_destroy(expected); + + //jso_map_add_integer() + expected = 2345; + key = "integer"; + jso_map_add_integer(map, key, expected); + actual = jso_map_get(map, key); + assert_true(ds_map_exists(map, key), "jso_map_add_integer() failed to add the new integer."); + assert_equal(expected, actual, "jso_map_add_integer() added the wrong integer."); + ds_map_delete(map, key); + + //jso_map_add_boolean() --- true + expected = true; + key = "booleantrue"; + jso_map_add_boolean(map, key, expected); + actual = jso_map_get(map, key); + assert_true(ds_map_exists(map, key), "jso_map_add_boolean() failed to add true."); + assert_true(actual, "jso_map_add_boolean() added the wrong true."); + ds_map_delete(map, key); + + //jso_map_add_boolean() --- false + expected = false; + key = "booleanfalse"; + jso_map_add_boolean(map, key, expected); + actual = jso_map_get(map, key) + assert_true(ds_map_exists(map, key), "jso_map_add_boolean() failed to add false."); + assert_false(actual, "jso_map_add_boolean() added the wrong false."); + ds_map_delete(map, key); + + //Cleanup + ds_map_destroy(map); +} + +#define _test_jso_list_add +{ + /** + _test_jso_list_add(): Test jso_list_add_*() functions. + JSOnion version: 1.0.0d + */ + + var expected, actual, list; + list = jso_new_list(); + + //jso_list_add_real() + expected = pi; + jso_list_add_real(list, expected); + actual = jso_list_get(list, 0); + assert_false(ds_list_empty(list), "jso_list_add_real() failed to add the number."); + assert_equal(expected, actual, "jso_list_add_real() added the wrong number."); + ds_list_clear(list); + + //jso_list_add_string() + expected = "waahoo"; + jso_list_add_string(list, expected); + actual = jso_list_get(list, 0); + assert_false(ds_list_empty(list), "jso_list_add_string() failed to add the string."); + assert_equal(expected, actual, "jso_list_add_string() added the wrong string."); + ds_list_clear(list); + + //jso_list_add_sublist() + expected = jso_new_list(); + jso_list_add_sublist(list, expected); + actual = jso_list_get(list, 0); + assert_false(ds_list_empty(list), "jso_list_add_sublist() failed to add the sublist."); + assert_equal(expected, actual, "jso_list_add_sublist() added the wrong sublist."); + ds_list_clear(list); + ds_list_destroy(expected); + + //jso_list_add_submap() + expected = jso_new_map(); + jso_list_add_submap(list, expected); + actual = jso_list_get(list, 0); + assert_false(ds_list_empty(list), "jso_list_add_submap() failed to add the submap."); + assert_equal(expected, actual, "jso_list_add_submap() added the wrong submap."); + ds_list_clear(list); + ds_map_destroy(expected); + + //jso_list_add_integer() + expected = 2345; + jso_list_add_integer(list, expected); + actual = jso_list_get(list, 0); + assert_false(ds_list_empty(list), "jso_list_add_integer() failed to add integer."); + assert_equal(expected, actual, "jso_list_add_integer() added the wrong integer."); + ds_list_clear(list); + + //jso_list_add_boolean() --- true + expected = true; + jso_list_add_boolean(list, expected); + actual = jso_list_get(list, 0); + assert_false(ds_list_empty(list), "jso_list_add_boolean() failed to add boolean true."); + assert_true(actual, "jso_list_add_boolean() added the wrong boolean true."); + ds_list_clear(list); + + //jso_list_add_boolean() --- false + expected = false; + jso_list_add_boolean(list, expected); + actual = jso_list_get(list, 0); + assert_false(ds_list_empty(list), "jso_list_add_boolean() failed to add boolean false."); + assert_false(actual, "jso_list_add_boolean() added the wrong boolean false."); + ds_list_clear(list); + + //Cleanup + ds_list_destroy(list); +} + +#define _test_jso_encode +{ + /** + _test_jso_encode(): Tests jso_encode_*() functions. + JSOnion version: 1.0.0d + */ + + var original, expected, actual; + + //jso_encode_real() --- Positive + expected = 3.1415; + actual = jso_encode_real(3.1415); + assert_equal(expected, real(actual), "jso_encode_real() failed to encode positive real!"); + + //jso_encode_real() --- Negative + expected = -2.71828; + actual = jso_encode_real(-2.71828); + assert_equal(expected, real(actual), "jso_encode_real() failed to encode negative real!"); + + //jso_encode_real() --- Zero + expected = 0; + actual = jso_encode_integer(0); + assert_equal(expected, real(actual), "jso_encode_real() failed to encode zero!"); + + //jso_encode_integer() --- Positive + expected = "2345"; + actual = jso_encode_integer(2345); + assert_equal(expected, actual, "jso_encode_integer() failed to encode positive integer!"); + + //jso_encode_integer() --- Negative + expected = "-45"; + actual = jso_encode_integer(-45); + assert_equal(expected, actual, "jso_encode_integer() failed to encode negative integer!"); + + //jso_encode_integer() --- Zero + expected = "0"; + actual = jso_encode_integer(0); + assert_equal(expected, actual, "jso_encode_integer() failed to encode zero!"); + + //jso_encode_boolean() --- true + expected = "true"; + actual = jso_encode_boolean(true); + assert_equal(expected, actual, "jso_encode_boolean() failed to encode true!"); + + //jso_encode_boolean() --- false + expected = "false"; + actual = jso_encode_boolean(false); + assert_equal(expected, actual, "jso_encode_boolean() failed to encode false!"); + + //jso_encode_string() --- Simple string + expected = '"waahoo"'; + actual = jso_encode_string("waahoo"); + assert_equal(expected, actual, "jso_encode_string() failed to encode simple string!"); + + //jso_encode_string() --- Empty string + expected = '""'; + actual = jso_encode_string(""); + assert_equal(expected, actual, "jso_encode_string() failed to encode empty string!"); + + //jso_encode_string() --- Basic escape characters + expected = '"\\\"\b\f\n\r\t"'; + actual = jso_encode_string('\"' + chr(8) + chr(12) + chr(10) + chr(13) + chr(9)); + assert_equal(expected, actual, "jso_encode_string() failed to encode escape character string!"); + + //jso_encode_map() --- Empty map + var empty_map; + empty_map = jso_new_map(); + expected = "{}"; + actual = jso_encode_map(empty_map); + assert_equal(expected, actual, "jso_encode_map() failed to encode empty map!"); + jso_cleanup_map(empty_map); + + //jso_encode_map() --- One-element map + var one_map; + one_map = jso_new_map(); + jso_map_add_string(one_map, "key", "value"); + expected = '{"key":"value"}'; + actual = jso_encode_map(one_map); + assert_equal(expected, actual, "jso_encode_map() failed to encode one-element map!"); + jso_cleanup_map(one_map); + + //jso_encode_map() --- Multi-element map + var multi_map, ok1, ok2; + multi_map = jso_new_map(); + jso_map_add_string(multi_map, "key1", "value\1"); + jso_map_add_integer(multi_map, "key2", 2); + ok1 = '{"key1":"value\\1","key2":2}'; + ok2 = '{"key2":2,"key1":"value\\1"}'; + actual = jso_encode_map(multi_map); + assert_true((actual == ok1) || (actual == ok2), "jso_encode_map() failed to encode multi-element map!"); + jso_cleanup_map(multi_map); + + //jso_encode_list() --- Empty list + var empty_list; + empty_list = jso_new_list(); + expected = "[]"; + actual = jso_encode_list(empty_list); + assert_equal(expected, actual, "jso_encode_list() failed to encode empty list!"); + jso_cleanup_list(empty_list); + + //jso_encode_list() --- One-element nested list + var one_list; + one_list = jso_new_list(); + jso_list_add_submap(one_list, jso_new_map()); + expected = "[{}]"; + actual = jso_encode_list(one_list); + assert_equal(expected, actual, "jso_encode_list() failed to encode one-element nested list!"); + jso_cleanup_list(one_list); + + //jso_encode_list() --- Multi-element nested list + var multi_list, submap, sublist; + multi_list = jso_new_list(); + submap = jso_new_map(); + jso_map_add_string(submap, "1", "one"); + jso_list_add_submap(multi_list, submap); + jso_list_add_integer(multi_list, 2); + sublist = jso_new_list(); + jso_list_add_string(sublist, "three"); + jso_list_add_boolean(sublist, true); + jso_list_add_sublist(multi_list, sublist); + expected = '[{"1":"one"},2,["three",true]]'; + actual = jso_encode_list(multi_list); + assert_equal(expected, actual, "jso_encode_list() failed to encode one-element nested list!"); + jso_cleanup_list(multi_list); +} + +#define _test_jso_decode +{ + /** + _test_jso_decode(): Test core _jso_decode_*() functions. + The formatting is intentionally erratic here to simulate actual formatting deviations. + JSOnion version: 1.0.0d + */ + var json, expected, actual, expected_structure, actual_structure; + + ////Primitives + + //_jso_decode_string(): Empty string + json = '""'; + expected = __jso_gmt_tuple("", 3); + actual = _jso_decode_string(json, 1); + assert_equal(expected, actual, "_jso_decode_string() failed to decode an empty string!"); + + //_jso_decode_string(): Small string + json = '"key" '; + expected = __jso_gmt_tuple("key", 6); + actual = _jso_decode_string(json, 1); + assert_equal(expected, actual, "_jso_decode_string() failed to decode a small string!"); + + //_jso_decode_string(): Simple string + json = ' "The quick brown fox jumps over the lazy dog." '; + expected = __jso_gmt_tuple("The quick brown fox jumps over the lazy dog.", 49); + actual = _jso_decode_string(json, 1); + assert_equal(expected, actual, "_jso_decode_string() failed to decode a simple string!"); + + //_jso_decode_string(): Escape characters + json = ' "\"\\\b\f\n\r\t\u003A"'; + expected = __jso_gmt_tuple('"\' + chr(8) + chr(12) + chr(10) + chr(13) + chr(9) + chr($003a), 24); + actual = _jso_decode_string(json, 1); + assert_equal(expected, actual, "_jso_decode_string() failed to decode a string with escape characters!"); + + //_jso_decode_string(): Mixed characters + json = ' "\"\\\bWaahoo\f\n\r\tnegg\u003a"'; + expected = __jso_gmt_tuple('"\' + chr(8) + "Waahoo" + chr(12) + chr(10) + chr(13) + chr(9) + "negg" + chr($003a), 34); + actual = _jso_decode_string(json, 1); + assert_equal(expected, actual, "_jso_decode_string() failed to decode a string with mixed characters!"); + + //_jso_decode_boolean(): True + json = 'true'; + expected = __jso_gmt_tuple(true, 5); + actual = _jso_decode_boolean(json, 1); + assert_equal(expected, actual, "_jso_decode_boolean() failed to decode true!"); + + //_jso_decode_boolean(): False + json = ' false '; + expected = __jso_gmt_tuple(false, 8); + actual = _jso_decode_boolean(json, 1); + assert_equal(expected, actual, "_jso_decode_boolean() failed to decode false!"); + + //_jso_decode_real(): Zero + json = '0'; + expected = __jso_gmt_tuple(0, 2); + actual = _jso_decode_real(json, 1); + assert_equal(expected, actual, "_jso_decode_real() failed to decode standard zero!"); + + //_jso_decode_real(): Signed zero + json = ' +0 '; + expected = __jso_gmt_tuple(0, 5); + actual = _jso_decode_real(json, 1); + assert_equal(expected, actual, "_jso_decode_real() failed to decode signed zero!"); + + //_jso_decode_real(): Signed zero with decimal digits + json = ' -0.000'; + expected = __jso_gmt_tuple(0, 8); + actual = _jso_decode_real(json, 1); + assert_equal(expected, actual, "_jso_decode_real() failed to decode signed zero with decimal digits!"); + + //_jso_decode_real(): Positive real + json = '3.14159'; + expected = __jso_gmt_tuple(3.14159, 8); + actual = _jso_decode_real(json, 1); + assert_equal(expected, actual, "_jso_decode_real() failed to decode positive real number!"); + + //_jso_decode_real(): Negative real + json = ' -2.71828'; + expected = __jso_gmt_tuple(-2.71828, 10); + actual = _jso_decode_real(json, 1); + assert_equal(expected, actual, "_jso_decode_real() failed to decode negative real number!"); + + //_jso_decode_real(): Positive real with positive exponent + json = ' 3.14159e2'; + expected = __jso_gmt_tuple(3.14159*100, 11); + actual = _jso_decode_real(json, 1); + assert_equal(expected, actual, "_jso_decode_real() failed to decode positive real number with positive exponent!"); + + //_jso_decode_real(): Negative real with positive exponent + json = ' -2.71828E2'; + expected = __jso_gmt_tuple(-2.71828*100, 12); + actual = _jso_decode_real(json, 1); + assert_equal(expected, actual, "_jso_decode_real() failed to decode negative real number with positive exponent!"); + + //_jso_decode_real(): Positive real with negative exponent + json = ' 314.159e-2'; + expected = __jso_gmt_tuple(3.14159, 12); + actual = _jso_decode_real(json, 1); + assert_equal(expected, actual, "_jso_decode_real() failed to decode positive real number with negative exponent!"); + + //_jso_decode_real(): Negative real with negative exponent + json = ' -271.828E-2'; + expected = __jso_gmt_tuple(-2.71828, 13); + actual = _jso_decode_real(json, 1); + assert_equal(expected, actual, "_jso_decode_real() failed to decode negative real number with negative exponent!"); + + //_jso_decode_real(): Positive integer + json = ' +1729'; + expected = __jso_gmt_tuple(1729, 7); + actual = _jso_decode_real(json, 1); + assert_equal(expected, actual, "_jso_decode_real() failed to decode positive integer!"); + + //_jso_decode_real(): Negative integer + json = '-583'; + expected = __jso_gmt_tuple(-583, 5); + actual = _jso_decode_real(json, 1); + assert_equal(expected, actual, "_jso_decode_real() failed to decode negative integer!"); + + //_jso_decode_integer(): Zero + json = ' 0 '; + expected = __jso_gmt_tuple(0, 3); + actual = _jso_decode_integer(json, 1); + assert_equal(expected, actual, "_jso_decode_integer() failed to decode zero!"); + + //_jso_decode_integer(): Positive integer + json = ' 1729 '; + expected = __jso_gmt_tuple(1729, 6); + actual = _jso_decode_integer(json, 1); + assert_equal(expected, actual, "_jso_decode_integer() failed to decode positive integer!"); + + //_jso_decode_integer(): Negative integer + json = ' -583'; + expected = __jso_gmt_tuple(-583, 8); + actual = _jso_decode_integer(json, 1); + assert_equal(expected, actual, "_jso_decode_integer() failed to decode negative integer!"); + + + ////Data structures + + //_jso_decode_map(): Empty map #1 + json = '{}'; + expected_structure = jso_new_map(); + expected = __jso_gmt_tuple(expected_structure, 3); + actual = _jso_decode_map(json, 1); + actual_structure = __jso_gmt_elem(actual, 0); + assert_equal(__jso_gmt_elem(expected, 1), __jso_gmt_elem(actual, 1), "_jso_decode_map() didn't stop at the right place! (#1)"); + assert_equal(actual_structure, __jso_gmt_elem(actual, 0), "_jso_decode_map() didn't include the right prefix! (#1)"); + assert_true(jso_compare_maps(expected_structure, actual_structure), "_jso_decode_map() failed to decode an empty map! (#1)"); + jso_cleanup_map(expected_structure); + jso_cleanup_map(actual_structure); + + //_jso_decode_map(): Empty map #2 + json = ' { } '; + expected_structure = jso_new_map(); + expected = __jso_gmt_tuple(expected_structure, 7); + actual = _jso_decode_map(json, 1); + actual_structure = __jso_gmt_elem(actual, 0); + assert_equal(__jso_gmt_elem(expected, 1), __jso_gmt_elem(actual, 1), "_jso_decode_map() didn't stop at the right place! (#2)"); + assert_equal(actual_structure, __jso_gmt_elem(actual, 0), "_jso_decode_map() didn't include the right prefix! (#2)"); + assert_true(jso_compare_maps(expected_structure, actual_structure), "_jso_decode_map() failed to decode an empty map! (#2)"); + jso_cleanup_map(expected_structure); + jso_cleanup_map(actual_structure); + + //_jso_decode_map(): One-entry map + json = ' {"key": "value"} '; + expected_structure = jso_new_map(); + expected = __jso_gmt_tuple(expected_structure, 18); + jso_map_add_string(expected_structure, "key", "value"); + actual = _jso_decode_map(json, 1); + actual_structure = __jso_gmt_elem(actual, 0); + assert_equal(__jso_gmt_elem(expected, 1), __jso_gmt_elem(actual, 1), "_jso_decode_map() didn't stop at the right place! (one-entry map)"); + assert_equal(actual_structure, __jso_gmt_elem(actual, 0), "_jso_decode_map() didn't include the right prefix! (one-entry map)"); + assert_true(jso_compare_maps(expected_structure, actual_structure), "_jso_decode_map() failed to decode a one-entry map!"); + jso_cleanup_map(expected_structure); + jso_cleanup_map(actual_structure); + + //_jso_decode_map(): Multi-entry map + json = ' {"key" : "value", "pi":3.14, "bool" : true} '; + expected_structure = jso_new_map(); + expected = __jso_gmt_tuple(expected_structure, 48); + jso_map_add_string(expected_structure, "key", "value"); + jso_map_add_real(expected_structure, "pi", 3.14); + jso_map_add_boolean(expected_structure, "bool", true); + actual = _jso_decode_map(json, 1); + actual_structure = __jso_gmt_elem(actual, 0); + assert_equal(__jso_gmt_elem(expected, 1), __jso_gmt_elem(actual, 1), "_jso_decode_map() didn't stop at the right place! (multi-entry map)"); + assert_equal(actual_structure, __jso_gmt_elem(actual, 0), "_jso_decode_map() didn't include the right prefix! (multi-entry map)"); + assert_true(jso_compare_maps(expected_structure, actual_structure), "_jso_decode_map() failed to decode a multi-entry map!"); + jso_cleanup_map(expected_structure); + jso_cleanup_map(actual_structure); + + //_jso_decode_map(): Nested maps + var submap; + json = '{ "waahoo" : { "woohah" : 3 } , "woohah" : 4 }'; + expected_structure = jso_new_map(); + expected = __jso_gmt_tuple(expected_structure, 47); + jso_map_add_integer(expected_structure, "woohah", 4); + submap = jso_new_map(); + jso_map_add_integer(submap, "woohah", 3); + jso_map_add_submap(expected_structure, "waahoo", submap); + actual = _jso_decode_map(json, 1); + actual_structure = __jso_gmt_elem(actual, 0); + assert_equal(__jso_gmt_elem(expected, 1), __jso_gmt_elem(actual, 1), "_jso_decode_map() didn't stop at the right place! (nested map)"); + assert_equal(actual_structure, __jso_gmt_elem(actual, 0), "_jso_decode_map() didn't include the right prefix! (nested map)"); + assert_true(jso_compare_maps(expected_structure, actual_structure), "_jso_decode_map() failed to decode a nested map!"); + jso_cleanup_map(expected_structure); + jso_cleanup_map(actual_structure); + + //_jso_decode_map(): Map with nested lists + var sublist, subsublist; + json = '{ "waahoo" : [ "woohah", [true] ] , "woohah" : 4 }'; + expected_structure = jso_new_map(); + expected = __jso_gmt_tuple(expected_structure, 51); + jso_map_add_real(expected_structure, "woohah", 4); + sublist = jso_new_list(); + jso_list_add_string(sublist, "woohah"); + subsublist = jso_new_list(); + jso_list_add_boolean(subsublist, true); + jso_list_add_sublist(sublist, subsublist); + jso_map_add_sublist(expected_structure, "waahoo", sublist); + actual = _jso_decode_map(json, 1); + actual_structure = __jso_gmt_elem(actual, 0); + assert_equal(__jso_gmt_elem(expected, 1), __jso_gmt_elem(actual, 1), "_jso_decode_map() didn't stop at the right place! (map with nested lists)"); + assert_equal(actual_structure, __jso_gmt_elem(actual, 0), "_jso_decode_map() didn't include the right prefix! (map with nested lists)"); + assert_true(jso_compare_maps(expected_structure, actual_structure), "_jso_decode_map() failed to decode a map with nested lists!"); + jso_cleanup_map(expected_structure); + jso_cleanup_map(actual_structure); + + //_jso_decode_map(): Mix-up nested map + var sublist; + json = ' { "waahoo" : [{}, "a", 1] }'; + expected_structure = jso_new_map(); + expected = __jso_gmt_tuple(expected_structure, 30); + sublist = jso_new_list(); + jso_list_add_submap(sublist, jso_new_map()); + jso_list_add_string(sublist, "a"); + jso_list_add_real(sublist, 1); + jso_map_add_sublist(expected_structure, "waahoo", sublist); + actual = _jso_decode_map(json, 1); + actual_structure = __jso_gmt_elem(actual, 0); + assert_equal(__jso_gmt_elem(expected, 1), __jso_gmt_elem(actual, 1), "_jso_decode_map() didn't stop at the right place! (mix-up nested map)"); + assert_equal(actual_structure, __jso_gmt_elem(actual, 0), "_jso_decode_map() didn't include the right prefix! (mix-up nested map)"); + assert_true(jso_compare_maps(expected_structure, actual_structure), "_jso_decode_map() failed to decode a mix-up nested map!"); + jso_cleanup_map(expected_structure); + jso_cleanup_map(actual_structure); + + //_jso_decode_list(): Empty list #1 + json = '[]'; + expected_structure = jso_new_list(); + expected = __jso_gmt_tuple(expected_structure, 3); + actual = _jso_decode_list(json, 1); + actual_structure = __jso_gmt_elem(actual, 0); + assert_equal(__jso_gmt_elem(expected, 1), __jso_gmt_elem(actual, 1), "_jso_decode_list() didn't stop at the right place! (#1)"); + assert_equal(actual_structure, __jso_gmt_elem(actual, 0), "_jso_decode_list() didn't include the right prefix! (#1)"); + assert_true(jso_compare_lists(expected_structure, actual_structure), "_jso_decode_list() failed to decode an empty list! (#1)"); + jso_cleanup_list(expected_structure); + jso_cleanup_list(actual_structure) + + //_jso_decode_list(): Empty list #2 + json = ' [ ] '; + expected_structure = jso_new_list(); + expected = __jso_gmt_tuple(expected_structure, 6); + actual = _jso_decode_list(json, 1); + actual_structure = __jso_gmt_elem(actual, 0); + assert_equal(__jso_gmt_elem(expected, 1), __jso_gmt_elem(actual, 1), "_jso_decode_list() didn't stop at the right place! (#2)"); + assert_equal(actual_structure, __jso_gmt_elem(actual, 0), "_jso_decode_list() didn't include the right prefix! (#2)"); + assert_true(jso_compare_lists(expected_structure, actual_structure), "_jso_decode_list() failed to decode an empty list! (#2)"); + jso_cleanup_list(expected_structure); + jso_cleanup_list(actual_structure); + + //_jso_decode_list(): One-entry list + json = '[3]'; + expected_structure = jso_new_list(); + expected = __jso_gmt_tuple(expected_structure, 4); + jso_list_add_integer(expected_structure, 3); + actual = _jso_decode_list(json, 1); + actual_structure = __jso_gmt_elem(actual, 0); + assert_equal(__jso_gmt_elem(expected, 1), __jso_gmt_elem(actual, 1), "_jso_decode_list() didn't stop at the right place! (one-entry list)"); + assert_equal(actual_structure, __jso_gmt_elem(actual, 0), "_jso_decode_list() didn't include the right prefix! (one-entry list)"); + assert_true(jso_compare_lists(expected_structure, actual_structure), "_jso_decode_list() failed to decode a one-entry list!"); + jso_cleanup_list(expected_structure); + jso_cleanup_list(actual_structure); + + //_jso_decode_list(): Multi-entry list + json = ' [4,"multi-entry",true]'; + expected_structure = jso_new_list(); + expected = __jso_gmt_tuple(expected_structure, 24); + jso_list_add_real(expected_structure, 4); + jso_list_add_string(expected_structure, "multi-entry"); + jso_list_add_boolean(expected_structure, true); + actual = _jso_decode_list(json, 1); + actual_structure = __jso_gmt_elem(actual, 0); + assert_equal(__jso_gmt_elem(expected, 1), __jso_gmt_elem(actual, 1), "_jso_decode_list() didn't stop at the right place! (multi-entry list)"); + assert_equal(actual_structure, __jso_gmt_elem(actual, 0), "_jso_decode_list() didn't include the right prefix! (multi-entry list)"); + assert_true(jso_compare_lists(expected_structure, actual_structure), "_jso_decode_list() failed to decode a multi-entry list!"); + jso_cleanup_list(expected_structure); + jso_cleanup_list(actual_structure); + + //_jso_decode_list(): Nested list + var sublist; + json = ' [ [], 3, false, ["waahoo"]]'; + expected_structure = jso_new_list(); + expected = __jso_gmt_tuple(expected_structure, 29); + jso_list_add_sublist(expected_structure, jso_new_list()); + jso_list_add_integer(expected_structure, 3); + jso_list_add_boolean(expected_structure, false); + sublist = jso_new_list(); + jso_list_add_string(sublist, "waahoo"); + jso_list_add_sublist(expected_structure, sublist); + actual = _jso_decode_list(json, 1); + actual_structure = __jso_gmt_elem(actual, 0); + assert_equal(__jso_gmt_elem(expected, 1), __jso_gmt_elem(actual, 1), "_jso_decode_list() didn't stop at the right place! (nested list)"); + assert_equal(actual_structure, __jso_gmt_elem(actual, 0), "_jso_decode_list() didn't include the right prefix! (nested list)"); + assert_true(jso_compare_lists(expected_structure, actual_structure), "_jso_decode_list() failed to decode a nested list!"); + jso_cleanup_list(expected_structure); + jso_cleanup_list(actual_structure); + + //_jso_decode_list(): List with nested maps + var submap; + json = ' [3, false, { "waahoo":"woo"}]'; + expected_structure = jso_new_list(); + expected = __jso_gmt_tuple(expected_structure, 31); + jso_list_add_integer(expected_structure, 3); + jso_list_add_boolean(expected_structure, false); + submap = jso_new_map(); + jso_map_add_string(submap, "waahoo", "woo"); + jso_list_add_submap(expected_structure, submap); + actual = _jso_decode_list(json, 1); + actual_structure = __jso_gmt_elem(actual, 0); + assert_equal(__jso_gmt_elem(expected, 1), __jso_gmt_elem(actual, 1), "_jso_decode_list() didn't stop at the right place! (list with nested maps)"); + assert_equal(actual_structure, __jso_gmt_elem(actual, 0), "_jso_decode_list() didn't include the right prefix! (list with nested maps)"); + assert_true(jso_compare_lists(expected_structure, actual_structure), "_jso_decode_list() failed to decode a list with nested maps!"); + jso_cleanup_list(expected_structure); + jso_cleanup_list(actual_structure); + + //_jso_decode_list(): Mix-up nested list + var submap; + json = '[{}, {"a":[]}]'; + expected_structure = jso_new_list(); + expected = __jso_gmt_tuple(expected_structure, 15); + jso_list_add_submap(expected_structure, jso_new_map()); + submap = jso_new_map(); + jso_map_add_sublist(submap, "a", jso_new_list()); + jso_list_add_submap(expected_structure, submap); + actual = _jso_decode_list(json, 1); + actual_structure = __jso_gmt_elem(actual, 0); + assert_equal(__jso_gmt_elem(expected, 1), __jso_gmt_elem(actual, 1), "_jso_decode_list() didn't stop at the right place! (mix-up nested list)"); + assert_equal(actual_structure, __jso_gmt_elem(actual, 0), "_jso_decode_list() didn't include the right prefix! (mix-up nested list)"); + assert_true(jso_compare_lists(expected_structure, actual_structure), "_jso_decode_list() failed to decode a mix-up nested list!"); + jso_cleanup_list(expected_structure); + jso_cleanup_list(actual_structure); +} + +#define _test_jso_compare +{ + /** + _test_jso_compare(): Test basic jso_compare_*() functions. + JSOnion version: 1.0.0d + */ + var a, b; + + //jso_compare_maps(): Empty maps should equal each other + a = jso_new_map(); + b = jso_new_map(); + assert_true(jso_compare_maps(a, b), "Empty maps should equal each other. (#1)"); + assert_true(jso_compare_maps(b, a), "Empty maps should equal each other. (#2)"); + jso_cleanup_map(a); + jso_cleanup_map(b); + + //jso_compare_maps(): An empty map should not equal a filled map + a = jso_new_map(); + b = jso_new_map(); + jso_map_add_string(b, "junk", "info"); + jso_map_add_integer(b, "taxi", 1729); + assert_false(jso_compare_maps(a, b), "An empty map should not equal a filled map. (#1)"); + assert_false(jso_compare_maps(b, a), "An empty map should not equal a filled map. (#2)"); + jso_cleanup_map(a); + jso_cleanup_map(b); + + //jso_compare_maps(): Maps with same content entered in different orders should equal each other + a = jso_new_map(); + b = jso_new_map(); + jso_map_add_real(a, "A", 1); + jso_map_add_real(a, "B", 2); + jso_map_add_real(a, "C", 3); + jso_map_add_real(b, "C", 3); + jso_map_add_real(b, "A", 1); + jso_map_add_real(b, "B", 2); + assert_true(jso_compare_maps(a, b), "Maps with same content entered in different orders should equal each other. (#1)"); + assert_true(jso_compare_maps(b, a), "Maps with same content entered in different orders should equal each other. (#2)"); + jso_cleanup_map(a); + jso_cleanup_map(b); + + //jso_compare_maps(): Maps with different keys should not equal each other + a = jso_new_map(); + b = jso_new_map(); + jso_map_add_real(a, "A", 1); + jso_map_add_real(a, "B", 2); + jso_map_add_real(a, "C", 3); + jso_map_add_real(b, "D", 3); + jso_map_add_real(b, "A", 1); + jso_map_add_real(b, "B", 2); + assert_false(jso_compare_maps(a, b), "Maps with different keys should not equal each other. (#1)"); + assert_false(jso_compare_maps(b, a), "Maps with different keys should not equal each other. (#2)"); + jso_cleanup_map(a); + jso_cleanup_map(b); + + //jso_compare_maps(): Maps with different values should not equal each other + a = jso_new_map(); + b = jso_new_map(); + jso_map_add_real(a, "A", 5); + jso_map_add_real(a, "B", 6); + jso_map_add_real(a, "C", 9); + jso_map_add_real(b, "A", 5); + jso_map_add_real(b, "B", 6); + jso_map_add_real(b, "C", 8); + assert_false(jso_compare_maps(a, b), "Maps with different values should not equal each other. (#1)"); + assert_false(jso_compare_maps(b, a), "Maps with different values should not equal each other. (#2)"); + jso_cleanup_map(a); + jso_cleanup_map(b); + + //jso_compare_maps(): Maps with corresponding values of different types should not equal each other, and should not crash. + a = jso_new_map(); + b = jso_new_map(); + jso_map_add_real(a, "A", 5); + jso_map_add_real(a, "B", 6); + jso_map_add_real(a, "C", 8); + jso_map_add_real(b, "A", 5); + jso_map_add_string(b, "B", "six"); + jso_map_add_real(b, "C", 8); + assert_false(jso_compare_maps(a, b), "Maps with corresponding values of different types should not equal each other, and should not crash. (#1)"); + assert_false(jso_compare_maps(b, a), "Maps with corresponding values of different types should not equal each other, and should not crash. (#2)"); + jso_cleanup_map(a); + jso_cleanup_map(b); + + //jso_compare_lists(): Empty lists should equal each other + a = jso_new_list(); + b = jso_new_list(); + assert_true(jso_compare_lists(a, b), "Empty lists should equal each other. (#1)"); + assert_true(jso_compare_lists(b, a), "Empty lists should equal each other. (#2)"); + jso_cleanup_list(a); + jso_cleanup_list(b); + + //jso_compare_lists(): An empty list should not equal a filled list + a = jso_new_list(); + b = jso_new_list(); + jso_list_add_string(b, "junk"); + jso_list_add_integer(b, 1729); + assert_false(jso_compare_lists(a, b), "An empty list should not equal a filled list. (#1)"); + assert_false(jso_compare_lists(b, a), "An empty list should not equal a filled list. (#2)"); + jso_cleanup_list(a); + jso_cleanup_list(b); + + //jso_compare_lists(): Lists with same content entered in different orders should not equal each other + a = jso_new_list(); + b = jso_new_list(); + jso_list_add_real(a, 1); + jso_list_add_real(a, 2); + jso_list_add_real(a, 3); + jso_list_add_real(b, 3); + jso_list_add_real(b, 1); + jso_list_add_real(b, 2); + assert_false(jso_compare_lists(a, b), "Lists with same content entered in different orders should not equal each other. (#1)"); + assert_false(jso_compare_lists(b, a), "Lists with same content entered in different orders should not equal each other. (#2)"); + jso_cleanup_list(a); + jso_cleanup_list(b); + + //jso_compare_lists(): Lists with corresponding entries of different types should not equal each other, should also not crash. + a = jso_new_list(); + b = jso_new_list(); + jso_list_add_real(a, 1); + jso_list_add_real(a, 2); + jso_list_add_real(a, 3); + jso_list_add_real(b, 1); + jso_list_add_string(b, "two"); + jso_list_add_real(b, 3); + assert_false(jso_compare_lists(a, b), "Lists with corresponding entries of different types should not equal each other, should also not crash. (#1)"); + assert_false(jso_compare_lists(b, a), "Lists with corresponding entries of different types should not equal each other, should also not crash. (#2)"); + jso_cleanup_list(a); + jso_cleanup_list(b); +} + +#define _test_jso_lookup +{ + /** + _test_jso_lookup(): Test core jso_*_lookup() and jso_*_check() functions for nested structures. + JSOnion version: 1.0.0d + */ + var json, structure, expected, actual; + + //jso_map_check(): Single argument --- exists + json = '{ "one" : 1, "two" : 2, "three" : 3 }'; + structure = jso_decode_map(json); + assert_true(jso_map_check(structure, "one"), "jso_map_check() failed to find existing entry! (single argument)"); + jso_cleanup_map(structure); + + //jso_map_lookup(): Single argument --- exists + json = '{ "one" : 1, "two" : 2, "three" : 3 }'; + structure = jso_decode_map(json); + expected = 1; + actual = jso_map_lookup(structure, "one") + assert_equal(expected, actual, "jso_map_lookup() found the wrong entry! (single argument)"); + jso_cleanup_map(structure); + + //jso_map_lookup_type(): Single argument --- exists + json = '{ "one" : -1, "two" : true, "three" : "trap" }'; + structure = jso_decode_map(json); + expected = jso_type_real; + actual = jso_map_lookup_type(structure, "one") + assert_equal(expected, actual, "jso_map_lookup_type() found the wrong type! (single argument)"); + jso_cleanup_map(structure); + + //jso_map_check(): Single argument --- doesn't exist + json = '{ "one" : 1, "two" : 2, "three" : 3 }'; + structure = jso_decode_map(json); + assert_false(jso_map_check(structure, "four"), "jso_map_check() found an inexistent entry! (single argument)"); + jso_cleanup_map(structure); + + //jso_map_check(): Single argument --- doesn't exist + json = '{ "one" : 1, "two" : 2, "three" : 3, "four" : { "A":true, "B":false } }'; + structure = jso_decode_map(json); + assert_false(jso_map_check(structure, "A"), "jso_map_check() found an inexistent entry! (single argument, nested)"); + jso_cleanup_map(structure); + + //jso_map_check(): Multiple arguments (recurse) --- exists + json = '{ "one" : 1, "two" : 2, "three" : 3, "four" : { "A":true, "B":false } }'; + structure = jso_decode_map(json); + assert_true(jso_map_check(structure, "four", "A"), "jso_map_check() failed to find existing entry! (multiple arguments)"); + jso_cleanup_map(structure); + + //jso_map_lookup(): Multiple arguments (recurse) --- exists + json = '{ "one" : 1, "two" : 2, "three" : 3, "four" : { "A":true, "B":false } }'; + structure = jso_decode_map(json); + expected = true; + actual = jso_map_lookup(structure, "four", "A"); + assert_equal(expected, actual, "jso_map_lookup() found the wrong entry! (multiple arguments)"); + jso_cleanup_map(structure); + + //jso_map_lookup_type(): Multiple arguments (recurse) --- exists + json = '{ "one" : 1, "two" : 2, "three" : 3, "four" : { "A":true, "B":"trap" } }'; + structure = jso_decode_map(json); + expected = jso_type_boolean; + actual = jso_map_lookup_type(structure, "four", "A"); + assert_equal(expected, actual, "jso_map_lookup_type() found the wrong type! (multiple arguments)"); + jso_cleanup_map(structure); + + //jso_map_check(): Multiple arguments (recurse) --- doesn't exist + json = '{ "one" : 1, "two" : 2, "three" : 3, "four" : { "A":true, "B":false } }'; + structure = jso_decode_map(json); + assert_false(jso_map_check(structure, "four", "C"), "jso_map_check() found an inexistent entry! (multiple arguments, 1)"); + jso_cleanup_map(structure); + + //jso_map_check(): Multiple arguments (recurse) --- doesn't exist + json = '{ "one" : 1, "two" : 2, "three" : 3, "four" : { "A":true, "B":false } }'; + structure = jso_decode_map(json); + assert_false(jso_map_check(structure, "three", ""), "jso_map_check() found an inexistent entry! (multiple arguments, 2)"); + jso_cleanup_map(structure); + + //jso_map_check(): Multiple arguments with nested list --- exists + json = '{ "one" : 1, "two" : 2, "three" : 3, "four" : [ "A", true, ["B", false] ] }'; + structure = jso_decode_map(json); + assert_true(jso_map_check(structure, "four", 2, 1), "jso_map_check() failed to find an existing entry! (multiple arguments, nested)"); + jso_cleanup_map(structure); + + //jso_map_lookup(): Multiple arguments with nested list --- exists + json = '{ "one" : 1, "two" : 2, "three" : 3, "four" : [ "A", true, ["B", false] ] }'; + structure = jso_decode_map(json); + expected = false; + actual = jso_map_lookup(structure, "four", 2, 1); + assert_equal(expected, actual, "jso_map_lookup() failed to find an existing entry! (multiple arguments, nested)"); + jso_cleanup_map(structure); + + //jso_map_lookup_type(): Multiple arguments with nested list --- exists + json = '{ "one" : 1, "two" : 2, "three" : 3, "four" : [ "A", true, [false, "false"] ] }'; + structure = jso_decode_map(json); + expected = jso_type_string; + actual = jso_map_lookup_type(structure, "four", 2, 1); + assert_equal(expected, actual, "jso_map_lookup_type() found the wrong type! (multiple arguments, nested)"); + jso_cleanup_map(structure); + + //jso_map_check(): Multiple arguments with nested list --- wrong type + json = '{ "one" : 1, "two" : 2, "three" : 3, "four" : [ "A", true, ["B", false] ] }'; + structure = jso_decode_map(json); + assert_false(jso_map_check(structure, "four", "A", 1), "jso_map_check() found an inexistent entry! (multiple arguments, nested, wrong type)"); + jso_cleanup_map(structure); + + //jso_map_check(): Multiple arguments with nested list --- index overflow + json = '{ "one" : 1, "two" : 2, "three" : 3, "four" : [ "A", true, ["B", false] ] }'; + structure = jso_decode_map(json); + assert_false(jso_map_check(structure, "four", 2, 3), "jso_map_check() found an inexistent entry! (multiple arguments, nested, index overflow)"); + jso_cleanup_map(structure); + + //jso_list_check(): Single argument --- exists + json = '["one", 2, "three", true, 5]'; + structure = jso_decode_list(json); + assert_true(jso_list_check(structure, 2), "jso_list_check() failed to find an existing index! (single argument)"); + jso_cleanup_list(structure); + + //jso_list_lookup(): Single argument --- exists + json = '["one", 2, "three", true, 5]'; + structure = jso_decode_list(json); + expected = "three"; + actual = jso_list_lookup(structure, 2); + assert_equal(expected, actual, "jso_list_lookup() found the wrong index! (single argument)"); + jso_cleanup_list(structure); + + //jso_list_lookup_type(): Single argument --- exists + json = '["one", 2, "three", true, 5]'; + structure = jso_decode_list(json); + expected = jso_type_string; + actual = jso_list_lookup_type(structure, 2); + assert_equal(expected, actual, "jso_list_lookup_type() found the wrong type! (single argument)"); + jso_cleanup_list(structure); + + //jso_list_check(): Single argument --- doesn't exist + json = '["one", 2, "three", true, 5]'; + structure = jso_decode_list(json); + assert_false(jso_list_check(structure, 5), "jso_list_check() found an inexistent index! (single argument)"); + jso_cleanup_list(structure); + + //jso_list_check(): Multiple arguments (recurse) --- exists + json = '["one", 2, ["three", 3], true, 5]'; + structure = jso_decode_list(json); + assert_true(jso_list_check(structure, 2, 1), "jso_list_check() failed to find an existing index! (multiple arguments)"); + jso_cleanup_list(structure); + + //jso_list_lookup(): Multiple arguments (recurse) --- exists + json = '["one", 2, ["three", 3], true, 5]'; + structure = jso_decode_list(json); + expected = 3; + actual = jso_list_lookup(structure, 2, 1); + assert_equal(expected, actual, "jso_list_lookup() failed to find an existing index! (multiple arguments)"); + jso_cleanup_list(structure); + + //jso_list_lookup_type(): Multiple arguments (recurse) --- exists + json = '["one", 2, ["three", 3], true, 5]'; + structure = jso_decode_list(json); + expected = jso_type_real; + actual = jso_list_lookup_type(structure, 2, 1); + assert_equal(expected, actual, "jso_list_lookup_type() found the wrong type! (multiple arguments)"); + jso_cleanup_list(structure); + + //jso_list_check(): Multiple arguments (recurse) --- doesn't exist, inner index overflow + json = '["one", 2, ["three", 3], true, 5]'; + structure = jso_decode_list(json); + assert_false(jso_list_check(structure, 2, 2), "jso_list_check() found an inexistent index! (multiple arguments, inner index overflow)"); + jso_cleanup_list(structure); + + //jso_list_check(): Multiple arguments (recurse) --- doesn't exist, trying to index single entry + json = '["one", 2, ["three", 3], true, 5]'; + structure = jso_decode_list(json); + assert_false(jso_list_check(structure, 1, 0), "jso_list_check() found an inexistent index! (multiple arguments, indexing single entry)"); + jso_cleanup_list(structure); + + //jso_list_check(): Multiple arguments with nested map --- exists + json = '["one", 2, {"three":3}, true, 5]'; + structure = jso_decode_list(json); + assert_true(jso_list_check(structure, 2, "three"), "jso_list_check() failed to find an existing entry! (multiple arguments, nested map)"); + jso_cleanup_list(structure); + + //jso_list_lookup(): Multiple arguments with nested map --- exists + json = '["one", 2, {"three":3}, true, 5]'; + structure = jso_decode_list(json); + expected = 3; + actual = jso_list_lookup(structure, 2, "three"); + assert_equal(expected, actual, "jso_list_lookup() failed to find an existing entry! (multiple arguments, nested map)"); + jso_cleanup_list(structure); + + //jso_list_lookup_type(): Multiple arguments with nested map --- exists + json = '["one", 2, {"three":false}, true, 5]'; + structure = jso_decode_list(json); + expected = jso_type_boolean; + actual = jso_list_lookup_type(structure, 2, "three"); + assert_equal(expected, actual, "jso_list_lookup_type() found the wrong type! (multiple arguments, nested map)"); + jso_cleanup_list(structure); + + //jso_list_exists(): Multiple arguments with nested map --- doesn't exist, key on single entry + json = '["one", 2, {"three":3}, true, 5]'; + structure = jso_decode_list(json); + assert_false(jso_list_check(structure, 1, ""), "jso_list_check() found an inexistent entry! (multiple arguments, nested map, key on single entry)"); + jso_cleanup_list(structure); + + //jso_list_exists(): Multiple arguments with nested map --- doesn't exist, bad key + json = '["one", 2, {"three":3}, true, 5]'; + structure = jso_decode_list(json); + assert_false(jso_list_check(structure, 2, ""), "jso_list_check() found an inexistent entry! (multiple arguments, nested map, bad key)"); + jso_cleanup_list(structure); +} + +#define _test_jso_bugs +{ + /** + _test_jso_bugs(): Test reported bugs. + JSOnion version: 1.0.0d + */ + var expected, actual; + + //jso_encode_map() --- One-element map + //Bug 1: Crash when encoding boolean-valued entries in maps, unknown variable jso_type_integer + var one_map; + one_map = jso_new_map(); + jso_map_add_boolean(one_map, "true", true); + expected = '{"true":true}'; + actual = jso_encode_map(one_map); + assert_equal(expected, actual, "jso_encode_map() failed to encode one-element map with boolean entry!"); + jso_cleanup_map(one_map); +} + diff --git a/samples/Game Maker Language/loadserverplugins.gml b/samples/Game Maker Language/loadserverplugins.gml new file mode 100644 index 00000000..26a26758 --- /dev/null +++ b/samples/Game Maker Language/loadserverplugins.gml @@ -0,0 +1,252 @@ +/* + Originally from /Source/gg2/Scripts/Plugins/loadserverplugins.gml in Gang Garrison 2 + + Copyright (C) 2008-2013 Faucet Software + http://www.ganggarrison.com + + This program is free software; + you can redistribute it and/or modify it under the terms of the GNU General Public License + as published by the Free Software Foundation; either version 3 of the License, or (at your option) + any later version. + This program is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; + without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. + See the GNU General Public License for more details. + You should have received a copy of the GNU General Public License along with this program; if not, + see . + + Additional permission under GNU GPL version 3 section 7 + If you modify this Program, or any covered work, by linking or combining it with the Game Maker runtime library, + the 39dll library/extension, Hobbel's Download Manager DLL, or modified versions of these libraries, + the licensors of this Program grant you additional permission to convey the resulting work. +*/ + +// loads plugins from ganggarrison.com asked for by server +// argument0 - comma separated plugin list (pluginname@md5hash) +// returns true on success, false on failure +var list, hashList, text, i, pluginname, pluginhash, realhash, url, handle, filesize, progress, tempfile, tempdir, failed, lastContact, isCached; + +failed = false; +list = ds_list_create(); +lastContact = 0; +isCached = false; +isDebug = false; +hashList = ds_list_create(); + +// split plugin list string +list = split(argument0, ','); + +// Split hashes from plugin names +for (i = 0; i < ds_list_size(list); i += 1) +{ + text = ds_list_find_value(list, i); + pluginname = string_copy(text, 0, string_pos("@", text) - 1); + pluginhash = string_copy(text, string_pos("@", text) + 1, string_length(text) - string_pos("@", text)); + ds_list_replace(list, i, pluginname); + ds_list_add(hashList, pluginhash); +} + +// Check plugin names and check for duplicates +for (i = 0; i < ds_list_size(list); i += 1) +{ + pluginname = ds_list_find_value(list, i); + + // invalid plugin name + if (!checkpluginname(pluginname)) + { + show_message('Error loading server-sent plugins - invalid plugin name:#"' + pluginname + '"'); + return false; + } + // is duplicate + else if (ds_list_find_index(list, pluginname) != i) + { + show_message('Error loading server-sent plugins - duplicate plugin:#"' + pluginname + '"'); + return false; + } +} + +// Download plugins +for (i = 0; i < ds_list_size(list); i += 1) +{ + pluginname = ds_list_find_value(list, i); + pluginhash = ds_list_find_value(hashList, i); + isDebug = file_exists(working_directory + "\ServerPluginsDebug\" + pluginname + ".zip"); + isCached = file_exists(working_directory + "\ServerPluginsCache\" + pluginname + "@" + pluginhash); + tempfile = temp_directory + "\" + pluginname + ".zip.tmp"; + tempdir = temp_directory + "\" + pluginname + ".tmp"; + + // check to see if we have a local copy for debugging + if (isDebug) + { + file_copy(working_directory + "\ServerPluginsDebug\" + pluginname + ".zip", tempfile); + // show warning + if (global.isHost) + { + show_message( + "Warning: server-sent plugin '" + + pluginname + + "' is being loaded from ServerPluginsDebug. Make sure clients have the same version, else they may be unable to connect." + ); + } + else + { + show_message( + "Warning: server-sent plugin '" + + pluginname + + "' is being loaded from ServerPluginsDebug. Make sure the server has the same version, else you may be unable to connect." + ); + } + } + // otherwise, check if we have it cached + else if (isCached) + { + file_copy(working_directory + "\ServerPluginsCache\" + pluginname + "@" + pluginhash, tempfile); + } + // otherwise, download as usual + else + { + // construct the URL + // http://www.ganggarrison.com/plugins/$PLUGINNAME$@$PLUGINHASH$.zip) + url = PLUGIN_SOURCE + pluginname + "@" + pluginhash + ".zip"; + + // let's make the download handle + handle = httpGet(url, -1); + + // download it + while (!httpRequestStatus(handle)) { + // prevent game locking up + io_handle(); + + httpRequestStep(handle); + + if (!global.isHost) { + // send ping if we haven't contacted server in 20 seconds + // we need to do this to keep the connection open + if (current_time-lastContact > 20000) { + write_byte(global.serverSocket, PING); + socket_send(global.serverSocket); + lastContact = current_time; + } + } + + // draw progress bar since they may be waiting a while + filesize = httpRequestResponseBodySize(handle); + progress = httpRequestResponseBodyProgress(handle); + draw_background_ext(background_index[0], 0, 0, background_xscale[0], background_yscale[0], 0, c_white, 1); + draw_set_color(c_white); + draw_set_alpha(1); + draw_set_halign(fa_left); + draw_rectangle(50, 550, 300, 560, 2); + draw_text(50, 530, "Downloading server-sent plugin " + string(i + 1) + "/" + string(ds_list_size(list)) + ' - "' + pluginname + '"'); + if (filesize != -1) + draw_rectangle(50, 550, 50 + progress / filesize * 250, 560, 0); + screen_refresh(); + } + + // errored + if (httpRequestStatus(handle) == 2) + { + show_message('Error loading server-sent plugins - download failed for "' + pluginname + '":#' + httpRequestError(handle)); + failed = true; + break; + } + + // request failed + if (httpRequestStatusCode(handle) != 200) + { + show_message('Error loading server-sent plugins - download failed for "' + pluginname + '":#' + string(httpRequestStatusCode(handle)) + ' ' + httpRequestReasonPhrase(handle)); + failed = true; + break; + } + else + { + write_buffer_to_file(httpRequestResponseBody(handle), tempfile); + if (!file_exists(tempfile)) + { + show_message('Error loading server-sent plugins - download failed for "' + pluginname + '":# No such file?'); + failed = true; + break; + } + } + + httpRequestDestroy(handle); + } + + // check file integrity + realhash = GG2DLL_compute_MD5(tempfile); + if (realhash != pluginhash) + { + show_message('Error loading server-sent plugins - integrity check failed (MD5 hash mismatch) for:#"' + pluginname + '"'); + failed = true; + break; + } + + // don't try to cache debug plugins + if (!isDebug) + { + // add to cache if we don't already have it + if (!file_exists(working_directory + "\ServerPluginsCache\" + pluginname + "@" + pluginhash)) + { + // make sure directory exists + if (!directory_exists(working_directory + "\ServerPluginsCache")) + { + directory_create(working_directory + "\ServerPluginsCache"); + } + // store in cache + file_copy(tempfile, working_directory + "\ServerPluginsCache\" + pluginname + "@" + pluginhash); + } + } + + // let's get 7-zip to extract the files + extractzip(tempfile, tempdir); + + // if the directory doesn't exist, extracting presumably failed + if (!directory_exists(tempdir)) + { + show_message('Error loading server-sent plugins - extracting zip failed for:#"' + pluginname + '"'); + failed = true; + break; + } +} + +if (!failed) +{ + // Execute plugins + for (i = 0; i < ds_list_size(list); i += 1) + { + pluginname = ds_list_find_value(list, i); + tempdir = temp_directory + "\" + pluginname + ".tmp"; + + // Debugging facility, so we know *which* plugin caused compile/execute error + fp = file_text_open_write(working_directory + "\last_plugin.log"); + file_text_write_string(fp, pluginname); + file_text_close(fp); + + // packetID is (i), so make queues for it + ds_map_add(global.pluginPacketBuffers, i, ds_queue_create()); + ds_map_add(global.pluginPacketPlayers, i, ds_queue_create()); + + // Execute plugin + execute_file( + // the plugin's main gml file must be in the root of the zip + // it is called plugin.gml + tempdir + "\plugin.gml", + // the plugin needs to know where it is + // so the temporary directory is passed as first argument + tempdir, + // the plugin needs to know its packetID + // so it is passed as the second argument + i + ); + } +} + +// Delete last plugin log +file_delete(working_directory + "\last_plugin.log"); + +// Get rid of plugin list +ds_list_destroy(list); + +// Get rid of plugin hash list +ds_list_destroy(hashList); + +return !failed; diff --git a/samples/Game Maker Language/processClientCommands.gml b/samples/Game Maker Language/processClientCommands.gml new file mode 100644 index 00000000..6c241d4b --- /dev/null +++ b/samples/Game Maker Language/processClientCommands.gml @@ -0,0 +1,384 @@ +/* + Originally from /Source/gg2/Scripts/GameServer/processClientCommands.gml in Gang Garrison 2 + + Copyright (C) 2008-2013 Faucet Software + http://www.ganggarrison.com + + This program is free software; + you can redistribute it and/or modify it under the terms of the GNU General Public License + as published by the Free Software Foundation; either version 3 of the License, or (at your option) + any later version. + This program is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; + without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. + See the GNU General Public License for more details. + You should have received a copy of the GNU General Public License along with this program; if not, + see . + + Additional permission under GNU GPL version 3 section 7 + If you modify this Program, or any covered work, by linking or combining it with the Game Maker runtime library, + the 39dll library/extension, Hobbel's Download Manager DLL, or modified versions of these libraries, + the licensors of this Program grant you additional permission to convey the resulting work. +*/ + +var player, playerId, commandLimitRemaining; + +player = argument0; +playerId = argument1; + +// To prevent players from flooding the server, limit the number of commands to process per step and player. +commandLimitRemaining = 10; + +with(player) { + if(!variable_local_exists("commandReceiveState")) { + // 0: waiting for command byte. + // 1: waiting for command data length (1 byte) + // 2: waiting for command data. + commandReceiveState = 0; + commandReceiveExpectedBytes = 1; + commandReceiveCommand = 0; + } +} + +while(commandLimitRemaining > 0) { + var socket; + socket = player.socket; + if(!tcp_receive(socket, player.commandReceiveExpectedBytes)) { + return 0; + } + + switch(player.commandReceiveState) + { + case 0: + player.commandReceiveCommand = read_ubyte(socket); + switch(commandBytes[player.commandReceiveCommand]) { + case commandBytesInvalidCommand: + // Invalid byte received. Wait for another command byte. + break; + + case commandBytesPrefixLength1: + player.commandReceiveState = 1; + player.commandReceiveExpectedBytes = 1; + break; + + case commandBytesPrefixLength2: + player.commandReceiveState = 3; + player.commandReceiveExpectedBytes = 2; + break; + + default: + player.commandReceiveState = 2; + player.commandReceiveExpectedBytes = commandBytes[player.commandReceiveCommand]; + break; + } + break; + + case 1: + player.commandReceiveState = 2; + player.commandReceiveExpectedBytes = read_ubyte(socket); + break; + + case 3: + player.commandReceiveState = 2; + player.commandReceiveExpectedBytes = read_ushort(socket); + break; + + case 2: + player.commandReceiveState = 0; + player.commandReceiveExpectedBytes = 1; + commandLimitRemaining -= 1; + + switch(player.commandReceiveCommand) + { + case PLAYER_LEAVE: + socket_destroy(player.socket); + player.socket = -1; + break; + + case PLAYER_CHANGECLASS: + var class; + class = read_ubyte(socket); + if(getCharacterObject(player.team, class) != -1) + { + if(player.object != -1) + { + with(player.object) + { + if (collision_point(x,y,SpawnRoom,0,0) < 0) + { + if (!instance_exists(lastDamageDealer) || lastDamageDealer == player) + { + sendEventPlayerDeath(player, player, noone, BID_FAREWELL); + doEventPlayerDeath(player, player, noone, BID_FAREWELL); + } + else + { + var assistant; + assistant = secondToLastDamageDealer; + if (lastDamageDealer.object) + if (lastDamageDealer.object.healer) + assistant = lastDamageDealer.object.healer; + sendEventPlayerDeath(player, lastDamageDealer, assistant, FINISHED_OFF); + doEventPlayerDeath(player, lastDamageDealer, assistant, FINISHED_OFF); + } + } + else + instance_destroy(); + + } + } + else if(player.alarm[5]<=0) + player.alarm[5] = 1; + class = checkClasslimits(player, player.team, class); + player.class = class; + ServerPlayerChangeclass(playerId, player.class, global.sendBuffer); + } + break; + + case PLAYER_CHANGETEAM: + var newTeam, balance, redSuperiority; + newTeam = read_ubyte(socket); + + redSuperiority = 0 //calculate which team is bigger + with(Player) + { + if(team == TEAM_RED) + redSuperiority += 1; + else if(team == TEAM_BLUE) + redSuperiority -= 1; + } + if(redSuperiority > 0) + balance = TEAM_RED; + else if(redSuperiority < 0) + balance = TEAM_BLUE; + else + balance = -1; + + if(balance != newTeam) + { + if(getCharacterObject(newTeam, player.class) != -1 or newTeam==TEAM_SPECTATOR) + { + if(player.object != -1) + { + with(player.object) + { + if (!instance_exists(lastDamageDealer) || lastDamageDealer == player) + { + sendEventPlayerDeath(player, player, noone, BID_FAREWELL); + doEventPlayerDeath(player, player, noone, BID_FAREWELL); + } + else + { + var assistant; + assistant = secondToLastDamageDealer; + if (lastDamageDealer.object) + if (lastDamageDealer.object.healer) + assistant = lastDamageDealer.object.healer; + sendEventPlayerDeath(player, lastDamageDealer, assistant, FINISHED_OFF); + doEventPlayerDeath(player, lastDamageDealer, assistant, FINISHED_OFF); + } + } + player.alarm[5] = global.Server_Respawntime; + } + else if(player.alarm[5]<=0) + player.alarm[5] = 1; + var newClass; + newClass = checkClasslimits(player, newTeam, player.class); + if newClass != player.class + { + player.class = newClass; + ServerPlayerChangeclass(playerId, player.class, global.sendBuffer); + } + player.team = newTeam; + ServerPlayerChangeteam(playerId, player.team, global.sendBuffer); + ServerBalanceTeams(); + } + } + break; + + case CHAT_BUBBLE: + var bubbleImage; + bubbleImage = read_ubyte(socket); + if(global.aFirst) { + bubbleImage = 0; + } + write_ubyte(global.sendBuffer, CHAT_BUBBLE); + write_ubyte(global.sendBuffer, playerId); + write_ubyte(global.sendBuffer, bubbleImage); + + setChatBubble(player, bubbleImage); + break; + + case BUILD_SENTRY: + if(player.object != -1) + { + if(player.class == CLASS_ENGINEER + and collision_circle(player.object.x, player.object.y, 50, Sentry, false, true) < 0 + and player.object.nutsNBolts == 100 + and (collision_point(player.object.x,player.object.y,SpawnRoom,0,0) < 0) + and !player.sentry + and !player.object.onCabinet) + { + write_ubyte(global.sendBuffer, BUILD_SENTRY); + write_ubyte(global.sendBuffer, playerId); + write_ushort(global.serializeBuffer, round(player.object.x*5)); + write_ushort(global.serializeBuffer, round(player.object.y*5)); + write_byte(global.serializeBuffer, player.object.image_xscale); + buildSentry(player, player.object.x, player.object.y, player.object.image_xscale); + } + } + break; + + case DESTROY_SENTRY: + with(player.sentry) + instance_destroy(); + break; + + case DROP_INTEL: + if (player.object != -1) + { + if (player.object.intel) + { + sendEventDropIntel(player); + doEventDropIntel(player); + } + } + break; + + case OMNOMNOMNOM: + if(player.object != -1) { + if(!player.humiliated + and !player.object.taunting + and !player.object.omnomnomnom + and player.object.canEat + and player.class==CLASS_HEAVY) + { + write_ubyte(global.sendBuffer, OMNOMNOMNOM); + write_ubyte(global.sendBuffer, playerId); + with(player.object) + { + omnomnomnom = true; + if player.team == TEAM_RED { + omnomnomnomindex=0; + omnomnomnomend=31; + } else if player.team==TEAM_BLUE { + omnomnomnomindex=32; + omnomnomnomend=63; + } + xscale=image_xscale; + } + } + } + break; + + case TOGGLE_ZOOM: + if player.object != -1 { + if player.class == CLASS_SNIPER { + write_ubyte(global.sendBuffer, TOGGLE_ZOOM); + write_ubyte(global.sendBuffer, playerId); + toggleZoom(player.object); + } + } + break; + + case PLAYER_CHANGENAME: + var nameLength; + nameLength = socket_receivebuffer_size(socket); + if(nameLength > MAX_PLAYERNAME_LENGTH) + { + write_ubyte(player.socket, KICK); + write_ubyte(player.socket, KICK_NAME); + socket_destroy(player.socket); + player.socket = -1; + } + else + { + with(player) + { + if(variable_local_exists("lastNamechange")) + if(current_time - lastNamechange < 1000) + break; + lastNamechange = current_time; + name = read_string(socket, nameLength); + if(string_count("#",name) > 0) + { + name = "I <3 Bacon"; + } + write_ubyte(global.sendBuffer, PLAYER_CHANGENAME); + write_ubyte(global.sendBuffer, playerId); + write_ubyte(global.sendBuffer, string_length(name)); + write_string(global.sendBuffer, name); + } + } + break; + + case INPUTSTATE: + if(player.object != -1) + { + with(player.object) + { + keyState = read_ubyte(socket); + netAimDirection = read_ushort(socket); + aimDirection = netAimDirection*360/65536; + event_user(1); + } + } + break; + + case REWARD_REQUEST: + player.rewardId = read_string(socket, socket_receivebuffer_size(socket)); + player.challenge = rewardCreateChallenge(); + + write_ubyte(socket, REWARD_CHALLENGE_CODE); + write_binstring(socket, player.challenge); + break; + + case REWARD_CHALLENGE_RESPONSE: + var answer, i, authbuffer; + answer = read_binstring(socket, 16); + + with(player) + if(variable_local_exists("challenge") and variable_local_exists("rewardId")) + rewardAuthStart(player, answer, challenge, true, rewardId); + + break; + + case PLUGIN_PACKET: + var packetID, buf, success; + + packetID = read_ubyte(socket); + + // get packet data + buf = buffer_create(); + write_buffer_part(buf, socket, socket_receivebuffer_size(socket)); + + // try to enqueue + success = _PluginPacketPush(packetID, buf, player); + + // if it returned false, packetID was invalid + if (!success) + { + // clear up buffer + buffer_destroy(buf); + + // kick player + write_ubyte(player.socket, KICK); + write_ubyte(player.socket, KICK_BAD_PLUGIN_PACKET); + socket_destroy(player.socket); + player.socket = -1; + } + break; + + case CLIENT_SETTINGS: + var mirror; + mirror = read_ubyte(player.socket); + player.queueJump = mirror; + + write_ubyte(global.sendBuffer, CLIENT_SETTINGS); + write_ubyte(global.sendBuffer, playerId); + write_ubyte(global.sendBuffer, mirror); + break; + + } + break; + } +} diff --git a/samples/Game Maker Language/scrInitLevel.gml b/samples/Game Maker Language/scrInitLevel.gml new file mode 100644 index 00000000..af0cf274 --- /dev/null +++ b/samples/Game Maker Language/scrInitLevel.gml @@ -0,0 +1,298 @@ +// Originally from /spelunky/Scripts/Level Generation/scrInitLevel.gml in the Spelunky Community Update Project + +// +// scrInitLevel() +// +// Calls scrLevelGen(), scrRoomGen*(), and scrEntityGen() to build level. +// + +/********************************************************************************** + Copyright (c) 2008, 2009 Derek Yu and Mossmouth, LLC + + This file is part of Spelunky. + + You can redistribute and/or modify Spelunky, including its source code, under + the terms of the Spelunky User License. + + Spelunky is distributed in the hope that it will be entertaining and useful, + but WITHOUT WARRANTY. Please see the Spelunky User License for more details. + + The Spelunky User License should be available in "Game Information", which + can be found in the Resource Explorer, or as an external file called COPYING. + If not, please obtain a new copy of Spelunky from + +***********************************************************************************/ + +global.levelType = 0; +//global.currLevel = 16; +if (global.currLevel > 4 and global.currLevel < 9) global.levelType = 1; +if (global.currLevel > 8 and global.currLevel < 13) global.levelType = 2; +if (global.currLevel > 12 and global.currLevel < 16) global.levelType = 3; +if (global.currLevel == 16) global.levelType = 4; + +if (global.currLevel <= 1 or + global.currLevel == 5 or + global.currLevel == 9 or + global.currLevel == 13) +{ + global.hadDarkLevel = false; +} + +// global.levelType = 3; // debug + +// DEBUG MODE // +/* +if (global.currLevel == 2) global.levelType = 4; +if (global.currLevel == 3) global.levelType = 2; +if (global.currLevel == 4) global.levelType = 3; +if (global.currLevel == 5) global.levelType = 4; +*/ + +// global.levelType = 0; + +global.startRoomX = 0; +global.startRoomY = 0; +global.endRoomX = 0; +global.endRoomY = 0; +oGame.levelGen = false; + +// this is used to determine the path to the exit (generally no bombs required) +for (i = 0; i < 4; i += 1) +{ + for (j = 0; j < 4; j += 1) + { + global.roomPath[i,j] = 0; + } +} + +// side walls +if (global.levelType == 4) + k = 54; +else if (global.levelType == 2) + k = 38; +else if (global.lake) + k = 41; +else + k = 33; +for (i = 0; i <= 42; i += 1) +{ + for (j = 0; j <= k; j += 1) + { + if (not isLevel()) + { + i = 999; + j = 999; + } + else if (global.levelType == 2) + { + if (i*16 == 0 or + i*16 == 656 or + j*16 == 0) + { + obj = instance_create(i*16, j*16, oDark); + obj.invincible = true; + obj.sprite_index = sDark; + } + } + else if (global.levelType == 4) + { + if (i*16 == 0 or + i*16 == 656 or + j*16 == 0) + { + obj = instance_create(i*16, j*16, oTemple); + obj.invincible = true; + if (not global.cityOfGold) obj.sprite_index = sTemple; + } + } + else if (global.lake) + { + if (i*16 == 0 or + i*16 == 656 or + j*16 == 0 or + j*16 >= 656) + { + obj = instance_create(i*16, j*16, oLush); obj.sprite_index = sLush; + obj.invincible = true; + } + } + else if (i*16 == 0 or + i*16 == 656 or + j*16 == 0 or + j*16 >= 528) + { + if (global.levelType == 0) { obj = instance_create(i*16, j*16, oBrick); obj.sprite_index = sBrick; } + else if (global.levelType == 1) { obj = instance_create(i*16, j*16, oLush); obj.sprite_index = sLush; } + else { obj = instance_create(i*16, j*16, oTemple); if (not global.cityOfGold) obj.sprite_index = sTemple; } + obj.invincible = true; + } + } +} + +if (global.levelType == 2) +{ + for (i = 0; i <= 42; i += 1) + { + instance_create(i*16, 40*16, oDark); + //instance_create(i*16, 35*16, oSpikes); + } +} + +if (global.levelType == 3) +{ + background_index = bgTemple; +} + +global.temp1 = global.gameStart; +scrLevelGen(); + +global.cemetary = false; +if (global.levelType == 1 and rand(1,global.probCemetary) == 1) global.cemetary = true; + +with oRoom +{ + if (global.levelType == 0) scrRoomGen(); + else if (global.levelType == 1) + { + if (global.blackMarket) scrRoomGenMarket(); + else scrRoomGen2(); + } + else if (global.levelType == 2) + { + if (global.yetiLair) scrRoomGenYeti(); + else scrRoomGen3(); + } + else if (global.levelType == 3) scrRoomGen4(); + else scrRoomGen5(); +} + +global.darkLevel = false; +//if (not global.hadDarkLevel and global.currLevel != 0 and global.levelType != 2 and global.currLevel != 16 and rand(1,1) == 1) +if (not global.hadDarkLevel and not global.noDarkLevel and global.currLevel != 0 and global.currLevel != 1 and global.levelType != 2 and global.currLevel != 16 and rand(1,global.probDarkLevel) == 1) +{ + global.darkLevel = true; + global.hadDarkLevel = true; + //instance_create(oPlayer1.x, oPlayer1.y, oFlare); +} + +if (global.blackMarket) global.darkLevel = false; + +global.genUdjatEye = false; +if (not global.madeUdjatEye) +{ + if (global.currLevel == 2 and rand(1,3) == 1) global.genUdjatEye = true; + else if (global.currLevel == 3 and rand(1,2) == 1) global.genUdjatEye = true; + else if (global.currLevel == 4) global.genUdjatEye = true; +} + +global.genMarketEntrance = false; +if (not global.madeMarketEntrance) +{ + if (global.currLevel == 5 and rand(1,3) == 1) global.genMarketEntrance = true; + else if (global.currLevel == 6 and rand(1,2) == 1) global.genMarketEntrance = true; + else if (global.currLevel == 7) global.genMarketEntrance = true; +} + +//////////////////////////// +// ENTITY / TREASURES +//////////////////////////// +global.temp2 = global.gameStart; +if (not isRoom("rTutorial") and not isRoom("rLoadLevel")) scrEntityGen(); + +if (instance_exists(oEntrance) and not global.customLevel) +{ + oPlayer1.x = oEntrance.x+8; + oPlayer1.y = oEntrance.y+8; +} + +if (global.darkLevel or + global.blackMarket or + global.snakePit or + global.cemetary or + global.lake or + global.yetiLair or + global.alienCraft or + global.sacrificePit or + global.cityOfGold) +{ + if (not isRoom("rLoadLevel")) + { + with oPlayer1 { alarm[0] = 10; } + } +} + +if (global.levelType == 4) scrSetupWalls(864); +else if (global.lake) scrSetupWalls(656); +else scrSetupWalls(528); + +// add background details +if (global.graphicsHigh) +{ + repeat(20) + { + // bg = instance_create(16*rand(1,42), 16*rand(1,33), oCaveBG); + if (global.levelType == 1 and rand(1,3) < 3) + tile_add(bgExtrasLush, 32*rand(0,1), 0, 32, 32, 16*rand(1,42), 16*rand(1,33), 10002); + else if (global.levelType == 2 and rand(1,3) < 3) + tile_add(bgExtrasIce, 32*rand(0,1), 0, 32, 32, 16*rand(1,42), 16*rand(1,33), 10002); + else if (global.levelType == 3 and rand(1,3) < 3) + tile_add(bgExtrasTemple, 32*rand(0,1), 0, 32, 32, 16*rand(1,42), 16*rand(1,33), 10002); + else + tile_add(bgExtras, 32*rand(0,1), 0, 32, 32, 16*rand(1,42), 16*rand(1,33), 10002); + } +} + +oGame.levelGen = true; + +// generate angry shopkeeper at exit if murderer or thief +if ((global.murderer or global.thiefLevel > 0) and isRealLevel()) +{ + with oExit + { + if (type == "Exit") + { + obj = instance_create(x, y, oShopkeeper); + obj.status = 4; + } + } + // global.thiefLevel -= 1; +} + +with oTreasure +{ + if (collision_point(x, y, oSolid, 0, 0)) + { + obj = instance_place(x, y, oSolid); + if (obj.invincible) instance_destroy(); + } +} + +with oWater +{ + if (sprite_index == sWaterTop or sprite_index == sLavaTop) + { + scrCheckWaterTop(); + } + /* + obj = instance_place(x-16, y, oWater); + if (instance_exists(obj)) + { + if (obj.sprite_index == sWaterTop or obj.sprite_index == sLavaTop) + { + if (type == "Lava") sprite_index = sLavaTop; + else sprite_index = sWaterTop; + } + } + obj = instance_place(x+16, y, oWater); + if (instance_exists(obj)) + { + if (obj.sprite_index == sWaterTop or obj.sprite_index == sLavaTop) + { + if (type == "Lava") sprite_index = sLavaTop; + else sprite_index = sWaterTop; + } + } + */ +} + +global.temp3 = global.gameStart; diff --git a/samples/Gnuplot/dashcolor.1.gnu b/samples/Gnuplot/dashcolor.1.gnu new file mode 100644 index 00000000..291747bd --- /dev/null +++ b/samples/Gnuplot/dashcolor.1.gnu @@ -0,0 +1,22 @@ +# set terminal pngcairo background "#ffffff" fontscale 1.0 dashed size 640, 480 +# set output 'dashcolor.1.png' +set label 1 "set style line 1 lt 2 lc rgb \"red\" lw 3" at -0.4, -0.25, 0 left norotate back textcolor rgb "red" nopoint offset character 0, 0, 0 +set label 2 "set style line 2 lt 2 lc rgb \"orange\" lw 2" at -0.4, -0.35, 0 left norotate back textcolor rgb "orange" nopoint offset character 0, 0, 0 +set label 3 "set style line 3 lt 2 lc rgb \"yellow\" lw 3" at -0.4, -0.45, 0 left norotate back textcolor rgb "yellow" nopoint offset character 0, 0, 0 +set label 4 "set style line 4 lt 2 lc rgb \"green\" lw 2" at -0.4, -0.55, 0 left norotate back textcolor rgb "green" nopoint offset character 0, 0, 0 +set label 5 "plot ... lt 1 lc 3 " at -0.4, -0.65, 0 left norotate back textcolor lt 3 nopoint offset character 0, 0, 0 +set label 6 "plot ... lt 3 lc 3 " at -0.4, -0.75, 0 left norotate back textcolor lt 3 nopoint offset character 0, 0, 0 +set label 7 "plot ... lt 5 lc 3 " at -0.4, -0.85, 0 left norotate back textcolor lt 3 nopoint offset character 0, 0, 0 +set style line 1 linetype 2 linecolor rgb "red" linewidth 3.000 pointtype 2 pointsize default pointinterval 0 +set style line 2 linetype 2 linecolor rgb "orange" linewidth 2.000 pointtype 2 pointsize default pointinterval 0 +set style line 3 linetype 2 linecolor rgb "yellow" linewidth 3.000 pointtype 2 pointsize default pointinterval 0 +set style line 4 linetype 2 linecolor rgb "green" linewidth 2.000 pointtype 2 pointsize default pointinterval 0 +set noxtics +set noytics +set title "Independent colors and dot/dash styles" +set xlabel "You will only see dashed lines if your current terminal setting permits it" +set xrange [ -0.500000 : 3.50000 ] noreverse nowriteback +set yrange [ -1.00000 : 1.40000 ] noreverse nowriteback +set bmargin 7 +unset colorbox +plot cos(x) ls 1 title 'ls 1', cos(x-.2) ls 2 title 'ls 2', cos(x-.4) ls 3 title 'ls 3', cos(x-.6) ls 4 title 'ls 4', cos(x-.8) lt 1 lc 3 title 'lt 1 lc 3', cos(x-1.) lt 3 lc 3 title 'lt 3 lc 3', cos(x-1.2) lt 5 lc 3 title 'lt 5 lc 3' diff --git a/samples/Gnuplot/histograms.2.gnu b/samples/Gnuplot/histograms.2.gnu new file mode 100644 index 00000000..e268ce01 --- /dev/null +++ b/samples/Gnuplot/histograms.2.gnu @@ -0,0 +1,15 @@ +# set terminal pngcairo transparent enhanced font "arial,10" fontscale 1.0 size 500, 350 +# set output 'histograms.2.png' +set boxwidth 0.9 absolute +set style fill solid 1.00 border lt -1 +set key inside right top vertical Right noreverse noenhanced autotitles nobox +set style histogram clustered gap 1 title offset character 0, 0, 0 +set datafile missing '-' +set style data histograms +set xtics border in scale 0,0 nomirror rotate by -45 offset character 0, 0, 0 autojustify +set xtics norangelimit font ",8" +set xtics () +set title "US immigration from Northern Europe\nPlot selected data columns as histogram of clustered boxes" +set yrange [ 0.00000 : 300000. ] noreverse nowriteback +i = 22 +plot 'immigration.dat' using 6:xtic(1) ti col, '' u 12 ti col, '' u 13 ti col, '' u 14 ti col diff --git a/samples/Gnuplot/rates.gp b/samples/Gnuplot/rates.gp new file mode 100644 index 00000000..aad2a52e --- /dev/null +++ b/samples/Gnuplot/rates.gp @@ -0,0 +1,14 @@ +#!/usr/bin/env gnuplot + +reset + +set terminal png +set output 'rates100.png' + +set xlabel "A2A price" +set ylabel "Response Rate" + +#set xr [0:5] +#set yr [0:6] + +plot 'rates100.dat' pt 7 notitle diff --git a/samples/Gnuplot/surface1.16.gnu b/samples/Gnuplot/surface1.16.gnu new file mode 100644 index 00000000..dd1ffefa --- /dev/null +++ b/samples/Gnuplot/surface1.16.gnu @@ -0,0 +1,40 @@ +# set terminal pngcairo transparent enhanced font "arial,10" fontscale 1.0 size 500, 350 +# set output 'surface1.16.png' +set dummy u,v +set label 1 "increasing v" at 6, 0, -1 left norotate back nopoint offset character 0, 0, 0 +set label 2 "u=0" at 5, 6.5, -1 left norotate back nopoint offset character 0, 0, 0 +set label 3 "u=1" at 5, 6.5, 0.100248 left norotate back nopoint offset character 0, 0, 0 +set arrow 1 from 5, -5, -1.2 to 5, 5, -1.2 head back nofilled linetype -1 linewidth 1.000 +set arrow 2 from 5, 6, -1 to 5, 5, -1 head back nofilled linetype -1 linewidth 1.000 +set arrow 3 from 5, 6, 0.100248 to 5, 5, 0.100248 head back nofilled linetype -1 linewidth 1.000 +set parametric +set view 70, 20, 1, 1 +set samples 51, 51 +set isosamples 2, 33 +set hidden3d back offset 1 trianglepattern 3 undefined 1 altdiagonal bentover +set ztics -1.00000,0.25,1.00000 norangelimit +set title "\"fence plot\" using separate parametric surfaces" +set xlabel "X axis" +set xlabel offset character -3, -2, 0 font "" textcolor lt -1 norotate +set xrange [ -5.00000 : 5.00000 ] noreverse nowriteback +set ylabel "Y axis" +set ylabel offset character 3, -2, 0 font "" textcolor lt -1 rotate by -270 +set yrange [ -5.00000 : 5.00000 ] noreverse nowriteback +set zlabel "Z axis" +set zlabel offset character -5, 0, 0 font "" textcolor lt -1 norotate +set zrange [ -1.00000 : 1.00000 ] noreverse nowriteback +sinc(u,v) = sin(sqrt(u**2+v**2)) / sqrt(u**2+v**2) +GPFUN_sinc = "sinc(u,v) = sin(sqrt(u**2+v**2)) / sqrt(u**2+v**2)" +xx = 6.08888888888889 +dx = 1.10888888888889 +x0 = -5 +x1 = -3.89111111111111 +x2 = -2.78222222222222 +x3 = -1.67333333333333 +x4 = -0.564444444444444 +x5 = 0.544444444444445 +x6 = 1.65333333333333 +x7 = 2.76222222222222 +x8 = 3.87111111111111 +x9 = 4.98 +splot [u=0:1][v=-4.99:4.99] x0, v, (u<0.5) ? -1 : sinc(x0,v) notitle, x1, v, (u<0.5) ? -1 : sinc(x1,v) notitle, x2, v, (u<0.5) ? -1 : sinc(x2,v) notitle, x3, v, (u<0.5) ? -1 : sinc(x3,v) notitle, x4, v, (u<0.5) ? -1 : sinc(x4,v) notitle, x5, v, (u<0.5) ? -1 : sinc(x5,v) notitle, x6, v, (u<0.5) ? -1 : sinc(x6,v) notitle, x7, v, (u<0.5) ? -1 : sinc(x7,v) notitle, x8, v, (u<0.5) ? -1 : sinc(x8,v) notitle, x9, v, (u<0.5) ? -1 : sinc(x9,v) notitle diff --git a/samples/Gnuplot/surface1.17.gnu b/samples/Gnuplot/surface1.17.gnu new file mode 100644 index 00000000..3d272bc7 --- /dev/null +++ b/samples/Gnuplot/surface1.17.gnu @@ -0,0 +1,46 @@ +# set terminal pngcairo transparent enhanced font "arial,10" fontscale 1.0 size 500, 350 +# set output 'surface1.17.png' +set dummy u,v +set label 1 "increasing v" at 6, 0, -1 left norotate back nopoint offset character 0, 0, 0 +set label 2 "increasing u" at 0, -5, -1.5 left norotate back nopoint offset character 0, 0, 0 +set label 3 "floor(u)%3=0" at 5, 6.5, -1 left norotate back nopoint offset character 0, 0, 0 +set label 4 "floor(u)%3=1" at 5, 6.5, 0.100248 left norotate back nopoint offset character 0, 0, 0 +set arrow 1 from 5, -5, -1.2 to 5, 5, -1.2 head back nofilled linetype -1 linewidth 1.000 +set arrow 2 from -5, -5, -1.2 to 5, -5, -1.2 head back nofilled linetype -1 linewidth 1.000 +set arrow 3 from 5, 6, -1 to 5, 5, -1 head back nofilled linetype -1 linewidth 1.000 +set arrow 4 from 5, 6, 0.100248 to 5, 5, 0.100248 head back nofilled linetype -1 linewidth 1.000 +set parametric +set view 70, 20, 1, 1 +set samples 51, 51 +set isosamples 30, 33 +set hidden3d back offset 1 trianglepattern 3 undefined 1 altdiagonal bentover +set ztics -1.00000,0.25,1.00000 norangelimit +set title "\"fence plot\" using single parametric surface with undefined points" +set xlabel "X axis" +set xlabel offset character -3, -2, 0 font "" textcolor lt -1 norotate +set xrange [ -5.00000 : 5.00000 ] noreverse nowriteback +set ylabel "Y axis" +set ylabel offset character 3, -2, 0 font "" textcolor lt -1 rotate by -270 +set yrange [ -5.00000 : 5.00000 ] noreverse nowriteback +set zlabel "Z axis" +set zlabel offset character -5, 0, 0 font "" textcolor lt -1 norotate +set zrange [ -1.00000 : 1.00000 ] noreverse nowriteback +sinc(u,v) = sin(sqrt(u**2+v**2)) / sqrt(u**2+v**2) +GPFUN_sinc = "sinc(u,v) = sin(sqrt(u**2+v**2)) / sqrt(u**2+v**2)" +xx = 6.08888888888889 +dx = 1.11 +x0 = -5 +x1 = -3.89111111111111 +x2 = -2.78222222222222 +x3 = -1.67333333333333 +x4 = -0.564444444444444 +x5 = 0.544444444444445 +x6 = 1.65333333333333 +x7 = 2.76222222222222 +x8 = 3.87111111111111 +x9 = 4.98 +xmin = -4.99 +xmax = 5 +n = 10 +zbase = -1 +splot [u=.5:3*n-.5][v=-4.99:4.99] xmin+floor(u/3)*dx, v, ((floor(u)%3)==0) ? zbase : (((floor(u)%3)==1) ? sinc(xmin+u/3.*dx,v) : 1/0) notitle diff --git a/samples/Gnuplot/world2.1.gnu b/samples/Gnuplot/world2.1.gnu new file mode 100644 index 00000000..53dc22b6 --- /dev/null +++ b/samples/Gnuplot/world2.1.gnu @@ -0,0 +1,21 @@ +# set terminal pngcairo transparent enhanced font "arial,10" fontscale 1.0 size 500, 350 +# set output 'world2.1.png' +unset border +set dummy u,v +set angles degrees +set parametric +set view 60, 136, 1.22, 1.26 +set samples 64, 64 +set isosamples 13, 13 +set mapping spherical +set noxtics +set noytics +set noztics +set title "Labels colored by GeV plotted in spherical coordinate system" +set urange [ -90.0000 : 90.0000 ] noreverse nowriteback +set vrange [ 0.00000 : 360.000 ] noreverse nowriteback +set cblabel "GeV" +set cbrange [ 0.00000 : 8.00000 ] noreverse nowriteback +set colorbox user +set colorbox vertical origin screen 0.9, 0.2, 0 size screen 0.02, 0.75, 0 front bdefault +splot cos(u)*cos(v),cos(u)*sin(v),sin(u) notitle with lines lt 5, 'world.dat' notitle with lines lt 2, 'srl.dat' using 3:2:(1):1:4 with labels notitle point pt 6 lw .1 left offset 1,0 font "Helvetica,7" tc pal diff --git a/samples/Gosu/hello.gsp b/samples/Gosu/hello.gsp deleted file mode 100644 index ce47b771..00000000 --- a/samples/Gosu/hello.gsp +++ /dev/null @@ -1 +0,0 @@ -print("hello") \ No newline at end of file diff --git a/samples/Hy/fibonacci.hy b/samples/Hy/fibonacci.hy new file mode 100644 index 00000000..9ccdd76c --- /dev/null +++ b/samples/Hy/fibonacci.hy @@ -0,0 +1,9 @@ +;; Fibonacci example in Hy. + +(defn fib [n] + (if (<= n 2) n + (+ (fib (- n 1)) (fib (- n 2))))) + +(if (= __name__ "__main__") + (for [x [1 2 3 4 5 6 7 8]] + (print (fib x)))) diff --git a/samples/Hy/hello-world.hy b/samples/Hy/hello-world.hy new file mode 100644 index 00000000..181095e1 --- /dev/null +++ b/samples/Hy/hello-world.hy @@ -0,0 +1,13 @@ +;; The concurrent.futures example in Hy. + +(import [concurrent.futures [ThreadPoolExecutor as-completed]] + [random [randint]] + [sh [sleep]]) + +(defn task-to-do [] + (sleep (randint 1 5))) + +(with-as (ThreadPoolExecutor 10) executor + (setv jobs (list-comp (.submit executor task-to-do) (x (range 0 10)))) + (for (future (as-completed jobs)) + (.result future))) diff --git a/samples/IDL/mg_acosh.pro b/samples/IDL/mg_acosh.pro new file mode 100644 index 00000000..1510f09f --- /dev/null +++ b/samples/IDL/mg_acosh.pro @@ -0,0 +1,29 @@ +; docformat = 'rst' + +;+ +; Inverse hyperbolic cosine. Uses the formula: +; +; $$\text{acosh}(z) = \ln(z + \sqrt{z + 1} \sqrt{z - 1})$$ +; +; :Examples: +; The arc hyperbolic sine function looks like:: +; +; IDL> x = 2.5 * findgen(1000) / 999. + 1. +; IDL> plot, x, mg_acosh(x), xstyle=1 +; +; This should look like: +; +; .. image:: acosh.png +; +; :Returns: +; float, double, complex, or double complex depending on the input +; +; :Params: +; z : in, required, type=numeric +; input +;- +function mg_acosh, z + compile_opt strictarr + + return, alog(z + sqrt(z + 1) * sqrt(z - 1)) +end \ No newline at end of file diff --git a/samples/IDL/mg_analysis.dlm b/samples/IDL/mg_analysis.dlm new file mode 100644 index 00000000..6cb7881f --- /dev/null +++ b/samples/IDL/mg_analysis.dlm @@ -0,0 +1,9 @@ +MODULE mg_analysis +DESCRIPTION Tools for analysis +VERSION 1.0 +SOURCE mgalloy +BUILD_DATE January 18, 2011 + +FUNCTION MG_ARRAY_EQUAL 2 2 KEYWORDS +FUNCTION MG_TOTAL 1 1 + diff --git a/samples/IDL/mg_gcd.pro b/samples/IDL/mg_gcd.pro new file mode 100644 index 00000000..2287723f --- /dev/null +++ b/samples/IDL/mg_gcd.pro @@ -0,0 +1,35 @@ +; docformat = 'rst' + +;+ +; Find the greatest common denominator (GCD) for two positive integers. +; +; :Returns: +; integer +; +; :Params: +; a : in, required, type=integer +; first integer +; b : in, required, type=integer +; second integer +;- +function mg_gcd, a, b + compile_opt strictarr + on_error, 2 + + if (n_params() ne 2) then message, 'incorrect number of arguments' + if (~mg_isinteger(a) || ~mg_isinteger(b)) then begin + message, 'integer arguments required' + endif + + _a = abs(a) + _b = abs(b) + minArg = _a < _b + maxArg = _a > _b + + if (minArg eq 0) then return, maxArg + + remainder = maxArg mod minArg + if (remainder eq 0) then return, minArg + + return, mg_gcd(minArg, remainder) +end diff --git a/samples/IDL/mg_trunc.pro b/samples/IDL/mg_trunc.pro new file mode 100644 index 00000000..c5288908 --- /dev/null +++ b/samples/IDL/mg_trunc.pro @@ -0,0 +1,42 @@ +; docformat = 'rst' + +;+ +; Truncate argument towards 0.0, i.e., takes the `FLOOR` of positive values +; and the `CEIL` of negative values. +; +; :Examples: +; Try the main-level program at the end of this file. It does:: +; +; IDL> print, mg_trunc([1.2, -1.2, 0.0]) +; 1 -1 0 +; IDL> print, floor([1.2, -1.2, 0.0]) +; 1 -2 0 +; IDL> print, ceil([1.2, -1.2, 0.0]) +; 2 -1 0 +; +; :Returns: +; array of same type as argument +; +; :Params: +; x : in, required, type=float/double +; array containing values to truncate +;- +function mg_trunc, x + compile_opt strictarr + + result = ceil(x) + posInd = where(x gt 0, nposInd) + + if (nposInd gt 0L) then begin + result[posInd] = floor(x[posInd]) + endif + + return, result +end + + +; main-level example program + +print, mg_trunc([1.2, -1.2, 0.0]) + +end diff --git a/samples/JSON5/example.json5 b/samples/JSON5/example.json5 new file mode 100644 index 00000000..95f12408 --- /dev/null +++ b/samples/JSON5/example.json5 @@ -0,0 +1,29 @@ +/* + * The following is a contrived example, but it illustrates most of the features: + */ + +{ + foo: 'bar', + while: true, + + this: 'is a \ +multi-line string', + + // this is an inline comment + here: 'is another', // inline comment + + /* this is a block comment + that continues on another line */ + + hex: 0xDEADbeef, + half: .5, + delta: +10, + to: Infinity, // and beyond! + + finally: 'a trailing comma', + oh: [ + "we shouldn't forget", + 'arrays can have', + 'trailing commas too', + ], +} diff --git a/samples/JSON5/package.json5 b/samples/JSON5/package.json5 new file mode 100644 index 00000000..9e52ed24 --- /dev/null +++ b/samples/JSON5/package.json5 @@ -0,0 +1,28 @@ +// This file is written in JSON5 syntax, naturally, but npm needs a regular +// JSON file, so compile via `npm run build`. Be sure to keep both in sync! + +{ + name: 'json5', + version: '0.2.0', + description: 'JSON for the ES5 era.', + keywords: ['json', 'es5'], + author: 'Aseem Kishore ', + contributors: [ + 'Max Nanasy ', + ], + main: 'lib/json5.js', + bin: 'lib/cli.js', + dependencies: {}, + devDependencies: { + mocha: '~1.0.3', + }, + scripts: { + build: './lib/cli.js -c package.json5', + test: 'mocha --ui exports --reporter spec', + }, + homepage: 'http://json5.org/', + repository: { + type: 'git', + url: 'https://github.com/aseemk/json5.git', + }, +} diff --git a/samples/JSONLD/sample.jsonld b/samples/JSONLD/sample.jsonld new file mode 100644 index 00000000..dbae017a --- /dev/null +++ b/samples/JSONLD/sample.jsonld @@ -0,0 +1,30 @@ +{ + "@context": { + "property": "http://example.com/vocab#property" + }, + "@id": "../document-relative", + "@type": "#document-relative", + "property": { + "@context": { + "@base": "http://example.org/test/" + }, + "@id": "../document-base-overwritten", + "@type": "#document-base-overwritten", + "property": [ + { + "@context": null, + "@id": "../document-relative", + "@type": "#document-relative", + "property": "context completely reset, drops property" + }, + { + "@context": { + "@base": null + }, + "@id": "../document-relative", + "@type": "#document-relative", + "property": "only @base is cleared" + } + ] + } +} diff --git a/samples/M/Comment.m b/samples/M/Comment.m new file mode 100644 index 00000000..6ddd7653 --- /dev/null +++ b/samples/M/Comment.m @@ -0,0 +1,36 @@ +Comment ; + ; this is a comment block + ; comments always start with a semicolon + ; the next line, while not a comment, is a legal blank line + + ;whitespace alone is a valid line in a routine + ;** Comments can have any graphic character, but no "control" + ;** characters + + ;graphic characters such as: !@#$%^&*()_+=-{}[]|\:"?/>.<, + ;the space character is considered a graphic character, even + ;though you can't see it. + ; ASCII characters whose numeric code is above 128 and below 32 + ; are NOT allowed on a line in a routine. + ;; multiple semicolons are okay + ; a line that has a tag must have whitespace after the tag, bug + ; does not have to have a comment or a command on it +Tag1 + ; + ;Tags can start with % or an uppercase or lowercase alphabetic + ; or can be a series of numeric characters +%HELO ; + ; +0123 ; + ; +%987 ; + ; the most common label is uppercase alphabetic +LABEL ; + ; + ; Tags can be followed directly by an open parenthesis and a + ; formal list of variables, and a close parenthesis +ANOTHER(X) ; + ; + ;Normally, a subroutine would be ended by a QUIT command, but we + ; are taking advantage of the rule that the END of routine is an + ; implicit QUIT diff --git a/samples/Mask/view.mask b/samples/Mask/view.mask new file mode 100644 index 00000000..521273e6 --- /dev/null +++ b/samples/Mask/view.mask @@ -0,0 +1,61 @@ + +// HTML Elements +header { + + img .logo src='/images/~[currentLogo].png' alt=logo; + + h4 > 'Bar View' + + if (currentUser) { + + .account > + a href='/acount' > + 'Hello, ~[currentUser.username]' + } +} + +.view { + ul { + + // Iteration + for ((user, index) of users) { + + li.user data-id='~[user.id]' { + + // interpolation + .name > '~[ user.username ]' + + // expression + .count > '~[: user.level.toFixed(2) ]' + + // util + /* Localization sample + * lastActivity: "Am {0:dd. MM} war der letzte Eintrag" + */ + .date > '~[ L: "lastActivity", user.date]' + } + } + } + + // Component + :countdownComponent { + input type = text > + :dualbind value='number'; + + button x-signal='click: countdownStart' > 'Start'; + + h5 { + '~[bind: number]' + + :animation x-slot='countdownStart' { + @model > 'transition | scale(0) > scale(1) | 500ms' + @next > 'background-color | red > blue | 2s linear' + } + } + } +} + +footer > :bazCompo { + + 'Component generated at ~[: $u.format($c.date, "HH-mm") ]' +} \ No newline at end of file diff --git a/samples/Mathematica/Init.m b/samples/Mathematica/Init.m new file mode 100644 index 00000000..720d6100 --- /dev/null +++ b/samples/Mathematica/Init.m @@ -0,0 +1,3 @@ +(* Mathematica Init File *) + +Get[ "Foobar`Foobar`"] diff --git a/samples/Mathematica/PacletInfo.m b/samples/Mathematica/PacletInfo.m new file mode 100644 index 00000000..489b58c7 --- /dev/null +++ b/samples/Mathematica/PacletInfo.m @@ -0,0 +1,17 @@ +(* Paclet Info File *) + +(* created 2014/02/07*) + +Paclet[ + Name -> "Foobar", + Version -> "0.0.1", + MathematicaVersion -> "8+", + Description -> "Example of an automatically generated PacletInfo file.", + Creator -> "Chris Granade", + Extensions -> + { + {"Documentation", Language -> "English", MainPage -> "Guides/Foobar"} + } +] + + diff --git a/samples/Mathematica/Predicates.m b/samples/Mathematica/Predicates.m new file mode 100644 index 00000000..3c569691 --- /dev/null +++ b/samples/Mathematica/Predicates.m @@ -0,0 +1,150 @@ +(* ::Package:: *) + +BeginPackage["Predicates`"]; + + +(* ::Title:: *) +(*Predicates*) + + +(* ::Section::Closed:: *) +(*Fuzzy Logic*) + + +(* ::Subsection:: *) +(*Documentation*) + + +PossiblyTrueQ::usage="Returns True if the argument is not definitely False."; +PossiblyFalseQ::usage="Returns True if the argument is not definitely True."; +PossiblyNonzeroQ::usage="Returns True if and only if its argument is not definitely zero."; + + +(* ::Subsection:: *) +(*Implimentation*) + + +Begin["`Private`"]; + + +PossiblyTrueQ[expr_]:=\[Not]TrueQ[\[Not]expr] + + +PossiblyFalseQ[expr_]:=\[Not]TrueQ[expr] + + +End[]; + + +(* ::Section::Closed:: *) +(*Numbers and Lists*) + + +(* ::Subsection:: *) +(*Documentation*) + + +AnyQ::usage="Given a predicate and a list, retuns True if and only if that predicate is True for at least one element of the list."; +AnyElementQ::usage="Returns True if cond matches any element of L."; +AllQ::usage="Given a predicate and a list, retuns True if and only if that predicate is True for all elements of the list."; +AllElementQ::usage="Returns True if cond matches any element of L."; + + +AnyNonzeroQ::usage="Returns True if L is a list such that at least one element is definitely not zero."; +AnyPossiblyNonzeroQ::usage="Returns True if expr is a list such that at least one element is not definitely zero."; + + +RealQ::usage="Returns True if and only if the argument is a real number"; +PositiveQ::usage="Returns True if and only if the argument is a positive real number"; +NonnegativeQ::usage="Returns True if and only if the argument is a non-negative real number"; +PositiveIntegerQ::usage="Returns True if and only if the argument is a positive integer"; +NonnegativeIntegerQ::usage="Returns True if and only if the argument is a non-negative integer"; + + +IntegerListQ::usage="Returns True if and only if the input is a list of integers."; +PositiveIntegerListQ::usage="Returns True if and only if the input is a list of positive integers."; +NonnegativeIntegerListQ::usage="Returns True if and only if the input is a list of non-negative integers."; +IntegerOrListQ::usage="Returns True if and only if the input is a list of integers or an integer."; +PositiveIntegerOrListQ::usage="Returns True if and only if the input is a list of positive integers or a positive integer."; +NonnegativeIntegerOrListQ::usage="Returns True if and only if the input is a list of positive integers or a positive integer."; + + +SymbolQ::usage="Returns True if argument is an unassigned symbol."; +SymbolOrNumberQ::usage="Returns True if argument is a number of has head 'Symbol'"; + + +(* ::Subsection:: *) +(*Implimentation*) + + +Begin["`Private`"]; + + +AnyQ[cond_, L_] := Fold[Or, False, cond /@ L] + + +AnyElementQ[cond_,L_]:=AnyQ[cond,Flatten[L]] + + +AllQ[cond_, L_] := Fold[And, True, cond /@ L] + + +AllElementQ[cond_, L_] := Fold[And, True, cond /@ L] + + +AnyNonzeroQ[L_]:=AnyElementQ[#!=0&,L] + + +PossiblyNonzeroQ[expr_]:=PossiblyTrueQ[expr!=0] + + +AnyPossiblyNonzeroQ[expr_]:=AnyElementQ[PossiblyNonzeroQ,expr] + + +RealQ[n_]:=TrueQ[Im[n]==0]; + + +PositiveQ[n_]:=Positive[n]; + + +PositiveIntegerQ[n_]:=PositiveQ[n]\[And]IntegerQ[n]; + + +NonnegativeQ[n_]:=TrueQ[RealQ[n]&&n>=0]; + + +NonnegativeIntegerQ[n_]:=NonnegativeQ[n]\[And]IntegerQ[n]; + + +IntegerListQ[input_]:=ListQ[input]&&Not[MemberQ[IntegerQ/@input,False]]; + + +IntegerOrListQ[input_]:=IntegerListQ[input]||IntegerQ[input]; + + +PositiveIntegerListQ[input_]:=IntegerListQ[input]&&Not[MemberQ[Positive[input],False]]; + + +PositiveIntegerOrListQ[input_]:=PositiveIntegerListQ[input]||PositiveIntegerQ[input]; + + +NonnegativeIntegerListQ[input_]:=IntegerListQ[input]&&Not[MemberQ[NonnegativeIntegerQ[input],False]]; + + +NonnegativeIntegerOrListQ[input_]:=NonnegativeIntegerListQ[input]||NonnegativeIntegerQ[input]; + + +SymbolQ[a_]:=Head[a]===Symbol; + + +SymbolOrNumberQ[a_]:=NumericQ[a]||Head[a]===Symbol; + + +End[]; + + +(* ::Section:: *) +(*Epilogue*) + + +EndPackage[]; diff --git a/samples/Oxygene/Program.pas b/samples/Oxygene/Program.pas deleted file mode 100644 index d5b45e8d..00000000 --- a/samples/Oxygene/Program.pas +++ /dev/null @@ -1,125 +0,0 @@ -namespace Loops; - -interface - -uses System.Linq; - -type - ConsoleApp = class - public - class method Main; - method loopsTesting; - method fillData : sequence of Country; - var - Countries : sequence of Country; - end; - -type - Country = public class - public - property Name : String; - property Capital : String; - - constructor (setName : String; setCapital : String); - end; -implementation - -class method ConsoleApp.Main; -begin - Console.WriteLine('Loops example'); - Console.WriteLine(); - - with myConsoleApp := new ConsoleApp() do - myConsoleApp.loopsTesting; -end; - -method ConsoleApp.loopsTesting; -begin - {---------------------------------} - {"for" loop, taking every 5th item} - for i : Int32 :=0 to 50 step 5 do - begin - Console.Write(i); Console.Write(' '); - end; - - Console.WriteLine(); Console.WriteLine(); - - {---------------------------------} - {"for" loop, going from high to low value} - for i : Int32 := 10 downto 1 do - begin - Console.Write(i); Console.Write(' '); - end; - - Console.WriteLine(); Console.WriteLine(); - - Countries := fillData; - - {---------------------------------} - {loop with defined "index" variable, which will count from 0 through the number of elements looped} - Console.WriteLine('Countries: '); - for each c in Countries index num do - Console.WriteLine(Convert.ToString(num + 1) + ') ' + c.Name); - - Console.WriteLine(); - - Console.WriteLine('Cities: '); - var ind : Integer :=0; - - {---------------------------------} - {simple "loop" construct that loops endlessly, until broken out of} - loop - begin - Console.WriteLine(Countries.ElementAt(ind).Capital); - Inc(ind); - if ind = Countries.Count then break; - end; - - Console.WriteLine(); - - {---------------------------------} - {the type of 'c' is inferred automatically} - for each c in Countries do - Console.WriteLine(c.Capital + ' is the capital of ' + c.Name); - - Console.WriteLine(); - - ind := 0; - Console.WriteLine('Cities: '); - - {"repeat ... until" loop} - repeat - Console.WriteLine(Countries.ElementAt(ind).Capital); - Inc(ind); - until ind = Countries.Count; - - Console.WriteLine(); - - ind := 0; - Console.WriteLine('Countries: '); - - {---------------------------------} - {"while ... do" loop} - while ind < Countries.Count do - begin - Console.WriteLine(Countries.ElementAt(ind).Name); - Inc(ind); - end; - - Console.ReadLine(); -end; - -method ConsoleApp.fillData: sequence of Country; -begin - result := [new Country('UK', 'London'), new Country('USA', 'Washington'), new Country('Germany', 'Berlin'), - new Country('Ukraine', 'Kyiv'), new Country('Russia', 'Moscow'), new Country('France', 'Paris')]; - -end; - -constructor Country (setName :String; setCapital: String); -begin - Name := setName; - Capital := setCapital; -end; - -end. \ No newline at end of file diff --git a/samples/PAWN/grandlarc.pwn b/samples/PAWN/grandlarc.pwn new file mode 100644 index 00000000..76e96c66 --- /dev/null +++ b/samples/PAWN/grandlarc.pwn @@ -0,0 +1,520 @@ +//---------------------------------------------------------- +// +// GRAND LARCENY 1.0 +// A freeroam gamemode for SA-MP 0.3 +// +//---------------------------------------------------------- + +#include +#include +#include +#include "../include/gl_common.inc" +#include "../include/gl_spawns.inc" + +#pragma tabsize 0 + +//---------------------------------------------------------- + +#define COLOR_WHITE 0xFFFFFFFF +#define COLOR_NORMAL_PLAYER 0xFFBB7777 + +#define CITY_LOS_SANTOS 0 +#define CITY_SAN_FIERRO 1 +#define CITY_LAS_VENTURAS 2 + +new total_vehicles_from_files=0; + +// Class selection globals +new gPlayerCitySelection[MAX_PLAYERS]; +new gPlayerHasCitySelected[MAX_PLAYERS]; +new gPlayerLastCitySelectionTick[MAX_PLAYERS]; + +new Text:txtClassSelHelper; +new Text:txtLosSantos; +new Text:txtSanFierro; +new Text:txtLasVenturas; + +new thisanimid=0; +new lastanimid=0; + +//---------------------------------------------------------- + +main() +{ + print("\n---------------------------------------"); + print("Running Grand Larceny - by the SA-MP team\n"); + print("---------------------------------------\n"); +} + +//---------------------------------------------------------- + +public OnPlayerConnect(playerid) +{ + GameTextForPlayer(playerid,"~w~Grand Larceny",3000,4); + SendClientMessage(playerid,COLOR_WHITE,"Welcome to {88AA88}G{FFFFFF}rand {88AA88}L{FFFFFF}arceny"); + + // class selection init vars + gPlayerCitySelection[playerid] = -1; + gPlayerHasCitySelected[playerid] = 0; + gPlayerLastCitySelectionTick[playerid] = GetTickCount(); + + //SetPlayerColor(playerid,COLOR_NORMAL_PLAYER); + + //Kick(playerid); + + /* + Removes vending machines + RemoveBuildingForPlayer(playerid, 1302, 0.0, 0.0, 0.0, 6000.0); + RemoveBuildingForPlayer(playerid, 1209, 0.0, 0.0, 0.0, 6000.0); + RemoveBuildingForPlayer(playerid, 955, 0.0, 0.0, 0.0, 6000.0); + RemoveBuildingForPlayer(playerid, 1775, 0.0, 0.0, 0.0, 6000.0); + RemoveBuildingForPlayer(playerid, 1776, 0.0, 0.0, 0.0, 6000.0); + */ + + /* + new ClientVersion[32]; + GetPlayerVersion(playerid, ClientVersion, 32); + printf("Player %d reports client version: %s", playerid, ClientVersion);*/ + + return 1; +} + +//---------------------------------------------------------- + +public OnPlayerSpawn(playerid) +{ + if(IsPlayerNPC(playerid)) return 1; + + new randSpawn = 0; + + SetPlayerInterior(playerid,0); + TogglePlayerClock(playerid,0); + ResetPlayerMoney(playerid); + GivePlayerMoney(playerid, 30000); + + if(CITY_LOS_SANTOS == gPlayerCitySelection[playerid]) { + randSpawn = random(sizeof(gRandomSpawns_LosSantos)); + SetPlayerPos(playerid, + gRandomSpawns_LosSantos[randSpawn][0], + gRandomSpawns_LosSantos[randSpawn][1], + gRandomSpawns_LosSantos[randSpawn][2]); + SetPlayerFacingAngle(playerid,gRandomSpawns_LosSantos[randSpawn][3]); + } + else if(CITY_SAN_FIERRO == gPlayerCitySelection[playerid]) { + randSpawn = random(sizeof(gRandomSpawns_SanFierro)); + SetPlayerPos(playerid, + gRandomSpawns_SanFierro[randSpawn][0], + gRandomSpawns_SanFierro[randSpawn][1], + gRandomSpawns_SanFierro[randSpawn][2]); + SetPlayerFacingAngle(playerid,gRandomSpawns_SanFierro[randSpawn][3]); + } + else if(CITY_LAS_VENTURAS == gPlayerCitySelection[playerid]) { + randSpawn = random(sizeof(gRandomSpawns_LasVenturas)); + SetPlayerPos(playerid, + gRandomSpawns_LasVenturas[randSpawn][0], + gRandomSpawns_LasVenturas[randSpawn][1], + gRandomSpawns_LasVenturas[randSpawn][2]); + SetPlayerFacingAngle(playerid,gRandomSpawns_LasVenturas[randSpawn][3]); + } + + //SetPlayerColor(playerid,COLOR_NORMAL_PLAYER); + + SetPlayerSkillLevel(playerid,WEAPONSKILL_PISTOL,200); + SetPlayerSkillLevel(playerid,WEAPONSKILL_PISTOL_SILENCED,200); + SetPlayerSkillLevel(playerid,WEAPONSKILL_DESERT_EAGLE,200); + SetPlayerSkillLevel(playerid,WEAPONSKILL_SHOTGUN,200); + SetPlayerSkillLevel(playerid,WEAPONSKILL_SAWNOFF_SHOTGUN,200); + SetPlayerSkillLevel(playerid,WEAPONSKILL_SPAS12_SHOTGUN,200); + SetPlayerSkillLevel(playerid,WEAPONSKILL_MICRO_UZI,200); + SetPlayerSkillLevel(playerid,WEAPONSKILL_MP5,200); + SetPlayerSkillLevel(playerid,WEAPONSKILL_AK47,200); + SetPlayerSkillLevel(playerid,WEAPONSKILL_M4,200); + SetPlayerSkillLevel(playerid,WEAPONSKILL_SNIPERRIFLE,200); + + GivePlayerWeapon(playerid,WEAPON_COLT45,100); + //GivePlayerWeapon(playerid,WEAPON_MP5,100); + TogglePlayerClock(playerid, 0); + + return 1; +} + +//---------------------------------------------------------- + +public OnPlayerDeath(playerid, killerid, reason) +{ + new playercash; + + // if they ever return to class selection make them city + // select again first + gPlayerHasCitySelected[playerid] = 0; + + if(killerid == INVALID_PLAYER_ID) { + ResetPlayerMoney(playerid); + } else { + playercash = GetPlayerMoney(playerid); + if(playercash > 0) { + GivePlayerMoney(killerid, playercash); + ResetPlayerMoney(playerid); + } + } + return 1; +} + +//---------------------------------------------------------- + +ClassSel_SetupCharSelection(playerid) +{ + if(gPlayerCitySelection[playerid] == CITY_LOS_SANTOS) { + SetPlayerInterior(playerid,11); + SetPlayerPos(playerid,508.7362,-87.4335,998.9609); + SetPlayerFacingAngle(playerid,0.0); + SetPlayerCameraPos(playerid,508.7362,-83.4335,998.9609); + SetPlayerCameraLookAt(playerid,508.7362,-87.4335,998.9609); + } + else if(gPlayerCitySelection[playerid] == CITY_SAN_FIERRO) { + SetPlayerInterior(playerid,3); + SetPlayerPos(playerid,-2673.8381,1399.7424,918.3516); + SetPlayerFacingAngle(playerid,181.0); + SetPlayerCameraPos(playerid,-2673.2776,1394.3859,918.3516); + SetPlayerCameraLookAt(playerid,-2673.8381,1399.7424,918.3516); + } + else if(gPlayerCitySelection[playerid] == CITY_LAS_VENTURAS) { + SetPlayerInterior(playerid,3); + SetPlayerPos(playerid,349.0453,193.2271,1014.1797); + SetPlayerFacingAngle(playerid,286.25); + SetPlayerCameraPos(playerid,352.9164,194.5702,1014.1875); + SetPlayerCameraLookAt(playerid,349.0453,193.2271,1014.1797); + } + +} + +//---------------------------------------------------------- +// Used to init textdraws of city names + +ClassSel_InitCityNameText(Text:txtInit) +{ + TextDrawUseBox(txtInit, 0); + TextDrawLetterSize(txtInit,1.25,3.0); + TextDrawFont(txtInit, 0); + TextDrawSetShadow(txtInit,0); + TextDrawSetOutline(txtInit,1); + TextDrawColor(txtInit,0xEEEEEEFF); + TextDrawBackgroundColor(txtClassSelHelper,0x000000FF); +} + +//---------------------------------------------------------- + +ClassSel_InitTextDraws() +{ + // Init our observer helper text display + txtLosSantos = TextDrawCreate(10.0, 380.0, "Los Santos"); + ClassSel_InitCityNameText(txtLosSantos); + txtSanFierro = TextDrawCreate(10.0, 380.0, "San Fierro"); + ClassSel_InitCityNameText(txtSanFierro); + txtLasVenturas = TextDrawCreate(10.0, 380.0, "Las Venturas"); + ClassSel_InitCityNameText(txtLasVenturas); + + // Init our observer helper text display + txtClassSelHelper = TextDrawCreate(10.0, 415.0, + " Press ~b~~k~~GO_LEFT~ ~w~or ~b~~k~~GO_RIGHT~ ~w~to switch cities.~n~ Press ~r~~k~~PED_FIREWEAPON~ ~w~to select."); + TextDrawUseBox(txtClassSelHelper, 1); + TextDrawBoxColor(txtClassSelHelper,0x222222BB); + TextDrawLetterSize(txtClassSelHelper,0.3,1.0); + TextDrawTextSize(txtClassSelHelper,400.0,40.0); + TextDrawFont(txtClassSelHelper, 2); + TextDrawSetShadow(txtClassSelHelper,0); + TextDrawSetOutline(txtClassSelHelper,1); + TextDrawBackgroundColor(txtClassSelHelper,0x000000FF); + TextDrawColor(txtClassSelHelper,0xFFFFFFFF); +} + +//---------------------------------------------------------- + +ClassSel_SetupSelectedCity(playerid) +{ + if(gPlayerCitySelection[playerid] == -1) { + gPlayerCitySelection[playerid] = CITY_LOS_SANTOS; + } + + if(gPlayerCitySelection[playerid] == CITY_LOS_SANTOS) { + SetPlayerInterior(playerid,0); + SetPlayerCameraPos(playerid,1630.6136,-2286.0298,110.0); + SetPlayerCameraLookAt(playerid,1887.6034,-1682.1442,47.6167); + + TextDrawShowForPlayer(playerid,txtLosSantos); + TextDrawHideForPlayer(playerid,txtSanFierro); + TextDrawHideForPlayer(playerid,txtLasVenturas); + } + else if(gPlayerCitySelection[playerid] == CITY_SAN_FIERRO) { + SetPlayerInterior(playerid,0); + SetPlayerCameraPos(playerid,-1300.8754,68.0546,129.4823); + SetPlayerCameraLookAt(playerid,-1817.9412,769.3878,132.6589); + + TextDrawHideForPlayer(playerid,txtLosSantos); + TextDrawShowForPlayer(playerid,txtSanFierro); + TextDrawHideForPlayer(playerid,txtLasVenturas); + } + else if(gPlayerCitySelection[playerid] == CITY_LAS_VENTURAS) { + SetPlayerInterior(playerid,0); + SetPlayerCameraPos(playerid,1310.6155,1675.9182,110.7390); + SetPlayerCameraLookAt(playerid,2285.2944,1919.3756,68.2275); + + TextDrawHideForPlayer(playerid,txtLosSantos); + TextDrawHideForPlayer(playerid,txtSanFierro); + TextDrawShowForPlayer(playerid,txtLasVenturas); + } +} + +//---------------------------------------------------------- + +ClassSel_SwitchToNextCity(playerid) +{ + gPlayerCitySelection[playerid]++; + if(gPlayerCitySelection[playerid] > CITY_LAS_VENTURAS) { + gPlayerCitySelection[playerid] = CITY_LOS_SANTOS; + } + PlayerPlaySound(playerid,1052,0.0,0.0,0.0); + gPlayerLastCitySelectionTick[playerid] = GetTickCount(); + ClassSel_SetupSelectedCity(playerid); +} + +//---------------------------------------------------------- + +ClassSel_SwitchToPreviousCity(playerid) +{ + gPlayerCitySelection[playerid]--; + if(gPlayerCitySelection[playerid] < CITY_LOS_SANTOS) { + gPlayerCitySelection[playerid] = CITY_LAS_VENTURAS; + } + PlayerPlaySound(playerid,1053,0.0,0.0,0.0); + gPlayerLastCitySelectionTick[playerid] = GetTickCount(); + ClassSel_SetupSelectedCity(playerid); +} + +//---------------------------------------------------------- + +ClassSel_HandleCitySelection(playerid) +{ + new Keys,ud,lr; + GetPlayerKeys(playerid,Keys,ud,lr); + + if(gPlayerCitySelection[playerid] == -1) { + ClassSel_SwitchToNextCity(playerid); + return; + } + + // only allow new selection every ~500 ms + if( (GetTickCount() - gPlayerLastCitySelectionTick[playerid]) < 500 ) return; + + if(Keys & KEY_FIRE) { + gPlayerHasCitySelected[playerid] = 1; + TextDrawHideForPlayer(playerid,txtClassSelHelper); + TextDrawHideForPlayer(playerid,txtLosSantos); + TextDrawHideForPlayer(playerid,txtSanFierro); + TextDrawHideForPlayer(playerid,txtLasVenturas); + TogglePlayerSpectating(playerid,0); + return; + } + + if(lr > 0) { + ClassSel_SwitchToNextCity(playerid); + } + else if(lr < 0) { + ClassSel_SwitchToPreviousCity(playerid); + } +} + +//---------------------------------------------------------- + +public OnPlayerRequestClass(playerid, classid) +{ + if(IsPlayerNPC(playerid)) return 1; + + if(gPlayerHasCitySelected[playerid]) { + ClassSel_SetupCharSelection(playerid); + return 1; + } else { + if(GetPlayerState(playerid) != PLAYER_STATE_SPECTATING) { + TogglePlayerSpectating(playerid,1); + TextDrawShowForPlayer(playerid, txtClassSelHelper); + gPlayerCitySelection[playerid] = -1; + } + } + + return 0; +} + +//---------------------------------------------------------- + +public OnGameModeInit() +{ + SetGameModeText("Grand Larceny"); + ShowPlayerMarkers(PLAYER_MARKERS_MODE_GLOBAL); + ShowNameTags(1); + SetNameTagDrawDistance(40.0); + EnableStuntBonusForAll(0); + DisableInteriorEnterExits(); + SetWeather(2); + SetWorldTime(11); + + //UsePlayerPedAnims(); + //ManualVehicleEngineAndLights(); + //LimitGlobalChatRadius(300.0); + + ClassSel_InitTextDraws(); + + // Player Class + AddPlayerClass(281,1759.0189,-1898.1260,13.5622,266.4503,-1,-1,-1,-1,-1,-1); + AddPlayerClass(282,1759.0189,-1898.1260,13.5622,266.4503,-1,-1,-1,-1,-1,-1); + AddPlayerClass(283,1759.0189,-1898.1260,13.5622,266.4503,-1,-1,-1,-1,-1,-1); + AddPlayerClass(284,1759.0189,-1898.1260,13.5622,266.4503,-1,-1,-1,-1,-1,-1); + AddPlayerClass(285,1759.0189,-1898.1260,13.5622,266.4503,-1,-1,-1,-1,-1,-1); + AddPlayerClass(286,1759.0189,-1898.1260,13.5622,266.4503,-1,-1,-1,-1,-1,-1); + AddPlayerClass(287,1759.0189,-1898.1260,13.5622,266.4503,-1,-1,-1,-1,-1,-1); + AddPlayerClass(288,1759.0189,-1898.1260,13.5622,266.4503,-1,-1,-1,-1,-1,-1); + AddPlayerClass(289,1759.0189,-1898.1260,13.5622,266.4503,-1,-1,-1,-1,-1,-1); + AddPlayerClass(265,1759.0189,-1898.1260,13.5622,266.4503,-1,-1,-1,-1,-1,-1); + AddPlayerClass(266,1759.0189,-1898.1260,13.5622,266.4503,-1,-1,-1,-1,-1,-1); + AddPlayerClass(267,1759.0189,-1898.1260,13.5622,266.4503,-1,-1,-1,-1,-1,-1); + AddPlayerClass(268,1759.0189,-1898.1260,13.5622,266.4503,-1,-1,-1,-1,-1,-1); + AddPlayerClass(269,1759.0189,-1898.1260,13.5622,266.4503,-1,-1,-1,-1,-1,-1); + AddPlayerClass(270,1759.0189,-1898.1260,13.5622,266.4503,-1,-1,-1,-1,-1,-1); + AddPlayerClass(1,1759.0189,-1898.1260,13.5622,266.4503,-1,-1,-1,-1,-1,-1); + AddPlayerClass(2,1759.0189,-1898.1260,13.5622,266.4503,-1,-1,-1,-1,-1,-1); + AddPlayerClass(3,1759.0189,-1898.1260,13.5622,266.4503,-1,-1,-1,-1,-1,-1); + AddPlayerClass(4,1759.0189,-1898.1260,13.5622,266.4503,-1,-1,-1,-1,-1,-1); + AddPlayerClass(5,1759.0189,-1898.1260,13.5622,266.4503,-1,-1,-1,-1,-1,-1); + AddPlayerClass(6,1759.0189,-1898.1260,13.5622,266.4503,-1,-1,-1,-1,-1,-1); + AddPlayerClass(8,1759.0189,-1898.1260,13.5622,266.4503,-1,-1,-1,-1,-1,-1); + AddPlayerClass(42,1759.0189,-1898.1260,13.5622,266.4503,-1,-1,-1,-1,-1,-1); + AddPlayerClass(65,1759.0189,-1898.1260,13.5622,266.4503,-1,-1,-1,-1,-1,-1); + //AddPlayerClass(74,1759.0189,-1898.1260,13.5622,266.4503,-1,-1,-1,-1,-1,-1); + AddPlayerClass(86,1759.0189,-1898.1260,13.5622,266.4503,-1,-1,-1,-1,-1,-1); + AddPlayerClass(119,1759.0189,-1898.1260,13.5622,266.4503,-1,-1,-1,-1,-1,-1); + AddPlayerClass(149,1759.0189,-1898.1260,13.5622,266.4503,-1,-1,-1,-1,-1,-1); + AddPlayerClass(208,1759.0189,-1898.1260,13.5622,266.4503,-1,-1,-1,-1,-1,-1); + AddPlayerClass(273,1759.0189,-1898.1260,13.5622,266.4503,-1,-1,-1,-1,-1,-1); + AddPlayerClass(289,1759.0189,-1898.1260,13.5622,266.4503,-1,-1,-1,-1,-1,-1); + + AddPlayerClass(47,1759.0189,-1898.1260,13.5622,266.4503,-1,-1,-1,-1,-1,-1); + AddPlayerClass(48,1759.0189,-1898.1260,13.5622,266.4503,-1,-1,-1,-1,-1,-1); + AddPlayerClass(49,1759.0189,-1898.1260,13.5622,266.4503,-1,-1,-1,-1,-1,-1); + AddPlayerClass(50,1759.0189,-1898.1260,13.5622,266.4503,-1,-1,-1,-1,-1,-1); + AddPlayerClass(51,1759.0189,-1898.1260,13.5622,266.4503,-1,-1,-1,-1,-1,-1); + AddPlayerClass(52,1759.0189,-1898.1260,13.5622,266.4503,-1,-1,-1,-1,-1,-1); + AddPlayerClass(53,1759.0189,-1898.1260,13.5622,266.4503,-1,-1,-1,-1,-1,-1); + AddPlayerClass(54,1759.0189,-1898.1260,13.5622,266.4503,-1,-1,-1,-1,-1,-1); + AddPlayerClass(55,1759.0189,-1898.1260,13.5622,266.4503,-1,-1,-1,-1,-1,-1); + AddPlayerClass(56,1759.0189,-1898.1260,13.5622,266.4503,-1,-1,-1,-1,-1,-1); + AddPlayerClass(57,1759.0189,-1898.1260,13.5622,266.4503,-1,-1,-1,-1,-1,-1); + AddPlayerClass(58,1759.0189,-1898.1260,13.5622,266.4503,-1,-1,-1,-1,-1,-1); + AddPlayerClass(68,1759.0189,-1898.1260,13.5622,266.4503,-1,-1,-1,-1,-1,-1); + AddPlayerClass(69,1759.0189,-1898.1260,13.5622,266.4503,-1,-1,-1,-1,-1,-1); + AddPlayerClass(70,1759.0189,-1898.1260,13.5622,266.4503,-1,-1,-1,-1,-1,-1); + AddPlayerClass(71,1759.0189,-1898.1260,13.5622,266.4503,-1,-1,-1,-1,-1,-1); + AddPlayerClass(72,1759.0189,-1898.1260,13.5622,266.4503,-1,-1,-1,-1,-1,-1); + AddPlayerClass(73,1759.0189,-1898.1260,13.5622,266.4503,-1,-1,-1,-1,-1,-1); + AddPlayerClass(75,1759.0189,-1898.1260,13.5622,266.4503,-1,-1,-1,-1,-1,-1); + AddPlayerClass(76,1759.0189,-1898.1260,13.5622,266.4503,-1,-1,-1,-1,-1,-1); + AddPlayerClass(78,1759.0189,-1898.1260,13.5622,266.4503,-1,-1,-1,-1,-1,-1); + AddPlayerClass(79,1759.0189,-1898.1260,13.5622,266.4503,-1,-1,-1,-1,-1,-1); + AddPlayerClass(80,1759.0189,-1898.1260,13.5622,266.4503,-1,-1,-1,-1,-1,-1); + AddPlayerClass(81,1759.0189,-1898.1260,13.5622,266.4503,-1,-1,-1,-1,-1,-1); + AddPlayerClass(82,1759.0189,-1898.1260,13.5622,266.4503,-1,-1,-1,-1,-1,-1); + AddPlayerClass(83,1759.0189,-1898.1260,13.5622,266.4503,-1,-1,-1,-1,-1,-1); + AddPlayerClass(84,1759.0189,-1898.1260,13.5622,266.4503,-1,-1,-1,-1,-1,-1); + AddPlayerClass(85,1759.0189,-1898.1260,13.5622,266.4503,-1,-1,-1,-1,-1,-1); + AddPlayerClass(87,1759.0189,-1898.1260,13.5622,266.4503,-1,-1,-1,-1,-1,-1); + AddPlayerClass(88,1759.0189,-1898.1260,13.5622,266.4503,-1,-1,-1,-1,-1,-1); + AddPlayerClass(89,1759.0189,-1898.1260,13.5622,266.4503,-1,-1,-1,-1,-1,-1); + AddPlayerClass(91,1759.0189,-1898.1260,13.5622,266.4503,-1,-1,-1,-1,-1,-1); + AddPlayerClass(92,1759.0189,-1898.1260,13.5622,266.4503,-1,-1,-1,-1,-1,-1); + AddPlayerClass(93,1759.0189,-1898.1260,13.5622,266.4503,-1,-1,-1,-1,-1,-1); + AddPlayerClass(95,1759.0189,-1898.1260,13.5622,266.4503,-1,-1,-1,-1,-1,-1); + AddPlayerClass(96,1759.0189,-1898.1260,13.5622,266.4503,-1,-1,-1,-1,-1,-1); + AddPlayerClass(97,1759.0189,-1898.1260,13.5622,266.4503,-1,-1,-1,-1,-1,-1); + AddPlayerClass(98,1759.0189,-1898.1260,13.5622,266.4503,-1,-1,-1,-1,-1,-1); + AddPlayerClass(99,1759.0189,-1898.1260,13.5622,266.4503,-1,-1,-1,-1,-1,-1); + + // SPECIAL + total_vehicles_from_files += LoadStaticVehiclesFromFile("vehicles/trains.txt"); + total_vehicles_from_files += LoadStaticVehiclesFromFile("vehicles/pilots.txt"); + + // LAS VENTURAS + total_vehicles_from_files += LoadStaticVehiclesFromFile("vehicles/lv_law.txt"); + total_vehicles_from_files += LoadStaticVehiclesFromFile("vehicles/lv_airport.txt"); + total_vehicles_from_files += LoadStaticVehiclesFromFile("vehicles/lv_gen.txt"); + + // SAN FIERRO + total_vehicles_from_files += LoadStaticVehiclesFromFile("vehicles/sf_law.txt"); + total_vehicles_from_files += LoadStaticVehiclesFromFile("vehicles/sf_airport.txt"); + total_vehicles_from_files += LoadStaticVehiclesFromFile("vehicles/sf_gen.txt"); + + // LOS SANTOS + total_vehicles_from_files += LoadStaticVehiclesFromFile("vehicles/ls_law.txt"); + total_vehicles_from_files += LoadStaticVehiclesFromFile("vehicles/ls_airport.txt"); + total_vehicles_from_files += LoadStaticVehiclesFromFile("vehicles/ls_gen_inner.txt"); + total_vehicles_from_files += LoadStaticVehiclesFromFile("vehicles/ls_gen_outer.txt"); + + // OTHER AREAS + total_vehicles_from_files += LoadStaticVehiclesFromFile("vehicles/whetstone.txt"); + total_vehicles_from_files += LoadStaticVehiclesFromFile("vehicles/bone.txt"); + total_vehicles_from_files += LoadStaticVehiclesFromFile("vehicles/flint.txt"); + total_vehicles_from_files += LoadStaticVehiclesFromFile("vehicles/tierra.txt"); + total_vehicles_from_files += LoadStaticVehiclesFromFile("vehicles/red_county.txt"); + + printf("Total vehicles from files: %d",total_vehicles_from_files); + + return 1; +} + +//---------------------------------------------------------- + +public OnPlayerUpdate(playerid) +{ + if(!IsPlayerConnected(playerid)) return 0; + if(IsPlayerNPC(playerid)) return 1; + + // changing cities by inputs + if( !gPlayerHasCitySelected[playerid] && + GetPlayerState(playerid) == PLAYER_STATE_SPECTATING ) { + ClassSel_HandleCitySelection(playerid); + return 1; + } + + // No weapons in interiors + if(GetPlayerInterior(playerid) != 0 && GetPlayerWeapon(playerid) != 0) { + SetPlayerArmedWeapon(playerid,0); // fists + return 0; // no syncing until they change their weapon + } + + // Don't allow minigun + if(GetPlayerWeapon(playerid) == WEAPON_MINIGUN) { + Kick(playerid); + return 0; + } + + /* No jetpacks allowed + if(GetPlayerSpecialAction(playerid) == SPECIAL_ACTION_USEJETPACK) { + Kick(playerid); + return 0; + }*/ + + /* For testing animations + new msg[128+1]; + new animlib[32+1]; + new animname[32+1]; + + thisanimid = GetPlayerAnimationIndex(playerid); + if(lastanimid != thisanimid) + { + GetAnimationName(thisanimid,animlib,32,animname,32); + format(msg, 128, "anim(%d,%d): %s %s", lastanimid, thisanimid, animlib, animname); + lastanimid = thisanimid; + SendClientMessage(playerid, 0xFFFFFFFF, msg); + }*/ + + return 1; +} + +//---------------------------------------------------------- \ No newline at end of file diff --git a/samples/Perl6/RoleQ.pm6 b/samples/Perl6/RoleQ.pm6 new file mode 100644 index 00000000..9b66bde4 --- /dev/null +++ b/samples/Perl6/RoleQ.pm6 @@ -0,0 +1,23 @@ +role q { + token stopper { \' } + + token escape:sym<\\> { } + + token backslash:sym { } + token backslash:sym<\\> { } + token backslash:sym { } + + token backslash:sym { {} . } + + method tweak_q($v) { self.panic("Too late for :q") } + method tweak_qq($v) { self.panic("Too late for :qq") } +} + +role qq does b1 does c1 does s1 does a1 does h1 does f1 { + token stopper { \" } + token backslash:sym { {} (\w) { self.throw_unrecog_backslash_seq: $/[0].Str } } + token backslash:sym { \W } + + method tweak_q($v) { self.panic("Too late for :q") } + method tweak_qq($v) { self.panic("Too late for :qq") } +} diff --git a/samples/Perl6/grammar-test.p6 b/samples/Perl6/grammar-test.p6 new file mode 100644 index 00000000..28107f3e --- /dev/null +++ b/samples/Perl6/grammar-test.p6 @@ -0,0 +1,22 @@ +token pod_formatting_code { + $=<[A..Z]> + '<' { $*POD_IN_FORMATTINGCODE := 1 } + $=[ '> ]+ + '>' { $*POD_IN_FORMATTINGCODE := 0 } +} + +token pod_string { + + +} + +token something:sym«<» { + +} + +token name { + +} + +token comment:sym<#> { + '#' {} \N* +} diff --git a/samples/Perl6/test.p6 b/samples/Perl6/test.p6 new file mode 100644 index 00000000..3d12b56c --- /dev/null +++ b/samples/Perl6/test.p6 @@ -0,0 +1,252 @@ +#!/usr/bin/env perl6 + +use v6; + +my $string = 'I look like a # comment!'; + +if $string eq 'foo' { + say 'hello'; +} + +regex http-verb { + 'GET' + | 'POST' + | 'PUT' + | 'DELETE' + | 'TRACE' + | 'OPTIONS' + | 'HEAD' +} + +# a sample comment + +say 'Hello from Perl 6!' + + +#`{ +multi-line comment! +} + +say 'here'; + +#`( +multi-line comment! +) + +say 'here'; + +#`{{{ +I'm a special comment! +}}} + +say 'there'; + +#`{{ +I'm { even } specialer! +}} + +say 'there'; + +#`{{ +does {{nesting}} work? +}} + +#`«< +trying mixed delimiters +» + +my $string = qq; +my $string = qq«Hooray, arbitrary delimiter!»; +my $string = q ; +my $string = qq<>; + +my %hash := Hash.new; + +=begin pod + +Here's some POD! Wooo + +=end pod + +=for Testing + This is POD (see? role isn't highlighted) + +say('this is not!'); + +=table + Of role things + +say('not in your table'); +#= A single line declarator "block" (with a keyword like role) +#| Another single line declarator "block" (with a keyword like role) +#={ + A declarator block (with a keyword like role) + } +#|{ + Another declarator block (with a keyword like role) + } +#= { A single line declarator "block" with a brace (with a keyword like role) +#=« + More declarator blocks! (with a keyword like role) + » +#|« + More declarator blocks! (with a keyword like role) + » + +say 'Moar code!'; + +my $don't = 16; + +sub don't($x) { + !$x +} + +say don't 'foo'; + +my %hash = ( + :foo(1), +); + +say %hash; +say %hash<>; +say %hash«foo»; + +say %*hash; +say %*hash<>; +say %*hash«foo»; + +say $; +say $; + +for (@A Z @B) -> $a, $b { + say $a + $b; +} + +Q:PIR { + .loadlib "somelib" +} + +my $longstring = q/ + lots + of + text +/; + +my $heredoc = q:to/END_SQL/; +SELECT * FROM Users +WHERE first_name = 'Rob' +END_SQL +my $hello; + +# Fun with regexen + +if 'food' ~~ /foo/ { + say 'match!' +} + +my $re = /foo/; +my $re2 = m/ foo /; +my $re3 = m:i/ FOO /; + +call-a-sub(/ foo /); +call-a-sub(/ foo \/ bar /); + +my $re4 = rx/something | something-else/; +my $result = ms/regexy stuff/; +my $sub0 = s/regexy stuff/more stuff/; +my $sub = ss/regexy stuff/more stuff/; +my $trans = tr/regexy stuff/more stuff/; + +my @values = ; +call-sub(); +call-sub ; + +my $result = $a < $b; + +for -> $letter { + say $letter; +} + +sub test-sub { + say @_; + say $!; + say $/; + say $0; + say $1; + say @*ARGS; + say $*ARGFILES; + say &?BLOCK; + say ::?CLASS; + say $?CLASS; + say @=COMMENT; + say %?CONFIG; + say $*CWD; + say $=data; + say %?DEEPMAGIC; + say $?DISTRO; + say $*DISTRO; + say $*EGID; + say %*ENV; + say $*ERR; + say $*EUID; + say $*EXECUTABLE_NAME; + say $?FILE; + say $?GRAMMAR; + say $*GID; + say $*IN; + say @*INC; + say %?LANG; + say $*LANG; + say $?LINE; + say %*META-ARGS; + say $?MODULE; + say %*OPTS; + say %*OPT; + say $?KERNEL; + say $*KERNEL; + say $*OUT; + say $?PACKAGE; + say $?PERL; + say $*PERL; + say $*PID; + say %=pod; + say $*PROGRAM_NAME; + say %*PROTOCOLS; + say ::?ROLE; + say $?ROLE; + say &?ROUTINE; + say $?SCOPE; + say $*TZ; + say $*UID; + say $?USAGE; + say $?VM; + say $?XVM; +} + +say ; + +my $perl5_re = m:P5/ fo{2} /; +my $re5 = rx«something | something-else»; + +my $M := %*COMPILING<%?OPTIONS>; + +say $M; + +sub regex-name { ... } +my $pair = role-name => 'foo'; +$pair = rolesque => 'foo'; + +my sub something(Str:D $value) { ... } + +my $s = q«< +some +string +stuff +»; + +my $regex = m«< some chars »; +# after + +say $/; + +roleq; diff --git a/samples/Pod/contents.pod b/samples/Pod/contents.pod new file mode 100644 index 00000000..a5ec66f2 --- /dev/null +++ b/samples/Pod/contents.pod @@ -0,0 +1,159 @@ +$Id: contents.pod,v 1.3 2003/05/04 04:05:14 tower Exp $ + +=begin html + + + +=end html + +=head1 Net::Z3950::AsyncZ + +=head2 Intro + +Net::Z3950::AsyncZ adds an additional layer of asynchronous support for the Z3950 module through the use +of multiple forked processes. I hope that users will also find that it provides a convenient +front end to C. My initial idea was to write something that +would provide a convenient means of processing and formatting Z39.50 records--which I +did, using the C synchronous code. But I also wanted something that could +handle queries to large numbers of servers at one session. Working on this part of my +project, I found that I had trouble with the C asynchronous features +and so ended up with what I have here. + +=begin html + +I give a more detailed account in the DESCRIPTION +section of AsyncZ.html. + +=end html + +=pod + +I give a more detailed account in in the B section of C. + +=cut + +=head2 Documentation + +=pod + +=over 4 + +=item AsyncZ.pod + +This is the starting point--it gives an overview of the AsyncZ module, +describes the basic mechanics of its asynchronous workings, and details +the particulars of the objects and methods. But see +L for detailed explanations of the sample +scripts which come with the C distribution. + +=item Options.pod + +This document details the various options that can be set to modify +the behavior of AsyncZ Index + +=item Report.pod + +Report.pod deals with how records are treated line by line +and how you can affect the apearance of a record's line by line output + +=item Examples.pod + +This document goes through the sample scripts that come with the +C distribution and annotates them +in a line-by-line fashion. It's a basic HOW-TO. + +=back + +=cut + +=begin html + +
    +
  • + AsyncZ.html +
    This is the starting point--it gives an overview of the AsyncZ module, +describes the basic mechanics of its asynchronous workings, and details +the particulars of the objects and methods. But see +Examples for detailed explanations of the sample +scripts which come with the Net::Z3950::AsyncZ distribution. + +
  • + Options.html +
    This document details the various options that can be set to modify +the behavior of AsyncZ + +
  • + Report.html +
    Report.html deals with how records are treated line by line +and how you can affect the apearance of a record's line by line output + +
  • + Examples.html +This document goes through the sample scripts that come with the +Net::Z3950::AsyncZ distribution and annotates them +in a line-by-line fashion. It's a basic HOW-TO. + +
+ +=end html + +=head2 The Modules + +=pod + +There are more modules than there is documentation. The reason for this +is that the only module you have full and complete access to is +C. The other modules are either internal to C +or accessed indirectly or in part indirectly. + +=cut + +=for html +There are more modules than there is documentation. The reason for this +is that the only module you have full and complete access to is +Net::Z3950::AsyncZ. The other modules are either internal to Net::AsyncZ +or accessed indirectly or in part indirectly. + +=head3 Here are the modules: + +=over 4 + +=item Net::Z3950::AsyncZ + +The main module: direct access --documented in +C and C documentation + +=item Net::Z3950::AsyncZ::ErrMsg + +User error message handling: indirect access -- documented in +C documentation + +=item Net::Z3950::AsyncZ::Errors + +Error handling for debugging: limited access -- documented in +C documentation + +=item Net::Z3950::AsyncZ::Report + +Module reponsible for fetching and formatting records: limited access -- documented + +=item Net::Z3950::AsyncZ::ZLoop + +Event loop for child processes: no access -- not documented + +=item Net::Z3950::AsyncZ::ZSend + +Connection details for child processes: no access -- not documented + +=item Net::Z3950::AsyncZ::Options::_params + +Options for child processes: direct and indirect access -- documented +in C and C documentation + +=back + +=head1 INDEX + + diff --git a/samples/PostScript/sierpinski.ps b/samples/PostScript/sierpinski.ps new file mode 100644 index 00000000..e3c9f665 --- /dev/null +++ b/samples/PostScript/sierpinski.ps @@ -0,0 +1,41 @@ +%!PS-Adobe-3.0 +%%Creator: Aaron Puchert +%%Title: The Sierpinski triangle +%%Pages: 1 +%%PageOrder: Ascend + +%%BeginProlog +% PAGE SETTINGS +/pageset { + 28.3464566 28.3464566 scale % set cm = 1 + 0.5 0.5 translate + 0 setlinewidth +} def + +% sierpinski(n) draws a sierpinski triangle of order n +/sierpinski { +dup 0 gt { + [0.5 0 0 0.5 0 0] concat dup 1 sub sierpinski + [1 0 0 1 1 0] concat dup 1 sub sierpinski + [1 0 0 1 -1 1] concat dup 1 sub sierpinski + [2 0 0 2 0 -1] concat +} { + newpath + 0 0 moveto + 1 0 lineto + 0 1 lineto + closepath + fill +} ifelse pop} def +%%EndProlog + +%%BeginSetup +<< /PageSize [596 843] >> setpagedevice % A4 +%%EndSetup + +%%Page: Test 1 +pageset +[20 0 10 300 sqrt 0 0] concat +9 sierpinski +showpage +%%EOF diff --git a/samples/Prolog/calc.pl b/samples/Prolog/calc.pl deleted file mode 100644 index b7492ca8..00000000 --- a/samples/Prolog/calc.pl +++ /dev/null @@ -1,68 +0,0 @@ -action_module(calculator) . - - -%[-,-,d1,-] --push(D)--> [-,-,D,-] if mode(init) -push(D) < - - mode(init), - deny([displayed(D1),mode(init)]), - affirm([displayed(D),mode(cont)]). - -%[-,-,D1,-] --push(D)--> [-,-,10*D1+D,-] if mode(cont) -push(D) < - - mode(cont), - deny(displayed(D1)), - New = 10*D1 + D, - affirm(displayed(New)). - -%[a,op,d,m] --push(clear)--> [0,nop,0,0] -push(clear) < - - deny([accumulator(A),op(O),displayed(D),memory(M),mode(X)]), - affirm([accumulator(0),op(nop),displayed(0),memory(0),mode(init)]). - -%[a,op,d,m] --push(mem_rec)--> [a,op,m,m] -push(mem_rec) < - - memory(M), - deny([displayed(D),mode(X)]), - affirm([displayed(M),mode(init)]). - -%[a,op,d,m] --push(plus)--> [op(a,d),plus,d,m] -push(plus) < - - displayed(D), - deny([accumulator(A),op(O),mode(X)]), - eval(O,A,D,V), ; use normal arithmetic, i.e., V=O(A,D) - affirm([accumulator(V),op(plus),mode(init)]). - -%[a,op,d,m] --push(minus)--> [op(a,d,minus,d,m] -push(minus) lt - - displayed(D), - deny([accumulator(A),op(O),mode(X)]), - eval(O,A,D,V), ; use normal arithmetic, i.e., V=O(A,D) - affirm([accumulator(V),op(minus),mode(init)]). - -%[a,op,d,m] --push(times)--> [op(a,d),times,d,m] -push(times) < - - displayed(D), - deny([accumulator(A),op(O),mode(X)]), - eval(O,A,D,V), ; use normal arithmetic, i.e., V=O(A,D) - affirm([accumulator(V),op(times),mode(init)]). - -%[a,op,d,m] --push(equal)--> [a,nop,op(a,d),m] -push(equal) < - - accumulator(A), - deny([op(O),displayed(D),mode(X)]), - eval(O,A,D,V), - affirm([op(nop),displayed(V),mode(init)]). - -%[a,op,d,m] --push(mem_plus)--> [a,nop,v,plus(m,v)] where v=op(a,d) -push(mem_plus) < - - accumulator(A), - deny([op(O),displayed(D),memory(M),mode(X)]), - eval(O,A,D,V), - eval(plus,M,V,V1), - affirm([op(nop),displayed(V),memory(V1),mode(init)]). - -%[a,op,d,m] --push(plus_minus)--> [a,op,-d,m] -push(clear) < - - deny([displayed(D),mode(X)]), - eval(minus,0,D,V), - affirm([displayed(V),mode(init)]). diff --git a/samples/Prolog/normal_form.pl b/samples/Prolog/normal_form.pl deleted file mode 100644 index 808e5221..00000000 --- a/samples/Prolog/normal_form.pl +++ /dev/null @@ -1,94 +0,0 @@ -%%----- normalize(+Wff,-NormalClauses) ------ -normalize(Wff,NormalClauses) :- - conVert(Wff,[],S), - cnF(S,T), - flatten_and(T,U), - make_clauses(U,NormalClauses). - -%%----- make a sequence out of a conjunction ----- -flatten_and(X /\ Y, F) :- - !, - flatten_and(X,A), - flatten_and(Y, B), - sequence_append(A,B,F). -flatten_and(X,X). - -%%----- make a sequence out of a disjunction ----- -flatten_or(X \/ Y, F) :- - !, - flatten_or(X,A), - flatten_or(Y,B), - sequence_append(A,B,F). -flatten_or(X,X). - - -%%----- append two sequences ------------------------------- -sequence_append((X,R),S,(X,T)) :- !, sequence_append(R,S,T). -sequence_append((X),S,(X,S)). - -%%----- separate into positive and negative literals ----------- -separate((A,B),P,N) :- - !, - (A = ~X -> N=[X|N1], - separate(B,P,N1) - ; - P=[A|P1], - separate(B,P1,N) ). -separate(A,P,N) :- - (A = ~X -> N=[X], - P = [] - ; - P=[A], - N = [] ). - -%%----- tautology ---------------------------- -tautology(P,N) :- some_occurs(N,P). - -some_occurs([F|R],B) :- - occurs(F,B) | some_occurs(R,B). - -occurs(A,[F|_]) :- - A == F, - !. -occurs(A,[_|R]) :- - occurs(A,R). - -make_clauses((A,B),C) :- - !, - flatten_or(A,F), - separate(F,P,N), - (tautology(P,N) -> - make_clauses(B,C) - ; - make_clause(P,N,D), - C = [D|R], - make_clauses(B,R) ). -make_clauses(A,C) :- - flatten_or(A,F), - separate(F,P,N), - (tautology(P,N) -> - C = [] - ; - make_clause(P,N,D), - C = [D] ). - -make_clause([],N, false :- B) :- - !, - make_sequence(N,B,','). -make_clause(P,[],H) :- - !, - make_sequence(P,H,'|'). -make_clause(P,N, H :- T) :- - make_sequence(P,H,'|'), - make_sequence(N,T,','). - -make_sequence([A],A,_) :- !. -make_sequence([F|R],(F|S),'|') :- - make_sequence(R,S,'|'). -make_sequence([F|R],(F,S),',') :- - make_sequence(R,S,','). - -write_list([F|R]) :- - write(F), write('.'), nl, - write_list(R). -write_list([]). diff --git a/samples/Prolog/or-constraint.ecl b/samples/Prolog/or-constraint.ecl new file mode 100644 index 00000000..02748be0 --- /dev/null +++ b/samples/Prolog/or-constraint.ecl @@ -0,0 +1,90 @@ +:- lib(ic). + +/** + * Question 1.11 + * vabs(?Val, ?AbsVal) + */ +vabs(Val, AbsVal):- + AbsVal #> 0, + ( + Val #= AbsVal + ; + Val #= -AbsVal + ), + labeling([Val, AbsVal]). + +/** + * vabsIC(?Val, ?AbsVal) + */ +vabsIC(Val, AbsVal):- + AbsVal #> 0, + Val #= AbsVal or Val #= -AbsVal, + labeling([Val, AbsVal]). + +/** + * Question 1.12 + */ +% X #:: -10..10, vabs(X, Y). +% X #:: -10..10, vabsIC(X, Y). + +/** + * Question 1.13 + * faitListe(?ListVar, ?Taille, +Min, +Max) + */ +faitListe([], 0, _, _):-!. +faitListe([First|Rest], Taille, Min, Max):- + First #:: Min..Max, + Taille1 #= Taille - 1, + faitListe(Rest, Taille1, Min, Max). + +/** + * Question 1.14 + * suite(?ListVar) + */ +suite([Xi, Xi1, Xi2]):- + checkRelation(Xi, Xi1, Xi2). +suite([Xi, Xi1, Xi2|Rest]):- + checkRelation(Xi, Xi1, Xi2), + suite([Xi1, Xi2|Rest]). + +/** + * checkRelation(?Xi, ?Xi1, ?Xi2) + */ +checkRelation(Xi, Xi1, Xi2):- + vabs(Xi1, VabsXi1), + Xi2 #= VabsXi1 - Xi. + +/** + * Question 1.15 + * checkPeriode(+ListVar). + */ +% TODO Any better solution? +checkPeriode(ListVar):- + length(ListVar, Length), + Length < 10. +checkPeriode([X1, X2, X3, X4, X5, X6, X7, X8, X9, X10|Rest]):- + X1 =:= X10, + checkPeriode([X2, X3, X4, X5, X6, X7, X8, X9, X10|Rest]). +% faitListe(ListVar, 18, -9, 9), suite(ListVar), checkPeriode(ListVar). => 99 solutions + + +/** + * Tests + */ +/* +vabs(5, 5). => Yes +vabs(5, -5). => No +vabs(-5, 5). => Yes +vabs(X, 5). +vabs(X, AbsX). +vabsIC(5, 5). => Yes +vabsIC(5, -5). => No +vabsIC(-5, 5). => Yes +vabsIC(X, 5). +vabsIC(X, AbsX). + +faitListe(ListVar, 5, 1, 3). => 243 solutions +faitListe([_, _, _, _, _], Taille, 1, 3). => Taille = 5 !!!!!!!!!!!!!!!! + +faitListe(ListVar, 18, -9, 9), suite(ListVar). => 99 solutions +*/ \ No newline at end of file diff --git a/samples/Prolog/puzzle.pl b/samples/Prolog/puzzle.pl deleted file mode 100644 index 9b0deb9c..00000000 --- a/samples/Prolog/puzzle.pl +++ /dev/null @@ -1,287 +0,0 @@ -%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%% -%%% -%%% A* Algorithm -%%% -%%% -%%% Nodes have form S#D#F#A -%%% where S describes the state or configuration -%%% D is the depth of the node -%%% F is the evaluation function value -%%% A is the ancestor list for the node - -:- op(400,yfx,'#'). /* Node builder notation */ - -solve(State,Soln) :- f_function(State,0,F), - search([State#0#F#[]],S), reverse(S,Soln). - -f_function(State,D,F) :- h_function(State,H), - F is D + H. - -search([State#_#_#Soln|_], Soln) :- goal(State). -search([B|R],S) :- expand(B,Children), - insert_all(Children,R,Open), - search(Open,S). - -insert_all([F|R],Open1,Open3) :- insert(F,Open1,Open2), - insert_all(R,Open2,Open3). -insert_all([],Open,Open). - -insert(B,Open,Open) :- repeat_node(B,Open), ! . -insert(B,[C|R],[B,C|R]) :- cheaper(B,C), ! . -insert(B,[B1|R],[B1|S]) :- insert(B,R,S), !. -insert(B,[],[B]). - -repeat_node(P#_#_#_, [P#_#_#_|_]). - -cheaper( _#_#F1#_ , _#_#F2#_ ) :- F1 < F2. - -expand(State#D#_#S,All_My_Children) :- - bagof(Child#D1#F#[Move|S], - (D1 is D+1, - move(State,Child,Move), - f_function(Child,D1,F)), - All_My_Children). - -%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%% -%%% -%%% 8-puzzle solver -%%% -%%% -%%% State have form A/B/C/D/E/F/G/H/I -%%% where {A,...,I} = {0,...,8} -%%% 0 represents the empty tile -%%% - -goal(1/2/3/8/0/4/7/6/5). - -%%% The puzzle moves - -left( A/0/C/D/E/F/H/I/J , 0/A/C/D/E/F/H/I/J ). -left( A/B/C/D/0/F/H/I/J , A/B/C/0/D/F/H/I/J ). -left( A/B/C/D/E/F/H/0/J , A/B/C/D/E/F/0/H/J ). -left( A/B/0/D/E/F/H/I/J , A/0/B/D/E/F/H/I/J ). -left( A/B/C/D/E/0/H/I/J , A/B/C/D/0/E/H/I/J ). -left( A/B/C/D/E/F/H/I/0 , A/B/C/D/E/F/H/0/I ). - -up( A/B/C/0/E/F/H/I/J , 0/B/C/A/E/F/H/I/J ). -up( A/B/C/D/0/F/H/I/J , A/0/C/D/B/F/H/I/J ). -up( A/B/C/D/E/0/H/I/J , A/B/0/D/E/C/H/I/J ). -up( A/B/C/D/E/F/0/I/J , A/B/C/0/E/F/D/I/J ). -up( A/B/C/D/E/F/H/0/J , A/B/C/D/0/F/H/E/J ). -up( A/B/C/D/E/F/H/I/0 , A/B/C/D/E/0/H/I/F ). - -right( A/0/C/D/E/F/H/I/J , A/C/0/D/E/F/H/I/J ). -right( A/B/C/D/0/F/H/I/J , A/B/C/D/F/0/H/I/J ). -right( A/B/C/D/E/F/H/0/J , A/B/C/D/E/F/H/J/0 ). -right( 0/B/C/D/E/F/H/I/J , B/0/C/D/E/F/H/I/J ). -right( A/B/C/0/E/F/H/I/J , A/B/C/E/0/F/H/I/J ). -right( A/B/C/D/E/F/0/I/J , A/B/C/D/E/F/I/0/J ). - -down( A/B/C/0/E/F/H/I/J , A/B/C/H/E/F/0/I/J ). -down( A/B/C/D/0/F/H/I/J , A/B/C/D/I/F/H/0/J ). -down( A/B/C/D/E/0/H/I/J , A/B/C/D/E/J/H/I/0 ). -down( 0/B/C/D/E/F/H/I/J , D/B/C/0/E/F/H/I/J ). -down( A/0/C/D/E/F/H/I/J , A/E/C/D/0/F/H/I/J ). -down( A/B/0/D/E/F/H/I/J , A/B/F/D/E/0/H/I/J ). - -%%% the heuristic function -h_function(Puzz,H) :- p_fcn(Puzz,P), - s_fcn(Puzz,S), - H is P + 3*S. - - -%%% the move -move(P,C,left) :- left(P,C). -move(P,C,up) :- up(P,C). -move(P,C,right) :- right(P,C). -move(P,C,down) :- down(P,C). - -%%% the Manhattan distance function -p_fcn(A/B/C/D/E/F/G/H/I, P) :- - a(A,Pa), b(B,Pb), c(C,Pc), - d(D,Pd), e(E,Pe), f(F,Pf), - g(G,Pg), h(H,Ph), i(I,Pi), - P is Pa+Pb+Pc+Pd+Pe+Pf+Pg+Ph+Pg+Pi. - -a(0,0). a(1,0). a(2,1). a(3,2). a(4,3). a(5,4). a(6,3). a(7,2). a(8,1). -b(0,0). b(1,1). b(2,0). b(3,1). b(4,2). b(5,3). b(6,2). b(7,3). b(8,2). -c(0,0). c(1,2). c(2,1). c(3,0). c(4,1). c(5,2). c(6,3). c(7,4). c(8,3). -d(0,0). d(1,1). d(2,2). d(3,3). d(4,2). d(5,3). d(6,2). d(7,2). d(8,0). -e(0,0). e(1,2). e(2,1). e(3,2). e(4,1). e(5,2). e(6,1). e(7,2). e(8,1). -f(0,0). f(1,3). f(2,2). f(3,1). f(4,0). f(5,1). f(6,2). f(7,3). f(8,2). -g(0,0). g(1,2). g(2,3). g(3,4). g(4,3). g(5,2). g(6,2). g(7,0). g(8,1). -h(0,0). h(1,3). h(2,3). h(3,3). h(4,2). h(5,1). h(6,0). h(7,1). h(8,2). -i(0,0). i(1,4). i(2,3). i(3,2). i(4,1). i(5,0). i(6,1). i(7,2). i(8,3). - -%%% the out-of-cycle function -s_fcn(A/B/C/D/E/F/G/H/I, S) :- - s_aux(A,B,S1), s_aux(B,C,S2), s_aux(C,F,S3), - s_aux(F,I,S4), s_aux(I,H,S5), s_aux(H,G,S6), - s_aux(G,D,S7), s_aux(D,A,S8), s_aux(E,S9), - S is S1+S2+S3+S4+S5+S6+S7+S8+S9. - -s_aux(0,0) :- !. -s_aux(_,1). - -s_aux(X,Y,0) :- Y is X+1, !. -s_aux(8,1,0) :- !. -s_aux(_,_,2). - -%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%% -%%% -%%% 8-puzzle animation -- using VT100 character graphics -%%% -%%% -%%% - -puzzle(P) :- solve(P,S), - animate(P,S), - message. - -animate(P,S) :- initialize(P), - cursor(1,2), write(S), - cursor(1,22), write('Hit ENTER to step solver.'), - get0(_X), - play_back(S). - -:- dynamic location/3. - -initialize(A/B/C/D/E/F/H/I/J) :- - cls, - retractall(location(_,_,_)), - assert(location(A,20,5)), - assert(location(B,30,5)), - assert(location(C,40,5)), - assert(location(F,40,10)), - assert(location(J,40,15)), - assert(location(I,30,15)), - assert(location(H,20,15)), - assert(location(D,20,10)), - assert(location(E,30,10)), draw_all. - -draw_all :- draw(1), draw(2), draw(3), draw(4), - draw(5), draw(6), draw(7), draw(8). - -%%% play_back([left,right,up,...]). -play_back([M|R]) :- call(M), get0(_X), play_back(R). -play_back([]) :- cursor(1,24). %%% Put cursor out of the way - -message :- nl,nl, - write(' ********************************************'), nl, - write(' * Enter 8-puzzle goals in the form ... *'), nl, - write(' * ?- puzzle(0/8/1/2/4/3/7/6/5). *'), nl, - write(' * Enter goal ''message'' to reread this. *'), nl, - write(' ********************************************'), nl, nl. - - -cursor(X,Y) :- put(27), put(91), %%% ESC [ - write(Y), - put(59), %%% ; - write(X), - put(72). %%% M - -%%% clear the screen, quickly -cls :- put(27), put("["), put("2"), put("J"). - -%%% video attributes -- bold and blink not working -plain :- put(27), put("["), put("0"), put("m"). -reverse_video :- put(27), put("["), put("7"), put("m"). - - -%%% Tile objects, character map(s) -%%% Each tile should be drawn using the character map, -%%% drawn at 'location', which is asserted and retracted -%%% by 'playback'. -character_map(N, [ [' ',' ',' ',' ',' ',' ',' '], - [' ',' ',' ', N ,' ',' ',' '], - [' ',' ',' ',' ',' ',' ',' '] ]). - - -%%% move empty tile (spot) to the left -left :- retract(location(0,X0,Y0)), - Xnew is X0 - 10, - location(Tile,Xnew,Y0), - assert(location(0,Xnew,Y0)), - right(Tile),right(Tile),right(Tile), - right(Tile),right(Tile), - right(Tile),right(Tile),right(Tile), - right(Tile),right(Tile). - -up :- retract(location(0,X0,Y0)), - Ynew is Y0 - 5, - location(Tile,X0,Ynew), - assert(location(0,X0,Ynew)), - down(Tile),down(Tile),down(Tile),down(Tile),down(Tile). - -right :- retract(location(0,X0,Y0)), - Xnew is X0 + 10, - location(Tile,Xnew,Y0), - assert(location(0,Xnew,Y0)), - left(Tile),left(Tile),left(Tile),left(Tile),left(Tile), - left(Tile),left(Tile),left(Tile),left(Tile),left(Tile). - -down :- retract(location(0,X0,Y0)), - Ynew is Y0 + 5, - location(Tile,X0,Ynew), - assert(location(0,X0,Ynew)), - up(Tile),up(Tile),up(Tile),up(Tile),up(Tile). - - -draw(Obj) :- reverse_video, character_map(Obj,M), - location(Obj,X,Y), - draw(X,Y,M), plain. - -%%% hide tile -hide(Obj) :- character_map(Obj,M), - location(Obj,X,Y), - hide(X,Y,M). - -hide(_,_,[]). -hide(X,Y,[R|G]) :- hide_row(X,Y,R), - Y1 is Y + 1, - hide(X,Y1,G). - -hide_row(_,_,[]). -hide_row(X,Y,[_|R]) :- cursor(X,Y), - write(' '), - X1 is X + 1, - hide_row(X1,Y,R). - -%%% draw tile -draw(_,_,[]). -draw(X,Y,[R|G]) :- draw_row(X,Y,R), - Y1 is Y + 1, - draw(X,Y1,G). - -draw_row(_,_,[]). -draw_row(X,Y,[P|R]) :- cursor(X,Y), - write(P), - X1 is X + 1, - draw_row(X1,Y,R). - -%%% Move an Object up -up(Obj) :- hide(Obj), - retract(location(Obj,X,Y)), - Y1 is Y - 1, - assert(location(Obj,X,Y1)), - draw(Obj). - -down(Obj) :- hide(Obj), - retract(location(Obj,X,Y)), - Y1 is Y + 1, - assert(location(Obj,X,Y1)), - draw(Obj). - -left(Obj) :- hide(Obj), - retract(location(Obj,X,Y)), - X1 is X - 1, - assert(location(Obj,X1,Y)), - draw(Obj). - -right(Obj) :- hide(Obj), - retract(location(Obj,X,Y)), - X1 is X + 1, - assert(location(Obj,X1,Y)), - draw(Obj). - -:- message. diff --git a/samples/Prolog/quicksort.pl b/samples/Prolog/quicksort.pl deleted file mode 100644 index eb4467b4..00000000 --- a/samples/Prolog/quicksort.pl +++ /dev/null @@ -1,13 +0,0 @@ -partition([], _, [], []). -partition([X|Xs], Pivot, Smalls, Bigs) :- - ( X @< Pivot -> - Smalls = [X|Rest], - partition(Xs, Pivot, Rest, Bigs) - ; Bigs = [X|Rest], - partition(Xs, Pivot, Smalls, Rest) - ). - -quicksort([]) --> []. -quicksort([X|Xs]) --> - { partition(Xs, X, Smaller, Bigger) }, - quicksort(Smaller), [X], quicksort(Bigger). diff --git a/samples/Prolog/test-prolog.pl b/samples/Prolog/test-prolog.pl deleted file mode 100644 index aab83d54..00000000 --- a/samples/Prolog/test-prolog.pl +++ /dev/null @@ -1,12 +0,0 @@ -/* Prolog test file */ -male(john). -male(peter). - -female(vick). -female(christie). - -parents(john, peter, christie). -parents(vick, peter, christie). - -/* X is a brother of Y */ -brother(X, Y) :- male(X), parents(X, F, M), parents(Y, F, M). diff --git a/samples/Prolog/test-prolog.prolog b/samples/Prolog/test-prolog.prolog new file mode 100644 index 00000000..b1b34b67 --- /dev/null +++ b/samples/Prolog/test-prolog.prolog @@ -0,0 +1,12 @@ +-/* Prolog test file */ + -male(john). + -male(peter). + - + -female(vick). + -female(christie). + - + -parents(john, peter, christie). + -parents(vick, peter, christie). + - + -/* X is a brother of Y */ + -brother(X, Y) :- male(X), parents(X, F, M), parents(Y, F, M). diff --git a/samples/Prolog/turing.pl b/samples/Prolog/turing.pl index 82fe104f..a7c36e84 100644 --- a/samples/Prolog/turing.pl +++ b/samples/Prolog/turing.pl @@ -1,21 +1,21 @@ -turing(Tape0, Tape) :- - perform(q0, [], Ls, Tape0, Rs), - reverse(Ls, Ls1), - append(Ls1, Rs, Tape). - -perform(qf, Ls, Ls, Rs, Rs) :- !. -perform(Q0, Ls0, Ls, Rs0, Rs) :- - symbol(Rs0, Sym, RsRest), - once(rule(Q0, Sym, Q1, NewSym, Action)), - action(Action, Ls0, Ls1, [NewSym|RsRest], Rs1), - perform(Q1, Ls1, Ls, Rs1, Rs). - -symbol([], b, []). -symbol([Sym|Rs], Sym, Rs). - -action(left, Ls0, Ls, Rs0, Rs) :- left(Ls0, Ls, Rs0, Rs). -action(stay, Ls, Ls, Rs, Rs). -action(right, Ls0, [Sym|Ls0], [Sym|Rs], Rs). - -left([], [], Rs0, [b|Rs0]). -left([L|Ls], Ls, Rs, [L|Rs]). +-turing(Tape0, Tape) :- + - perform(q0, [], Ls, Tape0, Rs), + - reverse(Ls, Ls1), + - append(Ls1, Rs, Tape). + - + -perform(qf, Ls, Ls, Rs, Rs) :- !. + -perform(Q0, Ls0, Ls, Rs0, Rs) :- + - symbol(Rs0, Sym, RsRest), + - once(rule(Q0, Sym, Q1, NewSym, Action)), + - action(Action, Ls0, Ls1, [NewSym|RsRest], Rs1), + - perform(Q1, Ls1, Ls, Rs1, Rs). + - + -symbol([], b, []). + -symbol([Sym|Rs], Sym, Rs). + - + -action(left, Ls0, Ls, Rs0, Rs) :- left(Ls0, Ls, Rs0, Rs). + -action(stay, Ls, Ls, Rs, Rs). + -action(right, Ls0, [Sym|Ls0], [Sym|Rs], Rs). + - + -left([], [], Rs0, [b|Rs0]). + -left([L|Ls], Ls, Rs, [L|Rs]). diff --git a/samples/R/R-qgis-extension.rsx b/samples/R/R-qgis-extension.rsx new file mode 100644 index 00000000..adf59e67 --- /dev/null +++ b/samples/R/R-qgis-extension.rsx @@ -0,0 +1,5 @@ +##polyg=vector +##numpoints=number 10 +##output=output vector +##[Example scripts]=group +pts=spsample(polyg,numpoints,type="regular") diff --git a/samples/RMarkdown/example.rmd b/samples/RMarkdown/example.rmd new file mode 100644 index 00000000..edd7c2d5 --- /dev/null +++ b/samples/RMarkdown/example.rmd @@ -0,0 +1,10 @@ +# An example RMarkdown + +Some text. + +## A graphic in R + +```{r} +plot(1:10) +hist(rnorm(10000)) +``` \ No newline at end of file diff --git a/samples/Scala/node11.sc b/samples/Scala/node11.sc new file mode 100644 index 00000000..fadabe17 --- /dev/null +++ b/samples/Scala/node11.sc @@ -0,0 +1,75 @@ +import math.random +import scala.language.postfixOps +import scala.util._ +import scala.util.{Try, Success, Failure} +import scala.concurrent._ +import duration._ +import ExecutionContext.Implicits.global +import scala.concurrent.{ ExecutionContext, CanAwait, OnCompleteRunnable, TimeoutException, ExecutionException, blocking } +/* This worksheet demonstrates some of the code snippets from +* Week3, Lecture 4, "Composing Futures". +*/ + + +object node11 { + println("Welcome to the Scala worksheet") //> Welcome to the Scala worksheet + + /** + * Retry successfully completing block at most noTimes + * and give up after that + */ + + def retry[T](n: Int)(block: =>Future[T]): Future[T] = { + val ns: Iterator[Int] = (1 to n).iterator + val attempts: Iterator[()=>Future[T]] = ns.map(_ => ()=>block) + val failed: Future[T] = Future.failed(new Exception) + attempts.foldLeft(failed)((a, block) => a fallbackTo { block() }) + } //> retry: [T](n: Int)(block: => scala.concurrent.Future[T])scala.concurrent.Fut + //| ure[T] + def rb(i: Int) = { + blocking{Thread.sleep(100*random.toInt)} + println("Hi " ++ i.toString) + i + 10 + } //> rb: (i: Int)Int + def block(i: Int) = { + println("Iteration: " + i.toString) + + val ri = retry(i)( Future {rb(i)} ) + + ri onComplete { + case Success(s) => println(s.toString ++ " = 10 + " ++ i.toString) + case Failure(t:Exception) => println(t.toString ++ " " ++ i.toString) + case r => println(r.toString ++ " " ++ i.toString) + } + + } //> block: (i: Int)Unit + /* Multiple executions of a block of commands where + * each block contains one collectCoins and + * one buyTreasure. If either call fails, the whole iteration does not fail, + * because we are catching exceptions (with flatMap) in this implementation. + * Note that these blocks execute synchrounsly. + */ + (0 to 4 toList).foreach(i =>block(i)) //> Iteration: 0 + //| Iteration: 1 + //| java.lang.Exception 0 + //| Hi 1 + //| Iteration: 2 + //| 11 = 10 + 1 + //| Hi 2 + //| Iteration: 3 + //| Hi 3 + //| Hi 2 + //| Iteration: 4 + //| 12 = 10 + 2 + blocking{Thread.sleep(3000)} //> Hi 4 + //| Hi 3 + //| 13 = 10 + 3 + //| Hi 3 + //| 14 = 10 + 4 + //| Hi 4 + //| Hi 4 + //| Hi 4- + + + +} diff --git a/samples/Scheme/basic.sld b/samples/Scheme/basic.sld new file mode 100644 index 00000000..85dc75c6 --- /dev/null +++ b/samples/Scheme/basic.sld @@ -0,0 +1,7 @@ +(define-library (libs basic) + (export list2 x) + (begin + (define (list2 . objs) objs) + (define x 'libs-basic) + (define not-exported 'should-not-be-exported) + )) diff --git a/samples/Shen/graph.shen b/samples/Shen/graph.shen new file mode 100644 index 00000000..1c42bb55 --- /dev/null +++ b/samples/Shen/graph.shen @@ -0,0 +1,321 @@ +\* graph.shen --- a library for graph definition and manipulation + +Copyright (C) 2011, Eric Schulte + +*** License: + +Redistribution and use in source and binary forms, with or without +modification, are permitted provided that the following conditions are +met: + + - Redistributions of source code must retain the above copyright + notice, this list of conditions and the following disclaimer. + + - Redistributions in binary form must reproduce the above copyright + notice, this list of conditions and the following disclaimer in the + documentation and/or other materials provided with the distribution. + +THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS +"AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT +LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR +A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT +HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, +SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT +LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, +DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY +THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT +(INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE +OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. + +*** Commentary: + +Graphs are represented as two dictionaries one for vertices and one +for edges. It is important to note that the dictionary implementation +used is able to accept arbitrary data structures as keys. This +structure technically encodes hypergraphs (a generalization of graphs +in which each edge may contain any number of vertices). Examples of a +regular graph G and a hypergraph H with the corresponding data +structure are given below. + + +--G=------------------------------------------------ + Vertices Edges + ---------- ------- + +----Graph G-----+ hash | key -> value hash | key -> value + | | -----+------>-------- -----+-------->--------- + | a---b---c g | 1 | a -> [1] 1 | [a b] -> [1 2] + | | | | 2 | b -> [1 2 3] 2 | [b c] -> [2 3] + | d---e---f | 3 | c -> [2 4] 3 | [b d] -> [2 4] + | | 4 | d -> [3 5] 4 | [c e] -> [3 5] + +----------------+ 5 | e -> [4 5 6] 5 | [d e] -> [4 5] + 6 | f -> [6] 6 | [e f] -> [5 6] + 7 | g -> [] + + +--H=------------------------------------------------ + Vertices Edges + ---------- ------- + hash | key -> value hash | key -> value + +-- Hypergraph H----+ -----+------>-------- -----+-------->--------- + | | 1 | a -> [1] 1 | [a b [1 2 + | +------+ | 2 | b -> [1] | c d -> 3 4 + | +------+------+ | 3 | c -> [1] | e f] 5 6] + | |a b c |d e f | | 4 | d -> [1 2] | + | +------+------+ | 5 | e -> [1 2] 2 | [d e [4 5 + | |g h i | j | 6 | f -> [1 2] | f g -> 6 7 + | +------+ | 7 | g -> [2] | h i] 8 9] + | | 8 | h -> [2] + +-------------------+ 9 | i -> [2] + 10 | j -> [] + + +--G=-------Graph with associated edge/vertex data--------- + Vertices Edges + ---------- ------- + +----Graph G-----+ hash | key -> value hash | key -> value + | 4 6 7 | -----+------>-------- -----+-------->--------- + |0a---b---c g | 1 | a -> (@p 0 [1]) 1 | [a b] -> (@p 4 [1 2]) + | 1| 3| | 2 | b -> [1 2 3] 2 | [b c] -> (@p 6 [2 3]) + | d---e---f | 3 | c -> [2 4] 3 | [b d] -> (@p 1 [2 4]) + | 2 5 | 4 | d -> [3 5] 4 | [c e] -> (@p 3 [3 5]) + +----------------+ 5 | e -> [4 5 6] 5 | [d e] -> (@p 2 [4 5]) + 6 | f -> [6] 6 | [e f] -> (@p 5 [5 6]) + 7 | g -> (@p 7 []) + +V = # of vertices +E = # of edges +M = # of vertex edge associations + +size = size of all vertices + all vertices stored in Vertices dict + M * sizeof(int) * 4 + indices into Vertices & Edge dicts + V * sizeof(dict entry) + storage in the Vertex dict + E * sizeof(dict entry) + storage in the Edge dict + 2 * sizeof(dict) the Vertices and Edge dicts + +*** Code: *\ +(require dict) +(require sequence) + +(datatype graph + Vertices : dictionary; + Edges : dictoinary; + =================== + (vector symbol Vertices Edges);) + +(package graph- [graph graph? vertices edges add-vertex + add-edge has-edge? has-vertex? edges-for + neighbors connected-to connected? connected-components + vertex-partition bipartite? + \* included from the sequence library\ *\ + take drop take-while drop-while range flatten + filter complement seperate zip indexed reduce + mapcon partition partition-with unique frequencies + shuffle pick remove-first interpose subset? + cartesian-product + \* included from the dict library\ *\ + dict? dict dict-> <-dict contents key? keys vals + dictionary make-dict] + +(define graph? + X -> (= graph (<-address X 0))) + +(define make-graph + \* create a graph with specified sizes for the vertex dict and edge dict *\ + {number --> number --> graph} + Vertsize Edgesize -> + (let Graph (absvector 3) + (do (address-> Graph 0 graph) + (address-> Graph 1 (make-dict Vertsize)) + (address-> Graph 2 (make-dict Edgesize)) + Graph))) + +(defmacro graph-macro + \* return a graph taking optional sizes for the vertex and edge dicts *\ + [graph] -> [make-graph 1024 1024] + [graph N] -> [make-graph N 1024] + [graph N M] -> [make-graph N M]) + +(define vert-dict Graph -> (<-address Graph 1)) + +(define edge-dict Graph -> (<-address Graph 2)) + +(define vertices + {graph --> (list A)} + Graph -> (keys (vert-dict Graph))) + +(define edges + {graph --> (list (list A))} + Graph -> (keys (edge-dict Graph))) + +(define get-data + Value V -> (if (tuple? Value) + (fst Value) + (error (make-string "no data for ~S~%" V)))) + +(define vertex-data + Graph V -> (get-data (<-dict (vert-dict Graph) V) V)) + +(define edge-data + Graph V -> (get-data (<-dict (edge-dict Graph) V) V)) + +(define resolve + {(vector (list A)) --> (@p number number) --> A} + Vector (@p Index Place) -> (nth (+ 1 Place) (<-vector Vector Index))) + +(define resolve-vert + {graph --> (@p number number) --> A} + Graph Place -> (resolve (<-address (vert-dict Graph) 2) Place)) + +(define resolve-edge + {graph --> (@p number number) --> A} + Graph Place -> (resolve (<-address (edge-dict Graph) 2) Place)) + +(define edges-for + {graph --> A --> (list (list A))} + Graph Vert -> (let Val (trap-error (<-dict (vert-dict Graph) Vert) (/. E [])) + Edges (if (tuple? Val) (snd Val) Val) + (map (lambda X (fst (resolve-edge Graph X))) Val))) + +(define add-vertex-w-data + \* add a vertex to a graph *\ + {graph --> A --> B --> A} + G V Data -> (do (dict-> (vert-dict G) V (@p Data (edges-for G V))) V)) + +(define add-vertex-w/o-data + \* add a vertex to a graph *\ + {graph --> A --> B --> A} + G V -> (do (dict-> (vert-dict G) V (edges-for G V)) V)) + +(defmacro add-vertex-macro + [add-vertex G V] -> [add-vertex-w/o-data G V] + [add-vertex G V D] -> [add-vertex-w-data G V D]) + +(define update-vert + \* in a dict, add an edge to a vertex's edge list *\ + {vector --> (@p number number) --> A --> number} + Vs Edge V -> (let Store (<-address Vs 2) + N (hash V (limit Store)) + VertLst (trap-error (<-vector Store N) (/. E [])) + Contents (trap-error (<-dict Vs V) (/. E [])) + (do (dict-> Vs V (if (tuple? Contents) + (@p (fst Contents) + (adjoin Edge (snd Contents))) + (adjoin Edge Contents))) + (@p N (length VertLst))))) + +(define update-edges-vertices + \* add an edge to a graph *\ + {graph --> (list A) --> (list A)} + Graph Edge -> + (let Store (<-address (edge-dict Graph) 2) + EdgeID (hash Edge (limit Store)) + EdgeLst (trap-error (<-vector Store EdgeID) (/. E [])) + (map (update-vert (vert-dict Graph) (@p EdgeID (length EdgeLst))) Edge))) + +(define add-edge-w-data + G E D -> (do (dict-> (edge-dict G) E (@p D (update-edges-vertices G E))) E)) + +(define add-edge-w/o-data + G E -> (do (dict-> (edge-dict G) E (update-edges-vertices G E)) E)) + +(defmacro add-edge-macro + [add-edge G E] -> [add-edge-w/o-data G E] + [add-edge G E V] -> [add-edge-w-data G E V]) + +(define has-edge? + {graph --> (list A) --> boolean} + Graph Edge -> (key? (edge-dict Graph) Edge)) + +(define has-vertex? + {graph --> A --> boolean} + Graph Vertex -> (key? (vert-dict Graph) Vertex)) + +(define neighbors + \* Return the neighbors of a vertex *\ + {graph --> A --> (list A)} + Graph Vert -> (unique (mapcon (remove-first Vert) (edges-for Graph Vert)))) + +(define connected-to- + {graph --> (list A) --> (list A) --> (list A)} + Graph [] Already -> Already + Graph New Already -> + (let Reachable (unique (mapcon (neighbors Graph) New)) + New (difference Reachable Already) + (connected-to- Graph New (append New Already)))) + +(define connected-to + \* return all vertices connected to the given vertex, including itself *\ + {graph --> A --> (list A)} + Graph V -> (connected-to- Graph [V] [V])) + +(define connected? + \* return if a graph is fully connected *\ + {graph --> boolean} + Graph -> (reduce (/. V Acc + (and Acc + (subset? (vertices Graph) (connected-to Graph V)))) + true (vertices Graph))) + +(define connected-components- + \* given a graph return a list of connected components *\ + {graph --> (list A) --> (list (list A)) --> (list graph)} + Graph [] _ -> [] + Graph VS [] -> (map (/. V (let Component (graph 1 0) + (do (add-vertex Component V) Component))) + VS) + Graph [V|VS] ES -> + (let Con-verts (connected-to Graph V) + Con-edges (filter (/. E (subset? E Con-verts)) ES) + Component (graph (length Con-verts) (length Con-edges)) + (do (map (add-edge-w/o-data Component) Con-edges) + (cons Component (connected-components- Graph + (difference VS Con-verts) + (difference ES Con-edges)))))) + +(define connected-components + {graph --> (list graph)} + Graph -> (connected-components- Graph (vertices Graph) (edges Graph))) + +(define place-vertex + \* given a graph, vertex and list of partitions, partition the vertex *\ + {graph --> A --> (list (list A)) --> (list (list A))} + Graph V [] -> (if (element? V (neighbors Graph V)) + (simple-error + (make-string "self-loop ~S, no vertex partition" V)) + [[V]]) + Graph V [C|CS] -> (let Neighbors (neighbors Graph V) + (if (element? V Neighbors) + (simple-error + (make-string "self-loop ~S, no vertex partition" V)) + (if (empty? (intersection C Neighbors)) + [[V|C]|CS] + [C|(place-vertex Graph V CS)])))) + +(define vertex-partition + \* partition the vertices of a graph *\ + {graph --> (list (list A))} + Graph -> (reduce (place-vertex Graph) [] (vertices Graph))) + +(define bipartite? + \* check if a graph is bipartite *\ + {graph --> boolean} + Graph -> (= 2 (length (vertex-partition Graph)))) + +) + +\* simple tests + +(set g (graph)) +(add-edge (value g) [chris patton]) +(add-edge (value g) [eric chris]) +(add-vertex (value g) nobody) +(has-edge? (value g) [patton chris]) +(edges-for (value g) chris) +(neighbors (value g) chris) +(neighbors (value g) nobody) +(connected-to (value g) chris) +(connected? (value g)) +(connected-components (value g)) <- fail when package wrapper is used +(map (function vertices) (connected-components (value g))) + +*\ \ No newline at end of file diff --git a/samples/Shen/html.shen b/samples/Shen/html.shen new file mode 100644 index 00000000..62d93c30 --- /dev/null +++ b/samples/Shen/html.shen @@ -0,0 +1,102 @@ +\* html.shen --- html generation functions for shen + +Copyright (C) 2011, Eric Schulte + +*** License: + +Redistribution and use in source and binary forms, with or without +modification, are permitted provided that the following conditions are +met: + + - Redistributions of source code must retain the above copyright + notice, this list of conditions and the following disclaimer. + + - Redistributions in binary form must reproduce the above copyright + notice, this list of conditions and the following disclaimer in the + documentation and/or other materials provided with the distribution. + +THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS +"AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT +LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR +A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT +HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, +SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT +LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, +DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY +THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT +(INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE +OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. + +*** Commentary: + +The standard lisp-to-html conversion tool suite. Follows some of +the convertions of Clojure's hiccup. + + an example... + +(8-) (html [ul#todo1.tasks.stuff [: [title "today"]] + (map (lambda Str [li Str]) ["get milk" "dishes"])]) +"
    +
  • get milk
  • dishes
" + +*** Code: *\ +(trap-error + (require string) + (/. E (load "../string/string.shen"))) + +(package string- [html + \* symbols included from string *\ + takestr dropstr substr length-str index-str + reverse-str starts-with substr? replace-str + join split trim-left trim-right chomp trim] + +(define to-str + \* return argument as a string, if already a string do not change *\ + X -> X where (string? X) + X -> (str X)) + +(define gassoc + X Y -> (hd (tl (assoc X Y)))) + +(define dassoc + X Y -> (remove (assoc X Y) Y)) + +(define passoc + [] Y -> Y + [X XV] Y -> (let Orig (gassoc X Y) + New (if (cons? Orig) [XV|Orig] XV) + [[X New]|(dassoc X Y)])) + +(define html + X -> X where (string? X) + [Tag [: |Attrs] |Body] -> + (let Tag-comps (css-parse-symbol Tag) + Tag (gassoc tag Tag-comps) + New-attrs (passoc (assoc class Tag-comps) + (passoc (assoc id Tag-comps) Attrs)) + (@s (make-string "<~S" Tag) (attributes New-attrs) ">" + (html Body) + (make-string "" Tag))) where (symbol? Tag) + [Tag|Body] -> (html [Tag [:] Body]) where (symbol? Tag) + [H|HS] -> (@s (html H) (html HS)) + [] -> "") + +(define css-parse-symbol + {symbol --> [[symbol A]]} + Symbol -> (let String (str Symbol) + Class-split (split (str .) String) + Class (map (function intern) (tl Class-split)) + Id-split (split (str #) (hd Class-split)) + Tag (hd Id-split) + Id (tl Id-split) + ((if (= [] Id) (/. X X) (cons [id (intern (hd Id))])) + ((if (= [] Class) (/. X X) (cons [class Class])) + [[tag (intern Tag)]])))) + +(define attributes + [] -> "" + [[K V]|AS] -> (@s " " (to-str K) "='" + (if (cons? V) (join " " (map (function str) V)) (to-str V)) + "'" (attributes AS))) + +) \ No newline at end of file diff --git a/samples/Shen/json.shen b/samples/Shen/json.shen new file mode 100644 index 00000000..b330c5c6 --- /dev/null +++ b/samples/Shen/json.shen @@ -0,0 +1,39 @@ +(load "grammar.shen") + +\* + +JSON Lexer + +1. Read a stream of characters +2. Whitespace characters not in strings should be discarded. +3. Whitespace characters in strings should be preserved +4. Strings can contain escaped double quotes. e.g. "\"" + +*\ + +(define whitespacep + \* e.g. ASCII 32 == #\Space. *\ + \* All the others are whitespace characters from an ASCII table. *\ + Char -> (member Char ["c#9;" "c#10;" "c#11;" "c#12;" "c#13;" "c#32;"])) + +(define replace-whitespace + "" -> "" + (@s Whitespace Suffix) -> (@s "" (replace-whitespace Suffix)) where (whitespacep Whitespace) + (@s Prefix Suffix) -> (@s Prefix (replace-whitespace Suffix))) + +(define fetch-until-unescaped-doublequote + [] -> [] + ["\" "c#34;" | Chars] -> ["\" "c#34;" | (fetch-until-unescaped-doublequote Chars)] + ["c#34;" | Chars] -> [] + [Char | Chars] -> [Char | (fetch-until-unescaped-doublequote Chars)]) + +\* (define strip-whitespace-chars *\ +\* [] -> [] *\ +\* ["c#34;" | Chars] -> ["c#34;" | ( *\ +\* [WhitespaceChar | Chars] -> (strip-whitespace-chars Chars) where (whitespace? WhitespaceChar) *\ +\* [Char | Chars] -> [Char | (strip-whitespace-chars Chars)]) *\ + +(define tokenise + JSONString -> + (let CharList (explode JSONString) + CharList)) \ No newline at end of file diff --git a/samples/Standard ML/RedBlackTree.fun b/samples/Standard ML/RedBlackTree.fun new file mode 100644 index 00000000..42650efe --- /dev/null +++ b/samples/Standard ML/RedBlackTree.fun @@ -0,0 +1,254 @@ +(* From Twelf *) +(* Red/Black Trees *) +(* Author: Frank Pfenning *) + +functor RedBlackTree + (type key' + val compare : key' * key' -> order) + :> TABLE where type key = key' = +struct + type key = key' + type 'a entry = key * 'a + + datatype 'a dict = + Empty (* considered black *) + | Red of 'a entry * 'a dict * 'a dict + | Black of 'a entry * 'a dict * 'a dict + + type 'a Table = 'a dict ref + + (* Representation Invariants *) + (* + 1. The tree is ordered: for every node Red((key1,datum1), left, right) or + Black ((key1,datum1), left, right), every key in left is less than + key1 and every key in right is greater than key1. + + 2. The children of a red node are black (color invariant). + + 3. Every path from the root to a leaf has the same number of + black nodes, called the black height of the tree. + *) + + local + + fun lookup dict key = + let + fun lk (Empty) = NONE + | lk (Red tree) = lk' tree + | lk (Black tree) = lk' tree + and lk' ((key1, datum1), left, right) = + (case compare(key,key1) + of EQUAL => SOME(datum1) + | LESS => lk left + | GREATER => lk right) + in + lk dict + end + + (* val restore_right : 'a dict -> 'a dict *) + (* + restore_right (Black(e,l,r)) >=> dict + where (1) Black(e,l,r) is ordered, + (2) Black(e,l,r) has black height n, + (3) color invariant may be violated at the root of r: + one of its children might be red. + and dict is a re-balanced red/black tree (satisfying all invariants) + and same black height n. + *) + fun restore_right (Black(e, Red lt, Red (rt as (_,Red _,_)))) = + Red(e, Black lt, Black rt) (* re-color *) + | restore_right (Black(e, Red lt, Red (rt as (_,_,Red _)))) = + Red(e, Black lt, Black rt) (* re-color *) + | restore_right (Black(e, l, Red(re, Red(rle, rll, rlr), rr))) = + (* l is black, deep rotate *) + Black(rle, Red(e, l, rll), Red(re, rlr, rr)) + | restore_right (Black(e, l, Red(re, rl, rr as Red _))) = + (* l is black, shallow rotate *) + Black(re, Red(e, l, rl), rr) + | restore_right dict = dict + + (* restore_left is like restore_right, except *) + (* the color invariant may be violated only at the root of left child *) + fun restore_left (Black(e, Red (lt as (_,Red _,_)), Red rt)) = + Red(e, Black lt, Black rt) (* re-color *) + | restore_left (Black(e, Red (lt as (_,_,Red _)), Red rt)) = + Red(e, Black lt, Black rt) (* re-color *) + | restore_left (Black(e, Red(le, ll as Red _, lr), r)) = + (* r is black, shallow rotate *) + Black(le, ll, Red(e, lr, r)) + | restore_left (Black(e, Red(le, ll, Red(lre, lrl, lrr)), r)) = + (* r is black, deep rotate *) + Black(lre, Red(le, ll, lrl), Red(e, lrr, r)) + | restore_left dict = dict + + fun insert (dict, entry as (key,datum)) = + let + (* val ins : 'a dict -> 'a dict inserts entry *) + (* ins (Red _) may violate color invariant at root *) + (* ins (Black _) or ins (Empty) will be red/black tree *) + (* ins preserves black height *) + fun ins (Empty) = Red(entry, Empty, Empty) + | ins (Red(entry1 as (key1, datum1), left, right)) = + (case compare(key,key1) + of EQUAL => Red(entry, left, right) + | LESS => Red(entry1, ins left, right) + | GREATER => Red(entry1, left, ins right)) + | ins (Black(entry1 as (key1, datum1), left, right)) = + (case compare(key,key1) + of EQUAL => Black(entry, left, right) + | LESS => restore_left (Black(entry1, ins left, right)) + | GREATER => restore_right (Black(entry1, left, ins right))) + in + case ins dict + of Red (t as (_, Red _, _)) => Black t (* re-color *) + | Red (t as (_, _, Red _)) => Black t (* re-color *) + | dict => dict + end + + (* function below from .../smlnj-lib/Util/int-redblack-set.sml *) + (* Need to check and improve some time *) + (* Sun Mar 13 08:22:53 2005 -fp *) + + (* Remove an item. Returns true if old item found, false otherwise *) + local + exception NotFound + datatype 'a zipper + = TOP + | LEFTB of ('a entry * 'a dict * 'a zipper) + | LEFTR of ('a entry * 'a dict * 'a zipper) + | RIGHTB of ('a dict * 'a entry * 'a zipper) + | RIGHTR of ('a dict * 'a entry * 'a zipper) + in + fun delete t key = + let + fun zip (TOP, t) = t + | zip (LEFTB(x, b, z), a) = zip(z, Black(x, a, b)) + | zip (LEFTR(x, b, z), a) = zip(z, Red(x, a, b)) + | zip (RIGHTB(a, x, z), b) = zip(z, Black(x, a, b)) + | zip (RIGHTR(a, x, z), b) = zip(z, Red(x, a, b)) + (* bbZip propagates a black deficit up the tree until either the top + * is reached, or the deficit can be covered. It returns a boolean + * that is true if there is still a deficit and the zipped tree. + *) + fun bbZip (TOP, t) = (true, t) + | bbZip (LEFTB(x, Red(y, c, d), z), a) = (* case 1L *) + bbZip (LEFTR(x, c, LEFTB(y, d, z)), a) + | bbZip (LEFTB(x, Black(w, Red(y, c, d), e), z), a) = (* case 3L *) + bbZip (LEFTB(x, Black(y, c, Red(w, d, e)), z), a) + | bbZip (LEFTR(x, Black(w, Red(y, c, d), e), z), a) = (* case 3L *) + bbZip (LEFTR(x, Black(y, c, Red(w, d, e)), z), a) + | bbZip (LEFTB(x, Black(y, c, Red(w, d, e)), z), a) = (* case 4L *) + (false, zip (z, Black(y, Black(x, a, c), Black(w, d, e)))) + | bbZip (LEFTR(x, Black(y, c, Red(w, d, e)), z), a) = (* case 4L *) + (false, zip (z, Red(y, Black(x, a, c), Black(w, d, e)))) + | bbZip (LEFTR(x, Black(y, c, d), z), a) = (* case 2L *) + (false, zip (z, Black(x, a, Red(y, c, d)))) + | bbZip (LEFTB(x, Black(y, c, d), z), a) = (* case 2L *) + bbZip (z, Black(x, a, Red(y, c, d))) + | bbZip (RIGHTB(Red(y, c, d), x, z), b) = (* case 1R *) + bbZip (RIGHTR(d, x, RIGHTB(c, y, z)), b) + | bbZip (RIGHTR(Red(y, c, d), x, z), b) = (* case 1R *) + bbZip (RIGHTR(d, x, RIGHTB(c, y, z)), b) + | bbZip (RIGHTB(Black(y, Red(w, c, d), e), x, z), b) = (* case 3R *) + bbZip (RIGHTB(Black(w, c, Red(y, d, e)), x, z), b) + | bbZip (RIGHTR(Black(y, Red(w, c, d), e), x, z), b) = (* case 3R *) + bbZip (RIGHTR(Black(w, c, Red(y, d, e)), x, z), b) + | bbZip (RIGHTB(Black(y, c, Red(w, d, e)), x, z), b) = (* case 4R *) + (false, zip (z, Black(y, c, Black(x, Red(w, d, e), b)))) + | bbZip (RIGHTR(Black(y, c, Red(w, d, e)), x, z), b) = (* case 4R *) + (false, zip (z, Red(y, c, Black(w, Red(w, d, e), b)))) + | bbZip (RIGHTR(Black(y, c, d), x, z), b) = (* case 2R *) + (false, zip (z, Black(x, Red(y, c, d), b))) + | bbZip (RIGHTB(Black(y, c, d), x, z), b) = (* case 2R *) + bbZip (z, Black(x, Red(y, c, d), b)) + | bbZip (z, t) = (false, zip(z, t)) + fun delMin (Red(y, Empty, b), z) = (y, (false, zip(z, b))) + | delMin (Black(y, Empty, b), z) = (y, bbZip(z, b)) + | delMin (Black(y, a, b), z) = delMin(a, LEFTB(y, b, z)) + | delMin (Red(y, a, b), z) = delMin(a, LEFTR(y, b, z)) + | delMin (Empty, _) = raise Match + fun joinRed (Empty, Empty, z) = zip(z, Empty) + | joinRed (a, b, z) = let + val (x, (needB, b')) = delMin(b, TOP) + in + if needB + then #2(bbZip(z, Red(x, a, b'))) + else zip(z, Red(x, a, b')) + end + fun joinBlack (a, Empty, z) = #2(bbZip(z, a)) + | joinBlack (Empty, b, z) = #2(bbZip(z, b)) + | joinBlack (a, b, z) = let + val (x, (needB, b')) = delMin(b, TOP) + in + if needB + then #2(bbZip(z, Black(x, a, b'))) + else zip(z, Black(x, a, b')) + end + fun del (Empty, z) = raise NotFound + | del (Black(entry1 as (key1, datum1), a, b), z) = + (case compare(key,key1) + of EQUAL => joinBlack (a, b, z) + | LESS => del (a, LEFTB(entry1, b, z)) + | GREATER => del (b, RIGHTB(a, entry1, z))) + | del (Red(entry1 as (key1, datum1), a, b), z) = + (case compare(key,key1) + of EQUAL => joinRed (a, b, z) + | LESS => del (a, LEFTR(entry1, b, z)) + | GREATER => del (b, RIGHTR(a, entry1, z))) + in + (del(t, TOP); true) handle NotFound => false + end + end (* local *) + + (* use non-imperative version? *) + fun insertShadow (dict, entry as (key,datum)) = + let val oldEntry = ref NONE (* : 'a entry option ref *) + fun ins (Empty) = Red(entry, Empty, Empty) + | ins (Red(entry1 as (key1, datum1), left, right)) = + (case compare(key,key1) + of EQUAL => (oldEntry := SOME(entry1); + Red(entry, left, right)) + | LESS => Red(entry1, ins left, right) + | GREATER => Red(entry1, left, ins right)) + | ins (Black(entry1 as (key1, datum1), left, right)) = + (case compare(key,key1) + of EQUAL => (oldEntry := SOME(entry1); + Black(entry, left, right)) + | LESS => restore_left (Black(entry1, ins left, right)) + | GREATER => restore_right (Black(entry1, left, ins right))) + in + (oldEntry := NONE; + ((case ins dict + of Red (t as (_, Red _, _)) => Black t (* re-color *) + | Red (t as (_, _, Red _)) => Black t (* re-color *) + | dict => dict), + !oldEntry)) + end + + fun app f dict = + let fun ap (Empty) = () + | ap (Red tree) = ap' tree + | ap (Black tree) = ap' tree + and ap' (entry1, left, right) = + (ap left; f entry1; ap right) + in + ap dict + end + + in + fun new (n) = ref (Empty) (* ignore size hint *) + val insert = (fn table => fn entry => (table := insert (!table, entry))) + val insertShadow = + (fn table => fn entry => + let + val (dict, oldEntry) = insertShadow (!table, entry) + in + (table := dict; oldEntry) + end) + val lookup = (fn table => fn key => lookup (!table) key) + val delete = (fn table => fn key => (delete (!table) key; ())) + val clear = (fn table => (table := Empty)) + val app = (fn f => fn table => app f (!table)) + end + +end; (* functor RedBlackTree *) diff --git a/samples/Standard ML/main.fun b/samples/Standard ML/main.fun new file mode 100644 index 00000000..73ba50f6 --- /dev/null +++ b/samples/Standard ML/main.fun @@ -0,0 +1,1470 @@ +(* Copyright (C) 2010-2011,2013 Matthew Fluet. + * Copyright (C) 1999-2009 Henry Cejtin, Matthew Fluet, Suresh + * Jagannathan, and Stephen Weeks. + * Copyright (C) 1997-2000 NEC Research Institute. + * + * MLton is released under a BSD-style license. + * See the file MLton-LICENSE for details. + *) + +functor Main (S: MAIN_STRUCTS): MAIN = +struct + +open S + +structure Compile = Compile () + +structure Place = + struct + datatype t = Files | Generated | MLB | O | OUT | SML | TypeCheck + + val toInt: t -> int = + fn MLB => 1 + | SML => 1 + | Files => 2 + | TypeCheck => 4 + | Generated => 5 + | O => 6 + | OUT => 7 + + val toString = + fn Files => "files" + | SML => "sml" + | MLB => "mlb" + | Generated => "g" + | O => "o" + | OUT => "out" + | TypeCheck => "tc" + + fun compare (p, p') = Int.compare (toInt p, toInt p') + end + +structure OptPred = + struct + datatype t = + Target of string + | Yes + end + +structure Show = + struct + datatype t = Anns | PathMap + end + +val gcc: string ref = ref "" +val arScript: string ref = ref "" +val asOpts: {opt: string, pred: OptPred.t} list ref = ref [] +val ccOpts: {opt: string, pred: OptPred.t} list ref = ref [] +val linkOpts: {opt: string, pred: OptPred.t} list ref = ref [] + +val buildConstants: bool ref = ref false +val debugRuntime: bool ref = ref false +datatype debugFormat = Dwarf | DwarfPlus | Dwarf2 | Stabs | StabsPlus +val debugFormat: debugFormat option ref = ref NONE +val expert: bool ref = ref false +val explicitAlign: Control.align option ref = ref NONE +val explicitChunk: Control.chunk option ref = ref NONE +datatype explicitCodegen = Native | Explicit of Control.codegen +val explicitCodegen: explicitCodegen option ref = ref NONE +val keepGenerated = ref false +val keepO = ref false +val output: string option ref = ref NONE +val profileSet: bool ref = ref false +val profileTimeSet: bool ref = ref false +val runtimeArgs: string list ref = ref ["@MLton"] +val show: Show.t option ref = ref NONE +val stop = ref Place.OUT + +fun parseMlbPathVar (line: String.t) = + case String.tokens (line, Char.isSpace) of + [var, path] => SOME {var = var, path = path} + | _ => NONE + +fun readMlbPathMap (file: File.t) = + if not (File.canRead file) then + Error.bug (concat ["can't read MLB path map file: ", file]) + else + List.keepAllMap + (File.lines file, fn line => + if String.forall (line, Char.isSpace) + then NONE + else + case parseMlbPathVar line of + NONE => Error.bug (concat ["strange mlb path mapping: ", + file, ":: ", line]) + | SOME v => SOME v) + +val targetMap: unit -> {arch: MLton.Platform.Arch.t, + os: MLton.Platform.OS.t, + target: string} list = + Promise.lazy + (fn () => + let + val targetsDir = + OS.Path.mkAbsolute { path = "targets", + relativeTo = !Control.libDir } + val potentialTargets = Dir.lsDirs targetsDir + fun targetMap target = + let + val targetDir = + OS.Path.mkAbsolute { path = target, + relativeTo = targetsDir } + val osFile = + OS.Path.joinDirFile { dir = targetDir, + file = "os" } + val archFile = + OS.Path.joinDirFile { dir = targetDir, + file = "arch" } + val os = File.contents osFile + val arch = File.contents archFile + val os = List.first (String.tokens (os, Char.isSpace)) + val arch = List.first (String.tokens (arch, Char.isSpace)) + val os = + case MLton.Platform.OS.fromString os of + NONE => Error.bug (concat ["strange os: ", os]) + | SOME os => os + val arch = + case MLton.Platform.Arch.fromString arch of + NONE => Error.bug (concat ["strange arch: ", arch]) + | SOME a => a + in + SOME { arch = arch, os = os, target = target } + end + handle _ => NONE + in + List.keepAllMap (potentialTargets, targetMap) + end) + +fun setTargetType (target: string, usage): unit = + case List.peek (targetMap (), fn {target = t, ...} => target = t) of + NONE => usage (concat ["invalid target: ", target]) + | SOME {arch, os, ...} => + let + open Control + in + Target.arch := arch + ; Target.os := os + end + +fun hasCodegen (cg) = + let + datatype z = datatype Control.Target.arch + datatype z = datatype Control.Target.os + datatype z = datatype Control.Format.t + datatype z = datatype Control.codegen + in + case !Control.Target.arch of + AMD64 => (case cg of + x86Codegen => false + | _ => true) + | X86 => (case cg of + amd64Codegen => false + | x86Codegen => + (* Darwin PIC doesn't work *) + !Control.Target.os <> Darwin orelse + !Control.format = Executable orelse + !Control.format = Archive + | _ => true) + | _ => (case cg of + amd64Codegen => false + | x86Codegen => false + | _ => true) + end +fun hasNativeCodegen () = + let + datatype z = datatype Control.codegen + in + hasCodegen amd64Codegen + orelse hasCodegen x86Codegen + end + + +fun defaultAlignIs8 () = + let + datatype z = datatype Control.Target.arch + in + case !Control.Target.arch of + Alpha => true + | AMD64 => true + | ARM => true + | HPPA => true + | IA64 => true + | MIPS => true + | Sparc => true + | S390 => true + | _ => false + end + +fun makeOptions {usage} = + let + val usage = fn s => (ignore (usage s); raise Fail "unreachable") + fun reportAnnotation (s, flag, e) = + case e of + Control.Elaborate.Bad => + usage (concat ["invalid -", flag, " flag: ", s]) + | Control.Elaborate.Deprecated ids => + if !Control.warnDeprecated + then + Out.output + (Out.error, + concat ["Warning: ", "deprecated annotation: ", s, ", use ", + List.toString Control.Elaborate.Id.name ids, ".\n"]) + else () + | Control.Elaborate.Good () => () + | Control.Elaborate.Other => + usage (concat ["invalid -", flag, " flag: ", s]) + open Control Popt + datatype z = datatype MLton.Platform.Arch.t + datatype z = datatype MLton.Platform.OS.t + fun tokenizeOpt f opts = + List.foreach (String.tokens (opts, Char.isSpace), + fn opt => f opt) + fun tokenizeTargetOpt f (target, opts) = + List.foreach (String.tokens (opts, Char.isSpace), + fn opt => f (target, opt)) + in + List.map + ( + [ + (Normal, "align", if defaultAlignIs8 () then " {8|4}" else " {4|8}", + "object alignment", + (SpaceString (fn s => + explicitAlign + := SOME (case s of + "4" => Align4 + | "8" => Align8 + | _ => usage (concat ["invalid -align flag: ", + s]))))), + (Expert, "ar-script", " ", "path to a script producing archives", + SpaceString (fn s => arScript := s)), + (Normal, "as-opt", " ", "pass option to assembler", + (SpaceString o tokenizeOpt) + (fn s => List.push (asOpts, {opt = s, pred = OptPred.Yes}))), + (Expert, "as-opt-quote", " ", "pass (quoted) option to assembler", + SpaceString + (fn s => List.push (asOpts, {opt = s, pred = OptPred.Yes}))), + (Expert, "build-constants", " {false|true}", + "output C file that prints basis constants", + boolRef buildConstants), + (Expert, "cc", " ", "path to gcc executable", + SpaceString (fn s => gcc := s)), + (Normal, "cc-opt", " ", "pass option to C compiler", + (SpaceString o tokenizeOpt) + (fn s => List.push (ccOpts, {opt = s, pred = OptPred.Yes}))), + (Expert, "cc-opt-quote", " ", "pass (quoted) option to C compiler", + SpaceString + (fn s => List.push (ccOpts, {opt = s, pred = OptPred.Yes}))), + (Expert, "chunkify", " {coalesce|func|one}", "set chunkify method", + SpaceString (fn s => + explicitChunk + := SOME (case s of + "func" => ChunkPerFunc + | "one" => OneChunk + | _ => let + val usage = fn () => + usage (concat ["invalid -chunkify flag: ", s]) + in + if String.hasPrefix (s, {prefix = "coalesce"}) + then let + val s = String.dropPrefix (s, 8) + in + if String.forall (s, Char.isDigit) + then (case Int.fromString s of + NONE => usage () + | SOME n => Coalesce + {limit = n}) + else usage () + end + else usage () + end))), + (Expert, "closure-convert-globalize", " {true|false}", + "whether to globalize during closure conversion", + Bool (fn b => (closureConvertGlobalize := b))), + (Expert, "closure-convert-shrink", " {true|false}", + "whether to shrink during closure conversion", + Bool (fn b => (closureConvertShrink := b))), + (Normal, "codegen", + concat [" {", + String.concatWith + (List.keepAllMap + (Native :: (List.map (Control.Codegen.all, Explicit)), + fn cg => + case cg of + Native => if hasNativeCodegen () then SOME "native" else NONE + | Explicit cg => if hasCodegen cg + then SOME (Control.Codegen.toString cg) + else NONE), + "|"), + "}"], + "which code generator to use", + SpaceString (fn s => + explicitCodegen + := SOME (if s = "native" + then Native + else (case List.peek + (Control.Codegen.all, fn cg => + s = Control.Codegen.toString cg) of + SOME cg => Explicit cg + | NONE => usage (concat ["invalid -codegen flag: ", s]))))), + (Normal, "const", " ' '", "set compile-time constant", + SpaceString (fn s => + case String.tokens (s, Char.isSpace) of + [name, value] => + Compile.setCommandLineConstant {name = name, + value = value} + | _ => usage (concat ["invalid -const flag: ", s]))), + (Expert, "contify-into-main", " {false|true}", + "contify functions into main", + boolRef contifyIntoMain), + (Expert, "debug", " {false|true}", "produce executable with debug info", + Bool (fn b => (debug := b + ; debugRuntime := b))), + (Expert, "debug-runtime", " {false|true}", "produce executable with debug info", + boolRef debugRuntime), + (Expert, "debug-format", " {default|dwarf|dwarf+|drwaf2|stabs|stabs+}", + "choose debug symbol format", + SpaceString (fn s => + debugFormat := + (case s of + "default" => NONE + | "dwarf" => SOME Dwarf + | "dwarf+" => SOME DwarfPlus + | "dwarf2" => SOME Dwarf2 + | "stabs" => SOME Stabs + | "stabs+" => SOME StabsPlus + | _ => usage (concat ["invalid -debug-format flag: ", s])))), + let + val flag = "default-ann" + in + (Normal, flag, " ", "set annotation default for mlb files", + SpaceString + (fn s => reportAnnotation (s, flag, + Control.Elaborate.processDefault s))) + end, + (Normal, "default-type", " ''", "set default type", + SpaceString + (fn s => (case s of + "char8" => Control.defaultChar := s + | "int8" => Control.defaultInt := s + | "int16" => Control.defaultInt := s + | "int32" => Control.defaultInt := s + | "int64" => Control.defaultInt := s + | "intinf" => Control.defaultInt := s + | "real32" => Control.defaultReal := s + | "real64" => Control.defaultReal := s + | "widechar16" => Control.defaultWideChar := s + | "widechar32" => Control.defaultWideChar := s + | "word8" => Control.defaultWord := s + | "word16" => Control.defaultWord := s + | "word32" => Control.defaultWord := s + | "word64" => Control.defaultWord := s + | _ => usage (concat ["invalid -default-type flag: ", s])))), + (Expert, "diag-pass", " ", "keep diagnostic info for pass", + SpaceString + (fn s => + (case Regexp.fromString s of + SOME (re,_) => let val re = Regexp.compileDFA re + in List.push (diagPasses, re) + end + | NONE => usage (concat ["invalid -diag-pass flag: ", s])))), + let + val flag = "disable-ann" + in + (Normal, flag, " ", "disable annotation in mlb files", + SpaceString + (fn s => + reportAnnotation (s, flag, + Control.Elaborate.processEnabled (s, false)))) + end, + (Expert, "drop-pass", " ", "omit optimization pass", + SpaceString + (fn s => (case Regexp.fromString s of + SOME (re,_) => let val re = Regexp.compileDFA re + in List.push (dropPasses, re) + end + | NONE => usage (concat ["invalid -drop-pass flag: ", s])))), + let + val flag = "enable-ann" + in + (Expert, flag, " ", "globally enable annotation", + SpaceString + (fn s => + reportAnnotation (s, flag, + Control.Elaborate.processEnabled (s, true)))) + end, + (Expert, "error-threshhold", " ", "error threshhold (20)", + intRef errorThreshhold), + (Expert, "emit-main", " {true|false}", "emit main() startup function", + boolRef emitMain), + (Expert, "expert", " {false|true}", "enable expert status", + boolRef expert), + (Normal, "export-header", " ", "write C header file for _export's", + SpaceString (fn s => exportHeader := SOME s)), + (Expert, "format", + concat [" {", + String.concatWith + (List.keepAllMap + (Control.Format.all, fn cg => SOME (Control.Format.toString cg)), + "|"), + "}"], + "generated output format", + SpaceString (fn s => + Control.format + := (case List.peek + (Control.Format.all, fn cg => + s = Control.Format.toString cg) of + SOME cg => cg + | NONE => usage (concat ["invalid -format flag: ", s])))), + (Expert, "gc-check", " {limit|first|every}", "force GCs", + SpaceString (fn s => + gcCheck := + (case s of + "limit" => Limit + | "first" => First + | "every" => Every + | _ => usage (concat ["invalid -gc-check flag: ", s])))), + (Normal, "ieee-fp", " {false|true}", "use strict IEEE floating-point", + boolRef Native.IEEEFP), + (Expert, "indentation", " ", "indentation level in ILs", + intRef indentation), + (Normal, "inline", " ", "set inlining threshold", + Int (fn i => inlineNonRec := {small = i, + product = #product (!inlineNonRec)})), + (Expert, "inline-into-main", " {true|false}", + "inline functions into main", + boolRef inlineIntoMain), + (Expert, "inline-leafa-loops", " {true|false}", "leaf inline loops", + Bool (fn loops => + case !inlineLeafA of + {repeat, size, ...} => + inlineLeafA := + {loops = loops, repeat = repeat, size = size})), + (Expert, "inline-leafa-repeat", " {true|false}", "leaf inline repeat", + Bool (fn repeat => + case !inlineLeafA of + {loops, size, ...} => + inlineLeafA := + {loops = loops, repeat = repeat, size = size})), + (Expert, "inline-leafa-size", " ", "set leaf inlining threshold (20)", + SpaceString (fn s => + case !inlineLeafA of + {loops, repeat, ...} => + inlineLeafA := + {loops = loops, repeat = repeat, + size = (if s = "inf" + then NONE + else if String.forall (s, Char.isDigit) + then Int.fromString s + else (usage o concat) + ["invalid -inline-leaf-size flag: ", s])})), + (Expert, "inline-leafb-loops", " {true|false}", "leaf inline loops", + Bool (fn loops => + case !inlineLeafB of + {repeat, size, ...} => + inlineLeafB := + {loops = loops, repeat = repeat, size = size})), + (Expert, "inline-leafb-repeat", " {true|false}", "leaf inline repeat", + Bool (fn repeat => + case !inlineLeafB of + {loops, size, ...} => + inlineLeafB := + {loops = loops, repeat = repeat, size = size})), + (Expert, "inline-leafb-size", " ", "set leaf inlining threshold (40)", + SpaceString (fn s => + case !inlineLeafB of + {loops, repeat, ...} => + inlineLeafB := + {loops = loops, repeat = repeat, + size = (if s = "inf" + then NONE + else if String.forall (s, Char.isDigit) + then Int.fromString s + else (usage o concat) + ["invalid -inline-leaf-size flag: ", s])})), + (Expert, "inline-nonrec-product", " ", "set inlining threshold (320)", + Int (fn product => + case !inlineNonRec of + {small, ...} => + inlineNonRec := {small = small, product = product})), + (Expert, "inline-nonrec-small", " ", "set inlining threshold (60)", + Int (fn small => + case !inlineNonRec of + {product, ...} => + inlineNonRec := {small = small, product = product})), + (Normal, "keep", " {g|o}", "save intermediate files", + SpaceString (fn s => + case s of + "core-ml" => keepCoreML := true + | "dot" => keepDot := true + | "g" => keepGenerated := true + | "machine" => keepMachine := true + | "o" => keepO := true + | "rssa" => keepRSSA := true + | "ssa" => keepSSA := true + | "ssa2" => keepSSA2 := true + | "sxml" => keepSXML := true + | "xml" => keepXML := true + | _ => usage (concat ["invalid -keep flag: ", s]))), + (Expert, "keep-pass", " ", "keep the results of pass", + SpaceString + (fn s => (case Regexp.fromString s of + SOME (re,_) => let val re = Regexp.compileDFA re + in List.push (keepPasses, re) + end + | NONE => usage (concat ["invalid -keep-pass flag: ", s])))), + (Expert, "libname", " ", "the name of the generated library", + SpaceString (fn s => libname := s)), + (Normal, "link-opt", " ", "pass option to linker", + (SpaceString o tokenizeOpt) + (fn s => List.push (linkOpts, {opt = s, pred = OptPred.Yes}))), + (Expert, "link-opt-quote", " ", "pass (quoted) option to linker", + SpaceString + (fn s => List.push (linkOpts, {opt = s, pred = OptPred.Yes}))), + (Expert, "loop-passes", " ", "loop optimization passes (1)", + Int + (fn i => + if i >= 1 + then loopPasses := i + else usage (concat ["invalid -loop-passes arg: ", Int.toString i]))), + (Expert, "mark-cards", " {true|false}", "mutator marks cards", + boolRef markCards), + (Expert, "max-function-size", " ", "max function size (blocks)", + intRef maxFunctionSize), + (Normal, "mlb-path-map", " ", "additional MLB path map", + SpaceString (fn s => mlbPathVars := !mlbPathVars @ readMlbPathMap s)), + (Normal, "mlb-path-var", " ' '", "additional MLB path var", + SpaceString + (fn s => mlbPathVars := !mlbPathVars @ + [case parseMlbPathVar s of + NONE => Error.bug ("strange mlb path var: " ^ s) + | SOME v => v])), + (Expert, "native-commented", " ", "level of comments (0)", + intRef Native.commented), + (Expert, "native-copy-prop", " {true|false}", + "use copy propagation", + boolRef Native.copyProp), + (Expert, "native-cutoff", " ", + "live transfer cutoff distance", + intRef Native.cutoff), + (Expert, "native-live-transfer", " {0,...,8}", + "use live transfer", + intRef Native.liveTransfer), + (Expert, "native-live-stack", " {false|true}", + "track liveness of stack slots", + boolRef Native.liveStack), + (Expert, "native-move-hoist", " {true|false}", + "use move hoisting", + boolRef Native.moveHoist), + (Expert, "native-optimize", " ", "level of optimizations", + intRef Native.optimize), + (Expert, "native-split", " ", "split assembly files at ~n lines", + Int (fn i => Native.split := SOME i)), + (Expert, "native-shuffle", " {true|false}", + "shuffle registers at C-calls", + Bool (fn b => Native.shuffle := b)), + (Expert, "opt-passes", " {default|minimal}", "level of optimizations", + SpaceString (fn s => + let + fun err s = + usage (concat ["invalid -opt-passes flag: ", s]) + in + List.foreach + (!optimizationPasses, fn {il,set,...} => + case set s of + Result.Yes () => () + | Result.No s' => err (concat [s', "(for ", il, ")"])) + end)), + (Normal, "output", " ", "name of output file", + SpaceString (fn s => output := SOME s)), + (Expert, "polyvariance", " {true|false}", "use polyvariance", + Bool (fn b => if b then () else polyvariance := NONE)), + (Expert, "polyvariance-hofo", " {true|false}", "duplicate higher-order fns only", + Bool (fn hofo => + case !polyvariance of + SOME {product, rounds, small, ...} => + polyvariance := SOME {hofo = hofo, + product = product, + rounds = rounds, + small = small} + | _ => ())), + (Expert, "polyvariance-product", " ", "set polyvariance threshold (300)", + Int (fn product => + case !polyvariance of + SOME {hofo, rounds, small, ...} => + polyvariance := SOME {hofo = hofo, + product = product, + rounds = rounds, + small = small} + | _ => ())), + (Expert, "polyvariance-rounds", " ", "set polyvariance rounds (2)", + Int (fn rounds => + case !polyvariance of + SOME {hofo, product, small, ...} => + polyvariance := SOME {hofo = hofo, + product = product, + rounds = rounds, + small = small} + | _ => ())), + (Expert, "polyvariance-small", " ", "set polyvariance threshold (30)", + Int (fn small => + case !polyvariance of + SOME {hofo, product, rounds, ...} => + polyvariance := SOME {hofo = hofo, + product = product, + rounds = rounds, + small = small} + | _ => ())), + (Expert, "prefer-abs-paths", " {false|true}", + "prefer absolute paths when referring to files", + boolRef preferAbsPaths), + (Expert, "prof-pass", " ", "keep profile info for pass", + SpaceString (fn s => + (case Regexp.fromString s of + SOME (re,_) => let val re = Regexp.compileDFA re + in + List.push (profPasses, re) + end + | NONE => usage (concat ["invalid -diag-pass flag: ", s])))), + (Normal, "profile", " {no|alloc|count|time}", + "produce executable suitable for profiling", + SpaceString + (fn s => + if !profileSet + then usage "can't have multiple -profile switches" + else + (profileSet := true + ; profile := (case s of + "no" => ProfileNone + | "alloc" => ProfileAlloc + | "call" => ProfileCallStack + | "count" => ProfileCount + | "drop" => ProfileDrop + | "label" => ProfileLabel + | "time" => (profileTimeSet := true + ; ProfileTimeLabel) + | "time-field" => ProfileTimeField + | "time-label" => ProfileTimeLabel + | _ => usage (concat + ["invalid -profile arg: ", s]))))), + (Normal, "profile-branch", " {false|true}", + "profile branches in addition to functions", + boolRef profileBranch), + (Expert, "profile-c", " ", + "include C-calls in files matching in profile", + SpaceString + (fn s => + (case Regexp.fromString s of + SOME (re,_) => let + open Regexp + val re = seq [anys, re, anys] + val re = compileDFA re + in List.push (profileC, re) + end + | NONE => usage (concat ["invalid -profile-c flag: ", s])))), + (Expert, "profile-exclude", " ", + "exclude files matching from profile", + SpaceString + (fn s => + (case Regexp.fromString s of + SOME (re,_) => let + open Regexp + val re = seq [anys, re, anys] + val re = compileDFA re + in List.push (profileInclExcl, (re, false)) + end + | NONE => usage (concat ["invalid -profile-exclude flag: ", s])))), + (Expert, "profile-il", " {source}", "where to insert profile exps", + SpaceString + (fn s => + case s of + "source" => profileIL := ProfileSource + | "ssa" => profileIL := ProfileSSA + | "ssa2" => profileIL := ProfileSSA2 + | _ => usage (concat ["invalid -profile-il arg: ", s]))), + (Expert, "profile-include", " ", + "include files matching from profile", + SpaceString + (fn s => + (case Regexp.fromString s of + SOME (re,_) => let + open Regexp + val re = seq [anys, re, anys] + val re = compileDFA re + in List.push (profileInclExcl, (re, true)) + end + | NONE => usage (concat ["invalid -profile-include flag: ", s])))), + (Expert, "profile-raise", " {false|true}", + "profile raises in addition to functions", + boolRef profileRaise), + (Normal, "profile-stack", " {false|true}", "profile the stack", + boolRef profileStack), + (Normal, "profile-val", " {false|true}", + "profile val bindings in addition to functions", + boolRef profileVal), + (Normal, "runtime", " ", "pass arg to runtime via @MLton", + SpaceString (fn s => List.push (runtimeArgs, s))), + (Expert, "show", " {anns|path-map}", "print specified data and stop", + SpaceString + (fn s => + show := SOME (case s of + "anns" => Show.Anns + | "path-map" => Show.PathMap + | _ => usage (concat ["invalid -show arg: ", s])))), + (Normal, "show-basis", " ", "write out the final basis environment", + SpaceString (fn s => showBasis := SOME s)), + (Normal, "show-def-use", " ", "write def-use information", + SpaceString (fn s => showDefUse := SOME s)), + (Expert, "show-types", " {true|false}", "show types in ILs", + boolRef showTypes), + (Expert, "ssa-passes", " ", "ssa optimization passes", + SpaceString + (fn s => + case List.peek (!Control.optimizationPasses, + fn {il, ...} => String.equals ("ssa", il)) of + SOME {set, ...} => + (case set s of + Result.Yes () => () + | Result.No s' => usage (concat ["invalid -ssa-passes arg: ", s'])) + | NONE => Error.bug "ssa optimization passes missing")), + (Expert, "ssa2-passes", " ", "ssa2 optimization passes", + SpaceString + (fn s => + case List.peek (!Control.optimizationPasses, + fn {il, ...} => String.equals ("ssa2", il)) of + SOME {set, ...} => + (case set s of + Result.Yes () => () + | Result.No s' => usage (concat ["invalid -ssa2-passes arg: ", s'])) + | NONE => Error.bug "ssa2 optimization passes missing")), + (Normal, "stop", " {f|g|o|tc}", "when to stop", + SpaceString + (fn s => + stop := (case s of + "f" => Place.Files + | "g" => Place.Generated + | "o" => Place.O + | "tc" => Place.TypeCheck + | _ => usage (concat ["invalid -stop arg: ", s])))), + (Expert, "sxml-passes", " ", "sxml optimization passes", + SpaceString + (fn s => + case List.peek (!Control.optimizationPasses, + fn {il, ...} => String.equals ("sxml", il)) of + SOME {set, ...} => + (case set s of + Result.Yes () => () + | Result.No s' => usage (concat ["invalid -sxml-passes arg: ", s'])) + | NONE => Error.bug "sxml optimization passes missing")), + (Normal, "target", + concat [" {", + (case targetMap () of + [] => "" + | [x] => #target x + | x :: _ => concat [#target x, "|..."]), + "}"], + "platform that executable will run on", + SpaceString + (fn t => + (target := (if t = "self" then Self else Cross t); + setTargetType (t, usage)))), + (Normal, "target-as-opt", " ", "target-dependent assembler option", + (SpaceString2 o tokenizeTargetOpt) + (fn (target, opt) => + List.push (asOpts, {opt = opt, pred = OptPred.Target target}))), + (Expert, "target-as-opt-quote", " ", "target-dependent assembler option (quoted)", + (SpaceString2 + (fn (target, opt) => + List.push (asOpts, {opt = opt, pred = OptPred.Target target})))), + (Normal, "target-cc-opt", " ", "target-dependent C compiler option", + (SpaceString2 o tokenizeTargetOpt) + (fn (target, opt) => + List.push (ccOpts, {opt = opt, pred = OptPred.Target target}))), + (Expert, "target-cc-opt-quote", " ", "target-dependent C compiler option (quoted)", + (SpaceString2 + (fn (target, opt) => + List.push (ccOpts, {opt = opt, pred = OptPred.Target target})))), + (Normal, "target-link-opt", " ", "target-dependent linker option", + (SpaceString2 o tokenizeTargetOpt) + (fn (target, opt) => + List.push (linkOpts, {opt = opt, pred = OptPred.Target target}))), + (Expert, "target-link-opt-quote", " ", "target-dependent linker option (quoted)", + (SpaceString2 + (fn (target, opt) => + List.push (linkOpts, {opt = opt, pred = OptPred.Target target})))), + (Expert, #1 trace, " name1,...", "trace compiler internals", #2 trace), + (Expert, "type-check", " {false|true}", "type check ILs", + boolRef typeCheck), + (Normal, "verbose", " {0|1|2|3}", "how verbose to be", + SpaceString + (fn s => + verbosity := (case s of + "0" => Silent + | "1" => Top + | "2" => Pass + | "3" => Detail + | _ => usage (concat ["invalid -verbose arg: ", s])))), + (Expert, "warn-ann", " {true|false}", + "unrecognized annotation warnings", + boolRef warnAnn), + (Expert, "warn-deprecated", " {true|false}", + "deprecated feature warnings", + boolRef warnDeprecated), + (Expert, "xml-passes", " ", "xml optimization passes", + SpaceString + (fn s => + case List.peek (!Control.optimizationPasses, + fn {il, ...} => String.equals ("xml", il)) of + SOME {set, ...} => + (case set s of + Result.Yes () => () + | Result.No s' => usage (concat ["invalid -xml-passes arg: ", s'])) + | NONE => Error.bug "xml optimization passes missing")), + (Expert, "zone-cut-depth", " ", "zone cut depth", + intRef zoneCutDepth) + ], + fn (style, name, arg, desc, opt) => + {arg = arg, desc = desc, name = name, opt = opt, style = style}) + end + +val mainUsage = + "mlton [option ...] file.{c|mlb|o|sml} [file.{c|o|s|S} ...]" + +val {parse, usage} = + Popt.makeUsage {mainUsage = mainUsage, + makeOptions = makeOptions, + showExpert = fn () => !expert} + +val usage = fn s => (usage s; raise Fail "unreachable") + +fun commandLine (args: string list): unit = + let + open Control + datatype z = datatype MLton.Platform.Arch.t + datatype z = datatype MLton.Platform.OS.t + val args = + case args of + lib :: args => + (libDir := OS.Path.mkCanonical lib + ; args) + | _ => Error.bug "incorrect args from shell script" + val () = setTargetType ("self", usage) + val result = parse args + + val target = !target + val targetStr = + case target of + Cross s => s + | Self => "self" + val targetsDir = + OS.Path.mkAbsolute { path = "targets", + relativeTo = !libDir } + val targetDir = + OS.Path.mkAbsolute { path = targetStr, + relativeTo = targetsDir } + val () = libTargetDir := targetDir + val targetArch = !Target.arch + val archStr = String.toLower (MLton.Platform.Arch.toString targetArch) + val targetOS = !Target.os + val OSStr = String.toLower (MLton.Platform.OS.toString targetOS) + + (* Determine whether code should be PIC (position independent) or not. + * This decision depends on the platform and output format. + *) + val positionIndependent = + case (targetOS, targetArch, !format) of + (* Windows is never position independent *) + (MinGW, _, _) => false + | (Cygwin, _, _) => false + (* Technically, Darwin should always be PIC. + * However, PIC on i386/darwin is unimplemented so we avoid it. + * PowerPC PIC is bad too, but the C codegen will use PIC behind + * our back unless forced, so let's just admit that it's PIC. + *) + | (Darwin, X86, Executable) => false + | (Darwin, X86, Archive) => false + | (Darwin, _, _) => true + (* On ELF systems, we only need PIC for LibArchive/Library *) + | (_, _, Library) => true + | (_, _, LibArchive) => true + | _ => false + val () = Control.positionIndependent := positionIndependent + + val stop = !stop + + val () = + align := (case !explicitAlign of + NONE => if defaultAlignIs8 () then Align8 else Align4 + | SOME a => a) + val () = + codegen := (case !explicitCodegen of + NONE => + if hasCodegen (x86Codegen) + then x86Codegen + else if hasCodegen (amd64Codegen) + then amd64Codegen + else CCodegen + | SOME Native => + if hasCodegen (x86Codegen) + then x86Codegen + else if hasCodegen (amd64Codegen) + then amd64Codegen + else usage (concat ["can't use native codegen on ", + MLton.Platform.Arch.toString targetArch, + " target"]) + | SOME (Explicit cg) => cg) + val () = MLton.Rusage.measureGC (!verbosity <> Silent) + val () = if !profileTimeSet + then (case !codegen of + x86Codegen => profile := ProfileTimeLabel + | amd64Codegen => profile := ProfileTimeLabel + | _ => profile := ProfileTimeField) + else () + val () = if !exnHistory + then (case !profile of + ProfileNone => profile := ProfileCallStack + | ProfileCallStack => () + | _ => usage "can't use -profile with Exn.keepHistory" + ; profileRaise := true) + else () + + val () = + Compile.setCommandLineConstant + {name = "CallStack.keep", + value = Bool.toString (!Control.profile = Control.ProfileCallStack)} + + val () = + let + val sizeMap = + List.map + (File.lines (OS.Path.joinDirFile {dir = !Control.libTargetDir, + file = "sizes"}), + fn line => + case String.tokens (line, Char.isSpace) of + [ty, "=", size] => + (case Int.fromString size of + NONE => Error.bug (concat ["strange size: ", size]) + | SOME size => + (ty, Bytes.toBits (Bytes.fromInt size))) + | _ => Error.bug (concat ["strange size mapping: ", line])) + fun lookup ty' = + case List.peek (sizeMap, fn (ty, _) => String.equals (ty, ty')) of + NONE => Error.bug (concat ["missing size mapping: ", ty']) + | SOME (_, size) => size + in + Control.Target.setSizes + {cint = lookup "cint", + cpointer = lookup "cpointer", + cptrdiff = lookup "cptrdiff", + csize = lookup "csize", + header = lookup "header", + mplimb = lookup "mplimb", + objptr = lookup "objptr", + seqIndex = lookup "seqIndex"} + end + + fun tokenize l = + String.tokens (concat (List.separate (l, " ")), Char.isSpace) + + (* When cross-compiling, use the named cross compiler. + * Older gcc versions used -b for multiple targets. + * If this is still needed, a shell script wrapper can hide this. + *) + val gcc = + case target of + Cross s => + let + val {dir = gccDir, file = gccFile} = + OS.Path.splitDirFile (!gcc) + in + OS.Path.joinDirFile + {dir = gccDir, + file = s ^ "-" ^ gccFile} + end + | Self => !gcc + val arScript = !arScript + + fun addTargetOpts opts = + List.fold + (!opts, [], fn ({opt, pred}, ac) => + if (case pred of + OptPred.Target s => + let + val s = String.toLower s + in + s = archStr orelse s = OSStr + end + | OptPred.Yes => true) + then opt :: ac + else ac) + val asOpts = addTargetOpts asOpts + val ccOpts = addTargetOpts ccOpts + val ccOpts = concat ["-I", + OS.Path.mkAbsolute { path = "include", + relativeTo = !libTargetDir }] + :: ccOpts + val linkOpts = + List.concat [[concat ["-L", !libTargetDir]], + if !debugRuntime then + ["-lmlton-gdb", "-lgdtoa-gdb"] + else if positionIndependent then + ["-lmlton-pic", "-lgdtoa-pic"] + else + ["-lmlton", "-lgdtoa"], + addTargetOpts linkOpts] + val linkArchives = + if !debugRuntime then + [OS.Path.joinDirFile { dir = !libTargetDir, file = "libmlton-gdb.a" }, + OS.Path.joinDirFile { dir = !libTargetDir, file = "libgdtoa-gdb.a" }] + else if positionIndependent then + [OS.Path.joinDirFile { dir = !libTargetDir, file = "libmlton-pic.a" }, + OS.Path.joinDirFile { dir = !libTargetDir, file = "libgdtoa-pic.a" }] + else + [OS.Path.joinDirFile { dir = !libTargetDir, file = "libmlton.a" }, + OS.Path.joinDirFile { dir = !libTargetDir, file = "libgdtoa.a" }] + val _ = + if not (hasCodegen (!codegen)) + then usage (concat ["can't use ", + Control.Codegen.toString (!codegen), + " codegen on ", + MLton.Platform.Arch.toString targetArch, + " target"]) + else () + val () = + Control.labelsHaveExtra_ := (case targetOS of + Cygwin => true + | Darwin => true + | MinGW => true + | _ => false) + val _ = + chunk := + (case !explicitChunk of + NONE => (case !codegen of + amd64Codegen => ChunkPerFunc + | CCodegen => Coalesce {limit = 4096} + | x86Codegen => ChunkPerFunc + ) + | SOME c => c) + val _ = if not (!Control.codegen = x86Codegen) andalso !Native.IEEEFP + then usage "must use x86 codegen with -ieee-fp true" + else () + val _ = + if !keepDot andalso List.isEmpty (!keepPasses) + then keepSSA := true + else () + val () = + keepDefUse + := (isSome (!showDefUse) + orelse (Control.Elaborate.enabled Control.Elaborate.warnUnused) + orelse (Control.Elaborate.default Control.Elaborate.warnUnused)) + val warnMatch = + (Control.Elaborate.enabled Control.Elaborate.nonexhaustiveMatch) + orelse (Control.Elaborate.enabled Control.Elaborate.redundantMatch) + orelse (Control.Elaborate.default Control.Elaborate.nonexhaustiveMatch <> + Control.Elaborate.DiagEIW.Ignore) + orelse (Control.Elaborate.default Control.Elaborate.redundantMatch <> + Control.Elaborate.DiagEIW.Ignore) + val _ = elaborateOnly := (stop = Place.TypeCheck + andalso not (warnMatch) + andalso not (!keepDefUse)) + val _ = + case targetOS of + Darwin => () + | FreeBSD => () + | HPUX => () + | Linux => () + | MinGW => () + | NetBSD => () + | OpenBSD => () + | Solaris => () + | _ => + if !profile = ProfileTimeField + orelse !profile = ProfileTimeLabel + then usage (concat ["can't use -profile time on ", + MLton.Platform.OS.toString targetOS]) + else () + fun printVersion (out: Out.t): unit = + Out.output (out, concat [Version.banner, "\n"]) + val () = + case !show of + NONE => () + | SOME info => + (case info of + Show.Anns => + Layout.outputl (Control.Elaborate.document {expert = !expert}, + Out.standard) + | Show.PathMap => + let + open Layout + in + outputl (align + (List.map (Control.mlbPathMap (), + fn {var, path, ...} => + str (concat [var, " ", path]))), + Out.standard) + end + ; let open OS.Process in exit success end) + in + case result of + Result.No msg => usage msg + | Result.Yes [] => + (inputFile := "" + ; if isSome (!showBasis) + then (trace (Top, "Type Check SML") + Compile.elaborateSML {input = []}) + else if !buildConstants + then Compile.outputBasisConstants Out.standard + else if !verbosity = Silent orelse !verbosity = Top + then printVersion Out.standard + else outputHeader' (No, Out.standard)) + | Result.Yes (input :: rest) => + let + val _ = inputFile := File.base (File.fileOf input) + val (start, base) = + let + val rec loop = + fn [] => usage (concat ["invalid file suffix on ", input]) + | (suf, start, hasNum) :: sufs => + if String.hasSuffix (input, {suffix = suf}) + then (start, + let + val f = File.base input + in + if hasNum + then File.base f + else f + end) + else loop sufs + datatype z = datatype Place.t + in + loop [(".mlb", MLB, false), + (".sml", SML, false), + (".c", Generated, true), + (".o", O, true)] + end + val _ = + List.foreach + (rest, fn f => + if List.exists ([".c", ".o", ".s", ".S"], fn suffix => + String.hasSuffix (f, {suffix = suffix})) + then File.withIn (f, fn _ => ()) + else usage (concat ["invalid file suffix: ", f])) + val csoFiles = rest + in + case Place.compare (start, stop) of + GREATER => usage (concat ["cannot go from ", Place.toString start, + " to ", Place.toString stop]) + | EQUAL => usage "nothing to do" + | LESS => + let + val _ = + if !verbosity = Top + then printVersion Out.error + else () + val tempFiles: File.t list ref = ref [] + val tmpDir = + let + val (tmpVar, default) = + case MLton.Platform.OS.host of + MinGW => ("TEMP", "C:/WINDOWS/TEMP") + | _ => ("TMPDIR", "/tmp") + in + case Process.getEnv tmpVar of + NONE => default + | SOME d => d + end + fun temp (suf: string): File.t = + let + val (f, out) = + File.temp {prefix = OS.Path.concat (tmpDir, "file"), + suffix = suf} + val _ = Out.close out + val _ = List.push (tempFiles, f) + in + f + end + fun suffix s = concat [base, s] + fun maybeOut suf = + case !output of + NONE => suffix suf + | SOME f => f + fun maybeOutBase suf = + case !output of + NONE => suffix suf + | SOME f => if File.extension f = SOME "exe" + then concat [File.base f, suf] + else concat [f, suf] + val { base = outputBase, ext=_ } = + OS.Path.splitBaseExt (maybeOut ".ext") + val { file = defLibname, dir=_ } = + OS.Path.splitDirFile outputBase + val defLibname = + if String.hasPrefix (defLibname, {prefix = "lib"}) + then String.extract (defLibname, 3, NONE) + else defLibname + fun toAlNum c = if Char.isAlphaNum c then c else #"_" + val () = + if !libname <> "" then () else + libname := CharVector.map toAlNum defLibname + (* Library output includes a header by default *) + val () = + case (!format, !exportHeader) of + (Executable, _) => () + | (_, NONE) => exportHeader := SOME (!libname ^ ".h") + | _ => () + val _ = + atMLtons := + Vector.fromList + (maybeOut "" :: tokenize (rev ("--" :: (!runtimeArgs)))) + (* The -Wa,--gstabs says to pass the --gstabs option to the + * assembler. This tells the assembler to generate stabs + * debugging information for each assembler line. + *) + val (gccDebug, asDebug) = + case !debugFormat of + NONE => (["-g"], "-Wa,-g") + | SOME Dwarf => (["-gdwarf", "-g2"], "-Wa,--gdwarf2") + | SOME DwarfPlus => (["-gdwarf+", "-g2"], "-Wa,--gdwarf2") + | SOME Dwarf2 => (["-gdwarf-2", "-g2"], "-Wa,--gdwarf2") + | SOME Stabs => (["-gstabs", "-g2"], "-Wa,--gstabs") + | SOME StabsPlus => (["-gstabs+", "-g2"], "-Wa,--gstabs") + fun compileO (inputs: File.t list): unit = + let + val output = + case (!format, targetOS) of + (Archive, _) => maybeOut ".a" + | (Executable, _) => maybeOut "" + | (LibArchive, _) => maybeOut ".a" + | (Library, Darwin) => maybeOut ".dylib" + | (Library, Cygwin) => !libname ^ ".dll" + | (Library, MinGW) => !libname ^ ".dll" + | (Library, _) => maybeOut ".so" + val libOpts = + case targetOS of + Darwin => [ "-dynamiclib" ] + | Cygwin => [ "-shared", + "-Wl,--out-implib," ^ + maybeOut ".a", + "-Wl,--output-def," ^ + !libname ^ ".def"] + | MinGW => [ "-shared", + "-Wl,--out-implib," ^ + maybeOut ".a", + "-Wl,--output-def," ^ + !libname ^ ".def"] + | _ => [ "-shared" ] + val _ = + trace (Top, "Link") + (fn () => + if !format = Archive orelse + !format = LibArchive + then System.system + (arScript, + List.concat + [[targetStr, OSStr, output], + inputs, + linkArchives]) + else System.system + (gcc, + List.concat + [["-o", output], + if !format = Library then libOpts else [], + if !debug then gccDebug else [], + inputs, + linkOpts])) + () + (* gcc on Cygwin appends .exe, which I don't want, so + * move the output file to it's rightful place. + * Notice that we do not use targetOS here, since we + * care about the platform we're running on, not the + * platform we're generating for. + * + * We want to keep the .exe as is for MinGW/Win32. + *) + val _ = + if MLton.Platform.OS.host = Cygwin + then + if String.contains (output, #".") + then () + else + File.move {from = concat [output, ".exe"], + to = output} + else () + in + () + end + fun mkOutputO (c: Counter.t, input: File.t): File.t = + if stop = Place.O orelse !keepO + then + if File.dirOf input = File.dirOf (maybeOutBase ".o") + then + concat [File.base input, ".o"] + else + maybeOutBase + (concat [".", + Int.toString (Counter.next c), + ".o"]) + else temp ".o" + fun compileC (c: Counter.t, input: File.t): File.t = + let + val debugSwitches = gccDebug @ ["-DASSERT=1"] + val output = mkOutputO (c, input) + + val _ = + System.system + (gcc, + List.concat + [[ "-std=gnu99", "-c" ], + if !format = Executable + then [] else [ "-DLIBNAME=" ^ !libname ], + if positionIndependent + then [ "-fPIC", "-DPIC" ] else [], + if !debug then debugSwitches else [], + ccOpts, + ["-o", output], + [input]]) + in + output + end + fun compileS (c: Counter.t, input: File.t): File.t = + let + val output = mkOutputO (c, input) + val _ = + System.system + (gcc, + List.concat + [["-c"], + if !debug then [asDebug] else [], + asOpts, + ["-o", output], + [input]]) + in + output + end + fun compileCSO (inputs: File.t list): unit = + if List.forall (inputs, fn f => + SOME "o" = File.extension f) + then compileO inputs + else + let + val c = Counter.new 0 + val oFiles = + trace (Top, "Compile and Assemble") + (fn () => + List.fold + (inputs, [], fn (input, ac) => + let + val extension = File.extension input + in + if SOME "o" = extension + then input :: ac + else if SOME "c" = extension + then (compileC (c, input)) :: ac + else if SOME "s" = extension + orelse SOME "S" = extension + then (compileS (c, input)) :: ac + else Error.bug + (concat + ["invalid extension: ", + Option.toString (fn s => s) extension]) + end)) + () + in + case stop of + Place.O => () + | _ => compileO (rev oFiles) + end + fun mkCompileSrc {listFiles, elaborate, compile} input = + let + val outputs: File.t list ref = ref [] + val r = ref 0 + fun make (style: style, suf: string) () = + let + val suf = concat [".", Int.toString (!r), suf] + val _ = Int.inc r + val file = (if !keepGenerated + orelse stop = Place.Generated + then maybeOutBase + else temp) suf + val _ = List.push (outputs, file) + val out = Out.openOut file + fun print s = Out.output (out, s) + val _ = outputHeader' (style, out) + fun done () = Out.close out + in + {file = file, + print = print, + done = done} + end + val _ = + case !verbosity of + Silent => () + | Top => () + | _ => + outputHeader + (Control.No, fn l => + let val out = Out.error + in Layout.output (l, out) + ; Out.newline out + end) + val _ = + case stop of + Place.Files => + Vector.foreach + (listFiles {input = input}, fn f => + (print (String.translate + (f, fn #"\\" => "/" | c => str c)) + ; print "\n")) + | Place.TypeCheck => + trace (Top, "Type Check SML") + elaborate + {input = input} + | _ => + trace (Top, "Compile SML") + compile + {input = input, + outputC = make (Control.C, ".c"), + outputS = make (Control.Assembly, ".s")} + in + case stop of + Place.Files => () + | Place.TypeCheck => () + | Place.Generated => () + | _ => + (* Shrink the heap before calling gcc. *) + (MLton.GC.pack () + ; compileCSO (List.concat [!outputs, csoFiles])) + end + val compileSML = + mkCompileSrc {listFiles = fn {input} => Vector.fromList input, + elaborate = Compile.elaborateSML, + compile = Compile.compileSML} + val compileMLB = + mkCompileSrc {listFiles = Compile.sourceFilesMLB, + elaborate = Compile.elaborateMLB, + compile = Compile.compileMLB} + fun compile () = + case start of + Place.SML => compileSML [input] + | Place.MLB => compileMLB input + | Place.Generated => compileCSO (input :: csoFiles) + | Place.O => compileCSO (input :: csoFiles) + | _ => Error.bug "invalid start" + val doit + = trace (Top, "MLton") + (fn () => + Exn.finally + (compile, fn () => + List.foreach (!tempFiles, File.remove))) + in + doit () + end + end + end + +val commandLine = Process.makeCommandLine commandLine + +val main = fn (_, args) => commandLine args + +val mainWrapped = fn () => OS.Process.exit (commandLine (CommandLine.arguments ())) + +end diff --git a/samples/Stylus/demo.styl b/samples/Stylus/demo.styl new file mode 100644 index 00000000..761d5be3 --- /dev/null +++ b/samples/Stylus/demo.styl @@ -0,0 +1,31 @@ +border-radius() + -webkit-border-radius arguments + -moz-border-radius arguments + border-radius arguments + +a.button + border-radius 5px + +fonts = helvetica, arial, sans-serif + +body { + padding: 50px; + font: 14px/1.4 fonts; +} + +form + input[type=text] + padding: 5px + border: 1px solid #eee + color: #ddd + +textarea + @extends form input[type=text] + padding: 10px + +$foo + color: #FFF + +.bar + background: #000 + @extends $foo diff --git a/samples/SuperCollider/BCR2000.sc b/samples/SuperCollider/BCR2000.sc deleted file mode 100644 index f8f96a70..00000000 --- a/samples/SuperCollider/BCR2000.sc +++ /dev/null @@ -1,114 +0,0 @@ -BCR2000 { - var controls, - controlBuses, - rangedControlBuses, - responders - ; - - *new { - ^super.new.init; - } - - init { - controls = Dictionary.new(108); - controlBuses = Dictionary.new(108); - rangedControlBuses = Dictionary.new(108); - - this.createCCResponders; - } - - createCCResponders { - responders = Array.fill(108, {|i| - CCResponder({|src, chan, num, val| - [src, chan, num, val].postln; - - // Write to controls - controls.put(i + 1, val); - - // Write to bus (converted to scalar 0..1) - controlBuses.put(i + 1, Bus.control(Server.default)); - controlBuses.at(i + 1).value = val / 127; - }, - // Adjust values as/if needed - nil, // src - nil, // chan - nil, // num - nil // value - ) - }); - } - - // Value from BCR - at {arg controlNum; - ^controls.at(controlNum) - } - - // Convert to 0..1 - scalarAt {arg controlNum; - ^controls.at(controlNum) / 127 - } - - // Get a bus - busAt {arg controlNum; - ^controlBuses.at(controlNum) - } - - /* - busRangeAt(arg controlNum, lo, hi; - if (rangedControlBuses.at(controlNum).isNil, { - rangedControlBuses.put(controlNum, Bus.control(Server.default)) - }); - - // Left to right order of operations - //rangedControlBuses.put( - bus.value = hi - lo * controls.at(controlNum) + lo; - - ^bus - } - */ -} - -/* Scratch -Dictionary -b = BCR2000(); -b.at(4); -b.scalarAt(4); -b.controls[5].get; -throw -z = Dictionary.new(2); -z.at(\1); -Array.fill(10, {|i| i.postln;}) -(2 + 3).asSymbol; - - -SynthDef(\x, { - arg amp = 0.01, - freq = 1200, - modDepth = 0.7, - modFreq = 2 - ; - - var - carrier, - modulator - ; - - modulator = SinOsc.ar(modFreq, mul: modDepth); - carrier = Saw.ar(freq, add: modulator, mul: amp); - - Out.ar([0,1], carrier) -}).store; - - -x = Synth(\x); -x.set(\modDepth, 1); -x.set(\modFreq, 64); - -x.map(\modFreq, b.busAt( - - - -ControlSpec -*/ - - diff --git a/samples/SystemVerilog/endpoint_phy_wrapper.svh b/samples/SystemVerilog/endpoint_phy_wrapper.svh new file mode 100644 index 00000000..e7ab790b --- /dev/null +++ b/samples/SystemVerilog/endpoint_phy_wrapper.svh @@ -0,0 +1,216 @@ +module endpoint_phy_wrapper + ( + input clk_sys_i, + input clk_ref_i, + input clk_rx_i, + input rst_n_i, + + IWishboneMaster.master src, + IWishboneSlave.slave snk, + IWishboneMaster.master sys, + + output [9:0] td_o, + input [9:0] rd_i, + + output txn_o, + output txp_o, + + input rxn_i, + input rxp_i + ); + + wire rx_clock; + + parameter g_phy_type = "GTP"; + + wire[15:0] gtx_data; + wire [1:0]gtx_k; + wire gtx_disparity; + wire gtx_enc_error; + wire [15:0] grx_data; + wire grx_clk; + wire [1:0]grx_k; + wire grx_enc_error; + wire [3:0] grx_bitslide; + wire gtp_rst; + wire tx_clock; + + generate + if(g_phy_type == "TBI") begin + + assign rx_clock = clk_ref_i; + assign tx_clock = clk_rx_i; + + + wr_tbi_phy U_Phy + ( + .serdes_rst_i (gtp_rst), + .serdes_loopen_i(1'b0), + .serdes_prbsen_i(1'b0), + .serdes_enable_i(1'b1), + .serdes_syncen_i(1'b1), + + .serdes_tx_data_i (gtx_data[7:0]), + .serdes_tx_k_i (gtx_k[0]), + .serdes_tx_disparity_o (gtx_disparity), + .serdes_tx_enc_err_o (gtx_enc_error), + + .serdes_rx_data_o (grx_data[7:0]), + .serdes_rx_k_o (grx_k[0]), + .serdes_rx_enc_err_o (grx_enc_error), + .serdes_rx_bitslide_o (grx_bitslide), + + + .tbi_refclk_i (clk_ref_i), + .tbi_rbclk_i (clk_rx_i), + + .tbi_td_o (td_o), + .tbi_rd_i (rd_i), + .tbi_syncen_o (), + .tbi_loopen_o (), + .tbi_prbsen_o (), + .tbi_enable_o () + ); + + end else if (g_phy_type == "GTX") begin // if (g_phy_type == "TBI") + wr_gtx_phy_virtex6 + #( + .g_simulation(1) + ) U_PHY + ( + .clk_ref_i(clk_ref_i), + + .tx_clk_o (tx_clock), + .tx_data_i (gtx_data), + .tx_k_i (gtx_k), + .tx_disparity_o (gtx_disparity), + .tx_enc_err_o(gtx_enc_error), + .rx_rbclk_o (rx_clock), + .rx_data_o (grx_data), + .rx_k_o (grx_k), + .rx_enc_err_o (grx_enc_error), + .rx_bitslide_o (), + + .rst_i (!rst_n_i), + .loopen_i (1'b0), + + .pad_txn_o (txn_o), + .pad_txp_o (txp_o), + + .pad_rxn_i (rxn_i), + .pad_rxp_i (rxp_i) + ); + + end else if (g_phy_type == "GTP") begin // if (g_phy_type == "TBI") + assign #1 tx_clock = clk_ref_i; + + wr_gtp_phy_spartan6 + #( + .g_simulation(1) + ) U_PHY + ( + .gtp_clk_i(clk_ref_i), + .ch0_ref_clk_i(clk_ref_i), + + .ch0_tx_data_i (gtx_data[7:0]), + .ch0_tx_k_i (gtx_k[0]), + .ch0_tx_disparity_o (gtx_disparity), + .ch0_tx_enc_err_o(gtx_enc_error), + .ch0_rx_rbclk_o (rx_clock), + .ch0_rx_data_o (grx_data[7:0]), + .ch0_rx_k_o (grx_k[0]), + .ch0_rx_enc_err_o (grx_enc_error), + .ch0_rx_bitslide_o (), + + .ch0_rst_i (!rst_n_i), + .ch0_loopen_i (1'b0), + + .pad_txn0_o (txn_o), + .pad_txp0_o (txp_o), + + .pad_rxn0_i (rxn_i), + .pad_rxp0_i (rxp_i) + ); + + end // else: !if(g_phy_type == "TBI") + endgenerate + + wr_endpoint + #( + .g_simulation (1), + .g_pcs_16bit(g_phy_type == "GTX" ? 1: 0), + .g_rx_buffer_size (1024), + .g_with_rx_buffer(0), + .g_with_timestamper (1), + .g_with_dmtd (0), + .g_with_dpi_classifier (1), + .g_with_vlans (0), + .g_with_rtu (0) + ) DUT ( + .clk_ref_i (clk_ref_i), + .clk_sys_i (clk_sys_i), + .clk_dmtd_i (clk_ref_i), + .rst_n_i (rst_n_i), + .pps_csync_p1_i (1'b0), + + .phy_rst_o (), + .phy_loopen_o (), + .phy_enable_o (), + .phy_syncen_o (), + + .phy_ref_clk_i (tx_clock), + .phy_tx_data_o (gtx_data), + .phy_tx_k_o (gtx_k), + .phy_tx_disparity_i (gtx_disparity), + .phy_tx_enc_err_i (gtx_enc_error), + + .phy_rx_data_i (grx_data), + .phy_rx_clk_i (rx_clock), + .phy_rx_k_i (grx_k), + .phy_rx_enc_err_i (grx_enc_error), + .phy_rx_bitslide_i (5'b0), + + .src_dat_o (snk.dat_i), + .src_adr_o (snk.adr), + .src_sel_o (snk.sel), + .src_cyc_o (snk.cyc), + .src_stb_o (snk.stb), + .src_we_o (snk.we), + .src_stall_i (snk.stall), + .src_ack_i (snk.ack), + .src_err_i(1'b0), + + .snk_dat_i (src.dat_o[15:0]), + .snk_adr_i (src.adr[1:0]), + .snk_sel_i (src.sel[1:0]), + .snk_cyc_i (src.cyc), + .snk_stb_i (src.stb), + .snk_we_i (src.we), + .snk_stall_o (src.stall), + .snk_ack_o (src.ack), + .snk_err_o (src.err), + .snk_rty_o (src.rty), + + .txtsu_ack_i (1'b1), + + .rtu_full_i (1'b0), + .rtu_almost_full_i (1'b0), + .rtu_rq_strobe_p1_o (), + .rtu_rq_smac_o (), + .rtu_rq_dmac_o (), + .rtu_rq_vid_o (), + .rtu_rq_has_vid_o (), + .rtu_rq_prio_o (), + .rtu_rq_has_prio_o (), + + .wb_cyc_i(sys.cyc), + .wb_stb_i (sys.stb), + .wb_we_i (sys.we), + .wb_sel_i(sys.sel), + .wb_adr_i(sys.adr[7:0]), + .wb_dat_i(sys.dat_o), + .wb_dat_o(sys.dat_i), + .wb_ack_o (sys.ack) + ); + +endmodule // endpoint_phy_wrapper diff --git a/samples/SystemVerilog/fifo.sv b/samples/SystemVerilog/fifo.sv new file mode 100644 index 00000000..6406bc32 --- /dev/null +++ b/samples/SystemVerilog/fifo.sv @@ -0,0 +1,7 @@ +module fifo ( + input clk_50, + input clk_2, + input reset_n, + output [7:0] data_out, + output empty +); diff --git a/samples/SystemVerilog/priority_encoder.sv b/samples/SystemVerilog/priority_encoder.sv new file mode 100644 index 00000000..614b11d5 --- /dev/null +++ b/samples/SystemVerilog/priority_encoder.sv @@ -0,0 +1,18 @@ +// http://hdlsnippets.com/parameterized_priority_encoder +module priority_encoder #(parameter INPUT_WIDTH=8,OUTPUT_WIDTH=3) +( + input logic [INPUT_WIDTH-1:0] input_data, + output logic [OUTPUT_WIDTH-1:0] output_data +); + +int ii; + +always_comb +begin + output_data = 'b0; + for(ii=0;ii 0; log2 = log2 + 1) + x = x >> 1; + end +endfunction diff --git a/samples/TeX/problemset.cls b/samples/TeX/problemset.cls new file mode 100644 index 00000000..6add7189 --- /dev/null +++ b/samples/TeX/problemset.cls @@ -0,0 +1,380 @@ +% ===================================== +% problemset Document Style +% For Problem Sets +% +% Options: +% final hides to-dos +% worksheet hides solutions and places each problem on separate page +% expand places each problem on a separate page +% ===================================== + +\ProvidesClass{problemset} +\DeclareOption*{\PassOptionsToClass{final}{article}} +\DeclareOption{worksheet}{\providecommand{\@solutionvis}{0}} +\DeclareOption{expand}{\providecommand{\@expand}{1}} +\ProcessOptions\relax + +% ================== Packages and Document Options ================== +\LoadClass[10pt,letterpaper]{article} +\RequirePackage[% + top=0.85in, + bottom=1in, + left=1in, + right=1in + ]{geometry} +\RequirePackage{pgfkeys} % For mathtable environment. +\RequirePackage{tabularx} % For pset heading +\RequirePackage{float} % Used for floats (tables, figures, etc.) +\RequirePackage{graphicx} % Used for inserting images. +\RequirePackage{enumerate} % Used for the enumerate environment. +\RequirePackage{mathtools} % Required. Loads amsmath. +\RequirePackage{amsthm} % Required. Used for theorem environments. +\RequirePackage{amssymb} % Required. +\RequirePackage{booktabs} % Required. Used for mathtable environment. +\RequirePackage{esdiff} % For derivatives and partial derivatives +\RequirePackage{mathtools} % Optional. Used for \shortintertext. +\RequirePackage{fancyhdr} % Required. For customizing headers/footers. +\RequirePackage{lastpage} % Required. For page count in header/footer. +\RequirePackage{xcolor} % Required. For setting the color of hyperlinks +\RequirePackage[% + obeyFinal, % Disable todos by setting [final] option for class + color=@todoclr, + linecolor=red + ]{todonotes} % For keeping track of to-dos. +\RequirePackage[% + colorlinks=true, + linkcolor=navy, + urlcolor=black + ]{hyperref} % For following urls and references in a document. +\RequirePackage{url} % Enables urls with the \url tag +\RequirePackage[all]{hypcap} +% hypcap: Links go to object instead of caption. [Keep as last package] + +% ================== Appearance Settings ================== +\definecolor{@todoclr}{gray}{0.80} % For To-Dos. 50% brightness +\definecolor{navy}{RGB}{0,0,150} % For coloring hyperlinks +\setlength{\parskip}{1.5ex} % Sets space between paragraphs. +\setlength{\parindent}{0pt} % Indent for first line of new paragraphs. + +% Smaller verbatim type size +\let\VERBATIM\verbatim +\def\verbatim{% + \def\verbatim@font{\small\ttfamily}% +\VERBATIM} + +% ============= Caption Modifications ============= +\usepackage[small]{caption} +\usepackage[footnotesize]{subcaption} + % For no visible number, use: \caption*{Unnumbered figure caption.} +\captionsetup[table]{labelformat=simple, labelsep=period, labelfont=bf} +\captionsetup[figure]{labelformat=simple, labelsep=period, labelfont=bf} +\captionsetup[subtable]{labelformat=parens, labelsep=space, labelfont=bf} +\captionsetup[subfigure]{labelformat=simple, labelsep=period, labelfont=bf} + +% ================== Booleans ================== +\def\TRUE{1} +\def\FALSE{0} +\def\SHOW{1} +\def\HIDE{0} + +% ============= Gets Document Info, Generates Heading ============= +\providecommand{\heading}[5][]{ + \thispagestyle{empty} + \listoftodos + \clearpage + \pagenumbering{arabic} + % + \providecommand{\shortname}{#1} + \providecommand{\authorname}{#2} + \providecommand{\coursename}{#3} + \providecommand{\assignment}{#4} + \providecommand{\duedate}{#5} + \begin{minipage}{0.5\textwidth} + \begin{flushleft} + \hypertarget{@assignment}{ + \textbf{\assignment} + }\\ + \authorname + \end{flushleft} + \end{minipage} + \begin{minipage}{0.5\textwidth} + \begin{flushright} + \coursename\\ + \duedate\\ + \end{flushright} + \end{minipage} + \thispagestyle{empty} +} + +% ============= Headers and Footers ============= +\renewcommand{\headrulewidth}{0pt} +\renewcommand{\footrulewidth}{0.5pt} +\pagestyle{fancyplain} +\fancyhf{} +\lfoot{% +\fancyplain{}{% + \hyperlink{@assignment}{% + \small{% + \color{black}{% + \assignment + } + } + } +} +} +\cfoot{% +\fancyplain{}{% + \small{% + \coursename + } +} +} +\rfoot{% +\fancyplain{}{% + \small{\shortname~\thepage~of~\pageref{LastPage}} +} +} + +% ============= Problem Command ============= +% INPUT: Points for question [#1] (Optional) +\newcounter{theproblem} % Problem counter for environment + +\providecommand{\problem}[1][]{% + \addtocounter{theproblem}{1}% + \setcounter{table}{0}% + \setcounter{figure}{0}% + \setcounter{equation}{0}% + \noindent% + \textbf{% + Problem~\arabic{theproblem}.}~\textit{\small{#1}} + +} + +% ============= QED, Page Breaks After QED? ============= +\providecommand{\@expand}{\HIDE} % Default is to omit pagebreaks after the solution +\providecommand{\qqed}{\hfill\rule{2mm}{2mm}\ifnum\@expand=\SHOW\\\pagebreak\fi} + + +% ============= Solution Command ============= +\providecommand{\@solutionvis}{1} % Default setting is to show solutions. +\providecommand{\solution}[2][\@solutionvis]{ +\vspace{0.5em}\noindent\textbf{Solution.} +\ifnum#1=\SHOW% +#2 + +\hfill\qqed\vspace{0.1em} +\else% +\pagebreak% +\fi +} + +% ============= Chapter, Section, Item Commands ============= +\providecommand{\chap}[2][0]{ +\ifnum#1=0% +\else% +\setcounter{section}{#1}% +\addtocounter{section}{-1}% +\fi% +\vspace{-1.75em}% +\section{#2} +} + +\providecommand{\sect}[2][0]{ +\ifnum#1=0% +\else% +\setcounter{subsection}{#1}% +\addtocounter{subsection}{-1}% +\fi% +\vspace{-0.5em}% +\subsection{#2} +} + +\providecommand{\subsect}[1]{\noindent\textbf{#1.}} + +% ============= Insert Non-Float Image ============= +\providecommand{\insertgraphic}[2][0.5\textwidth]{ +\vspace{-1em} +\begin{center} + \includegraphics[width=#1]{#2} +\end{center} +\vspace{-1em} +} + + + +% ============= Object Numbering by Problem ============= +\renewcommand{\thetable}{\arabic{theproblem}.\arabic{table}} +\renewcommand{\thefigure}{\arabic{theproblem}.\arabic{figure}} +\renewcommand{\theequation}{\arabic{theproblem}.\arabic{equation}} + + +% ============= Formula Environment ============= +\newcounter{formula} +\newenvironment{formula}[1][Formula \arabic{formula}] +{ + \addtocounter{formula}{1} + \begin{displaymath} + \tag*{\parbox{5em}{\textbf{\small{#1}}}} +}{ + \end{displaymath}\\ +} + +% ============= Math Table ============= +\newif\ifcaption +\pgfkeys +{ + /mypkg/title/.store in=\Caption,% Any value assigned to title will be stored in \Caption + /mypkg/title= , % Initialize so \Caption exists + /mypkg/label/.store in=\Label, % Any value assigned to label will be stored in \Label + /mypkg/label= , % Initialize so \Label exists + /mypkg/caption/.is if=caption, % Declare a boolean, defaults to false +} +\newenvironment{mathtable}[2][]{ + \pgfkeys{/mypkg/.cd, #1}% + \vspace{-1em}% + \begin{table}[ht!]% + \small \begin{center}% + \begin{displaymath}% + \begin{array}{#2}% + \toprule +}{ + \bottomrule + \end{array}% + \end{displaymath}% + \ifcaption% + \vspace{-1em}\caption{\Caption}\label{\Label}% + \fi% + \end{center}% + \end{table}% + \vspace{-1em}% +} + + +% ============= Double-line Column-Heading for table ============= +\providecommand{\double}[2]{% + \multicolumn{1}{c}{% + \genfrac{}{}{0pt}{}{\text{#1}}{\text{#2}} + } +} + + +% ============= Theorem-Style Environments ============= +\theoremstyle{plain} % Bold label, italic letters +\newtheorem{thm}{Theorem}[section] % Numbered by section +\newtheorem{lma}[thm]{Lemma} +\newtheorem{crl}[thm]{Corollary} +\newtheorem{prp}[thm]{Proposition} +\newtheorem{cnj}[thm]{Conjecture} +\newtheorem{alg}[thm]{Algorithm} + +% Associated environments (for numbered theorem environments) +\newenvironment{theorem}[2][]{\begin{thm}[#1]\label{#2}}{\end{thm}} +\newenvironment{lemma}[2][]{\begin{lma}[#1]\label{#2}}{\end{lma}} +\newenvironment{corollary}[2][]{\begin{crl}[#1]\label{#2}}{\end{thm}} +\newenvironment{proposition}[2][]{\begin{prp}[#1]\label{#2}}{\end{crl}} +\newenvironment{conjecture}[2][]{\begin{cnj}[#1]\label{#2}}{\end{cnj}} +\newenvironment{algorithm}[2][]{\begin{alg}[#1]\label{#2}}{\end{alg}} + +\theoremstyle{remark} % Italic label, roman letters +\newtheorem{rmk}{Remark}[section] % Numbered by section. Remarks are used to expand on and integrate material. +\newtheorem*{note}{Note} % Un-numbered. Notes are used to comment on specific elements of the material. +\newtheorem*{caveat}{Caveat} % Un-numbered. Caveats are used to guide the reader away from a common error. +\newtheorem*{warning}{Warning} % Un-numbered. Warnings are used to guide away from especially egregious errors. + +\theoremstyle{definition} % Bold label, roman letters +\newtheorem{dfn}{Definition}[section] % Numbered by section. Definitions of concepts and terms. +\newtheorem{exm}{Example}[section] % Numbered by section. Illustrative examples. +\newtheorem{smm}{Summary}[subsection] % Numbered by subsection. For section summaries. +\newtheorem*{question}{Question} % Un-numbered. For questions to motivate further analysis. +\newtheorem*{speculation}{Speculation} % Un-numbered. For questions that arise but will not be immediately answered. + +% Associated environments (for numbered theorem environments) +\newenvironment{remark}[2][]{\begin{rmk}[#1]\label{#2}}{\end{rmk}} +\newenvironment{definition}[2][]{\begin{dfn}[#1]\label{#2}}{\end{dfn}} +\newenvironment{example}[2][]{\begin{exm}[#1]\label{#2}}{\end{exm}} +\newenvironment{summary}[2][]{\begin{smm}[#1]\label{#2}}{\end{smm}} + + +% ============= Greek Letters ============= +\renewcommand{\a}{\ensuremath{\alpha}} +\renewcommand{\b}{\ensuremath{\beta}} +\renewcommand{\c}{\ensuremath{\gamma}} +\newcommand{\ch}{\ensuremath{\chi}} +\renewcommand{\d}{\ensuremath{\delta}} +\newcommand{\ep}{\ensuremath{\epsilon}} +\newcommand{\et}{\ensuremath{\eta}} +\newcommand{\ve}{\ensuremath{\varepsilon}} +\renewcommand{\r}{\ensuremath{\rho}} +\newcommand{\s}{\ensuremath{\sigma}} +\renewcommand{\t}{\ensuremath{\tau}} +\newcommand{\f}{\ensuremath{\psi}} +\newcommand{\w}{\ensuremath{\omega}} +\newcommand{\h}{\ensuremath{\phi}} +\newcommand{\m}{\ensuremath{\mu}} +\renewcommand{\l}{\ensuremath{\lambda}} +\renewcommand{\k}{\ensuremath{\kappa}} +\renewcommand{\v}{\ensuremath{\nu}} +\renewcommand{\i}{\ensuremath{\iota}} +\renewcommand{\o}{\ensuremath{\theta}} +\newcommand{\z}{\ensuremath{\zeta}} + +% ============= Mathematical Symbols ============= +\providecommand{\NN}{\ensuremath{\mathbb{N}}} +\providecommand{\ZZ}{\ensuremath{\mathbb{Z}}} +\providecommand{\QQ}{\ensuremath{\mathbb{Q}}} +\providecommand{\RR}{\ensuremath{\mathbb{R}}} +\providecommand{\CC}{\ensuremath{\mathbb{C}}} +\providecommand{\pd}{\partial} % 'dee' symbol for partial derivatives +\providecommand{\dd}{\mathrm{d}} % 'dee' symbol for ordinary derivatives +\providecommand{\x}{\times} +\providecommand{\n}{\scalebox{0.6}[1.0]{\ensuremath{-}}} + + + +% ============= Mathematical Macros ============= +\providecommand{\Sum}[3][n]{\ensuremath{\sum_{{#1}={#2}}^{#3}}} % Sum from [n]={1}to{2}. \Sum{1}{10} +\providecommand{\infsum}[2][n]{\ensuremath{\sum_{{#1}={#2}}^\infty}} % Infinite sum from [n]={1} \infsum{1} +\providecommand{\Int}[4][x]{\ensuremath{\int_{#3}^{#4}\!{#2}\,\mathrm{d}{#1}}} % Integrate {1} from {2} to {3} with respect to [x] +\providecommand{\Lim}[3][\infty]{\ensuremath{\displaystyle \lim_{{#2}\to{#1}}\!\!{#3}}} % Take the limit from {1} to [infinity] of {3} \Lim{x}{f(x)} +\providecommand{\Frac}[2]{\ensuremath{\,^{#1}\!/\!_{#2}}} % Slanted fraction with proper spacing. Usefule for in-line display of fractions. +\providecommand{\eval}[3]{\ensuremath{\left[ #1 \right \vert_{#2}^{#3}}} +\renewcommand{\L}{\left} % for left-hand right-sizing +\providecommand{\R}{\right} % for right-hand right-sizing +\providecommand{\D}{\diff} % for writing derivatives +\providecommand{\PD}{\diffp} % for writing partial derivatives +\providecommand{\full}{\displaystyle} % Forces display style in math mode +\providecommand{\Deg}{\ensuremath{^\circ}} % for adding a degree symbol, even if not in math mode +\providecommand{\abs}[1]{\left\vert #1 \right\vert} % Absolute Value +\providecommand{\norm}[1]{\left \Vert #1 \right \Vert} % Norm (vector magnitude) +\providecommand{\e}[1]{\ensuremath{\times 10^{#1}}} % Scientific Notation with times symbol +\providecommand{\E}[1]{\ensuremath{10^{#1}}} % Scientific Notation +\renewcommand{\u}[1]{\text{ #1}} % For inserting units in Roman text +\providecommand{\mc}{\text{,}\hspace{1em}} % For inserting comma and space into math mode +\providecommand{\mtxt}[2][]{#1\hspace{0.5em}\text{#2}\hspace{0.5em}} % For insterting text into math mode with space on either side. Option for preceding punctuation. + +% ============= Probability and Statistics ============= +\providecommand{\prob}[1]{\ensuremath{P\!\left(#1\right)} } +\providecommand{\cndprb}[2]{\ensuremath{P\!\left(#1 \left\vert #2 \right. \right)} } +\providecommand{\cov}[1]{\ensuremath{\text{Cov}\!\left(#1\right)} } +\providecommand{\ex}[1]{\ensuremath{E\!\left[#1\right]} } + +% ============= Linear Algebra ============= + +% Column vectors +\providecommand{\twovector}[3][r]{\left(\begin{array}{#1} #2 \\ #3\end{array}\right)} +\providecommand{\threevector}[4][r]{\left(\begin{array}{#1} #2 \\ #3 \\ #4\end{array}\right)} +\providecommand{\fourvector}[5][r]{\left(\begin{array}{#1} #2 \\ #3 \\ #4 \\ #5 \end{array}\right)} + +% ============= Vector Calculus ============= +% ------------- Susan Lea's notation --------------- +\providecommand{\vecs}[1]{\ensuremath{\vec{\bm{#1}}} } % bolded symbol, arrow +\providecommand{\vect}[1]{\ensuremath{\vec{\textbf{#1}}} } % bolded text, arrow +\providecommand{\unitvecs}[1]{\bm{\hat{#1}}} +\providecommand{\unitvect}[1]{\hat{\textbf{#1}}} +\providecommand{\Div}[1]{\vecs{\del} \cdot \vect{#1}} +\providecommand{\Curl}[1]{\vecs{\del} \times \vect{#1}} +\providecommand{\Grad}{\vecs{\del}} + + + + diff --git a/samples/Visual Basic/Index.vbhtml b/samples/Visual Basic/Index.vbhtml new file mode 100644 index 00000000..6aa2b37b --- /dev/null +++ b/samples/Visual Basic/Index.vbhtml @@ -0,0 +1,47 @@ +@Code + ViewData("Title") = "Home Page" +End Code + +@section featured + +End Section + +

We suggest the following:

+
    +
  1. +
    Getting Started
    + ASP.NET MVC gives you a powerful, patterns-based way to build dynamic websites that + enables a clean separation of concerns and that gives you full control over markup + for enjoyable, agile development. ASP.NET MVC includes many features that enable + fast, TDD-friendly development for creating sophisticated applications that use + the latest web standards. + Learn more… +
  2. + +
  3. +
    Add NuGet packages and jump-start your coding
    + NuGet makes it easy to install and update free libraries and tools. + Learn more… +
  4. + +
  5. +
    Find Web Hosting
    + You can easily find a web hosting company that offers the right mix of features + and price for your applications. + Learn more… +
  6. +
diff --git a/samples/Visual Basic/Module1.vb b/samples/Visual Basic/Module1.vb new file mode 100644 index 00000000..caa09195 --- /dev/null +++ b/samples/Visual Basic/Module1.vb @@ -0,0 +1,8 @@ +Module Module1 + + Sub Main() + Console.Out.WriteLine("Hello, I am a little sample application to test GitHub's Linguist module.") + Console.Out.WriteLine("I also include a Razor MVC file just to prove it handles cshtml files now.") + End Sub + +End Module diff --git a/samples/XML/pt_BR.xml b/samples/XML/pt_BR.xml new file mode 100644 index 00000000..bfaf0015 --- /dev/null +++ b/samples/XML/pt_BR.xml @@ -0,0 +1,47 @@ + + + + + MainWindow + + + United Kingdom + Reino Unido + + + + God save the Queen + Deus salve a Rainha + + + + England + Inglaterra + + + + Wales + Gales + + + + Scotland + Escócia + + + + Northern Ireland + Irlanda Norte + + + + Portuguese + Português + + + + English + Inglês + + + diff --git a/samples/YAML/vcr_cassette.yml b/samples/YAML/vcr_cassette.yml new file mode 100644 index 00000000..cf21a3fb --- /dev/null +++ b/samples/YAML/vcr_cassette.yml @@ -0,0 +1,20 @@ +--- +http_interactions: +- request: + method: get + uri: http://example.com/ + body: '' + headers: {} + response: + status: + code: 200 + message: OK + headers: + Content-Type: + - text/html;charset=utf-8 + Content-Length: + - '26' + body: This is the response body + http_version: '1.1' + recorded_at: Tue, 01 Nov 2011 04:58:44 GMT +recorded_with: VCR 2.0.0 diff --git a/test/test_blob.rb b/test/test_blob.rb index 0df35795..3e82f7a8 100644 --- a/test/test_blob.rb +++ b/test/test_blob.rb @@ -185,6 +185,9 @@ class TestBlob < Test::Unit::TestCase # PEG.js-generated parsers assert blob("JavaScript/parser.js").generated? + # Generated PostScript + assert !blob("PostScript/sierpinski.ps").generated? + # These examples are too basic to tell assert !blob("JavaScript/empty.js").generated? assert !blob("JavaScript/hello.js").generated? @@ -208,6 +211,9 @@ class TestBlob < Test::Unit::TestCase assert !blob("CSS/bootstrap.css").generated? assert blob("CSS/bootstrap.min.css").generated? + # Generated VCR + assert blob("YAML/vcr_cassette.yml").generated? + assert Linguist::Generated.generated?("node_modules/grunt/lib/grunt.js", nil) end @@ -221,6 +227,11 @@ class TestBlob < Test::Unit::TestCase # Node dependencies assert blob("node_modules/coffee-script/lib/coffee-script.js").vendored? + # Bower Components + assert blob("bower_components/custom/custom.js").vendored? + assert blob("app/bower_components/custom/custom.js").vendored? + assert blob("vendor/assets/bower_components/custom/custom.js").vendored? + # Rails vendor/ assert blob("vendor/plugins/will_paginate/lib/will_paginate.rb").vendored? @@ -270,7 +281,6 @@ class TestBlob < Test::Unit::TestCase assert blob("ui/minified/jquery.effects.blind.min.js").vendored? assert blob("ui/minified/jquery.ui.accordion.min.js").vendored? - # MooTools assert blob("public/javascripts/mootools-core-1.3.2-full-compat.js").vendored? assert blob("public/javascripts/mootools-core-1.3.2-full-compat-yc.js").vendored? @@ -292,6 +302,10 @@ class TestBlob < Test::Unit::TestCase assert blob("public/javascripts/tiny_mce_popup.js").vendored? assert blob("public/javascripts/tiny_mce_src.js").vendored? + # AngularJS + assert blob("public/javascripts/angular.js").vendored? + assert blob("public/javascripts/angular.min.js").vendored? + # Fabric assert blob("fabfile.py").vendored? @@ -323,7 +337,7 @@ class TestBlob < Test::Unit::TestCase # Test fixtures assert blob("test/fixtures/random.rkt").vendored? assert blob("Test/fixtures/random.rkt").vendored? - + # Cordova/PhoneGap assert blob("cordova.js").vendored? assert blob("cordova.min.js").vendored? @@ -332,6 +346,14 @@ class TestBlob < Test::Unit::TestCase # Vagrant assert blob("Vagrantfile").vendored? + + # Gradle + assert blob("gradlew").vendored? + assert blob("gradlew.bat").vendored? + assert blob("gradle/wrapper/gradle-wrapper.properties").vendored? + assert blob("subproject/gradlew").vendored? + assert blob("subproject/gradlew.bat").vendored? + assert blob("subproject/gradle/wrapper/gradle-wrapper.properties").vendored? end def test_language diff --git a/test/test_heuristics.rb b/test/test_heuristics.rb new file mode 100644 index 00000000..0c1a07ff --- /dev/null +++ b/test/test_heuristics.rb @@ -0,0 +1,87 @@ +require 'linguist/heuristics' +require 'linguist/language' +require 'linguist/samples' + +require 'test/unit' + +class TestHeuristcs < Test::Unit::TestCase + include Linguist + + def samples_path + File.expand_path("../../samples", __FILE__) + end + + def fixture(name) + File.read(File.join(samples_path, name)) + end + + def all_fixtures(language_name, file="*") + Dir.glob("#{samples_path}/#{language_name}/#{file}") + end + + def test_obj_c_by_heuristics + languages = ["C++", "Objective-C"] + # Only calling out '.h' filenames as these are the ones causing issues + all_fixtures("Objective-C", "*.h").each do |fixture| + results = Heuristics.disambiguate_c(fixture("Objective-C/#{File.basename(fixture)}"), languages) + assert_equal Language["Objective-C"], results.first + end + end + + def test_cpp_by_heuristics + languages = ["C++", "Objective-C"] + results = Heuristics.disambiguate_c(fixture("C++/render_adapter.cpp"), languages) + assert_equal Language["C++"], results.first + end + + def test_detect_still_works_if_nothing_matches + match = Language.detect("Hello.m", fixture("Objective-C/hello.m")) + assert_equal Language["Objective-C"], match + end + + def test_pl_prolog_by_heuristics + languages = ["Perl", "Prolog"] + results = Heuristics.disambiguate_pl(fixture("Prolog/turing.pl"), languages) + assert_equal Language["Prolog"], results.first + end + + def test_pl_perl_by_heuristics + languages = ["Perl", "Prolog"] + results = Heuristics.disambiguate_pl(fixture("Perl/perl-test.t"), languages) + assert_equal Language["Perl"], results.first + end + + def test_ecl_prolog_by_heuristics + languages = ["ECL", "Prolog"] + results = Heuristics.disambiguate_ecl(fixture("Prolog/or-constraint.ecl"), languages) + assert_equal Language["Prolog"], results.first + end + + def test_ecl_ecl_by_heuristics + languages = ["ECL", "Prolog"] + results = Heuristics.disambiguate_ecl(fixture("ECL/sample.ecl"), languages) + assert_equal Language["ECL"], results.first + end + + def test_ts_typescript_by_heuristics + languages = ["TypeScript", "XML"] + results = Heuristics.disambiguate_ts(fixture("TypeScript/classes.ts"), languages) + assert_equal Language["TypeScript"], results.first + end + + def test_ts_xml_by_heuristics + languages = ["TypeScript", "XML"] + results = Heuristics.disambiguate_ts(fixture("XML/pt_BR.xml"), languages) + assert_equal Language["XML"], results.first + end + + def test_cl_by_heuristics + languages = ["Common Lisp", "OpenCL"] + languages.each do |language| + all_fixtures(language).each do |fixture| + results = Heuristics.disambiguate_cl(fixture("#{language}/#{File.basename(fixture)}"), languages) + assert_equal Language[language], results.first + end + end + end +end diff --git a/test/test_language.rb b/test/test_language.rb index 6a4d3d7e..423434fb 100644 --- a/test/test_language.rb +++ b/test/test_language.rb @@ -10,6 +10,7 @@ class TestLanguage < Test::Unit::TestCase def test_lexer assert_equal Lexer['ActionScript 3'], Language['ActionScript'].lexer + assert_equal Lexer['AspectJ'], Language['AspectJ'].lexer assert_equal Lexer['Bash'], Language['Gentoo Ebuild'].lexer assert_equal Lexer['Bash'], Language['Gentoo Eclass'].lexer assert_equal Lexer['Bash'], Language['Shell'].lexer @@ -40,6 +41,7 @@ class TestLanguage < Test::Unit::TestCase assert_equal Lexer['REBOL'], Language['Rebol'].lexer assert_equal Lexer['RHTML'], Language['HTML+ERB'].lexer assert_equal Lexer['RHTML'], Language['RHTML'].lexer + assert_equal Lexer['Ruby'], Language['Crystal'].lexer assert_equal Lexer['Ruby'], Language['Mirah'].lexer assert_equal Lexer['Ruby'], Language['Ruby'].lexer assert_equal Lexer['S'], Language['R'].lexer @@ -103,6 +105,7 @@ class TestLanguage < Test::Unit::TestCase assert_equal Language['Raw token data'], Language.find_by_alias('raw') assert_equal Language['Ruby'], Language.find_by_alias('rb') assert_equal Language['Ruby'], Language.find_by_alias('ruby') + assert_equal Language['R'], Language.find_by_alias('r') assert_equal Language['Scheme'], Language.find_by_alias('scheme') assert_equal Language['Shell'], Language.find_by_alias('bash') assert_equal Language['Shell'], Language.find_by_alias('sh') @@ -191,12 +194,18 @@ class TestLanguage < Test::Unit::TestCase def test_markup assert_equal :markup, Language['HTML'].type + assert_equal :markup, Language['SCSS'].type end def test_data assert_equal :data, Language['YAML'].type end + def test_prose + assert_equal :prose, Language['Markdown'].type + assert_equal :prose, Language['Org'].type + end + def test_other assert_nil Language['Brainfuck'].type assert_nil Language['Makefile'].type @@ -274,7 +283,7 @@ class TestLanguage < Test::Unit::TestCase bodies.each do |body| assert_equal([body, languages.map{|l| Language[l]}], [body, Language.find_by_shebang(body)]) - + end end end @@ -314,7 +323,7 @@ class TestLanguage < Test::Unit::TestCase def test_color assert_equal '#701516', Language['Ruby'].color assert_equal '#3581ba', Language['Python'].color - assert_equal '#f15501', Language['JavaScript'].color + assert_equal '#f7df1e', Language['JavaScript'].color assert_equal '#31859c', Language['TypeScript'].color end @@ -369,7 +378,7 @@ class TestLanguage < Test::Unit::TestCase end def test_by_type - assert_equal 8, Language.by_type(:prose).length + assert !Language.by_type(:prose).nil? end def test_colorize @@ -377,6 +386,15 @@ class TestLanguage < Test::Unit::TestCase
def foo
   'foo'
 end
+
+ HTML + end + + def test_colorize_with_options + assert_equal <<-HTML.chomp, Language['Ruby'].colorize("def foo\n 'foo'\nend\n", :options => { :cssclass => "highlight highlight-ruby" }) +
def foo
+  'foo'
+end
 
HTML end diff --git a/test/test_repository.rb b/test/test_repository.rb index 26025c09..832489d3 100644 --- a/test/test_repository.rb +++ b/test/test_repository.rb @@ -25,6 +25,12 @@ class TestRepository < Test::Unit::TestCase assert linguist_repo.size > 30_000 end + def test_linguist_breakdown + assert linguist_repo.breakdown_by_file.has_key?("Ruby") + assert linguist_repo.breakdown_by_file["Ruby"].include?("bin/linguist") + assert linguist_repo.breakdown_by_file["Ruby"].include?("lib/linguist/language.rb") + end + def test_binary_override assert_equal repo(File.expand_path("../../samples/Nimrod", __FILE__)).language, Language["Nimrod"] end
": 1, + "class=": 7, + "
": 1, + "
": 1, + "

": 1, + "@ViewData": 2, + ".": 3, + "

": 1, + "

": 1, + "

": 1, + "
": 1, + "

": 1, + "To": 1, + "learn": 1, + "more": 4, + "about": 2, + "ASP.NET": 5, + "MVC": 4, + "visit": 2, + "": 5, + "href=": 5, + "title=": 2, + "http": 1, + "//asp.net/mvc": 1, + "": 5, + "The": 1, + "page": 1, + "features": 3, + "": 1, + "videos": 1, + "tutorials": 1, + "and": 6, + "samples": 1, + "": 1, + "help": 1, + "you": 4, + "get": 1, + "most": 1, + "MVC.": 1, + "have": 1, + "any": 1, + "questions": 1, + "our": 1, + "forums": 1, + "

": 1, + "
": 1, + "