yajl-ruby-1.4.3/0000755000004100000410000000000014246427314013474 5ustar www-datawww-datayajl-ruby-1.4.3/.rspec0000644000004100000410000000004014246427314014603 0ustar www-datawww-data--format documentation --colour yajl-ruby-1.4.3/README.md0000644000004100000410000003024114246427314014753 0ustar www-datawww-data# YAJL C Bindings for Ruby This gem is a C binding to the excellent YAJL JSON parsing and generation library. You can read more info at the project's website http://lloyd.github.com/yajl or check out its code at http://github.com/lloyd/yajl. ## Features * JSON parsing and encoding directly to and from an IO stream (file, socket, etc) or String. Compressed stream parsing and encoding supported for Bzip2, Gzip and Deflate. * Parse and encode *multiple* JSON objects to and from streams or strings continuously. * JSON gem compatibility API - allows yajl-ruby to be used as a drop-in replacement for the JSON gem * Basic HTTP client (only GET requests supported for now) which parses JSON directly off the response body *as it's being received* * ~3.5x faster than JSON.generate * ~1.9x faster than JSON.parse * ~4.5x faster than YAML.load * ~377.5x faster than YAML.dump * ~1.5x faster than Marshal.load * ~2x faster than Marshal.dump ## How to install Go ahead and install it as usual: ``` gem install yajl-ruby ``` Or use your Gemfile: ``` ruby gem 'yajl-ruby', require: 'yajl' ``` ## Example of use NOTE: I'm building up a collection of small examples in the examples (http://github.com/brianmario/yajl-ruby/tree/master/examples) folder. First, you're probably gonna want to require it: ``` ruby require 'yajl' ``` ### Parsing Then maybe parse some JSON from: a File IO ``` ruby json = File.new('test.json', 'r') parser = Yajl::Parser.new hash = parser.parse(json) ``` or maybe a StringIO ``` ruby json = StringIO.new("...some JSON...") parser = Yajl::Parser.new hash = parser.parse(json) ``` or maybe STDIN ``` cat someJsonFile.json | ruby -ryajl -e "puts Yajl::Parser.parse(STDIN).inspect" ``` Or lets say you didn't have access to the IO object that contained JSON data, but instead only had access to chunks of it at a time. No problem! (Assume we're in an EventMachine::Connection instance) ``` ruby def post_init @parser = Yajl::Parser.new(:symbolize_keys => true) end def object_parsed(obj) puts "Sometimes one pays most for the things one gets for nothing. - Albert Einstein" puts obj.inspect end def connection_completed # once a full JSON object has been parsed from the stream # object_parsed will be called, and passed the constructed object @parser.on_parse_complete = method(:object_parsed) end def receive_data(data) # continue passing chunks @parser << data end ``` Or if you don't need to stream it, it'll just return the built object from the parse when it's done. NOTE: if there are going to be multiple JSON strings in the input, you *must* specify a block or callback as this is how yajl-ruby will hand you (the caller) each object as it's parsed off the input. ``` ruby obj = Yajl::Parser.parse(str_or_io) ``` Or how about a JSON API HTTP request? This actually makes a request using a raw TCPSocket, then parses the JSON body right off the socket. While it's being received over the wire! ``` ruby require 'uri' require 'yajl/http_stream' url = URI.parse("http://search.twitter.com/search.json?q=engineyard") results = Yajl::HttpStream.get(url) ``` Or do the same request, with Gzip and Deflate output compression support (also supports Bzip2, if loaded): (this does the same raw socket Request, but transparently parses the compressed response body) ``` ruby require 'uri' require 'yajl/gzip' require 'yajl/deflate' require 'yajl/http_stream' url = URI.parse("http://search.twitter.com/search.json?q=engineyard") results = Yajl::HttpStream.get(url) ``` Since yajl-ruby parses JSON as a stream, supporting APIs like Twitter's Streaming API are a piece-of-cake. You can simply supply a block to `Yajl::HttpStream.get`, which is used as the callback for when a JSON object has been unserialized off the stream. For the case of this Twitter Streaming API call, the callback gets fired a few times a second (depending on your connection speed). The code below is all that's needed to make the request and stream unserialized Ruby hashes off the response, continuously. You'll note that I've enabled the :symbolize_keys parser option as well. Doing so is much more efficient for parsing JSON streams with lots of repetitive keys - for things like result sets or multiple API requests - than the same parse with string keys. This is because Ruby will reuse (and never GC) its symbol table. Be that as it may, if you want to parse JSON strings with random key names it's much better to leave string keys enabled (the default), so they can get GC'd later. ``` ruby require 'uri' require 'yajl/http_stream' uri = URI.parse("http://#{username}:#{password}@stream.twitter.com/spritzer.json") Yajl::HttpStream.get(uri, :symbolize_keys => true) do |hash| puts hash.inspect end ``` Or how about parsing directly from a compressed file? ``` ruby require 'yajl/bzip2' file = File.new('some.json.bz2', 'r') result = Yajl::Bzip2::StreamReader.parse(file) ``` ### Encoding Since yajl-ruby does everything using streams, you simply need to pass the object to encode, and the IO to write the stream to (this happens in chunks). This allows you to encode JSON as a stream, writing directly to a socket ``` ruby socket = TCPSocket.new('192.168.1.101', 9000) hash = {:foo => 12425125, :bar => "some string", ... } Yajl::Encoder.encode(hash, socket) ``` Or what if you wanted to compress the stream over the wire? ``` ruby require 'yajl/gzip' socket = TCPSocket.new('192.168.1.101', 9000) hash = {:foo => 12425125, :bar => "some string", ... } Yajl::Gzip::StreamWriter.encode(hash, socket) ``` Or what about encoding multiple objects to JSON over the same stream? This example will encode and send 50 JSON objects over the same stream, continuously. ``` ruby socket = TCPSocket.new('192.168.1.101', 9000) encoder = Yajl::Encoder.new 50.times do hash = {:current_time => Time.now.to_f, :foo => 12425125} encoder.encode(hash, socket) end ``` Using `EventMachine` and you want to encode and send in chunks? (Assume we're in an `EventMachine::Connection` instance) ``` ruby def post_init # Passing a :terminator character will let us determine when the encoder # is done encoding the current object @encoder = Yajl::Encoder.new motd_contents = File.read("/path/to/motd.txt") status = File.read("/path/to/huge/status_file.txt") @motd = {:motd => motd_contents, :system_status => status} end def connection_completed # The encoder will do its best to hand you data in chunks that # are around 8kb (but you may see some that are larger) # # It should be noted that you could have also assigned the _on_progress_ callback # much like you can assign the _on_parse_complete_ callback with the parser class. # Passing a block (like below) essentially tells the encoder to use that block # as the callback normally assigned to _on_progress_. # # Send our MOTD and status @encoder.encode(@motd) do |chunk| if chunk.nil? # got our terminator, encoding is done close_connection_after_writing else send_data(chunk) end end end ``` But to make things simple, you might just want to let yajl-ruby do all the hard work for you and just hand back a string when it's finished. In that case, just don't provide and IO or block (or assign the on_progress callback). ``` ruby str = Yajl::Encoder.encode(obj) ``` You can also use `Yajl::Bzip2::StreamWriter` and `Yajl::Deflate::StreamWriter`. So you can pick whichever fits your CPU/bandwidth sweet-spot. ### HTML Safety If you plan on embedding the output from the encoder in the DOM, you'll want to make sure you use the html_safe option on the encoder. This will escape all '/' characters to ensure no closing tags can be injected, preventing XSS. Meaning the following should be perfectly safe: ``` html ", :html_safe => true) %>; ``` ## JSON gem Compatibility API The JSON gem compatibility API isn't enabled by default. You have to explicitly require it like so: ``` ruby require 'yajl/json_gem' ``` That's right, you can just replace `"require 'json'"` with the line above and you're done! This will require yajl-ruby itself, as well as enable its JSON gem compatibility API. This includes the following API: JSON.parse, JSON.generate, JSON.pretty_generate, JSON.load, JSON.dump and all of the #to_json instance method overrides for Ruby's primitive objects Once the compatibility API is enabled, your existing or new project should work as if the JSON gem itself were being used. Only you'll be using Yajl ;) There are a lot more possibilities that I'd love to see other gems/plugins for someday. Some ideas: * parsing logs in JSON format * a Rails plugin - DONE! (http://github.com/technoweenie/yajl-rails) * official support in Rails 3 - DONE (http://github.com/rails/rails/commit/a96bf4ab5e73fccdafb78b99e8a122cc2172b505) * and is the default (if installed) - http://github.com/rails/rails/commit/63bb955a99eb46e257655c93dd64e86ebbf05651 * Rack middleware (ideally the JSON body could be handed to the parser while it's still being received, this is apparently possible with Unicorn) * JSON API clients (http://github.com/brianmario/freckle-api) ## Benchmarks After I finished implementation - this library performs close to the same as the current JSON.parse (C gem) does on small/medium files. But on larger files, and higher amounts of iteration, this library was around 2x faster than JSON.parse. The main benefit of this library is in its memory usage. Since it's able to parse the stream in chunks, its memory requirements are very, very low. Here's what parsing a 2.43MB JSON file off the filesystem 20 times looks like: ### Memory Usage #### Average * Yajl::Parser#parse: 32MB * JSON.parse: 54MB * ActiveSupport::JSON.decode: 63MB #### Peak * Yajl::Parser#parse: 32MB * JSON.parse: 57MB * ActiveSupport::JSON.decode: 67MB ### Parse Time * Yajl::Parser#parse: 4.54s * JSON.parse: 5.47s * ActiveSupport::JSON.decode: 64.42s ### Encode Time * Yajl::Encoder#encode: 3.59s * JSON#to_json: 6.2s * ActiveSupport::JSON.encode: 45.58s ### Compared to YAML NOTE: I converted the 2.4MB JSON file to YAML for this test. #### Parse Time (from their respective formats) * Yajl::Parser#parse: 4.33s * JSON.parse: 5.37s * YAML.load: 19.47s #### Encode Time (to their respective formats) * Yajl::Encoder#encode: 3.47s * JSON#to_json: 6.6s * YAML.dump(obj, io): 1309.93s ### Compared to Marshal.load/Marshal.dump NOTE: I converted the 2.4MB JSON file to a Hash and a dump file from Marshal.dump for this test. #### Parse Time (from their respective formats) * Yajl::Parser#parse: 4.54s * JSON.parse: 7.40s * Marshal.load: 7s #### Encode Time (to their respective formats) * Yajl::Encoder#encode: 2.39s * JSON#to_json: 8.37s * Marshal.dump: 4.66s ## Third Party Sources Bundled This project includes code from the BSD licensed yajl project, copyright 2007-2009 Lloyd Hilaiel ## Special Thanks & Contributors For those of you using yajl-ruby out in the wild, please hit me up on Twitter (brianmario) or send me a message here on the Githubs describing the site and how you're using it. I'd love to get a list going! I've had a lot of inspiration, and a lot of help. Thanks to everyone who's been a part of this and those to come! * Lloyd Hilaiel - http://github.com/lloyd - for writing Yajl!! * Josh Ferguson - http://github.com/besquared - for peer-pressuring me into getting back into C; it worked ;) Also tons of support over IM * Jonathan Novak - http://github.com/cypriss - pointer-hacking help * Tom Smith - http://github.com/rtomsmith - pointer-hacking help * Rick Olson - http://github.com/technoweenie - for making an ActiveSupport patch with support for this library and teasing me that it might go into Rails 3. You sure lit a fire under my ass and I got a ton of work done because of it! :) * The entire Github Crew - http://github.com/ - my inspiration, time spent writing this, finding Yajl, So many-MANY other things wouldn't have been possible without this awesome service. I owe you guys some whiskey at Kilowatt. * Ben Burkert - http://github.com/benburkert * Aman Gupta - http://github.com/tmm1 - tons of suggestions and inspiration for the most recent features, and hopefully more to come ;) * Filipe Giusti * Jonathan George * Luke Redpath * Neil Berkman * Pavel Valodzka * Rob Sharp yajl-ruby-1.4.3/tasks/0000755000004100000410000000000014246427314014621 5ustar www-datawww-datayajl-ruby-1.4.3/tasks/compile.rake0000644000004100000410000000164014246427314017116 0ustar www-datawww-datarequire 'rake/extensiontask' def gemspec @clean_gemspec ||= eval(File.read(File.expand_path('../../yajl-ruby.gemspec', __FILE__))) end Rake::ExtensionTask.new('yajl', gemspec) do |ext| # automatically add build options to avoid need of manual input ext.cross_compile = true ext.cross_platform = ['x86-mingw32', 'x86-mswin32-60'] # inject 1.8/1.9 pure-ruby entry point when cross compiling only ext.cross_compiling do |spec| spec.files << 'lib/yajl/yajl.rb' end ext.lib_dir = File.join 'lib', 'yajl' # clean compiled extension CLEAN.include "#{ext.lib_dir}/*.#{RbConfig::CONFIG['DLEXT']}" end Rake::Task[:spec].prerequisites << :compile file 'lib/yajl/yajl.rb' do |t| File.open(t.name, 'wb') do |f| f.write <<-eoruby RUBY_VERSION =~ /(\\d+.\\d+)/ require "yajl/\#{$1}/yajl" eoruby end end if Rake::Task.task_defined?(:cross) Rake::Task[:cross].prerequisites << 'lib/yajl/yajl.rb' end yajl-ruby-1.4.3/tasks/rspec.rake0000644000004100000410000000060114246427314016576 0ustar www-datawww-databegin require 'rspec' require 'rspec/core/rake_task' desc "Run all examples with RCov" RSpec::Core::RakeTask.new('spec:rcov') do |t| t.rcov = true end RSpec::Core::RakeTask.new('spec') do |t| t.verbose = true end task :default => :spec rescue LoadError puts "rspec, or one of its dependencies, is not available. Install it with: sudo gem install rspec" end yajl-ruby-1.4.3/spec/0000755000004100000410000000000014246427314014426 5ustar www-datawww-datayajl-ruby-1.4.3/spec/json_gem_compatibility/0000755000004100000410000000000014246427314021160 5ustar www-datawww-datayajl-ruby-1.4.3/spec/json_gem_compatibility/compatibility_spec.rb0000644000004100000410000001562614246427314025402 0ustar www-datawww-data# encoding: UTF-8 require File.expand_path(File.dirname(__FILE__) + '/../spec_helper.rb') class Dummy; end describe "JSON Gem compatability API" do it "shoud not mixin #to_json on base objects until compatability has been enabled" do d = Dummy.new expect(d.respond_to?(:to_json)).not_to be_truthy expect("".respond_to?(:to_json)).not_to be_truthy expect(1.respond_to?(:to_json)).not_to be_truthy expect("1.5".to_f.respond_to?(:to_json)).not_to be_truthy expect([].respond_to?(:to_json)).not_to be_truthy expect({:foo => "bar"}.respond_to?(:to_json)).not_to be_truthy expect(true.respond_to?(:to_json)).not_to be_truthy expect(false.respond_to?(:to_json)).not_to be_truthy expect(nil.respond_to?(:to_json)).not_to be_truthy end it "should mixin #to_json on base objects after compatability has been enabled" do require 'yajl/json_gem' d = Dummy.new expect(d.respond_to?(:to_json)).to be_truthy expect("".respond_to?(:to_json)).to be_truthy expect(1.respond_to?(:to_json)).to be_truthy expect("1.5".to_f.respond_to?(:to_json)).to be_truthy expect([].respond_to?(:to_json)).to be_truthy expect({:foo => "bar"}.respond_to?(:to_json)).to be_truthy expect(true.respond_to?(:to_json)).to be_truthy expect(false.respond_to?(:to_json)).to be_truthy expect(nil.respond_to?(:to_json)).to be_truthy end it "should require yajl/json_gem to enable the compatability API" do expect(defined?(JSON)).to be_truthy expect(JSON.respond_to?(:parse)).to be_truthy expect(JSON.respond_to?(:generate)).to be_truthy expect(JSON.respond_to?(:pretty_generate)).to be_truthy expect(JSON.respond_to?(:load)).to be_truthy expect(JSON.respond_to?(:dump)).to be_truthy end it "should allow default parsing options be set with JSON.default_options" do default = JSON.default_options[:symbolize_keys] expect(JSON.parse('{"foo": 1234}')).to be === {"foo" => 1234} JSON.default_options[:symbolize_keys] = true expect(JSON.parse('{"foo": 1234}')).to be === {:foo => 1234} JSON.default_options[:symbolize_keys] = default # ensure the rest of the test cases expect the default end it "should also allow the json gem's symbolize_names key" do expect(JSON.parse('{"foo": 1234}', :symbolize_names => true)).to be === {:foo => 1234} end it "should encode arbitrary classes via their default to_json method" do d = Dummy.new expect(d.to_json).to eq("\"#{d.to_s}\"") t = Time.now expect(t.to_json).to eq("\"#{t.to_s}\"") da = Date.today expect(da.to_json).to eq("\"#{da.to_s}\"") dt = DateTime.new expect(dt.to_json).to eq("\"#{dt.to_s}\"") end it "should have the standard parsing and encoding exceptions mapped" do expect(JSON::JSONError.new.is_a?(StandardError)).to be_truthy expect(JSON::ParserError.new.is_a?(JSON::JSONError)).to be_truthy expect(JSON::GeneratorError.new.is_a?(JSON::JSONError)).to be_truthy expect { JSON.parse("blah") }.to raise_error(JSON::ParserError) expect { JSON.generate(0.0/0.0) }.to raise_error(JSON::GeneratorError) end context "ported tests for Unicode" do it "should be able to encode and parse unicode" do expect('""').to eql(''.to_json) expect('"\\b"').to eql("\b".to_json) expect('"\u0001"').to eql(0x1.chr.to_json) expect('"\u001F"').to eql(0x1f.chr.to_json) expect('" "').to eql(' '.to_json) expect("\"#{0x7f.chr}\"").to eql(0x7f.chr.to_json) utf8 = [ "© ≠ €! \01" ] json = "[\"© ≠ €! \\u0001\"]" expect(json).to eql(utf8.to_json) expect(utf8).to eql(JSON.parse(json)) utf8 = ["\343\201\202\343\201\204\343\201\206\343\201\210\343\201\212"] json = "[\"あいうえお\"]" expect(json).to eql(utf8.to_json) expect(utf8).to eql(JSON.parse(json)) utf8 = ['საქართველო'] json = "[\"საქართველო\"]" expect(json).to eql(utf8.to_json) expect(utf8).to eql(JSON.parse(json)) expect('["Ã"]').to eql(JSON.generate(["Ã"])) expect(["€"]).to eql(JSON.parse('["\u20ac"]')) utf8_str = "\xf0\xa0\x80\x81" utf8 = [utf8_str] json = "[\"#{utf8_str}\"]" expect(json).to eql(JSON.generate(utf8)) expect(utf8).to eql(JSON.parse(json)) end end context "ported tests for generation" do before(:all) do @hash = { 'a' => 2, 'b' => 3.141, 'c' => 'c', 'd' => [ 1, "b", 3.14 ], 'e' => { 'foo' => 'bar' }, 'g' => "blah", 'h' => 1000.0, 'i' => 0.001 } @json2 = '{"a":2,"b":3.141,"c":"c","d":[1,"b",3.14],"e":{"foo":"bar"},"g":"blah","h":1000.0,"i":0.001}' @json3 = %{ { "a": 2, "b": 3.141, "c": "c", "d": [1, "b", 3.14], "e": {"foo": "bar"}, "g": "blah", "h": 1000.0, "i": 0.001 } }.chomp end it "should be able to unparse" do json = JSON.generate(@hash) expect(JSON.parse(@json2)).to eq(JSON.parse(json)) parsed_json = JSON.parse(json) expect(@hash).to eq(parsed_json) json = JSON.generate({1=>2}) expect('{"1":2}').to eql(json) parsed_json = JSON.parse(json) expect({"1"=>2}).to eq(parsed_json) end it "should be able to unparse pretty" do json = JSON.pretty_generate(@hash) expect(JSON.parse(@json3)).to eq(JSON.parse(json)) parsed_json = JSON.parse(json) expect(@hash).to eq(parsed_json) json = JSON.pretty_generate({1=>2}) test = "{\n \"1\": 2\n}".chomp expect(test).to eq(json) parsed_json = JSON.parse(json) expect({"1"=>2}).to eq(parsed_json) end end context "ported fixture tests" do fixtures = File.join(File.dirname(__FILE__), '../parsing/fixtures/*.json') passed, failed = Dir[fixtures].partition { |f| f['pass'] } JSON_PASSED = passed.inject([]) { |a, f| a << [ f, File.read(f) ] }.sort JSON_FAILED = failed.inject([]) { |a, f| a << [ f, File.read(f) ] }.sort JSON_FAILED.each do |name, source| it "should not be able to parse #{File.basename(name)} as an IO" do expect { JSON.parse(StringIO.new(source)) }.to raise_error(JSON::ParserError) end end JSON_FAILED.each do |name, source| it "should not be able to parse #{File.basename(name)} as a string" do expect { JSON.parse(source) }.to raise_error(JSON::ParserError) end end JSON_PASSED.each do |name, source| it "should be able to parse #{File.basename(name)} as an IO" do expect { JSON.parse(StringIO.new(source)) }.not_to raise_error end end JSON_PASSED.each do |name, source| it "should be able to parse #{File.basename(name)} as a string" do expect { JSON.parse(source) }.not_to raise_error end end end end yajl-ruby-1.4.3/spec/projection/0000755000004100000410000000000014246427314016602 5ustar www-datawww-datayajl-ruby-1.4.3/spec/projection/projection.rb0000644000004100000410000002735314246427314021315 0ustar www-datawww-datarequire File.expand_path(File.dirname(__FILE__) + '/../spec_helper.rb') require 'stringio' require 'json' describe "projection" do it "should work" do stream = StringIO.new('{"name": "keith", "age": 27}') projector = Yajl::Projector.new(stream) projection = projector.project({"name" => nil}) expect(projection['name']).to eql("keith") end it "should filter" do stream = StringIO.new('{"name": "keith", "age": 27}') projector = Yajl::Projector.new(stream) projection = projector.project({"name" => nil}) expect(projection['age']).to eql(nil) end it "should raise an exception and not leak memory" do stream = StringIO.new('foo') projector = Yajl::Projector.new(stream) expect { projector.project({"name" => nil}) }.to raise_error(Yajl::ParseError) end it "should raise an exception and not segv" do stream = StringIO.new('[,,,,]') projector = Yajl::Projector.new(stream) expect { projector.project({"name" => nil}) }.to raise_error(Yajl::ParseError) end it "should raise an exception and not segv on colons" do stream = StringIO.new('[::::]') projector = Yajl::Projector.new(stream) expect { projector.project({"name" => nil}) }.to raise_error(Yajl::ParseError) end it "should behave the same way as the regular parser on bad tokens like comma" do bad_json = '{"name": "keith", "age":, 27}' stream = StringIO.new(bad_json) projector = Yajl::Projector.new(stream) expect { projector.project({"name" => nil}) }.to raise_error(capture_exception_for(bad_json).class) end it "should behave the same way as the regular parser on bad tokens like colon" do bad_json = '{"name": "keith", "age":: 27}' stream = StringIO.new(bad_json) projector = Yajl::Projector.new(stream) expect { projector.project({"name" => nil}) }.to raise_error(capture_exception_for(bad_json).class) end it "should behave the same way as the regular parser on not enough json" do bad_json = '{"name": "keith", "age":' stream = StringIO.new(bad_json) projector = Yajl::Projector.new(stream) expect { projector.project({"name" => nil}) }.to raise_error(capture_exception_for(bad_json).class) end def capture_exception_for(bad_json) Yajl::Parser.new.parse(bad_json) rescue Exception => e e end def project(schema, over: "", json: nil, stream: nil) if stream.nil? if json.nil? json = over.to_json end stream = StringIO.new(json) end Yajl::Projector.new(stream).project(schema) end it "filters arrays" do json = { "users" => [ { "name" => "keith", "company" => "internet plumbing inc", "department" => "janitorial", }, { "name" => "justin", "company" => "big blue", "department" => "programming?", }, { "name" => "alan", "company" => "different colour of blue", "department" => "drop bear containment", } ] }.to_json puts json schema = { # /users is an array of objects, each having many keys we only want name "users" => { "name" => nil, } } expect(project(schema, json: json)).to eql({ "users" => [ { "name" => "keith" }, { "name" => "justin" }, { "name" => "alan" } ] }) end it "filters top level arrays" do json = [ { "name" => "keith", "personal detail" => "thing", }, { "name" => "cory", "phone number" => "unknown", } ] schema = { "name" => nil, } expect(project(schema, over: json)).to eql([ { "name" => "keith" }, { "name" => "cory" }, ]) end it "filters nested schemas" do json = { "foo" => 42, "bar" => { "name" => "keith", "occupation" => "professional computering", "age" => 26, "hobbies" => [ "not computering", ] }, "qux" => { "quux" => [ { "name" => "Reactive X", "members" => "many", }, { "name" => "lstoll", "members" => "such", }, { "name" => "github", "members" => "very", }, { "name" => "theleague", "members" => "numerous", } ], "corge" => { "name" => "Brighton", "address" =>"Buckingham Road", }, }, "grault" => nil, "waldo" => true, } schema = { # include the /foo subtree (is a single number) "foo" => nil, # ignore the bar subtree (is an object) # "bar" => ??? # include some of the /qux subtree (is an object) "qux" => { # include the whole /qux/quux subtree (is an array of objects) "quux" => nil, # include some of the /qux/corge subtree (is another object) "corge" => { # include name (is a string) "name" => nil, # include age (is missing from source doc) "age" => nil, # ignore address # "address" => ??? }, }, # include the /grault subtree (is a null literal) "grault" => nil, # include the /waldo subtree (is a boolean literal) "waldo" => nil, } expect(project(schema, over: json)).to eql({ "foo" => 42, "qux" => { "quux" => [ { "name" => "Reactive X", "members" => "many", }, { "name" => "lstoll", "members" => "such", }, { "name" => "github", "members" => "very", }, { "name" => "theleague", "members" => "numerous", } ], "corge" => { "name" => "Brighton", }, }, "grault" => nil, "waldo" => true, }) end it "supports incompatible schemas" do json = { # surprise! the json doesn't include an object under the foo key "foo" => 42, } schema = { # include some of the /foo subtree "foo" => { # include the whole /foo/baz subtree "baz" => nil, } } # expect the 42 to be pulled out expect(project(schema, over: json)).to eql({ "foo" => 42 }) end it "supports nil schema" do json = { "foo" => "bar", } expect(project(nil, over: json)).to eql({ "foo" => "bar" }) end it "supports empty schema" do json = { "foo" => "bar", } expect(project({}, over: json)).to eql({}) end it "supports object projection" do json = { "foo" => "bar", "qux" => "quux", } schema = { "foo" => nil, } expect(project(schema, over: json)).to eql({ "foo" => "bar" }) end it "projects the readme example" do json = <<-EOJ [ { "user": { "name": "keith", "age": 26, "jobs": [ { "title": "director of overworking", "company": "south coast software", "department": "most" }, { "title": "some kind of computering", "company": "github the website dot com", "department": true } ] }, "another key": { }, "woah this document is huge": { }, "many megabytes": { }, "etc": { } } ] EOJ schema = { "user" => { "name" => nil, "jobs" => { "title" => nil, }, }, } expect(project(schema, json: json)).to eql([{ "user" => { "name" => "keith", "jobs" => [ { "title" => "director of overworking" }, { "title" => "some kind of computering" }, ] } }]) end it "errors with invalid json" do expect { project({"b" => nil}, json: '{"a":, "b": 2}') }.to raise_error(StandardError) end it "errors with ignored unbalanced object syntax" do expect { project({"b" => nil}, json: '{"a": {{, "b": 2}') }.to raise_error(StandardError) end it "errors with accepted unbalanced object tokens" do expect { project({"a" => nil}, json: '{"a": {"b": 2}') }.to raise_error(Yajl::ParseError) end it "errors when projecting if an object comma is missing" do expect { project({"a" => nil}, json: '{"a": 1 "b": 2}') }.to raise_error(Yajl::ParseError) end it "errors when building if an object comma is missing" do expect { project(nil, json: '{"a": {"b": 2 "c": 3}}') }.to raise_error(Yajl::ParseError) end it "errors when eof instead of simple value" do expect { project(nil, json: '[') }.to raise_error(Yajl::ParseError) end it "errors when arrays don't have a comma between elements" do expect { project(nil, json: '[1 2]') }.to raise_error(Yajl::ParseError) end it "supports parsing empty array" do expect(project(nil, json: '[]')).to eql([]) end it "supports parsing empty object" do expect(project(nil, json: '{}')).to eql({}) end it "reads a full buffer" do json = "[" + "1,"*2046 + "1 ]" expect(json.size).to eql(4096) expect(project(nil, json: json)).to eql(Array.new(2047, 1)) end it "reads into a second buffer" do json = "[" + "1,"*2047 + "1 ]" expect(json.size).to eql(4098) expect(JSON.parse(json)).to eql(Array.new(2048, 1)) expect(project(nil, json: json)).to eql(Array.new(2048, 1)) end it "supports parsing big strings" do json = [ "a", "b"*10_000, "c", ] expect(project(nil, over: json)).to eql(json) end it "supports bigger read buffers" do json = { "a"*10_000 => "b"*10_000 }.to_json stream = StringIO.new(json) expect(Yajl::Projector.new(stream, 8192).project(nil)).to have_key("a"*10_000) end it "errors if starting with closing object" do expect { project(nil, json: '}') }.to raise_error(Yajl::ParseError) end it "handles objects with utf16 escape sequences as keys" do projection = project(nil, json: '{"\ud83d\ude00": "grinning face"}') literal = {"😀" => "grinning face"} expect(projection).to eql(literal) end it "handles objects with non-ascii utf8 bytes as keys" do expect(project(nil, json: '{"😀": "grinning face"}')).to eql({"😀" => "grinning face"}) end it "handles strings with utf16 escape sequences as object values" do expect(project(nil, json: '{"grinning face": "\ud83d\ude00"}')).to eql({"grinning face" => "😀"}) end it "handles strings with utf16 escape sequences as array values" do projection = project(nil, json: '["\ud83d\ude00"]') puts projection.first.inspect puts projection.first.bytes literal = ["😀"] puts literal.first.inspect puts literal.first.bytes expect(projection).to eql(literal) end it "handles strings with non-ascii utf8 bytes as array values" do projection = project(nil, json: '["😀"]') puts projection.first.inspect puts projection.first.bytes literal = ["😀"] puts literal.first.inspect puts literal.first.bytes expect(projection).to eql(literal) end it "ignores strings with utf16 escape sequences" do expect(project({"grinning face with open mouth" => nil}, json: '{"grinning face": "\ud83d\ude00", "grinning face with open mouth": "\ud83d\ude03"}')).to eql({"grinning face with open mouth" => "😃"}) end it "handles objects whose second key has escape sequences" do expect(project(nil, json: '{"foo": "bar", "\ud83d\ude00": "grinning face"}')).to eql({"foo" => "bar", "😀" => "grinning face"}) end end yajl-ruby-1.4.3/spec/projection/project_file.rb0000644000004100000410000000155314246427314021600 0ustar www-datawww-datarequire File.expand_path(File.dirname(__FILE__) + '/../spec_helper.rb') require 'benchmark' require 'benchmark/memory' describe "file projection" do it "projects file streams" do schema = { "forced" => nil, "created" => nil, "pusher" => { "name" => nil, }, "repository" => { "name" => nil, "full_name" => nil, }, "ref" => nil, "compare" => nil, "commits" => { "distinct" => nil, "message" => nil, "url" => nil, "id" => nil, "author" => { "username" => nil, } } } file_path = ENV['JSON_FILE'] if file_path.nil? || file_path.empty? return end Benchmark.memory { |x| x.report("project (yajl)") { Yajl::Projector.new(File.open(file_path, 'r')).project(schema) } x.compare! } end end yajl-ruby-1.4.3/spec/http/0000755000004100000410000000000014246427314015405 5ustar www-datawww-datayajl-ruby-1.4.3/spec/http/http_get_spec.rb0000644000004100000410000000770014246427314020566 0ustar www-datawww-datarequire File.expand_path(File.dirname(__FILE__) + '/../spec_helper.rb') begin require 'yajl/bzip2' rescue warn "Couldn't load yajl/bzip2, maybe you don't have bzip2-ruby installed? Continuing without running bzip2 specs." end require 'yajl/gzip' require 'yajl/deflate' require 'yajl/http_stream' def parse_off_headers(io) io.each_line do |line| if line == "\r\n" # end of the headers break end end end describe "Yajl HTTP GET request" do before(:all) do raw = File.new(File.expand_path(File.dirname(__FILE__) + '/fixtures/http.raw.dump'), 'r') parse_off_headers(raw) @template_hash = Yajl::Parser.parse(raw) raw.rewind parse_off_headers(raw) @template_hash_symbolized = Yajl::Parser.parse(raw, :symbolize_keys => true) @deflate = File.new(File.expand_path(File.dirname(__FILE__) + '/fixtures/http.deflate.dump'), 'r') @gzip = File.new(File.expand_path(File.dirname(__FILE__) + '/fixtures/http.gzip.dump'), 'r') @chunked_body = {"item"=>{"price"=>1.99, "updated_by_id"=>nil, "cached_tag_list"=>"", "name"=>"generated", "created_at"=>"2009-03-24T05:25:09Z", "cost"=>0.597, "delta"=>false, "created_by_id"=>nil, "updated_at"=>"2009-03-24T05:25:09Z", "import_tag"=>nil, "account_id"=>16, "id"=>1, "taxable"=>true, "unit"=>nil, "sku"=>"06317-0306", "company_id"=>0, "description"=>nil, "active"=>true}} end after(:each) do @file_path = nil end def prepare_mock_request_dump(format=:raw) @request = File.new(File.expand_path(File.dirname(__FILE__) + "/fixtures/http.#{format}.dump"), 'r') @uri = 'file://'+File.expand_path(File.dirname(__FILE__) + "/fixtures/http/http.#{format}.dump") expect(TCPSocket).to receive(:new).and_return(@request) expect(@request).to receive(:write) end it "should parse a raw response" do prepare_mock_request_dump :raw expect(@template_hash).to eq(Yajl::HttpStream.get(@uri)) end it "should parse a raw response and symbolize keys" do prepare_mock_request_dump :raw expect(@template_hash_symbolized).to eq(Yajl::HttpStream.get(@uri, :symbolize_keys => true)) end it "should parse a raw response using instance method" do prepare_mock_request_dump :raw expect(@uri).to receive(:host) expect(@uri).to receive(:port) stream = Yajl::HttpStream.new expect(@template_hash).to eq(stream.get(@uri)) end it "should parse a chunked response using instance method" do prepare_mock_request_dump :chunked expect(@uri).to receive(:host) expect(@uri).to receive(:port) stream = Yajl::HttpStream.new stream.get(@uri) do |obj| expect(obj).to eql(@chunked_body) end end if defined?(Yajl::Bzip2::StreamReader) it "should parse a bzip2 compressed response" do prepare_mock_request_dump :bzip2 expect(@template_hash).to eq(Yajl::HttpStream.get(@uri)) end it "should parse a bzip2 compressed response and symbolize keys" do prepare_mock_request_dump :bzip2 expect(@template_hash_symbolized).to eq(Yajl::HttpStream.get(@uri, :symbolize_keys => true)) end end it "should parse a deflate compressed response" do prepare_mock_request_dump :deflate expect(@template_hash).to eq(Yajl::HttpStream.get(@uri)) end it "should parse a deflate compressed response and symbolize keys" do prepare_mock_request_dump :deflate expect(@template_hash_symbolized).to eq(Yajl::HttpStream.get(@uri, :symbolize_keys => true)) end it "should parse a gzip compressed response" do prepare_mock_request_dump :gzip expect(@template_hash).to eq(Yajl::HttpStream.get(@uri)) end it "should parse a gzip compressed response and symbolize keys" do prepare_mock_request_dump :gzip expect(@template_hash_symbolized).to eq(Yajl::HttpStream.get(@uri, :symbolize_keys => true)) end it "should raise when an HTTP code that isn't 200 is returned" do prepare_mock_request_dump :error expect { Yajl::HttpStream.get(@uri) }.to raise_exception(Yajl::HttpStream::HttpError) end end yajl-ruby-1.4.3/spec/http/fixtures/0000755000004100000410000000000014246427314017256 5ustar www-datawww-datayajl-ruby-1.4.3/spec/http/fixtures/http.html.dump0000644000004100000410000010173714246427314022100 0ustar www-datawww-dataHTTP/1.1 200 Not Acceptable Content-Type: text/html; charset=iso-8859-1 Server: Jetty(6.1.17) { "command": { "ps": "ps -ef" }, "kernel": { "modules": { "org.virtualbox.kext.VBoxDrv": { "size": 118784, "version": "2.2.0", "index": "114", "refcount": "3" }, "com.cisco.nke.ipsec": { "size": 454656, "version": "2.0.1", "index": "111", "refcount": "0" }, "com.apple.driver.AppleAPIC": { "size": 12288, "version": "1.4", "index": "26", "refcount": "0" }, "com.apple.driver.AirPort.Atheros": { "size": 593920, "version": "318.8.3", "index": "88", "refcount": "0" }, "com.apple.driver.AppleIntelCPUPowerManagement": { "size": 102400, "version": "59.0.1", "index": "22", "refcount": "0" }, "com.apple.iokit.IOStorageFamily": { "size": 98304, "version": "1.5.5", "index": "44", "refcount": "9" }, "com.apple.iokit.IOATAPIProtocolTransport": { "size": 16384, "version": "1.5.2", "index": "52", "refcount": "0" }, "com.apple.iokit.IOPCIFamily": { "size": 65536, "version": "2.5", "index": "17", "refcount": "18" }, "com.apple.driver.AppleHPET": { "size": 12288, "version": "1.3", "index": "33", "refcount": "0" }, "com.apple.driver.AppleUSBHub": { "size": 49152, "version": "3.2.7", "index": "47", "refcount": "0" }, "com.apple.iokit.IOFireWireFamily": { "size": 258048, "version": "3.4.6", "index": "49", "refcount": "2" }, "com.apple.driver.AppleUSBComposite": { "size": 16384, "version": "3.2.0", "index": "60", "refcount": "1" }, "com.apple.driver.AppleIntelPIIXATA": { "size": 36864, "version": "2.0.0", "index": "41", "refcount": "0" }, "com.apple.driver.AppleSmartBatteryManager": { "size": 28672, "version": "158.6.0", "index": "32", "refcount": "0" }, "com.apple.filesystems.udf": { "size": 233472, "version": "2.0.2", "index": "119", "refcount": "0" }, "com.apple.iokit.IOSMBusFamily": { "size": 12288, "version": "1.1", "index": "27", "refcount": "2" }, "com.apple.iokit.IOACPIFamily": { "size": 16384, "version": "1.2.0", "index": "18", "refcount": "10" }, "foo.tap": { "size": 24576, "version": "1.0", "index": "113", "refcount": "0" }, "com.vmware.kext.vmx86": { "size": 864256, "version": "2.0.4", "index": "104", "refcount": "0" }, "com.apple.iokit.CHUDUtils": { "size": 28672, "version": "200", "index": "98", "refcount": "0" }, "org.virtualbox.kext.VBoxNetAdp": { "size": 8192, "version": "2.2.0", "index": "117", "refcount": "0" }, "com.apple.filesystems.autofs": { "size": 45056, "version": "2.0.1", "index": "109", "refcount": "0" }, "com.vmware.kext.vmnet": { "size": 36864, "version": "2.0.4", "index": "108", "refcount": "0" }, "com.apple.driver.AppleACPIButtons": { "size": 16384, "version": "1.2.4", "index": "30", "refcount": "0" }, "com.apple.driver.AppleFWOHCI": { "size": 139264, "version": "3.7.2", "index": "50", "refcount": "0" }, "com.apple.iokit.IOSCSIArchitectureModelFamily": { "size": 102400, "version": "2.0.5", "index": "51", "refcount": "4" }, "com.apple.iokit.IOSCSIBlockCommandsDevice": { "size": 90112, "version": "2.0.5", "index": "57", "refcount": "1" }, "com.apple.driver.AppleACPIPCI": { "size": 12288, "version": "1.2.4", "index": "31", "refcount": "0" }, "com.apple.security.seatbelt": { "size": 98304, "version": "107.10", "index": "25", "refcount": "0" }, "com.apple.driver.AppleUpstreamUserClient": { "size": 16384, "version": "2.7.2", "index": "100", "refcount": "0" }, "com.apple.kext.OSvKernDSPLib": { "size": 12288, "version": "1.1", "index": "79", "refcount": "1" }, "com.apple.iokit.IOBDStorageFamily": { "size": 20480, "version": "1.5", "index": "58", "refcount": "1" }, "com.apple.iokit.IOGraphicsFamily": { "size": 118784, "version": "1.7.1", "index": "70", "refcount": "5" }, "com.apple.iokit.IONetworkingFamily": { "size": 90112, "version": "1.6.1", "index": "82", "refcount": "4" }, "com.apple.iokit.IOATAFamily": { "size": 53248, "version": "2.0.0", "index": "40", "refcount": "2" }, "com.apple.iokit.IOUSBHIDDriver": { "size": 20480, "version": "3.2.2", "index": "63", "refcount": "2" }, "org.virtualbox.kext.VBoxUSB": { "size": 28672, "version": "2.2.0", "index": "115", "refcount": "0" }, "com.vmware.kext.vmioplug": { "size": 24576, "version": "2.0.4", "index": "107", "refcount": "0" }, "com.apple.security.TMSafetyNet": { "size": 12288, "version": "3", "index": "23", "refcount": "0" }, "com.apple.iokit.IONDRVSupport": { "size": 57344, "version": "1.7.1", "index": "71", "refcount": "3" }, "com.apple.BootCache": { "size": 20480, "version": "30.3", "index": "20", "refcount": "0" }, "com.apple.iokit.IOUSBUserClient": { "size": 8192, "version": "3.2.4", "index": "46", "refcount": "1" }, "com.apple.iokit.IOSCSIMultimediaCommandsDevice": { "size": 90112, "version": "2.0.5", "index": "59", "refcount": "0" }, "com.apple.driver.AppleIRController": { "size": 20480, "version": "110", "index": "78", "refcount": "0" }, "com.apple.driver.AudioIPCDriver": { "size": 16384, "version": "1.0.5", "index": "81", "refcount": "0" }, "org.virtualbox.kext.VBoxNetFlt": { "size": 16384, "version": "2.2.0", "index": "116", "refcount": "0" }, "com.apple.driver.AppleLPC": { "size": 12288, "version": "1.2.11", "index": "73", "refcount": "0" }, "com.apple.iokit.CHUDKernLib": { "size": 20480, "version": "196", "index": "93", "refcount": "2" }, "com.apple.iokit.CHUDProf": { "size": 49152, "version": "207", "index": "97", "refcount": "0" }, "com.apple.NVDAResman": { "size": 2478080, "version": "5.3.6", "index": "90", "refcount": "2" }, "com.apple.driver.AppleACPIEC": { "size": 20480, "version": "1.2.4", "index": "28", "refcount": "0" }, "foo.tun": { "size": 24576, "version": "1.0", "index": "118", "refcount": "0" }, "com.apple.iokit.IOSerialFamily": { "size": 36864, "version": "9.3", "index": "102", "refcount": "1" }, "com.apple.GeForce": { "size": 622592, "version": "5.3.6", "index": "96", "refcount": "0" }, "com.apple.iokit.IOCDStorageFamily": { "size": 32768, "version": "1.5", "index": "55", "refcount": "3" }, "com.apple.driver.AppleUSBEHCI": { "size": 73728, "version": "3.2.5", "index": "39", "refcount": "0" }, "com.apple.nvidia.nv50hal": { "size": 2445312, "version": "5.3.6", "index": "91", "refcount": "0" }, "com.apple.driver.AppleSMBIOS": { "size": 16384, "version": "1.1.1", "index": "29", "refcount": "0" }, "com.apple.driver.AppleBacklight": { "size": 16384, "version": "1.4.4", "index": "72", "refcount": "0" }, "com.apple.driver.AppleACPIPlatform": { "size": 253952, "version": "1.2.4", "index": "19", "refcount": "3" }, "com.apple.iokit.SCSITaskUserClient": { "size": 24576, "version": "2.0.5", "index": "54", "refcount": "0" }, "com.apple.iokit.IOHIDFamily": { "size": 233472, "version": "1.5.3", "index": "21", "refcount": "7" }, "com.apple.driver.DiskImages": { "size": 65536, "version": "195.2.2", "index": "101", "refcount": "0" }, "com.apple.iokit.IODVDStorageFamily": { "size": 24576, "version": "1.5", "index": "56", "refcount": "2" }, "com.apple.driver.XsanFilter": { "size": 20480, "version": "2.7.91", "index": "53", "refcount": "0" }, "com.apple.driver.AppleEFIRuntime": { "size": 12288, "version": "1.2.0", "index": "35", "refcount": "1" }, "com.apple.driver.AppleRTC": { "size": 20480, "version": "1.2.3", "index": "34", "refcount": "0" }, "com.apple.iokit.IOFireWireIP": { "size": 36864, "version": "1.7.6", "index": "83", "refcount": "0" }, "com.vmware.kext.vmci": { "size": 45056, "version": "2.0.4", "index": "106", "refcount": "0" }, "com.apple.iokit.IO80211Family": { "size": 126976, "version": "215.1", "index": "87", "refcount": "1" }, "com.apple.nke.applicationfirewall": { "size": 32768, "version": "1.0.77", "index": "24", "refcount": "0" }, "com.apple.iokit.IOAHCIBlockStorage": { "size": 69632, "version": "1.2.0", "index": "48", "refcount": "0" }, "com.apple.driver.AppleUSBUHCI": { "size": 57344, "version": "3.2.5", "index": "38", "refcount": "0" }, "com.apple.iokit.IOAHCIFamily": { "size": 24576, "version": "1.5.0", "index": "42", "refcount": "2" }, "com.apple.driver.AppleAHCIPort": { "size": 53248, "version": "1.5.2", "index": "43", "refcount": "0" }, "com.apple.driver.AppleEFINVRAM": { "size": 24576, "version": "1.2.0", "index": "36", "refcount": "0" }, "com.apple.iokit.IOUSBFamily": { "size": 167936, "version": "3.2.7", "index": "37", "refcount": "13" }, "com.apple.driver.AppleUSBMergeNub": { "size": 12288, "version": "3.2.4", "index": "61", "refcount": "0" } }, "machine": "i386", "name": "Darwin", "os": "Darwin", "version": "Darwin Kernel Version 9.6.0: Mon Nov 24 17:37:00 PST 2008; root:xnu-1228.9.59~1\/RELEASE_I386", "release": "9.6.0" }, "platform_version": "10.5.6", "platform": "mac_os_x", "ipaddress": "192.168.88.1", "keys": { "ssh": { "host_dsa_public": "private", "host_rsa_public": "private" } }, "network": { "settings": { "net.inet6.ip6.forwarding": "0", "net.inet.ip.dummynet.debug": "0", "net.inet.ip.rtexpire": "10", "net.inet6.ipsec6.esp_trans_deflev": "1", "net.inet.tcp.tcbhashsize": "4096", "net.key.esp_auth": "0", "net.inet6.ip6.hlim": "64", "net.inet.ip.fw.dyn_fin_lifetime": "1", "net.inet.ip.fw.dyn_udp_lifetime": "10", "net.inet.icmp.bmcastecho": "1", "net.athforceBias": "2 2", "net.athbgscan": "1 1", "net.inet.tcp.reass.maxsegments": "2048", "net.inet6.ip6.auto_flowlabel": "1", "net.inet6.ip6.rtmaxcache": "128", "net.inet.tcp.sendspace": "131072", "net.inet.tcp.keepinit": "75000", "net.inet.ip.dummynet.max_chain_len": "16", "net.inet.tcp.rfc1644": "0", "net.inet.ip.fw.curr_dyn_buckets": "256", "net.inet.ip.dummynet.ready_heap": "0", "net.inet.ip.portrange.first": "49152", "net.inet.tcp.background_io_trigger": "5", "net.link.ether.inet.host_down_time": "20", "net.inet6.ipsec6.def_policy": "1", "net.inet6.ipsec6.ecn": "0", "net.inet.ip.fastforwarding": "0", "net.athaddbaignore": "0 0", "net.inet6.ip6.v6only": "0", "net.inet.tcp.sack": "1", "net.inet6.ip6.rtexpire": "3600", "net.link.ether.inet.proxyall": "0", "net.inet6.ip6.keepfaith": "0", "net.key.spi_trycnt": "1000", "net.link.ether.inet.prune_intvl": "300", "net.inet.tcp.ecn_initiate_out": "0", "net.inet.ip.fw.dyn_rst_lifetime": "1", "net.local.stream.sendspace": "8192", "net.inet.tcp.socket_unlocked_on_output": "1", "net.inet.ip.fw.verbose_limit": "0", "net.local.dgram.recvspace": "4096", "net.inet.ipsec.debug": "0", "net.link.ether.inet.log_arp_warnings": "0", "net.inet.tcp.ecn_negotiate_in": "0", "net.inet.tcp.rfc3465": "1", "net.inet.tcp.icmp_may_rst": "1", "net.link.ether.inet.sendllconflict": "0", "net.inet.ipsec.ah_offsetmask": "0", "net.key.blockacq_count": "10", "net.inet.tcp.delayed_ack": "3", "net.inet.ip.fw.verbose": "2", "net.inet.ip.fw.dyn_count": "0", "net.inet.tcp.slowlink_wsize": "8192", "net.inet6.ip6.fw.enable": "1", "net.inet.ip.portrange.hilast": "65535", "net.inet.icmp.maskrepl": "0", "net.link.ether.inet.apple_hwcksum_rx": "1", "net.inet.tcp.drop_synfin": "1", "net.key.spi_maxval": "268435455", "net.inet.ipsec.ecn": "0", "net.inet.ip.fw.dyn_keepalive": "1", "net.key.int_random": "60", "net.key.debug": "0", "net.inet.ip.dummynet.curr_time": "0", "net.inet.udp.blackhole": "0", "net.athaggrqmin": "1 1", "net.athppmenable": "1 1", "net.inet.ip.fw.dyn_syn_lifetime": "20", "net.inet.tcp.keepidle": "7200000", "net.inet6.ip6.tempvltime": "604800", "net.inet.tcp.recvspace": "358400", "net.inet.tcp.keepintvl": "75000", "net.inet.udp.maxdgram": "9216", "net.inet.ip.maxchainsent": "0", "net.inet.ipsec.esp_net_deflev": "1", "net.inet6.icmp6.nd6_useloopback": "1", "net.inet.tcp.slowstart_flightsize": "1", "net.inet.ip.fw.debug": "0", "net.inet.ip.linklocal.in.allowbadttl": "1", "net.key.spi_minval": "256", "net.inet.ip.forwarding": "0", "net.inet.tcp.v6mssdflt": "1024", "net.key.larval_lifetime": "30", "net.inet6.ip6.fw.verbose_limit": "0", "net.inet.ip.dummynet.red_lookup_depth": "256", "net.inet.tcp.pcbcount": "36", "net.inet.ip.fw.dyn_ack_lifetime": "300", "net.inet.ip.portrange.lowlast": "600", "net.athCCAThreshold": "28 28", "net.link.ether.inet.useloopback": "1", "net.athqdepth": "0 0", "net.inet.ip.ttl": "64", "net.inet.ip.rtmaxcache": "128", "net.inet.ipsec.bypass": "0", "net.inet6.icmp6.nd6_debug": "0", "net.inet.ip.use_route_genid": "1", "net.inet6.icmp6.rediraccept": "1", "net.inet.ip.fw.static_count": "1", "net.inet6.ip6.fw.debug": "0", "net.inet.udp.pcbcount": "104", "net.inet.ipsec.esp_randpad": "-1", "net.inet6.icmp6.nd6_maxnudhint": "0", "net.inet.tcp.always_keepalive": "0", "net.inet.udp.checksum": "1", "net.link.ether.inet.keep_announcements": "1", "net.athfixedDropThresh": "150 150", "net.inet6.ip6.kame_version": "20010528\/apple-darwin", "net.inet.ip.fw.dyn_max": "4096", "net.inet.udp.log_in_vain": "0", "net.inet6.icmp6.nd6_mmaxtries": "3", "net.inet.ip.rtminexpire": "10", "net.inet.ip.fw.dyn_buckets": "256", "net.inet6.ip6.accept_rtadv": "0", "net.inet6.ip6.rr_prune": "5", "net.key.ah_keymin": "128", "net.inet.ip.redirect": "1", "net.inet.tcp.sack_globalmaxholes": "65536", "net.inet.ip.keepfaith": "0", "net.inet.ip.dummynet.expire": "1", "net.inet.ip.gifttl": "30", "net.inet.ip.portrange.last": "65535", "net.inet.ipsec.ah_net_deflev": "1", "net.inet6.icmp6.nd6_delay": "5", "net.inet.tcp.packetchain": "50", "net.inet6.ip6.hdrnestlimit": "50", "net.inet.tcp.newreno": "0", "net.inet6.ip6.dad_count": "1", "net.inet6.ip6.auto_linklocal": "1", "net.inet6.ip6.temppltime": "86400", "net.inet.tcp.strict_rfc1948": "0", "net.athdupie": "1 1", "net.inet.ip.dummynet.red_max_pkt_size": "1500", "net.inet.ip.maxfrags": "2048", "net.inet.tcp.log_in_vain": "0", "net.inet.tcp.rfc1323": "1", "net.inet.ip.subnets_are_local": "0", "net.inet.ip.dummynet.search_steps": "0", "net.inet.icmp.icmplim": "250", "net.link.ether.inet.apple_hwcksum_tx": "1", "net.inet6.icmp6.redirtimeout": "600", "net.inet.ipsec.ah_cleartos": "1", "net.inet6.ip6.log_interval": "5", "net.link.ether.inet.max_age": "1200", "net.inet.ip.fw.enable": "1", "net.inet6.ip6.redirect": "1", "net.athaggrfmax": "28 28", "net.inet.ip.maxfragsperpacket": "128", "net.inet6.ip6.use_deprecated": "1", "net.link.generic.system.dlil_input_sanity_check": "0", "net.inet.tcp.sack_globalholes": "0", "net.inet.tcp.reass.cursegments": "0", "net.inet6.icmp6.nodeinfo": "3", "net.local.inflight": "0", "net.inet.ip.dummynet.hash_size": "64", "net.inet.ip.dummynet.red_avg_pkt_size": "512", "net.inet.ipsec.dfbit": "0", "net.inet.tcp.reass.overflows": "0", "net.inet.tcp.rexmt_thresh": "2", "net.inet6.ip6.maxfrags": "8192", "net.inet6.ip6.rtminexpire": "10", "net.inet6.ipsec6.esp_net_deflev": "1", "net.inet.tcp.blackhole": "0", "net.key.esp_keymin": "256", "net.inet.ip.check_interface": "0", "net.inet.tcp.minmssoverload": "0", "net.link.ether.inet.maxtries": "5", "net.inet.tcp.do_tcpdrain": "0", "net.inet.ipsec.esp_port": "4500", "net.inet6.ipsec6.ah_net_deflev": "1", "net.inet.ip.dummynet.extract_heap": "0", "net.inet.tcp.path_mtu_discovery": "1", "net.inet.ip.intr_queue_maxlen": "50", "net.inet.ipsec.def_policy": "1", "net.inet.ip.fw.autoinc_step": "100", "net.inet.ip.accept_sourceroute": "0", "net.inet.raw.maxdgram": "8192", "net.inet.ip.maxfragpackets": "1024", "net.inet.ip.fw.one_pass": "0", "net.appletalk.routermix": "2000", "net.inet.tcp.tcp_lq_overflow": "1", "net.link.generic.system.ifcount": "9", "net.link.ether.inet.send_conflicting_probes": "1", "net.inet.tcp.background_io_enabled": "1", "net.inet6.ipsec6.debug": "0", "net.inet.tcp.win_scale_factor": "3", "net.key.natt_keepalive_interval": "20", "net.inet.tcp.msl": "15000", "net.inet.ip.portrange.hifirst": "49152", "net.inet.ipsec.ah_trans_deflev": "1", "net.inet.tcp.rtt_min": "1", "net.inet6.ip6.defmcasthlim": "1", "net.inet6.icmp6.nd6_prune": "1", "net.inet6.ip6.fw.verbose": "0", "net.inet.ip.portrange.lowfirst": "1023", "net.inet.tcp.maxseg_unacked": "8", "net.local.dgram.maxdgram": "2048", "net.key.blockacq_lifetime": "20", "net.inet.tcp.sack_maxholes": "128", "net.inet6.ip6.maxfragpackets": "1024", "net.inet6.ip6.use_tempaddr": "0", "net.athpowermode": "0 0", "net.inet.udp.recvspace": "73728", "net.inet.tcp.isn_reseed_interval": "0", "net.inet.tcp.local_slowstart_flightsize": "8", "net.inet.ip.dummynet.searches": "0", "net.inet.ip.intr_queue_drops": "0", "net.link.generic.system.multi_threaded_input": "1", "net.inet.raw.recvspace": "8192", "net.inet.ipsec.esp_trans_deflev": "1", "net.key.prefered_oldsa": "0", "net.local.stream.recvspace": "8192", "net.inet.tcp.sockthreshold": "64", "net.inet6.icmp6.nd6_umaxtries": "3", "net.pstimeout": "20 20", "net.inet.ip.sourceroute": "0", "net.inet.ip.fw.dyn_short_lifetime": "5", "net.inet.tcp.minmss": "216", "net.inet6.ip6.gifhlim": "0", "net.athvendorie": "1 1", "net.inet.ip.check_route_selfref": "1", "net.inet6.icmp6.errppslimit": "100", "net.inet.tcp.mssdflt": "512", "net.inet.icmp.log_redirect": "0", "net.inet6.ipsec6.ah_trans_deflev": "1", "net.inet6.ipsec6.esp_randpad": "-1", "net.inet.icmp.drop_redirect": "0", "net.inet.icmp.timestamp": "0", "net.inet.ip.random_id": "1" }, "interfaces": { "vmnet1": { "flags": [ "UP", "BROADCAST", "SMART", "RUNNING", "SIMPLEX", "MULTICAST" ], "addresses": [ { "broadcast": "192.168.88.255", "netmask": "255.255.255.0", "family": "inet", "address": "192.168.88.1" }, { "family": "lladdr", "address": "private" } ], "number": "1", "mtu": "1500", "type": "vmnet", "encapsulation": "Ethernet" }, "stf0": { "flags": [ ], "number": "0", "mtu": "1280", "type": "stf", "encapsulation": "6to4" }, "vboxnet0": { "flags": [ "BROADCAST", "RUNNING", "SIMPLEX", "MULTICAST" ], "addresses": [ { "family": "lladdr", "address": "private" } ], "number": "0", "mtu": "1500", "type": "vboxnet", "encapsulation": "Ethernet" }, "lo0": { "flags": [ "UP", "LOOPBACK", "RUNNING", "MULTICAST" ], "addresses": [ { "scope": "Link", "prefixlen": "64", "family": "inet6", "address": "fe80::1" }, { "netmask": "255.0.0.0", "family": "inet", "address": "127.0.0.1" }, { "scope": "Node", "prefixlen": "128", "family": "inet6", "address": "::1" }, { "scope": "Node", "prefixlen": "128", "family": "inet6", "address": "private" } ], "number": "0", "mtu": "16384", "type": "lo", "encapsulation": "Loopback" }, "vboxn": { "counters": { "tx": { "bytes": "0", "packets": "0", "collisions": "0", "compressed": 0, "carrier": 0, "drop": 0, "errors": "0", "overrun": 0 }, "rx": { "bytes": "0", "packets": "0", "compressed": 0, "drop": 0, "errors": "0", "overrun": 0, "frame": 0, "multicast": 0 } } }, "gif0": { "flags": [ "POINTOPOINT", "MULTICAST" ], "number": "0", "mtu": "1280", "type": "gif", "encapsulation": "IPIP" }, "vmnet": { "counters": { "tx": { "bytes": "0", "packets": "0", "collisions": "0", "compressed": 0, "carrier": 0, "drop": 0, "errors": "0", "overrun": 0 }, "rx": { "bytes": "0", "packets": "0", "compressed": 0, "drop": 0, "errors": "0", "overrun": 0, "frame": 0, "multicast": 0 } } }, "vmnet8": { "flags": [ "UP", "BROADCAST", "SMART", "RUNNING", "SIMPLEX", "MULTICAST" ], "addresses": [ { "broadcast": "192.168.237.255", "netmask": "255.255.255.0", "family": "inet", "address": "192.168.237.1" }, { "family": "lladdr", "address": "private" } ], "number": "8", "mtu": "1500", "type": "vmnet", "encapsulation": "Ethernet" }, "en0": { "status": "inactive", "flags": [ "UP", "BROADCAST", "SMART", "RUNNING", "SIMPLEX", "MULTICAST" ], "addresses": [ { "family": "lladdr", "address": "private" } ], "number": "0", "mtu": "1500", "media": { "supported": [ { "autoselect": { "options": [ ] } }, { "10baseT\/UTP": { "options": [ "half-duplex" ] } }, { "10baseT\/UTP": { "options": [ "full-duplex" ] } }, { "10baseT\/UTP": { "options": [ "full-duplex", "hw-loopback" ] } }, { "10baseT\/UTP": { "options": [ "full-duplex", "flow-control" ] } }, { "100baseTX": { "options": [ "half-duplex" ] } }, { "100baseTX": { "options": [ "full-duplex" ] } }, { "100baseTX": { "options": [ "full-duplex", "hw-loopback" ] } }, { "100baseTX": { "options": [ "full-duplex", "flow-control" ] } }, { "1000baseT": { "options": [ "full-duplex" ] } }, { "1000baseT": { "options": [ "full-duplex", "hw-loopback" ] } }, { "1000baseT": { "options": [ "full-duplex", "flow-control" ] } }, { "none": { "options": [ ] } } ], "selected": [ { "autoselect": { "options": [ ] } } ] }, "type": "en", "counters": { "tx": { "bytes": "342", "packets": "0", "collisions": "0", "compressed": 0, "carrier": 0, "drop": 0, "errors": "0", "overrun": 0 }, "rx": { "bytes": "0", "packets": "0", "compressed": 0, "drop": 0, "errors": "0", "overrun": 0, "frame": 0, "multicast": 0 } }, "encapsulation": "Ethernet" }, "en1": { "status": "active", "flags": [ "UP", "BROADCAST", "SMART", "RUNNING", "SIMPLEX", "MULTICAST" ], "addresses": [ { "scope": "Link", "prefixlen": "64", "family": "inet6", "address": "private" }, { "broadcast": "192.168.1.255", "netmask": "255.255.255.0", "family": "inet", "address": "192.168.1.4" }, { "family": "lladdr", "address": "private" } ], "number": "1", "mtu": "1500", "media": { "supported": [ { "autoselect": { "options": [ ] } } ], "selected": [ { "autoselect": { "options": [ ] } } ] }, "type": "en", "counters": { "tx": { "bytes": "449206298", "packets": "7041789", "collisions": "0", "compressed": 0, "carrier": 0, "drop": 0, "errors": "95", "overrun": 0 }, "rx": { "bytes": "13673879120", "packets": "19966002", "compressed": 0, "drop": 0, "errors": "1655893", "overrun": 0, "frame": 0, "multicast": 0 } }, "arp": { "192.168.1.7": "private" }, "encapsulation": "Ethernet" }, "fw0": { "status": "inactive", "flags": [ "UP", "BROADCAST", "SMART", "RUNNING", "SIMPLEX", "MULTICAST" ], "addresses": [ { "family": "lladdr", "address": "private" } ], "number": "0", "mtu": "4078", "media": { "supported": [ { "autoselect": { "options": [ "full-duplex" ] } } ], "selected": [ { "autoselect": { "options": [ "full-duplex" ] } } ] }, "type": "fw", "counters": { "tx": { "bytes": "346", "packets": "0", "collisions": "0", "compressed": 0, "carrier": 0, "drop": 0, "errors": "0", "overrun": 0 }, "rx": { "bytes": "0", "packets": "0", "compressed": 0, "drop": 0, "errors": "0", "overrun": 0, "frame": 0, "multicast": 0 } }, "encapsulation": "1394" } } }, "fqdn": "local.local", "ohai_time": 1240624355.08575, "domain": "local", "os": "darwin", "platform_build": "9G55", "os_version": "9.6.0", "hostname": "local", "macaddress": "private", "languages": { "ruby": { "target_os": "darwin9.0", "platform": "universal-darwin9.0", "host_vendor": "apple", "target_vendor": "apple", "target_cpu": "i686", "host_os": "darwin9.0", "host_cpu": "i686", "version": "1.8.6", "host": "i686-apple-darwin9.0", "target": "i686-apple-darwin9.0", "release_date": "2008-03-03" } } } yajl-ruby-1.4.3/spec/http/fixtures/http.error.dump0000644000004100000410000000050014246427314022247 0ustar www-datawww-dataHTTP/1.1 404 NOT FOUND Vary: Accept-Encoding Content-Type: text/html Accept-Ranges: bytes ETag: "-1274243775" Last-Modified: Thu, 30 Apr 2009 04:36:11 GMT Content-Length: 32444 Date: Wed, 24 Jun 2009 06:02:18 GMT Server: lighttpd/1.4.22 Transfer-Encoding: chunked THIS PAGE COULD NOT BE FOUND! yajl-ruby-1.4.3/spec/http/fixtures/http.chunked.dump0000644000004100000410000000073014246427314022544 0ustar www-datawww-dataHTTP/1.1 200 OK Content-Type: application/json Transfer-Encoding: chunked 12f {"item": {"name": "generated", "cached_tag_list": "", "updated_at": "2009-03-24T05:25:09Z", "updated_by_id": null, "price": 1.99, "delta": false, "cost": 0.597, "account_id": 16, "unit": null, "import_tag": null, "taxable": true, "id": 1, "created_by_id": null, "description": null, "company_id": 0, "sk 48 u": "06317-0306", "created_at": "2009-03-24T05:25:09Z", "active": true}} 0yajl-ruby-1.4.3/spec/http/fixtures/http.gzip.dump0000644000004100000410000001263314246427314022101 0ustar www-datawww-dataHTTP/1.1 200 OK Vary: Accept-Encoding Content-Encoding: gzip Last-Modified: Thu, 30 Apr 2009 04:36:11 GMT ETag: "-551242966" Content-Type: application/json Content-Length: 5283 Date: Wed, 24 Jun 2009 06:02:54 GMT Server: lighttpd/1.4.22 *I]m_1 qyIv63qe&9[u%lSoKKnjgbFZO??_l&i4z}'| y+//y;Rl[Jh24cVV$g},Ogo5EX?/)+,号 0G{qG~Dz.¬JK~׿4 0.H ݱz,a!X,Z 5"C)r:m )..7e@d'OJc"o*?E[0,̒[F"YVs0J6;(s]uK &jkjwMٯ\ \S˵ - UNS6f71(Z)&γuqIq :^5Q) MDfMXyFʒ' L=7A,r}C$tE (0hqƘH\ej,vCИ"7>aQlKE%ճ4v'[(3Q9׏ֱ<5L4`0~XƉOi6ʙC0N~MH=_5E} 'Ej-]rn]#J$ 4fC`gUYfZK~A#r_/"A)1&w L?d.Nr`>Jw/Hb4%TUN$ȗ/*CB(lh{? &Zu0۫5·4.؇\6>wME2w4!Ek)Y$\y΢Meǭ>8(/uЛs*)5baeN y,K1BĢ H7i,IR"dOKp0ڰGcU-AâCR+D89UjF8 xAk>lۺnknun!)J2E\-x,&YL[ 0䱠K\vfjO)|RHʦ~z)gdي> M"'lXFZQi,54 +'JExc +>*\Um!@Sb ;_z_aҼ|;'ݒFAkKuv ;JҠ?[wmAz~~z<<b' z>?o\mD:)'0d0:%Mh`cFwp2[[cgZ9- )xȉǫ]Uў$(LP8fwL)+VGǏ4,U4rE=i2]_ E+f4,sSH\ J5;! EۇڊKK¡.K XI{mz@d4$#'pV [J!M,lN ECen?ue1H=b +: ®6.>fx,b)-MxR=4Z@DJԗ6a^۔|C|gVB"t9gT属Ov0/-we4.1傑&dMʱ>h8d%,\EIs4 yUE9K:Og]x*>& sP}k#R%e5Y B؄5XUg8:(QvrʤӢ(ʹp$x.)j| Ո8%X3I)QvVa!-lu,h.2E$k5h|)`)86_v۵ QgZq޾{\.rArGOte}ge0ʳ&soVVMI\Թ1 /$svT Q?ӠŌJ(q8 .d.Ww) >Wq"nTvЇes5 FIJY$WYe=<%eM:-!Ix.m8 D^+K-~JbŵY`ٛlFxJS6V%qBb6R bU֒IۻsBN%Ri[ =&9?m SoE@6 ]5Jk(ufDb(57ۄlsA9sʒ *뉻>oty $!v{ $ H SGq^ &ގ71s8jͰoLMп.ҤĘJK>׷⦆ Birv9SOSڇO[lg]$qU @T 4|y8~4Ud{TëǛ>eW}Uɜ]3}?(Qڿ~G SŗṈ5?H>scxǟL-[mLY>.Xc&o'[(qȵxY;wuc{X#Pz-l/B6iـL^4jϑh#wʗčlEp Cl;} l]+1[U,N.n<_JpY{$TtYu:j>pTeqbӝ𪔟HX䕢8JsyOc{~0{PU]Hش~ӳi]}`}oLkˋH~yajl-ruby-1.4.3/spec/http/fixtures/http.raw.dump0000644000004100000410000007766414246427314021740 0ustar www-datawww-dataHTTP/1.1 200 OK Vary: Accept-Encoding Content-Type: application/json Accept-Ranges: bytes ETag: "-1274243775" Last-Modified: Thu, 30 Apr 2009 04:36:11 GMT Content-Length: 32444 Date: Wed, 24 Jun 2009 06:02:18 GMT Server: lighttpd/1.4.22 { "command": { "ps": "ps -ef" }, "kernel": { "modules": { "org.virtualbox.kext.VBoxDrv": { "size": 118784, "version": "2.2.0", "index": "114", "refcount": "3" }, "com.cisco.nke.ipsec": { "size": 454656, "version": "2.0.1", "index": "111", "refcount": "0" }, "com.apple.driver.AppleAPIC": { "size": 12288, "version": "1.4", "index": "26", "refcount": "0" }, "com.apple.driver.AirPort.Atheros": { "size": 593920, "version": "318.8.3", "index": "88", "refcount": "0" }, "com.apple.driver.AppleIntelCPUPowerManagement": { "size": 102400, "version": "59.0.1", "index": "22", "refcount": "0" }, "com.apple.iokit.IOStorageFamily": { "size": 98304, "version": "1.5.5", "index": "44", "refcount": "9" }, "com.apple.iokit.IOATAPIProtocolTransport": { "size": 16384, "version": "1.5.2", "index": "52", "refcount": "0" }, "com.apple.iokit.IOPCIFamily": { "size": 65536, "version": "2.5", "index": "17", "refcount": "18" }, "com.apple.driver.AppleHPET": { "size": 12288, "version": "1.3", "index": "33", "refcount": "0" }, "com.apple.driver.AppleUSBHub": { "size": 49152, "version": "3.2.7", "index": "47", "refcount": "0" }, "com.apple.iokit.IOFireWireFamily": { "size": 258048, "version": "3.4.6", "index": "49", "refcount": "2" }, "com.apple.driver.AppleUSBComposite": { "size": 16384, "version": "3.2.0", "index": "60", "refcount": "1" }, "com.apple.driver.AppleIntelPIIXATA": { "size": 36864, "version": "2.0.0", "index": "41", "refcount": "0" }, "com.apple.driver.AppleSmartBatteryManager": { "size": 28672, "version": "158.6.0", "index": "32", "refcount": "0" }, "com.apple.filesystems.udf": { "size": 233472, "version": "2.0.2", "index": "119", "refcount": "0" }, "com.apple.iokit.IOSMBusFamily": { "size": 12288, "version": "1.1", "index": "27", "refcount": "2" }, "com.apple.iokit.IOACPIFamily": { "size": 16384, "version": "1.2.0", "index": "18", "refcount": "10" }, "foo.tap": { "size": 24576, "version": "1.0", "index": "113", "refcount": "0" }, "com.vmware.kext.vmx86": { "size": 864256, "version": "2.0.4", "index": "104", "refcount": "0" }, "com.apple.iokit.CHUDUtils": { "size": 28672, "version": "200", "index": "98", "refcount": "0" }, "org.virtualbox.kext.VBoxNetAdp": { "size": 8192, "version": "2.2.0", "index": "117", "refcount": "0" }, "com.apple.filesystems.autofs": { "size": 45056, "version": "2.0.1", "index": "109", "refcount": "0" }, "com.vmware.kext.vmnet": { "size": 36864, "version": "2.0.4", "index": "108", "refcount": "0" }, "com.apple.driver.AppleACPIButtons": { "size": 16384, "version": "1.2.4", "index": "30", "refcount": "0" }, "com.apple.driver.AppleFWOHCI": { "size": 139264, "version": "3.7.2", "index": "50", "refcount": "0" }, "com.apple.iokit.IOSCSIArchitectureModelFamily": { "size": 102400, "version": "2.0.5", "index": "51", "refcount": "4" }, "com.apple.iokit.IOSCSIBlockCommandsDevice": { "size": 90112, "version": "2.0.5", "index": "57", "refcount": "1" }, "com.apple.driver.AppleACPIPCI": { "size": 12288, "version": "1.2.4", "index": "31", "refcount": "0" }, "com.apple.security.seatbelt": { "size": 98304, "version": "107.10", "index": "25", "refcount": "0" }, "com.apple.driver.AppleUpstreamUserClient": { "size": 16384, "version": "2.7.2", "index": "100", "refcount": "0" }, "com.apple.kext.OSvKernDSPLib": { "size": 12288, "version": "1.1", "index": "79", "refcount": "1" }, "com.apple.iokit.IOBDStorageFamily": { "size": 20480, "version": "1.5", "index": "58", "refcount": "1" }, "com.apple.iokit.IOGraphicsFamily": { "size": 118784, "version": "1.7.1", "index": "70", "refcount": "5" }, "com.apple.iokit.IONetworkingFamily": { "size": 90112, "version": "1.6.1", "index": "82", "refcount": "4" }, "com.apple.iokit.IOATAFamily": { "size": 53248, "version": "2.0.0", "index": "40", "refcount": "2" }, "com.apple.iokit.IOUSBHIDDriver": { "size": 20480, "version": "3.2.2", "index": "63", "refcount": "2" }, "org.virtualbox.kext.VBoxUSB": { "size": 28672, "version": "2.2.0", "index": "115", "refcount": "0" }, "com.vmware.kext.vmioplug": { "size": 24576, "version": "2.0.4", "index": "107", "refcount": "0" }, "com.apple.security.TMSafetyNet": { "size": 12288, "version": "3", "index": "23", "refcount": "0" }, "com.apple.iokit.IONDRVSupport": { "size": 57344, "version": "1.7.1", "index": "71", "refcount": "3" }, "com.apple.BootCache": { "size": 20480, "version": "30.3", "index": "20", "refcount": "0" }, "com.apple.iokit.IOUSBUserClient": { "size": 8192, "version": "3.2.4", "index": "46", "refcount": "1" }, "com.apple.iokit.IOSCSIMultimediaCommandsDevice": { "size": 90112, "version": "2.0.5", "index": "59", "refcount": "0" }, "com.apple.driver.AppleIRController": { "size": 20480, "version": "110", "index": "78", "refcount": "0" }, "com.apple.driver.AudioIPCDriver": { "size": 16384, "version": "1.0.5", "index": "81", "refcount": "0" }, "org.virtualbox.kext.VBoxNetFlt": { "size": 16384, "version": "2.2.0", "index": "116", "refcount": "0" }, "com.apple.driver.AppleLPC": { "size": 12288, "version": "1.2.11", "index": "73", "refcount": "0" }, "com.apple.iokit.CHUDKernLib": { "size": 20480, "version": "196", "index": "93", "refcount": "2" }, "com.apple.iokit.CHUDProf": { "size": 49152, "version": "207", "index": "97", "refcount": "0" }, "com.apple.NVDAResman": { "size": 2478080, "version": "5.3.6", "index": "90", "refcount": "2" }, "com.apple.driver.AppleACPIEC": { "size": 20480, "version": "1.2.4", "index": "28", "refcount": "0" }, "foo.tun": { "size": 24576, "version": "1.0", "index": "118", "refcount": "0" }, "com.apple.iokit.IOSerialFamily": { "size": 36864, "version": "9.3", "index": "102", "refcount": "1" }, "com.apple.GeForce": { "size": 622592, "version": "5.3.6", "index": "96", "refcount": "0" }, "com.apple.iokit.IOCDStorageFamily": { "size": 32768, "version": "1.5", "index": "55", "refcount": "3" }, "com.apple.driver.AppleUSBEHCI": { "size": 73728, "version": "3.2.5", "index": "39", "refcount": "0" }, "com.apple.nvidia.nv50hal": { "size": 2445312, "version": "5.3.6", "index": "91", "refcount": "0" }, "com.apple.driver.AppleSMBIOS": { "size": 16384, "version": "1.1.1", "index": "29", "refcount": "0" }, "com.apple.driver.AppleBacklight": { "size": 16384, "version": "1.4.4", "index": "72", "refcount": "0" }, "com.apple.driver.AppleACPIPlatform": { "size": 253952, "version": "1.2.4", "index": "19", "refcount": "3" }, "com.apple.iokit.SCSITaskUserClient": { "size": 24576, "version": "2.0.5", "index": "54", "refcount": "0" }, "com.apple.iokit.IOHIDFamily": { "size": 233472, "version": "1.5.3", "index": "21", "refcount": "7" }, "com.apple.driver.DiskImages": { "size": 65536, "version": "195.2.2", "index": "101", "refcount": "0" }, "com.apple.iokit.IODVDStorageFamily": { "size": 24576, "version": "1.5", "index": "56", "refcount": "2" }, "com.apple.driver.XsanFilter": { "size": 20480, "version": "2.7.91", "index": "53", "refcount": "0" }, "com.apple.driver.AppleEFIRuntime": { "size": 12288, "version": "1.2.0", "index": "35", "refcount": "1" }, "com.apple.driver.AppleRTC": { "size": 20480, "version": "1.2.3", "index": "34", "refcount": "0" }, "com.apple.iokit.IOFireWireIP": { "size": 36864, "version": "1.7.6", "index": "83", "refcount": "0" }, "com.vmware.kext.vmci": { "size": 45056, "version": "2.0.4", "index": "106", "refcount": "0" }, "com.apple.iokit.IO80211Family": { "size": 126976, "version": "215.1", "index": "87", "refcount": "1" }, "com.apple.nke.applicationfirewall": { "size": 32768, "version": "1.0.77", "index": "24", "refcount": "0" }, "com.apple.iokit.IOAHCIBlockStorage": { "size": 69632, "version": "1.2.0", "index": "48", "refcount": "0" }, "com.apple.driver.AppleUSBUHCI": { "size": 57344, "version": "3.2.5", "index": "38", "refcount": "0" }, "com.apple.iokit.IOAHCIFamily": { "size": 24576, "version": "1.5.0", "index": "42", "refcount": "2" }, "com.apple.driver.AppleAHCIPort": { "size": 53248, "version": "1.5.2", "index": "43", "refcount": "0" }, "com.apple.driver.AppleEFINVRAM": { "size": 24576, "version": "1.2.0", "index": "36", "refcount": "0" }, "com.apple.iokit.IOUSBFamily": { "size": 167936, "version": "3.2.7", "index": "37", "refcount": "13" }, "com.apple.driver.AppleUSBMergeNub": { "size": 12288, "version": "3.2.4", "index": "61", "refcount": "0" } }, "machine": "i386", "name": "Darwin", "os": "Darwin", "version": "Darwin Kernel Version 9.6.0: Mon Nov 24 17:37:00 PST 2008; root:xnu-1228.9.59~1\/RELEASE_I386", "release": "9.6.0" }, "platform_version": "10.5.6", "platform": "mac_os_x", "ipaddress": "192.168.88.1", "keys": { "ssh": { "host_dsa_public": "private", "host_rsa_public": "private" } }, "network": { "settings": { "net.inet6.ip6.forwarding": "0", "net.inet.ip.dummynet.debug": "0", "net.inet.ip.rtexpire": "10", "net.inet6.ipsec6.esp_trans_deflev": "1", "net.inet.tcp.tcbhashsize": "4096", "net.key.esp_auth": "0", "net.inet6.ip6.hlim": "64", "net.inet.ip.fw.dyn_fin_lifetime": "1", "net.inet.ip.fw.dyn_udp_lifetime": "10", "net.inet.icmp.bmcastecho": "1", "net.athforceBias": "2 2", "net.athbgscan": "1 1", "net.inet.tcp.reass.maxsegments": "2048", "net.inet6.ip6.auto_flowlabel": "1", "net.inet6.ip6.rtmaxcache": "128", "net.inet.tcp.sendspace": "131072", "net.inet.tcp.keepinit": "75000", "net.inet.ip.dummynet.max_chain_len": "16", "net.inet.tcp.rfc1644": "0", "net.inet.ip.fw.curr_dyn_buckets": "256", "net.inet.ip.dummynet.ready_heap": "0", "net.inet.ip.portrange.first": "49152", "net.inet.tcp.background_io_trigger": "5", "net.link.ether.inet.host_down_time": "20", "net.inet6.ipsec6.def_policy": "1", "net.inet6.ipsec6.ecn": "0", "net.inet.ip.fastforwarding": "0", "net.athaddbaignore": "0 0", "net.inet6.ip6.v6only": "0", "net.inet.tcp.sack": "1", "net.inet6.ip6.rtexpire": "3600", "net.link.ether.inet.proxyall": "0", "net.inet6.ip6.keepfaith": "0", "net.key.spi_trycnt": "1000", "net.link.ether.inet.prune_intvl": "300", "net.inet.tcp.ecn_initiate_out": "0", "net.inet.ip.fw.dyn_rst_lifetime": "1", "net.local.stream.sendspace": "8192", "net.inet.tcp.socket_unlocked_on_output": "1", "net.inet.ip.fw.verbose_limit": "0", "net.local.dgram.recvspace": "4096", "net.inet.ipsec.debug": "0", "net.link.ether.inet.log_arp_warnings": "0", "net.inet.tcp.ecn_negotiate_in": "0", "net.inet.tcp.rfc3465": "1", "net.inet.tcp.icmp_may_rst": "1", "net.link.ether.inet.sendllconflict": "0", "net.inet.ipsec.ah_offsetmask": "0", "net.key.blockacq_count": "10", "net.inet.tcp.delayed_ack": "3", "net.inet.ip.fw.verbose": "2", "net.inet.ip.fw.dyn_count": "0", "net.inet.tcp.slowlink_wsize": "8192", "net.inet6.ip6.fw.enable": "1", "net.inet.ip.portrange.hilast": "65535", "net.inet.icmp.maskrepl": "0", "net.link.ether.inet.apple_hwcksum_rx": "1", "net.inet.tcp.drop_synfin": "1", "net.key.spi_maxval": "268435455", "net.inet.ipsec.ecn": "0", "net.inet.ip.fw.dyn_keepalive": "1", "net.key.int_random": "60", "net.key.debug": "0", "net.inet.ip.dummynet.curr_time": "0", "net.inet.udp.blackhole": "0", "net.athaggrqmin": "1 1", "net.athppmenable": "1 1", "net.inet.ip.fw.dyn_syn_lifetime": "20", "net.inet.tcp.keepidle": "7200000", "net.inet6.ip6.tempvltime": "604800", "net.inet.tcp.recvspace": "358400", "net.inet.tcp.keepintvl": "75000", "net.inet.udp.maxdgram": "9216", "net.inet.ip.maxchainsent": "0", "net.inet.ipsec.esp_net_deflev": "1", "net.inet6.icmp6.nd6_useloopback": "1", "net.inet.tcp.slowstart_flightsize": "1", "net.inet.ip.fw.debug": "0", "net.inet.ip.linklocal.in.allowbadttl": "1", "net.key.spi_minval": "256", "net.inet.ip.forwarding": "0", "net.inet.tcp.v6mssdflt": "1024", "net.key.larval_lifetime": "30", "net.inet6.ip6.fw.verbose_limit": "0", "net.inet.ip.dummynet.red_lookup_depth": "256", "net.inet.tcp.pcbcount": "36", "net.inet.ip.fw.dyn_ack_lifetime": "300", "net.inet.ip.portrange.lowlast": "600", "net.athCCAThreshold": "28 28", "net.link.ether.inet.useloopback": "1", "net.athqdepth": "0 0", "net.inet.ip.ttl": "64", "net.inet.ip.rtmaxcache": "128", "net.inet.ipsec.bypass": "0", "net.inet6.icmp6.nd6_debug": "0", "net.inet.ip.use_route_genid": "1", "net.inet6.icmp6.rediraccept": "1", "net.inet.ip.fw.static_count": "1", "net.inet6.ip6.fw.debug": "0", "net.inet.udp.pcbcount": "104", "net.inet.ipsec.esp_randpad": "-1", "net.inet6.icmp6.nd6_maxnudhint": "0", "net.inet.tcp.always_keepalive": "0", "net.inet.udp.checksum": "1", "net.link.ether.inet.keep_announcements": "1", "net.athfixedDropThresh": "150 150", "net.inet6.ip6.kame_version": "20010528\/apple-darwin", "net.inet.ip.fw.dyn_max": "4096", "net.inet.udp.log_in_vain": "0", "net.inet6.icmp6.nd6_mmaxtries": "3", "net.inet.ip.rtminexpire": "10", "net.inet.ip.fw.dyn_buckets": "256", "net.inet6.ip6.accept_rtadv": "0", "net.inet6.ip6.rr_prune": "5", "net.key.ah_keymin": "128", "net.inet.ip.redirect": "1", "net.inet.tcp.sack_globalmaxholes": "65536", "net.inet.ip.keepfaith": "0", "net.inet.ip.dummynet.expire": "1", "net.inet.ip.gifttl": "30", "net.inet.ip.portrange.last": "65535", "net.inet.ipsec.ah_net_deflev": "1", "net.inet6.icmp6.nd6_delay": "5", "net.inet.tcp.packetchain": "50", "net.inet6.ip6.hdrnestlimit": "50", "net.inet.tcp.newreno": "0", "net.inet6.ip6.dad_count": "1", "net.inet6.ip6.auto_linklocal": "1", "net.inet6.ip6.temppltime": "86400", "net.inet.tcp.strict_rfc1948": "0", "net.athdupie": "1 1", "net.inet.ip.dummynet.red_max_pkt_size": "1500", "net.inet.ip.maxfrags": "2048", "net.inet.tcp.log_in_vain": "0", "net.inet.tcp.rfc1323": "1", "net.inet.ip.subnets_are_local": "0", "net.inet.ip.dummynet.search_steps": "0", "net.inet.icmp.icmplim": "250", "net.link.ether.inet.apple_hwcksum_tx": "1", "net.inet6.icmp6.redirtimeout": "600", "net.inet.ipsec.ah_cleartos": "1", "net.inet6.ip6.log_interval": "5", "net.link.ether.inet.max_age": "1200", "net.inet.ip.fw.enable": "1", "net.inet6.ip6.redirect": "1", "net.athaggrfmax": "28 28", "net.inet.ip.maxfragsperpacket": "128", "net.inet6.ip6.use_deprecated": "1", "net.link.generic.system.dlil_input_sanity_check": "0", "net.inet.tcp.sack_globalholes": "0", "net.inet.tcp.reass.cursegments": "0", "net.inet6.icmp6.nodeinfo": "3", "net.local.inflight": "0", "net.inet.ip.dummynet.hash_size": "64", "net.inet.ip.dummynet.red_avg_pkt_size": "512", "net.inet.ipsec.dfbit": "0", "net.inet.tcp.reass.overflows": "0", "net.inet.tcp.rexmt_thresh": "2", "net.inet6.ip6.maxfrags": "8192", "net.inet6.ip6.rtminexpire": "10", "net.inet6.ipsec6.esp_net_deflev": "1", "net.inet.tcp.blackhole": "0", "net.key.esp_keymin": "256", "net.inet.ip.check_interface": "0", "net.inet.tcp.minmssoverload": "0", "net.link.ether.inet.maxtries": "5", "net.inet.tcp.do_tcpdrain": "0", "net.inet.ipsec.esp_port": "4500", "net.inet6.ipsec6.ah_net_deflev": "1", "net.inet.ip.dummynet.extract_heap": "0", "net.inet.tcp.path_mtu_discovery": "1", "net.inet.ip.intr_queue_maxlen": "50", "net.inet.ipsec.def_policy": "1", "net.inet.ip.fw.autoinc_step": "100", "net.inet.ip.accept_sourceroute": "0", "net.inet.raw.maxdgram": "8192", "net.inet.ip.maxfragpackets": "1024", "net.inet.ip.fw.one_pass": "0", "net.appletalk.routermix": "2000", "net.inet.tcp.tcp_lq_overflow": "1", "net.link.generic.system.ifcount": "9", "net.link.ether.inet.send_conflicting_probes": "1", "net.inet.tcp.background_io_enabled": "1", "net.inet6.ipsec6.debug": "0", "net.inet.tcp.win_scale_factor": "3", "net.key.natt_keepalive_interval": "20", "net.inet.tcp.msl": "15000", "net.inet.ip.portrange.hifirst": "49152", "net.inet.ipsec.ah_trans_deflev": "1", "net.inet.tcp.rtt_min": "1", "net.inet6.ip6.defmcasthlim": "1", "net.inet6.icmp6.nd6_prune": "1", "net.inet6.ip6.fw.verbose": "0", "net.inet.ip.portrange.lowfirst": "1023", "net.inet.tcp.maxseg_unacked": "8", "net.local.dgram.maxdgram": "2048", "net.key.blockacq_lifetime": "20", "net.inet.tcp.sack_maxholes": "128", "net.inet6.ip6.maxfragpackets": "1024", "net.inet6.ip6.use_tempaddr": "0", "net.athpowermode": "0 0", "net.inet.udp.recvspace": "73728", "net.inet.tcp.isn_reseed_interval": "0", "net.inet.tcp.local_slowstart_flightsize": "8", "net.inet.ip.dummynet.searches": "0", "net.inet.ip.intr_queue_drops": "0", "net.link.generic.system.multi_threaded_input": "1", "net.inet.raw.recvspace": "8192", "net.inet.ipsec.esp_trans_deflev": "1", "net.key.prefered_oldsa": "0", "net.local.stream.recvspace": "8192", "net.inet.tcp.sockthreshold": "64", "net.inet6.icmp6.nd6_umaxtries": "3", "net.pstimeout": "20 20", "net.inet.ip.sourceroute": "0", "net.inet.ip.fw.dyn_short_lifetime": "5", "net.inet.tcp.minmss": "216", "net.inet6.ip6.gifhlim": "0", "net.athvendorie": "1 1", "net.inet.ip.check_route_selfref": "1", "net.inet6.icmp6.errppslimit": "100", "net.inet.tcp.mssdflt": "512", "net.inet.icmp.log_redirect": "0", "net.inet6.ipsec6.ah_trans_deflev": "1", "net.inet6.ipsec6.esp_randpad": "-1", "net.inet.icmp.drop_redirect": "0", "net.inet.icmp.timestamp": "0", "net.inet.ip.random_id": "1" }, "interfaces": { "vmnet1": { "flags": [ "UP", "BROADCAST", "SMART", "RUNNING", "SIMPLEX", "MULTICAST" ], "addresses": [ { "broadcast": "192.168.88.255", "netmask": "255.255.255.0", "family": "inet", "address": "192.168.88.1" }, { "family": "lladdr", "address": "private" } ], "number": "1", "mtu": "1500", "type": "vmnet", "encapsulation": "Ethernet" }, "stf0": { "flags": [ ], "number": "0", "mtu": "1280", "type": "stf", "encapsulation": "6to4" }, "vboxnet0": { "flags": [ "BROADCAST", "RUNNING", "SIMPLEX", "MULTICAST" ], "addresses": [ { "family": "lladdr", "address": "private" } ], "number": "0", "mtu": "1500", "type": "vboxnet", "encapsulation": "Ethernet" }, "lo0": { "flags": [ "UP", "LOOPBACK", "RUNNING", "MULTICAST" ], "addresses": [ { "scope": "Link", "prefixlen": "64", "family": "inet6", "address": "fe80::1" }, { "netmask": "255.0.0.0", "family": "inet", "address": "127.0.0.1" }, { "scope": "Node", "prefixlen": "128", "family": "inet6", "address": "::1" }, { "scope": "Node", "prefixlen": "128", "family": "inet6", "address": "private" } ], "number": "0", "mtu": "16384", "type": "lo", "encapsulation": "Loopback" }, "vboxn": { "counters": { "tx": { "bytes": "0", "packets": "0", "collisions": "0", "compressed": 0, "carrier": 0, "drop": 0, "errors": "0", "overrun": 0 }, "rx": { "bytes": "0", "packets": "0", "compressed": 0, "drop": 0, "errors": "0", "overrun": 0, "frame": 0, "multicast": 0 } } }, "gif0": { "flags": [ "POINTOPOINT", "MULTICAST" ], "number": "0", "mtu": "1280", "type": "gif", "encapsulation": "IPIP" }, "vmnet": { "counters": { "tx": { "bytes": "0", "packets": "0", "collisions": "0", "compressed": 0, "carrier": 0, "drop": 0, "errors": "0", "overrun": 0 }, "rx": { "bytes": "0", "packets": "0", "compressed": 0, "drop": 0, "errors": "0", "overrun": 0, "frame": 0, "multicast": 0 } } }, "vmnet8": { "flags": [ "UP", "BROADCAST", "SMART", "RUNNING", "SIMPLEX", "MULTICAST" ], "addresses": [ { "broadcast": "192.168.237.255", "netmask": "255.255.255.0", "family": "inet", "address": "192.168.237.1" }, { "family": "lladdr", "address": "private" } ], "number": "8", "mtu": "1500", "type": "vmnet", "encapsulation": "Ethernet" }, "en0": { "status": "inactive", "flags": [ "UP", "BROADCAST", "SMART", "RUNNING", "SIMPLEX", "MULTICAST" ], "addresses": [ { "family": "lladdr", "address": "private" } ], "number": "0", "mtu": "1500", "media": { "supported": [ { "autoselect": { "options": [ ] } }, { "10baseT\/UTP": { "options": [ "half-duplex" ] } }, { "10baseT\/UTP": { "options": [ "full-duplex" ] } }, { "10baseT\/UTP": { "options": [ "full-duplex", "hw-loopback" ] } }, { "10baseT\/UTP": { "options": [ "full-duplex", "flow-control" ] } }, { "100baseTX": { "options": [ "half-duplex" ] } }, { "100baseTX": { "options": [ "full-duplex" ] } }, { "100baseTX": { "options": [ "full-duplex", "hw-loopback" ] } }, { "100baseTX": { "options": [ "full-duplex", "flow-control" ] } }, { "1000baseT": { "options": [ "full-duplex" ] } }, { "1000baseT": { "options": [ "full-duplex", "hw-loopback" ] } }, { "1000baseT": { "options": [ "full-duplex", "flow-control" ] } }, { "none": { "options": [ ] } } ], "selected": [ { "autoselect": { "options": [ ] } } ] }, "type": "en", "counters": { "tx": { "bytes": "342", "packets": "0", "collisions": "0", "compressed": 0, "carrier": 0, "drop": 0, "errors": "0", "overrun": 0 }, "rx": { "bytes": "0", "packets": "0", "compressed": 0, "drop": 0, "errors": "0", "overrun": 0, "frame": 0, "multicast": 0 } }, "encapsulation": "Ethernet" }, "en1": { "status": "active", "flags": [ "UP", "BROADCAST", "SMART", "RUNNING", "SIMPLEX", "MULTICAST" ], "addresses": [ { "scope": "Link", "prefixlen": "64", "family": "inet6", "address": "private" }, { "broadcast": "192.168.1.255", "netmask": "255.255.255.0", "family": "inet", "address": "192.168.1.4" }, { "family": "lladdr", "address": "private" } ], "number": "1", "mtu": "1500", "media": { "supported": [ { "autoselect": { "options": [ ] } } ], "selected": [ { "autoselect": { "options": [ ] } } ] }, "type": "en", "counters": { "tx": { "bytes": "449206298", "packets": "7041789", "collisions": "0", "compressed": 0, "carrier": 0, "drop": 0, "errors": "95", "overrun": 0 }, "rx": { "bytes": "13673879120", "packets": "19966002", "compressed": 0, "drop": 0, "errors": "1655893", "overrun": 0, "frame": 0, "multicast": 0 } }, "arp": { "192.168.1.7": "private" }, "encapsulation": "Ethernet" }, "fw0": { "status": "inactive", "flags": [ "UP", "BROADCAST", "SMART", "RUNNING", "SIMPLEX", "MULTICAST" ], "addresses": [ { "family": "lladdr", "address": "private" } ], "number": "0", "mtu": "4078", "media": { "supported": [ { "autoselect": { "options": [ "full-duplex" ] } } ], "selected": [ { "autoselect": { "options": [ "full-duplex" ] } } ] }, "type": "fw", "counters": { "tx": { "bytes": "346", "packets": "0", "collisions": "0", "compressed": 0, "carrier": 0, "drop": 0, "errors": "0", "overrun": 0 }, "rx": { "bytes": "0", "packets": "0", "compressed": 0, "drop": 0, "errors": "0", "overrun": 0, "frame": 0, "multicast": 0 } }, "encapsulation": "1394" } } }, "fqdn": "local.local", "ohai_time": 1240624355.08575, "domain": "local", "os": "darwin", "platform_build": "9G55", "os_version": "9.6.0", "hostname": "local", "macaddress": "private", "languages": { "ruby": { "target_os": "darwin9.0", "platform": "universal-darwin9.0", "host_vendor": "apple", "target_vendor": "apple", "target_cpu": "i686", "host_os": "darwin9.0", "host_cpu": "i686", "version": "1.8.6", "host": "i686-apple-darwin9.0", "target": "i686-apple-darwin9.0", "release_date": "2008-03-03" } } } yajl-ruby-1.4.3/spec/http/fixtures/http.bzip2.dump0000644000004100000410000001146414246427314022157 0ustar www-datawww-dataHTTP/1.1 200 OK Vary: Accept-Encoding Content-Encoding: bzip2 Last-Modified: Thu, 30 Apr 2009 04:36:11 GMT ETag: "-292134117" Content-Type: application/json Content-Length: 4667 Date: Wed, 24 Jun 2009 06:02:39 GMT Server: lighttpd/1.4.22 BZh91AY&SY6_uUP?ο`_zwn/RH7vc>.DT&j3FCO $! 0D=Gњ@M@2 1 DP4 h21 !4OI2@4)MP=@ Ѡ44C "HB2S#L4i!=M P@?@?$a(-$Dʡh,@bFD"ED. ~d,`! .Ep`$QXC!!"a+y4! (QXH0MP)$MU.|a>aJ(ᄈIꏇI:2e\m|Ucf~<6|LMFcs 9z|n> mplcs1q6NLmOSye9seZO}=_Q^=mNpoNQφx ѵ$}Ell ]B]wVɍi @3UiNnWpik| 麕TՎ#P}j6p/DK.&N$3Mha#4nxkR 45&PdxDIJDslX҃lKFQkvmD;w@o.~-= ZǤsb3t%SGD8f H!g_>a/B]( QH(QЬE$Jn R&E/Ȇ-`3FAV;{Fb#]ZP {~T"H,a# e2H1$1{LsOlwI*arԹE6*JC2&$Q`D>.l2fd(O̍lf !FZ φ ()0H,ŽLkG,`4=k[0liMk@lVeC)D`. Sͦ]d)&%Vcm3 #$jW%,Rƛp*a(ȪVEҪo - $1.CHau o Vz+2#\(%-vE Et(]fet]&BcBz>^TG- Tj?tƥ=0LHItE80o 3k2+r& ͇Lg|~3u.v7GI] sttYzQ\-iᖩI/3K dQ񞲭UVٸj j 88wN h ) jCXMc"FӣrYMܴ.ܧS 5_ NzԞ1[sIg1: 5Ѣ,g".ɱڶc6& FZ*Z:c)%38Ŵ2_9@2A(az`$>3:sL~1Ro4"8P*V*AP bUGͥx*B"MLc綩(Siܜ4i~{V=íc8%/ػ U+gҮslxlo &ԒKGa7tg!O.a$ER Qˁ\8Cb{8^0 %a^EsXҋ( FnHXfez A+e5f腂\0t] זCpG-wأ䃞",liϿdU`sX9RHu1[hI ` 'DwFA7K0(2 <>b֍ Ul_6ӄ= ő>sYwy}/.ˤEu*b[_/.Q9bO`;sƂW3^FA+?S5SotAYV?%p[.fKtI_scenŒ3xc.zUĪ|ZBҡ0Ȯ5!,a' s ժ(r ʾ\فjZ^;ʜ 3T[+^b *kڪuܳ-vUQ m<Ƿlf;!;RZlx"SZF 4,;ma?H_uЬs^yζieu`)q41}aQwylO/*|fbP,>ˤ{n׆[P3Œ]^vr'1AX y^C/Zgu` XlZVG1Ij Ҝվ($q Zm!`ۡ=zՁ`p06}3tB7p/ҸovyȻa+JȴS:|J@i`m 3AHn..մckd᫕ D5$ŕ8)~&PnañG-eK-5! UbprM\W+^H6Q]B-`3/)/n9_U^HZ$cD9tuaCcP߱ȆύS(tL{N߹Sw0"+ 5F/T7DvHY$l+0V3x=[1sh%yGz8z*m@u0;5B37 %k9i,RaN>lQI/}qx* PE qT;?=W Ivwԉ.KH#PW!6_"'+Nñm[> m*ĐK S |ajKHD*5 6TKtL/Lh#AԏX)` $d2 s7xucaAȏs*ыÑO2NP!>6  qlt }l셐 11eD#AlTԩ U]b!#![oV  :SE:Ƅ9l*5@Ga$*h mμ>j"E]^5mAd6MqMp32tq{`Zۃ Е}!f!3 `sǮ5`0 A"\W@&lfn!vQ2 &֌IHC%Ic)G^A\Bw%3P.Fq M;&e`RMEC#n!v'l.(<Ƒg}}G] =0EHf]8$H4c06B Bˆm믰.); 3T+1EDgsT*+fV%Vh!#هs SĮ=> $)Mt.="FFx':ފcA,%@~ ͒Faϧ6L TL˶fZ蕱V/ka wr0eI|b'q'PAyU\A櫩c [ zF̜-+|W(dغwt9oL½NP?3<,wX.=8[C].'DAG0H!Bg| ̨Q2\'w$S IPyajl-ruby-1.4.3/spec/http/fixtures/http.deflate.dump0000644000004100000410000001261514246427314022534 0ustar www-datawww-dataHTTP/1.1 200 OK Vary: Accept-Encoding Content-Encoding: deflate Last-Modified: Thu, 30 Apr 2009 04:36:11 GMT ETag: "-2040253651" Content-Type: application/json Content-Length: 5265 Date: Wed, 24 Jun 2009 06:03:05 GMT Server: lighttpd/1.4.22 ]m_1 qyIv63qe&9[u%lSoKKnjgbFZO??_l&i4z}'| y+//y;Rl[Jh24cVV$g},Ogo5EX?/)+,号 0G{qG~Dz.¬JK~׿4 0.H ݱz,a!X,Z 5"C)r:m )..7e@d'OJc"o*?E[0,̒[F"YVs0J6;(s]uK &jkjwMٯ\ \S˵ - UNS6f71(Z)&γuqIq :^5Q) MDfMXyFʒ' L=7A,r}C$tE (0hqƘH\ej,vCИ"7>aQlKE%ճ4v'[(3Q9׏ֱ<5L4`0~XƉOi6ʙC0N~MH=_5E} 'Ej-]rn]#J$ 4fC`gUYfZK~A#r_/"A)1&w L?d.Nr`>Jw/Hb4%TUN$ȗ/*CB(lh{? &Zu0۫5·4.؇\6>wME2w4!Ek)Y$\y΢Meǭ>8(/uЛs*)5baeN y,K1BĢ H7i,IR"dOKp0ڰGcU-AâCR+D89UjF8 xAk>lۺnknun!)J2E\-x,&YL[ 0䱠K\vfjO)|RHʦ~z)gdي> M"'lXFZQi,54 +'JExc +>*\Um!@Sb ;_z_aҼ|;'ݒFAkKuv ;JҠ?[wmAz~~z<<b' z>?o\mD:)'0d0:%Mh`cFwp2[[cgZ9- )xȉǫ]Uў$(LP8fwL)+VGǏ4,U4rE=i2]_ E+f4,sSH\ J5;! EۇڊKK¡.K XI{mz@d4$#'pV [J!M,lN ECen?ue1H=b +: ®6.>fx,b)-MxR=4Z@DJԗ6a^۔|C|gVB"t9gT属Ov0/-we4.1傑&dMʱ>h8d%,\EIs4 yUE9K:Og]x*>& sP}k#R%e5Y B؄5XUg8:(QvrʤӢ(ʹp$x.)j| Ո8%X3I)QvVa!-lu,h.2E$k5h|)`)86_v۵ QgZq޾{\.rArGOte}ge0ʳ&soVVMI\Թ1 /$svT Q?ӠŌJ(q8 .d.Ww) >Wq"nTvЇes5 FIJY$WYe=<%eM:-!Ix.m8 D^+K-~JbŵY`ٛlFxJS6V%qBb6R bU֒IۻsBN%Ri[ =&9?m SoE@6 ]5Jk(ufDb(57ۄlsA9sʒ *뉻>oty $!v{ $ H SGq^ &ގ71s8jͰoLMп.ҤĘJK>׷⦆ Birv9SOSڇO[lg]$qU @T 4|y8~4Ud{TëǛ>eW}Uɜ]3}?(Qڿ~G SŗṈ5?H>scxǟL-[mLY>.Xc&o'[(qȵxY;wuc{X#Pz-l/B6iـL^4jϑh#wʗčlEp Cl;} l]+1[U,N.n<_JpY{$TtYu:j>pTeqbӝ𪔟HX䕢8JsyOc{~0{PU]Hش~ӳi]}`}oLkˋyajl-ruby-1.4.3/spec/http/http_stream_options_spec.rb0000644000004100000410000000150214246427314023047 0ustar www-datawww-datarequire File.expand_path(File.dirname(__FILE__) + '/../spec_helper.rb') require 'yajl/http_stream' require 'socket' describe "Passing options to HttpStream instance methods" do before(:all) do @stream = Yajl::HttpStream.new end it "should not create a new socket it one is provided" do expect(TCPSocket).not_to receive(:new) options = {:socket => :my_provided_socket} @stream.send(:initialize_socket, URI.parse("http://google.com"), options) expect(options[:socket]).to eq(:my_provided_socket) end it "should create a new socket if one is not provided" do expect(TCPSocket).to receive(:new).with("google.com", 80).and_return( :tcp_socket ) options = {} @stream.send(:initialize_socket, URI.parse("http://google.com"), options) expect(options[:socket]).to eq(:tcp_socket) end end yajl-ruby-1.4.3/spec/http/http_error_spec.rb0000644000004100000410000000175514246427314021144 0ustar www-datawww-datarequire File.expand_path(File.dirname(__FILE__) + '/../spec_helper.rb') begin require 'yajl/bzip2' rescue warn "Couldn't load yajl/bzip2, maybe you don't have bzip2-ruby installed? Continuing without running bzip2 specs." end require 'yajl/gzip' require 'yajl/deflate' require 'yajl/http_stream' describe "Yajl HTTP error" do before do @uri = 'file://' + File.expand_path(File.dirname(__FILE__) + "/fixtures/http/http.error.dump") @request = File.new(File.expand_path(File.dirname(__FILE__) + "/fixtures/http.error.dump"), 'r') allow(TCPSocket).to receive(:new).and_return(@request) allow(@request).to receive(:write) begin Yajl::HttpStream.get(@uri) rescue Yajl::HttpStream::HttpError => e @error = e end end it "should contain the error code in the message" do expect(@error.message).to match(/404/) end it "should provide the HTTP response headers" do expect(@error.headers.keys).to include('ETag', 'Content-Length', 'Server') end end yajl-ruby-1.4.3/spec/http/http_post_spec.rb0000644000004100000410000001110514246427314020766 0ustar www-datawww-datarequire File.expand_path(File.dirname(__FILE__) + '/../spec_helper.rb') begin require 'yajl/bzip2' rescue warn "Couldn't load yajl/bzip2, maybe you don't have bzip2-ruby installed? Continuing without running bzip2 specs." end require 'yajl/gzip' require 'yajl/deflate' require 'yajl/http_stream' def parse_off_headers(io) io.each_line do |line| if line == "\r\n" # end of the headers break end end end describe "Yajl HTTP POST request" do before(:all) do raw = File.new(File.expand_path(File.dirname(__FILE__) + '/fixtures/http.raw.dump'), 'r') parse_off_headers(raw) @template_hash = Yajl::Parser.parse(raw) raw.rewind parse_off_headers(raw) @template_hash_symbolized = Yajl::Parser.parse(raw, :symbolize_keys => true) @deflate = File.new(File.expand_path(File.dirname(__FILE__) + '/fixtures/http.deflate.dump'), 'r') @gzip = File.new(File.expand_path(File.dirname(__FILE__) + '/fixtures/http.gzip.dump'), 'r') @body = "blah=foo&bar=baz" @hashed_body = {:blah => 'foo', 'bar' => 'baz'} @chunked_body = {"item"=>{"price"=>1.99, "updated_by_id"=>nil, "cached_tag_list"=>"", "name"=>"generated", "created_at"=>"2009-03-24T05:25:09Z", "cost"=>0.597, "delta"=>false, "created_by_id"=>nil, "updated_at"=>"2009-03-24T05:25:09Z", "import_tag"=>nil, "account_id"=>16, "id"=>1, "taxable"=>true, "unit"=>nil, "sku"=>"06317-0306", "company_id"=>0, "description"=>nil, "active"=>true}} end after(:each) do @file_path = nil end def prepare_mock_request_dump(format=:raw) @request = File.new(File.expand_path(File.dirname(__FILE__) + "/fixtures/http.#{format}.dump"), 'r') @uri = 'file://'+File.expand_path(File.dirname(__FILE__) + "/fixtures/http/http.#{format}.dump") expect(TCPSocket).to receive(:new).and_return(@request) expect(@request).to receive(:write) end it "should parse a raw response" do prepare_mock_request_dump :raw expect(@template_hash).to eq(Yajl::HttpStream.post(@uri, @body)) end it "should parse a raw response using instance method" do prepare_mock_request_dump :raw expect(@uri).to receive(:host) expect(@uri).to receive(:port) stream = Yajl::HttpStream.new expect(@template_hash).to eq(stream.post(@uri, @body)) end it "should parse a raw response with hashed body" do prepare_mock_request_dump :raw expect(@template_hash).to eq(Yajl::HttpStream.post(@uri, @hashed_body)) end it "should parse a raw response and symbolize keys" do prepare_mock_request_dump :raw expect(@template_hash_symbolized).to eq(Yajl::HttpStream.post(@uri, @body, :symbolize_keys => true)) end if defined?(Yajl::Bzip2::StreamReader) it "should parse a bzip2 compressed response" do prepare_mock_request_dump :bzip2 expect(@template_hash).to eq(Yajl::HttpStream.post(@uri, @body)) end it "should parse a bzip2 compressed response and symbolize keys" do prepare_mock_request_dump :bzip2 expect(@template_hash_symbolized).to eq(Yajl::HttpStream.post(@uri, @body, :symbolize_keys => true)) end end it "should parse a deflate compressed response" do prepare_mock_request_dump :deflate expect(@template_hash).to eq(Yajl::HttpStream.post(@uri, @body)) end it "should parse a deflate compressed response and symbolize keys" do prepare_mock_request_dump :deflate expect(@template_hash_symbolized).to eq(Yajl::HttpStream.post(@uri, @body, :symbolize_keys => true)) end it "should parse a gzip compressed response" do prepare_mock_request_dump :gzip expect(@template_hash).to eq(Yajl::HttpStream.post(@uri, @body)) end it "should parse a gzip compressed response and symbolize keys" do prepare_mock_request_dump :gzip expect(@template_hash_symbolized).to eq(Yajl::HttpStream.post(@uri, @body, :symbolize_keys => true)) end it "should parse a chunked raw response" do prepare_mock_request_dump :chunked Yajl::HttpStream.post(@uri, @body) do |obj| expect(obj).to eql(@chunked_body) end end it "should throw Exception if chunked response and no block given" do prepare_mock_request_dump :chunked expect {Yajl::HttpStream.post(@uri, @body)}.to raise_error(Exception) end it "should throw InvalidContentType if unable to handle the MIME type" do prepare_mock_request_dump :html expect {Yajl::HttpStream.post(@uri, @body)}.to raise_error(Yajl::HttpStream::InvalidContentType) end it "should raise when an HTTP code that isn't 200 is returned" do prepare_mock_request_dump :error expect { Yajl::HttpStream.post(@uri, @body) }.to raise_exception(Yajl::HttpStream::HttpError) end end yajl-ruby-1.4.3/spec/http/http_delete_spec.rb0000644000004100000410000000646614246427314021261 0ustar www-datawww-datarequire File.expand_path(File.dirname(__FILE__) + '/../spec_helper.rb') begin require 'yajl/bzip2' rescue warn "Couldn't load yajl/bzip2, maybe you don't have bzip2-ruby installed? Continuing without running bzip2 specs." end require 'yajl/gzip' require 'yajl/deflate' require 'yajl/http_stream' def parse_off_headers(io) io.each_line do |line| if line == "\r\n" # end of the headers break end end end describe "Yajl HTTP DELETE request" do before(:all) do raw = File.new(File.expand_path(File.dirname(__FILE__) + '/fixtures/http.raw.dump'), 'r') parse_off_headers(raw) @template_hash = Yajl::Parser.parse(raw) raw.rewind parse_off_headers(raw) @template_hash_symbolized = Yajl::Parser.parse(raw, :symbolize_keys => true) @deflate = File.new(File.expand_path(File.dirname(__FILE__) + '/fixtures/http.deflate.dump'), 'r') @gzip = File.new(File.expand_path(File.dirname(__FILE__) + '/fixtures/http.gzip.dump'), 'r') end after(:each) do @file_path = nil end def prepare_mock_request_dump(format=:raw) @request = File.new(File.expand_path(File.dirname(__FILE__) + "/fixtures/http.#{format}.dump"), 'r') @uri = 'file://'+File.expand_path(File.dirname(__FILE__) + "/fixtures/http/http.#{format}.dump") expect(TCPSocket).to receive(:new).and_return(@request) expect(@request).to receive(:write) end it "should parse a raw response" do prepare_mock_request_dump :raw expect(@template_hash).to eq(Yajl::HttpStream.delete(@uri)) end it "should parse a raw response using instance method" do prepare_mock_request_dump :raw expect(@uri).to receive(:host) expect(@uri).to receive(:port) stream = Yajl::HttpStream.new expect(@template_hash).to eq(stream.delete(@uri)) end it "should parse a raw response and symbolize keys" do prepare_mock_request_dump :raw expect(@template_hash_symbolized).to eq(Yajl::HttpStream.delete(@uri, :symbolize_keys => true)) end if defined?(Yajl::Bzip2::StreamReader) it "should parse a bzip2 compressed response" do prepare_mock_request_dump :bzip2 expect(@template_hash).to eq(Yajl::HttpStream.delete(@uri)) end it "should parse a bzip2 compressed response and symbolize keys" do prepare_mock_request_dump :bzip2 expect(@template_hash_symbolized).to eq(Yajl::HttpStream.delete(@uri, :symbolize_keys => true)) end end it "should parse a deflate compressed response" do prepare_mock_request_dump :deflate expect(@template_hash).to eq(Yajl::HttpStream.delete(@uri)) end it "should parse a deflate compressed response and symbolize keys" do prepare_mock_request_dump :deflate expect(@template_hash_symbolized).to eq(Yajl::HttpStream.delete(@uri, :symbolize_keys => true)) end it "should parse a gzip compressed response" do prepare_mock_request_dump :gzip expect(@template_hash).to eq(Yajl::HttpStream.delete(@uri)) end it "should parse a gzip compressed response and symbolize keys" do prepare_mock_request_dump :gzip expect(@template_hash_symbolized).to eq(Yajl::HttpStream.delete(@uri, :symbolize_keys => true)) end it "should raise when an HTTP code that isn't 200 is returned" do prepare_mock_request_dump :error expect { Yajl::HttpStream.delete(@uri) }.to raise_exception(Yajl::HttpStream::HttpError) end end yajl-ruby-1.4.3/spec/http/http_put_spec.rb0000644000004100000410000000713314246427314020617 0ustar www-datawww-datarequire File.expand_path(File.dirname(__FILE__) + '/../spec_helper.rb') begin require 'yajl/bzip2' rescue warn "Couldn't load yajl/bzip2, maybe you don't have bzip2-ruby installed? Continuing without running bzip2 specs." end require 'yajl/gzip' require 'yajl/deflate' require 'yajl/http_stream' def parse_off_headers(io) io.each_line do |line| if line == "\r\n" # end of the headers break end end end describe "Yajl HTTP PUT request" do before(:all) do raw = File.new(File.expand_path(File.dirname(__FILE__) + '/fixtures/http.raw.dump'), 'r') parse_off_headers(raw) @template_hash = Yajl::Parser.parse(raw) raw.rewind parse_off_headers(raw) @template_hash_symbolized = Yajl::Parser.parse(raw, :symbolize_keys => true) @deflate = File.new(File.expand_path(File.dirname(__FILE__) + '/fixtures/http.deflate.dump'), 'r') @gzip = File.new(File.expand_path(File.dirname(__FILE__) + '/fixtures/http.gzip.dump'), 'r') @body = "blah=foo&bar=baz" @hashed_body = {:blah => 'foo', 'bar' => 'baz'} end after(:each) do @file_path = nil end def prepare_mock_request_dump(format=:raw) @request = File.new(File.expand_path(File.dirname(__FILE__) + "/fixtures/http.#{format}.dump"), 'r') @uri = 'file://'+File.expand_path(File.dirname(__FILE__) + "/fixtures/http/http.#{format}.dump") expect(TCPSocket).to receive(:new).and_return(@request) expect(@request).to receive(:write) end it "should parse a raw response" do prepare_mock_request_dump :raw expect(@template_hash).to eq(Yajl::HttpStream.put(@uri, @body)) end it "should parse a raw response using instance method" do prepare_mock_request_dump :raw expect(@uri).to receive(:host) expect(@uri).to receive(:port) stream = Yajl::HttpStream.new expect(@template_hash).to eq(stream.put(@uri, @body)) end it "should parse a raw response with hashed body" do prepare_mock_request_dump :raw expect(@template_hash).to eq(Yajl::HttpStream.post(@uri, @hashed_body)) end it "should parse a raw response and symbolize keys" do prepare_mock_request_dump :raw expect(@template_hash_symbolized).to eq(Yajl::HttpStream.put(@uri, @body, :symbolize_keys => true)) end if defined?(Yajl::Bzip2::StreamReader) it "should parse a bzip2 compressed response" do prepare_mock_request_dump :bzip2 expect(@template_hash).to eq(Yajl::HttpStream.put(@uri, @body)) end it "should parse a bzip2 compressed response and symbolize keys" do prepare_mock_request_dump :bzip2 expect(@template_hash_symbolized).to eq(Yajl::HttpStream.put(@uri, @body, :symbolize_keys => true)) end end it "should parse a deflate compressed response" do prepare_mock_request_dump :deflate expect(@template_hash).to eq(Yajl::HttpStream.put(@uri, @body)) end it "should parse a deflate compressed response and symbolize keys" do prepare_mock_request_dump :deflate expect(@template_hash_symbolized).to eq(Yajl::HttpStream.put(@uri, @body, :symbolize_keys => true)) end it "should parse a gzip compressed response" do prepare_mock_request_dump :gzip expect(@template_hash).to eq(Yajl::HttpStream.put(@uri, @body)) end it "should parse a gzip compressed response and symbolize keys" do prepare_mock_request_dump :gzip expect(@template_hash_symbolized).to eq(Yajl::HttpStream.put(@uri, @body, :symbolize_keys => true)) end it "should raise when an HTTP code that isn't 200 is returned" do prepare_mock_request_dump :error expect { Yajl::HttpStream.put(@uri, @body) }.to raise_exception(Yajl::HttpStream::HttpError) end end yajl-ruby-1.4.3/spec/rcov.opts0000644000004100000410000000010114246427314016276 0ustar www-datawww-data--exclude spec,gem --text-summary --sort coverage --sort-reverse yajl-ruby-1.4.3/spec/encoding/0000755000004100000410000000000014246427314016214 5ustar www-datawww-datayajl-ruby-1.4.3/spec/encoding/encoding_spec.rb0000644000004100000410000002566114246427314021353 0ustar www-datawww-data# encoding: UTF-8 require File.expand_path(File.dirname(__FILE__) + '/../spec_helper.rb') require 'tmpdir' require 'zlib' class Dummy2 def to_json "{\"hawtness\":true}" end end class TheMindKiller def to_json nil end end class TheMindKillerDuce def to_s nil end end describe "Yajl JSON encoder" do FILES = Dir[File.dirname(__FILE__)+'/../../benchmark/subjects/*.json'] FILES.each do |file| it "should encode #{File.basename(file)} to an StringIO" do # we don't care about testing the stream subject as it has multiple JSON strings in it if File.basename(file) != 'twitter_stream.json' input = File.new(File.expand_path(file), 'r') io = StringIO.new encoder = Yajl::Encoder.new hash = Yajl::Parser.parse(input) encoder.encode(hash, io) io.rewind hash2 = Yajl::Parser.parse(io) io.close input.close expect(hash).to eq(hash2) end end end FILES.each do |file| it "should encode #{File.basename(file)} to a Zlib::GzipWriter" do # we don't care about testing the stream subject as it has multiple JSON strings in it if File.basename(file) != 'twitter_stream.json' hash = File.open(File.expand_path(file), 'r') do |input| Yajl::Parser.parse(input) end hash2 = Dir.mktmpdir do |tmp_dir| output_filename = File.join(tmp_dir, 'output.json') Zlib::GzipWriter.open(output_filename) do |writer| Yajl::Encoder.encode(hash, writer) end Zlib::GzipReader.open(output_filename) do |reader| Yajl::Parser.parse(reader.read) end end expect(hash).to eq(hash2) end end end FILES.each do |file| it "should encode #{File.basename(file)} and return a String" do # we don't care about testing the stream subject as it has multiple JSON strings in it if File.basename(file) != 'twitter_stream.json' input = File.new(File.expand_path(file), 'r') encoder = Yajl::Encoder.new hash = Yajl::Parser.parse(input) output = encoder.encode(hash) hash2 = Yajl::Parser.parse(output) input.close expect(hash).to eq(hash2) end end end FILES.each do |file| it "should encode #{File.basename(file)} call the passed block, passing it a String" do # we don't care about testing the stream subject as it has multiple JSON strings in it if File.basename(file) != 'twitter_stream.json' input = File.new(File.expand_path(file), 'r') encoder = Yajl::Encoder.new hash = Yajl::Parser.parse(input) output = '' encoder.encode(hash) do |json_str| output << json_str end hash2 = Yajl::Parser.parse(output) input.close expect(hash).to eq(hash2) end end end it "should encode with :pretty turned on and a single space indent, to an IO" do output = "{\n \"foo\": 1234\n}" obj = {:foo => 1234} io = StringIO.new encoder = Yajl::Encoder.new(:pretty => true, :indent => ' ') encoder.encode(obj, io) io.rewind expect(io.read).to eq(output) end it "should encode with :pretty turned on and a single space indent, and return a String" do output = "{\n \"foo\": 1234\n}" obj = {:foo => 1234} encoder = Yajl::Encoder.new(:pretty => true, :indent => ' ') output = encoder.encode(obj) expect(output).to eq(output) end it "should encode with :pretty turned on and a tab character indent, to an IO" do output = "{\n\t\"foo\": 1234\n}" obj = {:foo => 1234} io = StringIO.new encoder = Yajl::Encoder.new(:pretty => true, :indent => "\t") encoder.encode(obj, io) io.rewind expect(io.read).to eq(output) end it "should encode with :pretty turned on and a tab character indent, and return a String" do output = "{\n\t\"foo\": 1234\n}" obj = {:foo => 1234} encoder = Yajl::Encoder.new(:pretty => true, :indent => "\t") output = encoder.encode(obj) expect(output).to eq(output) end it "should encode with it's class method with :pretty and a tab character indent options set, to an IO" do output = "{\n\t\"foo\": 1234\n}" obj = {:foo => 1234} io = StringIO.new Yajl::Encoder.encode(obj, io, :pretty => true, :indent => "\t") io.rewind expect(io.read).to eq(output) end it "should encode with it's class method with :pretty and a tab character indent options set, and return a String" do output = "{\n\t\"foo\": 1234\n}" obj = {:foo => 1234} output = Yajl::Encoder.encode(obj, :pretty => true, :indent => "\t") expect(output).to eq(output) end it "should encode with it's class method with :pretty and a tab character indent options set, to a block" do output = "{\n\t\"foo\": 1234\n}" obj = {:foo => 1234} output = '' Yajl::Encoder.encode(obj, :pretty => true, :indent => "\t") do |json_str| output = json_str end expect(output).to eq(output) end it "should encode multiple objects into a single stream, to an IO" do io = StringIO.new obj = {:foo => 1234} encoder = Yajl::Encoder.new 5.times do encoder.encode(obj, io) end io.rewind output = "{\"foo\":1234}{\"foo\":1234}{\"foo\":1234}{\"foo\":1234}{\"foo\":1234}" expect(io.read).to eq(output) end it "should encode multiple objects into a single stream, and return a String" do obj = {:foo => 1234} encoder = Yajl::Encoder.new json_output = '' 5.times do json_output << encoder.encode(obj) end output = "{\"foo\":1234}{\"foo\":1234}{\"foo\":1234}{\"foo\":1234}{\"foo\":1234}" expect(json_output).to eq(output) end it "should encode all map keys as strings" do expect(Yajl::Encoder.encode({1=>1})).to eql("{\"1\":1}") end it "should check for and call #to_json if it exists on custom objects" do d = Dummy2.new expect(Yajl::Encoder.encode({:foo => d})).to eql('{"foo":{"hawtness":true}}') end it "should encode a hash where the key and value can be symbols" do expect(Yajl::Encoder.encode({:foo => :bar})).to eql('{"foo":"bar"}') end it "should encode using a newline or nil terminator" do expect(Yajl::Encoder.new(:terminator => "\n").encode({:foo => :bar})).to eql("{\"foo\":\"bar\"}\n") expect(Yajl::Encoder.new(:terminator => nil).encode({:foo => :bar})).to eql("{\"foo\":\"bar\"}") end it "should encode using a newline or nil terminator, to an IO" do s = StringIO.new Yajl::Encoder.new(:terminator => "\n").encode({:foo => :bar}, s) s.rewind expect(s.read).to eql("{\"foo\":\"bar\"}\n") s = StringIO.new Yajl::Encoder.new(:terminator => nil).encode({:foo => :bar}, s) s.rewind expect(s.read).to eql("{\"foo\":\"bar\"}") end it "should encode using a newline or nil terminator, using a block" do s = StringIO.new Yajl::Encoder.new(:terminator => "\n").encode({:foo => :bar}) do |chunk| s << chunk end s.rewind expect(s.read).to eql("{\"foo\":\"bar\"}\n") s = StringIO.new nilpassed = false Yajl::Encoder.new(:terminator => nil).encode({:foo => :bar}) do |chunk| nilpassed = true if chunk.nil? s << chunk end expect(nilpassed).to be_truthy s.rewind expect(s.read).to eql("{\"foo\":\"bar\"}") end it "should encode all integers correctly" do 0.upto(129).each do |b| b = 1 << b [b, b-1, b-2, b+1, b+2].each do |i| expect(Yajl::Encoder.encode(i)).to eq(i.to_s) expect(Yajl::Encoder.encode(-i)).to eq((-i).to_s) end end end it "should not encode NaN" do expect { Yajl::Encoder.encode(0.0/0.0) }.to raise_error(Yajl::EncodeError) end it "should not encode Infinity or -Infinity" do expect { Yajl::Encoder.encode(1.0/0.0) }.to raise_error(Yajl::EncodeError) expect { Yajl::Encoder.encode(-1.0/0.0) }.to raise_error(Yajl::EncodeError) end it "should encode with unicode chars in the key" do hash = {"浅草" => "<- those are unicode"} expect(Yajl::Encoder.encode(hash)).to eql("{\"浅草\":\"<- those are unicode\"}") end if RUBY_VERSION =~ /^1.9/ it "should return a string encoded in utf-8 if Encoding.default_internal is nil" do Encoding.default_internal = nil hash = {"浅草" => "<- those are unicode"} expect(Yajl::Encoder.encode(hash).encoding).to eql(Encoding.find('utf-8')) end it "should return a string encoded in utf-8 even if Encoding.default_internal *is* set" do Encoding.default_internal = Encoding.find('utf-8') hash = {"浅草" => "<- those are unicode"} expect(Yajl::Encoder.encode(hash).encoding).to eql(Encoding.default_internal) Encoding.default_internal = Encoding.find('us-ascii') hash = {"浅草" => "<- those are unicode"} expect(Yajl::Encoder.encode(hash).encoding).to eql(Encoding.find('utf-8')) end end it "should be able to escape / characters if html_safe is enabled" do unsafe_encoder = Yajl::Encoder.new(:html_safe => false) safe_encoder = Yajl::Encoder.new(:html_safe => true) expect(unsafe_encoder.encode("")).not_to eql("\"<\\/script>\"") expect(safe_encoder.encode("")).to eql("\"<\\/script>\"") end it "should not encode characters with entities by default" do expect(Yajl.dump("\u2028\u2029><&")).to eql("\"\u2028\u2029><&\"") end it "should encode characters with entities when enabled" do expect(Yajl.dump("\u2028\u2029><&", entities: true)).to eql("\"\\u2028\\u2029\\u003E\\u003C\\u0026\"") end it "should default to *not* escaping / characters" do unsafe_encoder = Yajl::Encoder.new expect(unsafe_encoder.encode("")).not_to eql("\"<\\/script>\"") end it "should encode slashes when enabled" do unsafe_encoder = Yajl::Encoder.new(:entities => false) safe_encoder = Yajl::Encoder.new(:entities => true) expect(unsafe_encoder.encode("")).not_to eql("\"<\\/script>\"") expect(safe_encoder.encode("")).to eql("\"\\u003C\\/script\\u003E\"") end it "return value of #to_json must be a string" do expect { Yajl::Encoder.encode(TheMindKiller.new) }.to raise_error(TypeError) end it "return value of #to_s must be a string" do expect { if TheMindKillerDuce.send(:method_defined?, :to_json) TheMindKillerDuce.send(:undef_method, :to_json) end Yajl::Encoder.encode(TheMindKillerDuce.new) }.to raise_error(TypeError) end it "should raise an exception for deeply nested arrays" do root = [] a = root (Yajl::MAX_DEPTH + 1).times { |_| a << []; a = a[0] } expect { Yajl::Encoder.encode(root) }.to raise_error(Yajl::EncodeError) end it "should raise an exception for deeply nested hashes" do root = {} a = root (Yajl::MAX_DEPTH + 1).times { |_| a["a"] = {}; a = a["a"] } expect { Yajl::Encoder.encode(root) }.to raise_error(Yajl::EncodeError) end end yajl-ruby-1.4.3/spec/spec_helper.rb0000644000004100000410000000031114246427314017237 0ustar www-datawww-datarequire 'rspec' require 'yajl' require 'date' require 'stringio' module Kernel def silence_warnings old_verbose, $VERBOSE = $VERBOSE, nil yield ensure $VERBOSE = old_verbose end end yajl-ruby-1.4.3/spec/parsing/0000755000004100000410000000000014246427314016071 5ustar www-datawww-datayajl-ruby-1.4.3/spec/parsing/chunked_spec.rb0000644000004100000410000000623614246427314021060 0ustar www-datawww-datarequire File.expand_path(File.dirname(__FILE__) + '/../spec_helper.rb') describe "Chunked parser" do before(:all) do @final = [{"abc" => 123}, {"def" => 456}] end before(:each) do @callback = lambda { |hash| # no-op } @parser = Yajl::Parser.new @parser.on_parse_complete = @callback end it "should parse a single chunk" do expect(@callback).to receive(:call).with(@final) @parser << '[{"abc": 123},{"def": 456}]' end it "should parse a single chunk, 3 times" do expect(@callback).to receive(:call).with(@final).exactly(3).times @parser << '[{"abc": 123},{"def": 456}]' @parser << '[{"abc": 123},{"def": 456}]' @parser << '[{"abc": 123},{"def": 456}]' end it "should parse in two chunks" do expect(@callback).to receive(:call).with(@final) @parser << '[{"abc": 123},' @parser << '{"def": 456}]' end it "should parse in 2 chunks, twice" do expect(@callback).to receive(:call).with(@final).exactly(2).times @parser << '[{"abc": 123},' @parser << '{"def": 456}]' @parser << '[{"abc": 123},' @parser << '{"def": 456}]' end it "should parse 2 JSON strings, in 3 chunks" do expect(@callback).to receive(:call).with(@final).exactly(2).times @parser << '[{"abc": 123},' @parser << '{"def": 456}][{"abc": 123},{"def":' @parser << ' 456}]' end it "should parse 2 JSON strings in 1 chunk" do expect(@callback).to receive(:call).with(@final).exactly(2).times @parser << '[{"abc": 123},{"def": 456}][{"abc": 123},{"def": 456}]' end it "should parse 2 JSON strings from an IO" do expect(@callback).to receive(:call).with(@final).exactly(2).times @parser.parse(StringIO.new('[{"abc": 123},{"def": 456}][{"abc": 123},{"def": 456}]')) end it "should parse a JSON string an IO and fire callback once" do expect(@callback).to receive(:call).with(@final) @parser.parse(StringIO.new('[{"abc": 123},{"def": 456}]')) end it "should parse twitter_stream.json and fire callback 430 times" do path = File.expand_path(File.dirname(__FILE__) + '/../../benchmark/subjects/twitter_stream.json') json = File.new(path, 'r') expect(@callback).to receive(:call).exactly(430).times expect { @parser.parse(json) }.not_to raise_error end it "should parse twitter_stream.json and fire callback 430 times, with a block as the callback" do path = File.expand_path(File.dirname(__FILE__) + '/../../benchmark/subjects/twitter_stream.json') json = File.new(path, 'r') expect(@callback).to receive(:call).exactly(0).times @parser.on_parse_complete = nil expect { times = 0 @parser.parse(json) do |hsh| times += 1 end expect(times).to eql(430) }.not_to raise_error end it "should raise a Yajl::ParseError error if multiple JSON strings were found when no on_parse_complete callback assigned" do path = File.expand_path(File.dirname(__FILE__) + '/../../benchmark/subjects/twitter_stream.json') json = File.new(path, 'r') @parser.on_parse_complete = nil expect(@callback).to receive(:call).exactly(0).times expect { @parser.parse(json) }.to raise_error(Yajl::ParseError) end end yajl-ruby-1.4.3/spec/parsing/fixtures/0000755000004100000410000000000014246427314017742 5ustar www-datawww-datayajl-ruby-1.4.3/spec/parsing/fixtures/pass.numbers-fp-4k.json0000644000004100000410000001064314246427314024200 0ustar www-datawww-data[[-4.0517697E24,-4.6834714E9,2.3016275E-5,429379.38,4.1035245E-35,-3.0304818E-8,-6.054423E8,1.2708386E-15,-1.715156E27,-277.43622,2.0346915E-38,-0.01638545,-1.2856552E32,-4.69584413E11,7.477022E-10,1.07893673E12,-3.5855834,103206.47,0.0017756876,-1.61412621E9,-54.93887,-139561.4,-2.378658E22,-3.158278E-35,5.233813E-31,1.76682848E15],[1.0974016E37,5.3739964E-11,-4.9716053E-33,-1.66076738E14,-4.0119002E37,-1.4027267E-32,-2.72471598E18,2.5744203E-19,-4.572614E-38,3.2234583E31,8.654537E19,-3.4919776E-29,-3.25070671E12,-9.000992E-29,1.0441233E36,4.079525E25,1.2051055E-15,-2.29235541E14,-3.2437188E-13,-1.5618475E-4,-4.0124833E-25,2.8310637E-38,-2.7477381E37,1.32944947E9,2.18171494E12,-1.25300354E17,6.0274116E15,-2.107706E23,6.3065464E34,2.51101692E11,5.254233E25,-2.0404816E-19,1.7693594E-33,-1.1974275E35,2.8162636E34,6.4890817E-21,7.184675E-25,7.5984363E34,-5.618655E-11,-3280961.8,1.28438128E8,8.6140408E18,1.1140984E25,1.47108772E10,3.3097485E24,-2052130.9,1.63728826E17,-6256.014,2835.2756,-2.4856512E24,1.2163494E-7,-1.1225695E13,3185.818],[-5.7091426E35,-7.046804E-12,2.8546067E37,-772.3046,-2.1437726E-18,7.247147E36,-1.5350201E29,-8.961063E-10,0.85318434,-7.483097E-33] ,[-1.2860384E8,-8.602547E-36],[-2.944476E-12,2.77460487E13,2.2238986E-12,-4.3412906E19,-5175.8833,-0.0073129623,-2.4091398E-20,-4.1746454E-10,4.45905856E8,1.2805583E28,2.5504562E20,5048020.5,-2.664713E28,-1.3501865E-10,4659.968,-5.82742E-35,-1679.142,-3.875056E-26,-4.033507E24,-4.6903224,1.9332838E38,-2.0680365E29,8.525517E-14,-5.230842E-32,3.673353E-35,-1.7281757E38,-8.2598E-9,-17152.049,-4.852759E-29,-1.0426323E-22,-0.020246392,-3.1350626E-6,1.2408656E-37,1.120012E-28,2.4116303E-15,-0.4785474,346436.97,-5.232122E-33,-1.91926374E9,-3.2487415E19,-8.650112E24,-5.055328E-34,-7.409502E-23,1.2598161E-17,5.4119855E13,-1.1477772E-4,4.6083254E-12,-254158.67,-3562.668,6.329796E-33,1.8004916E-23,9.1474255E-32,2.3754586E-25,-0.3737642,-3.8334996E-8,1.6320389E-21,1.00855703E-16,2.8689735E-36,-1.4815323E20] ,[1.06485072E8,-1.0298127E-36,0.24806988,-1.49687634E10,-3.6207398E32,-1.0312921E-5,-1.2935636E-31,-1.2929703E37,-3.9697367E-19],[1.0102053E15,3.1466665E20,0.08864031,-3.9789494E-35,-2.5044518E-17,4.97892847E17,3.361501E-38,1.9492607E-32,2.0493702E-34,3.00903369E16,-1.6402363E-7,-2.6451675E-18,1.262038E-30,-9.804624E30,-1.2246598E34,-3.315567E25,182204.17,-3.130359E-19,-7.119018E26,-1.48141686E17,4.419125E-31,-2.8471037E-15] ,[8.0939505E9,1.1374584E-19,-1.4202437E-27,1.313552E33,-4.2573942E12,-5.8381478E13],[-2.6502555E30,4.1753343E-29,9.083372E19,-0.068183176,-1.1031515E-26,-2.4913055E-16,-3.6719114E-37,5.8186E37,5.715726,-1.0163735E34,-8.84853E37,-1.1815134E-37,1.0027934E-16] ,[-1.4073724E34,1.30061288E13,0.008461121,-1.3376654E-10,-6.0671164E20,1.1833966E-16,14.809583,3.5770768E-22,-7.530457E-32,-1.5393923E-12,-7.8060027E34,2.1101567E-16,-6.2677943E-17,2.2152926E-20,-1.1757083E-31,2.3695316E19,1.4274136E-12,-1.9480981E26,6.291982E-10,-9.367635E-8,6.9291846E15,4.72749638E11,1.0033393E-12,6.817596E31,-1.2097972E-24,-1.9492175E-8,3.22030314E13,-7.977198E24,-3.4311988,-9.747453,1.6084044E-20,-9.820089E-30,-121.80733,-1.6177538E-27,-8.8467775E-4,5.6503555E-11,2.0995368E26,-5.455361E-9,1.8685779E-32,8.574378E-4,2.1685172E-30],[6.861861E-37,-4.4493197E35] ,[-1.1613617E-18,-4.8534297E20,1.0546074E-20,6.6119614E-25,-2.24921029E17,1.5837627E-19,-186516.12,-3.640935E-33,8.555976E-17,3.2709814E-30,3.63576335E18,1.4442433E-30,2.4232822E-36,-9.666912E31,1.5853016E35,3.73195E21,-125.010605,-2.1777477E-17,1.00537485E-29,-3.1489299E-30,3540.4128,-1.2457142E19,0.002879089,3316.8232,-2.399002E-8,1.2665383E-9,-6.6589328E-21,1.569398E37,-4.0816245E33,7.659948E-29,3.50496255E15,5.2147024E-14,-7.601605E23,3.6567388E7,9.476331E29,6.5074084E7,-3.8742284E-16,-2.8865025E38,-5.8460764E-21,-2.8586424E-36,-1.7062408E32,4.27118324E14,-6.7125395E-28],[3.56796591E16,-618868.25,2.933427E-12,7.236035E-39,1.2127505E-37,9.672922E-34,-4.398644E7,3.5170867E-22,-4.2779222E-30,1.7244597E-28,-2.516157E-4,2.8513992E7,5.198693E-23,1.4477405E19,-1.13826478E10,-2.3829098E-36,18.335575,1.8759609E-13,-1.968288E-22,1.7264434E-37,2.1186231E-17,-1.366064E-37,-2.3724215E-26,-1.83045278E15,-4.5891318E20,1.4144087E33,5517011.0,-1.80326367E18,-3.4664499E-31,8.6163241E12,-3.4160834E-37,1.6376802E-32,-4.1883656E-29,2.1600535E-8,142394.83,-7.924927E24,6.102368E31,5.108181E-15,-3.3982544E21,-0.7968685,1.1872208E35,-5.3212889E17,1.4372333E-9,-2.59713466E11,-1.2630338E34,3.519925E10,7.971905E22,7.0312736E-12,-8.266714E-27],[-1588131.2]] yajl-ruby-1.4.3/spec/parsing/fixtures/pass2.json0000644000004100000410000000006414246427314021665 0ustar www-datawww-data[[[[[[[[[[[[[[[[[[["Not too deep"]]]]]]]]]]]]]]]]]]]yajl-ruby-1.4.3/spec/parsing/fixtures/pass.db100.xml.json0000644000004100000410000003767014246427314023224 0ustar www-datawww-data{"table":{"row":[{"id":{"$":"0000"},"firstname":{"$":"Al"},"lastname":{"$":"Aranow"},"street":{"$":"1 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0001"},"firstname":{"$":"Bob"},"lastname":{"$":"Aranow"},"street":{"$":"2 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0002"},"firstname":{"$":"Charles"},"lastname":{"$":"Aranow"},"street":{"$":"3 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0003"},"firstname":{"$":"David"},"lastname":{"$":"Aranow"},"street":{"$":"4 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0004"},"firstname":{"$":"Egon"},"lastname":{"$":"Aranow"},"street":{"$":"5 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0005"},"firstname":{"$":"Farbood"},"lastname":{"$":"Aranow"},"street":{"$":"6 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0006"},"firstname":{"$":"George"},"lastname":{"$":"Aranow"},"street":{"$":"7 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0007"},"firstname":{"$":"Hank"},"lastname":{"$":"Aranow"},"street":{"$":"8 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0008"},"firstname":{"$":"Inki"},"lastname":{"$":"Aranow"},"street":{"$":"9 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0009"},"firstname":{"$":"James"},"lastname":{"$":"Aranow"},"street":{"$":"10 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0010"},"firstname":{"$":"Al"},"lastname":{"$":"Barker"},"street":{"$":"11 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0011"},"firstname":{"$":"Bob"},"lastname":{"$":"Barker"},"street":{"$":"12 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0012"},"firstname":{"$":"Charles"},"lastname":{"$":"Barker"},"street":{"$":"13 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0013"},"firstname":{"$":"David"},"lastname":{"$":"Barker"},"street":{"$":"14 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0014"},"firstname":{"$":"Egon"},"lastname":{"$":"Barker"},"street":{"$":"15 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0015"},"firstname":{"$":"Farbood"},"lastname":{"$":"Barker"},"street":{"$":"16 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0016"},"firstname":{"$":"George"},"lastname":{"$":"Barker"},"street":{"$":"17 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0017"},"firstname":{"$":"Hank"},"lastname":{"$":"Barker"},"street":{"$":"18 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0018"},"firstname":{"$":"Inki"},"lastname":{"$":"Barker"},"street":{"$":"19 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0019"},"firstname":{"$":"James"},"lastname":{"$":"Barker"},"street":{"$":"20 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0020"},"firstname":{"$":"Al"},"lastname":{"$":"Corsetti"},"street":{"$":"21 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0021"},"firstname":{"$":"Bob"},"lastname":{"$":"Corsetti"},"street":{"$":"22 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0022"},"firstname":{"$":"Charles"},"lastname":{"$":"Corsetti"},"street":{"$":"23 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0023"},"firstname":{"$":"David"},"lastname":{"$":"Corsetti"},"street":{"$":"24 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0024"},"firstname":{"$":"Egon"},"lastname":{"$":"Corsetti"},"street":{"$":"25 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0025"},"firstname":{"$":"Farbood"},"lastname":{"$":"Corsetti"},"street":{"$":"26 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0026"},"firstname":{"$":"George"},"lastname":{"$":"Corsetti"},"street":{"$":"27 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0027"},"firstname":{"$":"Hank"},"lastname":{"$":"Corsetti"},"street":{"$":"28 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0028"},"firstname":{"$":"Inki"},"lastname":{"$":"Corsetti"},"street":{"$":"29 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0029"},"firstname":{"$":"James"},"lastname":{"$":"Corsetti"},"street":{"$":"30 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0030"},"firstname":{"$":"Al"},"lastname":{"$":"Dershowitz"},"street":{"$":"31 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0031"},"firstname":{"$":"Bob"},"lastname":{"$":"Dershowitz"},"street":{"$":"32 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0032"},"firstname":{"$":"Charles"},"lastname":{"$":"Dershowitz"},"street":{"$":"33 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0033"},"firstname":{"$":"David"},"lastname":{"$":"Dershowitz"},"street":{"$":"34 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0034"},"firstname":{"$":"Egon"},"lastname":{"$":"Dershowitz"},"street":{"$":"35 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0035"},"firstname":{"$":"Farbood"},"lastname":{"$":"Dershowitz"},"street":{"$":"36 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0036"},"firstname":{"$":"George"},"lastname":{"$":"Dershowitz"},"street":{"$":"37 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0037"},"firstname":{"$":"Hank"},"lastname":{"$":"Dershowitz"},"street":{"$":"38 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0038"},"firstname":{"$":"Inki"},"lastname":{"$":"Dershowitz"},"street":{"$":"39 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0039"},"firstname":{"$":"James"},"lastname":{"$":"Dershowitz"},"street":{"$":"40 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0040"},"firstname":{"$":"Al"},"lastname":{"$":"Engleman"},"street":{"$":"41 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0041"},"firstname":{"$":"Bob"},"lastname":{"$":"Engleman"},"street":{"$":"42 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0042"},"firstname":{"$":"Charles"},"lastname":{"$":"Engleman"},"street":{"$":"43 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0043"},"firstname":{"$":"David"},"lastname":{"$":"Engleman"},"street":{"$":"44 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0044"},"firstname":{"$":"Egon"},"lastname":{"$":"Engleman"},"street":{"$":"45 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0045"},"firstname":{"$":"Farbood"},"lastname":{"$":"Engleman"},"street":{"$":"46 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0046"},"firstname":{"$":"George"},"lastname":{"$":"Engleman"},"street":{"$":"47 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0047"},"firstname":{"$":"Hank"},"lastname":{"$":"Engleman"},"street":{"$":"48 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0048"},"firstname":{"$":"Inki"},"lastname":{"$":"Engleman"},"street":{"$":"49 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0049"},"firstname":{"$":"James"},"lastname":{"$":"Engleman"},"street":{"$":"50 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0050"},"firstname":{"$":"Al"},"lastname":{"$":"Franklin"},"street":{"$":"51 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0051"},"firstname":{"$":"Bob"},"lastname":{"$":"Franklin"},"street":{"$":"52 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0052"},"firstname":{"$":"Charles"},"lastname":{"$":"Franklin"},"street":{"$":"53 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0053"},"firstname":{"$":"David"},"lastname":{"$":"Franklin"},"street":{"$":"54 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0054"},"firstname":{"$":"Egon"},"lastname":{"$":"Franklin"},"street":{"$":"55 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0055"},"firstname":{"$":"Farbood"},"lastname":{"$":"Franklin"},"street":{"$":"56 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0056"},"firstname":{"$":"George"},"lastname":{"$":"Franklin"},"street":{"$":"57 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0057"},"firstname":{"$":"Hank"},"lastname":{"$":"Franklin"},"street":{"$":"58 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0058"},"firstname":{"$":"Inki"},"lastname":{"$":"Franklin"},"street":{"$":"59 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0059"},"firstname":{"$":"James"},"lastname":{"$":"Franklin"},"street":{"$":"60 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0060"},"firstname":{"$":"Al"},"lastname":{"$":"Grice"},"street":{"$":"61 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0061"},"firstname":{"$":"Bob"},"lastname":{"$":"Grice"},"street":{"$":"62 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0062"},"firstname":{"$":"Charles"},"lastname":{"$":"Grice"},"street":{"$":"63 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0063"},"firstname":{"$":"David"},"lastname":{"$":"Grice"},"street":{"$":"64 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0064"},"firstname":{"$":"Egon"},"lastname":{"$":"Grice"},"street":{"$":"65 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0065"},"firstname":{"$":"Farbood"},"lastname":{"$":"Grice"},"street":{"$":"66 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0066"},"firstname":{"$":"George"},"lastname":{"$":"Grice"},"street":{"$":"67 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0067"},"firstname":{"$":"Hank"},"lastname":{"$":"Grice"},"street":{"$":"68 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0068"},"firstname":{"$":"Inki"},"lastname":{"$":"Grice"},"street":{"$":"69 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0069"},"firstname":{"$":"James"},"lastname":{"$":"Grice"},"street":{"$":"70 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0070"},"firstname":{"$":"Al"},"lastname":{"$":"Haverford"},"street":{"$":"71 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0071"},"firstname":{"$":"Bob"},"lastname":{"$":"Haverford"},"street":{"$":"72 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0072"},"firstname":{"$":"Charles"},"lastname":{"$":"Haverford"},"street":{"$":"73 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0073"},"firstname":{"$":"David"},"lastname":{"$":"Haverford"},"street":{"$":"74 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0074"},"firstname":{"$":"Egon"},"lastname":{"$":"Haverford"},"street":{"$":"75 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0075"},"firstname":{"$":"Farbood"},"lastname":{"$":"Haverford"},"street":{"$":"76 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0076"},"firstname":{"$":"George"},"lastname":{"$":"Haverford"},"street":{"$":"77 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0077"},"firstname":{"$":"Hank"},"lastname":{"$":"Haverford"},"street":{"$":"78 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0078"},"firstname":{"$":"Inki"},"lastname":{"$":"Haverford"},"street":{"$":"79 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0079"},"firstname":{"$":"James"},"lastname":{"$":"Haverford"},"street":{"$":"80 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0080"},"firstname":{"$":"Al"},"lastname":{"$":"Ilvedson"},"street":{"$":"81 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0081"},"firstname":{"$":"Bob"},"lastname":{"$":"Ilvedson"},"street":{"$":"82 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0082"},"firstname":{"$":"Charles"},"lastname":{"$":"Ilvedson"},"street":{"$":"83 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0083"},"firstname":{"$":"David"},"lastname":{"$":"Ilvedson"},"street":{"$":"84 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0084"},"firstname":{"$":"Egon"},"lastname":{"$":"Ilvedson"},"street":{"$":"85 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0085"},"firstname":{"$":"Farbood"},"lastname":{"$":"Ilvedson"},"street":{"$":"86 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0086"},"firstname":{"$":"George"},"lastname":{"$":"Ilvedson"},"street":{"$":"87 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0087"},"firstname":{"$":"Hank"},"lastname":{"$":"Ilvedson"},"street":{"$":"88 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0088"},"firstname":{"$":"Inki"},"lastname":{"$":"Ilvedson"},"street":{"$":"89 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0089"},"firstname":{"$":"James"},"lastname":{"$":"Ilvedson"},"street":{"$":"90 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0090"},"firstname":{"$":"Al"},"lastname":{"$":"Jones"},"street":{"$":"91 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0091"},"firstname":{"$":"Bob"},"lastname":{"$":"Jones"},"street":{"$":"92 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0092"},"firstname":{"$":"Charles"},"lastname":{"$":"Jones"},"street":{"$":"93 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0093"},"firstname":{"$":"David"},"lastname":{"$":"Jones"},"street":{"$":"94 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0094"},"firstname":{"$":"Egon"},"lastname":{"$":"Jones"},"street":{"$":"95 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0095"},"firstname":{"$":"Farbood"},"lastname":{"$":"Jones"},"street":{"$":"96 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0096"},"firstname":{"$":"George"},"lastname":{"$":"Jones"},"street":{"$":"97 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0097"},"firstname":{"$":"Hank"},"lastname":{"$":"Jones"},"street":{"$":"98 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0098"},"firstname":{"$":"Inki"},"lastname":{"$":"Jones"},"street":{"$":"99 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0099"},"firstname":{"$":"James"},"lastname":{"$":"Jones"},"street":{"$":"100 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}}]}} yajl-ruby-1.4.3/spec/parsing/fixtures/pass.ns-invoice100.xml.json0000644000004100000410000057475714246427314024725 0ustar www-datawww-data{"ns1:invoice":{"Header":{"IssueDateTime":{"$":"2003-03-13T13:13:32-08:00","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Identifier":{"$":"15570720","@schemeAgencyName":"ISO","@schemeName":"Invoice","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"POIdentifier":{"$":"691","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"BuyerParty":{"PartyID":{"$":"1","@schemeName":"SpiderMarkExpress","@schemeAgencyName":"SUNW","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Name":{"$":"IDES Retail INC US","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Address":{"Street":{"$":"Hill St.","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"HouseID":{"$":"5555","@schemeName":"HouseID","@schemeAgencyName":"house","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"RoomID":{"$":"Suite 3","@schemeName":"RoomID","@schemeAgencyName":"room","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"CityName":{"$":"Boston","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"PostalZoneID":{"$":"01234","@schemeName":"Zipcode","@schemeAgencyName":"USPS","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"StateName":{"$":"MA","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"CountryIdentificationCode":{"$":"US","@listAgencyId":"ISO","@listId":"3166","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Contact":{"Name":{"$":"Joe Buyer","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Communication":[{"Value":{"$":"313-555-1212","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"ChannelID":{"$":"phone","@schemeName":"SpiderMarkExpress","@schemeAgencyName":"SUNW","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},{"Value":{"$":"313-555-1213","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"ChannelID":{"$":"fax","@schemeName":"SpiderMarkExpress","@schemeAgencyName":"SUNW","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}}],"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"SellerParty":{"PartyID":{"$":"10","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Name":{"$":"1YvMdIkxZRXszgQfmoKqkit","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Address":{"Street":{"$":"ZNk","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"HouseID":{"$":"1234","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"RoomID":{"$":"Ste 301","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"CityName":{"$":"tzFMMtlE1lxdag","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"PostalZoneID":{"$":"992292786","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"StateName":{"$":"FL","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"CountryIdentificationCode":{"$":"SY","@listAgencyId":"ISO","@listId":"3166","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Contact":{"Name":{"$":"jjzxxgwwqgwqjf","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Communication":[{"Value":{"$":"jjzxxgwwqgwqjf@1YvMdIkxZRXszgQfmoKqkit.com","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"ChannelID":{"$":"email","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},{"Value":{"$":"9433593740064593","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"ChannelID":{"$":"phone","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},{"Value":{"$":"38667976759785","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"ChannelID":{"$":"fax","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}}],"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Shipment":{"ShipDate":{"$":"2003-03-13T13:13:32-08:00","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"TransportModeID":{"$":"sea","@schemeAgencyName":"ISO","@schemeName":"TransportMode","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"CarrierID":{"$":"UPS","@schemeAgencyName":"ISO","@schemeName":"Carrier","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"PaymentMeans":{"PaymentDate":{"$":"2003-04-13","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"PayeeFinancialAccount":{"Identifier":{"$":"312098283","@schemeAgencyName":"ISO","@schemeName":"Account","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"FinancialInstitution":{"Identifier":{"$":"33747420","@schemeAgencyName":"UN","@schemeName":"Financial Institution","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Name":{"$":"Caaco","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Address":{"Street":{"$":"H9LHLljO Street","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"HouseID":{"$":"15","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"CityName":{"$":"Yigmnvii","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"PostalZoneID":{"$":"48839","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"StateName":{"$":"CT","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"CountryIdentificationCode":{"$":"US","@listAgencyId":"ISO","@listId":"3166","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"TypeID":{"$":"vozbix","@schemeAgencyName":"ISO","@schemeName":"Account Type","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"AccountName":{"$":"Adrvgrri","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"LineItem":[{"LineID":{"$":"0","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Item":{"StandardItemIdentifier":{"$":"20","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Description":{"$":"vZCwLwz1AGtbQT7t0diKccyB0rm0DXS5JFUWZyFcDFW7t","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Quantity":{"$":"10","@unitCode":"number","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"OrderStatus":{"$":"FULFILLED","@listId":"OrderStatus","@listAgencyId":"Sun","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Pricing":{"GrossUnitPriceAmount":{"$":"437.00","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"NetUnitPriceAmount":{"$":"367.08","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"PricingVariation":{"ServiceID":{"$":"discount","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"ConditionID":{"$":"allowance","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Rate":{"$":"16.00","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"TotalAmount":{"$":"3670.80","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},{"LineID":{"$":"1","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Item":{"StandardItemIdentifier":{"$":"20","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Description":{"$":"vZCwLwz1AGtbQT7t0diKccyB0rm0DXS5JFUWZyFcDFW7t","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Quantity":{"$":"10","@unitCode":"number","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"OrderStatus":{"$":"FULFILLED","@listId":"OrderStatus","@listAgencyId":"Sun","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Pricing":{"GrossUnitPriceAmount":{"$":"437.00","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"NetUnitPriceAmount":{"$":"367.08","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"PricingVariation":{"ServiceID":{"$":"discount","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"ConditionID":{"$":"allowance","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Rate":{"$":"16.00","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"TotalAmount":{"$":"3670.80","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},{"LineID":{"$":"2","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Item":{"StandardItemIdentifier":{"$":"20","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Description":{"$":"vZCwLwz1AGtbQT7t0diKccyB0rm0DXS5JFUWZyFcDFW7t","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Quantity":{"$":"10","@unitCode":"number","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"OrderStatus":{"$":"FULFILLED","@listId":"OrderStatus","@listAgencyId":"Sun","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Pricing":{"GrossUnitPriceAmount":{"$":"437.00","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"NetUnitPriceAmount":{"$":"367.08","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"PricingVariation":{"ServiceID":{"$":"discount","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"ConditionID":{"$":"allowance","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Rate":{"$":"16.00","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"TotalAmount":{"$":"3670.80","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},{"LineID":{"$":"3","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Item":{"StandardItemIdentifier":{"$":"20","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Description":{"$":"vZCwLwz1AGtbQT7t0diKccyB0rm0DXS5JFUWZyFcDFW7t","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Quantity":{"$":"10","@unitCode":"number","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"OrderStatus":{"$":"FULFILLED","@listId":"OrderStatus","@listAgencyId":"Sun","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Pricing":{"GrossUnitPriceAmount":{"$":"437.00","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"NetUnitPriceAmount":{"$":"367.08","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"PricingVariation":{"ServiceID":{"$":"discount","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"ConditionID":{"$":"allowance","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Rate":{"$":"16.00","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"TotalAmount":{"$":"3670.80","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},{"LineID":{"$":"4","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Item":{"StandardItemIdentifier":{"$":"20","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Description":{"$":"vZCwLwz1AGtbQT7t0diKccyB0rm0DXS5JFUWZyFcDFW7t","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Quantity":{"$":"10","@unitCode":"number","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"OrderStatus":{"$":"FULFILLED","@listId":"OrderStatus","@listAgencyId":"Sun","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Pricing":{"GrossUnitPriceAmount":{"$":"437.00","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"NetUnitPriceAmount":{"$":"367.08","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"PricingVariation":{"ServiceID":{"$":"discount","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"ConditionID":{"$":"allowance","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Rate":{"$":"16.00","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"TotalAmount":{"$":"3670.80","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},{"LineID":{"$":"5","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Item":{"StandardItemIdentifier":{"$":"20","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Description":{"$":"vZCwLwz1AGtbQT7t0diKccyB0rm0DXS5JFUWZyFcDFW7t","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Quantity":{"$":"10","@unitCode":"number","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"OrderStatus":{"$":"FULFILLED","@listId":"OrderStatus","@listAgencyId":"Sun","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Pricing":{"GrossUnitPriceAmount":{"$":"437.00","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"NetUnitPriceAmount":{"$":"367.08","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"PricingVariation":{"ServiceID":{"$":"discount","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"ConditionID":{"$":"allowance","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Rate":{"$":"16.00","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"TotalAmount":{"$":"3670.80","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},{"LineID":{"$":"6","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Item":{"StandardItemIdentifier":{"$":"20","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Description":{"$":"vZCwLwz1AGtbQT7t0diKccyB0rm0DXS5JFUWZyFcDFW7t","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Quantity":{"$":"10","@unitCode":"number","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"OrderStatus":{"$":"FULFILLED","@listId":"OrderStatus","@listAgencyId":"Sun","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Pricing":{"GrossUnitPriceAmount":{"$":"437.00","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"NetUnitPriceAmount":{"$":"367.08","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"PricingVariation":{"ServiceID":{"$":"discount","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"ConditionID":{"$":"allowance","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Rate":{"$":"16.00","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"TotalAmount":{"$":"3670.80","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},{"LineID":{"$":"7","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Item":{"StandardItemIdentifier":{"$":"20","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Description":{"$":"vZCwLwz1AGtbQT7t0diKccyB0rm0DXS5JFUWZyFcDFW7t","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Quantity":{"$":"10","@unitCode":"number","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"OrderStatus":{"$":"FULFILLED","@listId":"OrderStatus","@listAgencyId":"Sun","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Pricing":{"GrossUnitPriceAmount":{"$":"437.00","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"NetUnitPriceAmount":{"$":"367.08","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"PricingVariation":{"ServiceID":{"$":"discount","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"ConditionID":{"$":"allowance","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Rate":{"$":"16.00","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"TotalAmount":{"$":"3670.80","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},{"LineID":{"$":"8","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Item":{"StandardItemIdentifier":{"$":"20","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Description":{"$":"vZCwLwz1AGtbQT7t0diKccyB0rm0DXS5JFUWZyFcDFW7t","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Quantity":{"$":"10","@unitCode":"number","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"OrderStatus":{"$":"FULFILLED","@listId":"OrderStatus","@listAgencyId":"Sun","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Pricing":{"GrossUnitPriceAmount":{"$":"437.00","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"NetUnitPriceAmount":{"$":"367.08","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"PricingVariation":{"ServiceID":{"$":"discount","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"ConditionID":{"$":"allowance","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Rate":{"$":"16.00","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"TotalAmount":{"$":"3670.80","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},{"LineID":{"$":"9","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Item":{"StandardItemIdentifier":{"$":"20","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Description":{"$":"vZCwLwz1AGtbQT7t0diKccyB0rm0DXS5JFUWZyFcDFW7t","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Quantity":{"$":"10","@unitCode":"number","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"OrderStatus":{"$":"FULFILLED","@listId":"OrderStatus","@listAgencyId":"Sun","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Pricing":{"GrossUnitPriceAmount":{"$":"437.00","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"NetUnitPriceAmount":{"$":"367.08","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"PricingVariation":{"ServiceID":{"$":"discount","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"ConditionID":{"$":"allowance","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Rate":{"$":"16.00","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"TotalAmount":{"$":"3670.80","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},{"LineID":{"$":"10","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Item":{"StandardItemIdentifier":{"$":"20","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Description":{"$":"vZCwLwz1AGtbQT7t0diKccyB0rm0DXS5JFUWZyFcDFW7t","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Quantity":{"$":"10","@unitCode":"number","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"OrderStatus":{"$":"FULFILLED","@listId":"OrderStatus","@listAgencyId":"Sun","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Pricing":{"GrossUnitPriceAmount":{"$":"437.00","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"NetUnitPriceAmount":{"$":"367.08","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"PricingVariation":{"ServiceID":{"$":"discount","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"ConditionID":{"$":"allowance","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Rate":{"$":"16.00","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"TotalAmount":{"$":"3670.80","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},{"LineID":{"$":"11","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Item":{"StandardItemIdentifier":{"$":"20","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Description":{"$":"vZCwLwz1AGtbQT7t0diKccyB0rm0DXS5JFUWZyFcDFW7t","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Quantity":{"$":"10","@unitCode":"number","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"OrderStatus":{"$":"FULFILLED","@listId":"OrderStatus","@listAgencyId":"Sun","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Pricing":{"GrossUnitPriceAmount":{"$":"437.00","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"NetUnitPriceAmount":{"$":"367.08","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"PricingVariation":{"ServiceID":{"$":"discount","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"ConditionID":{"$":"allowance","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Rate":{"$":"16.00","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"TotalAmount":{"$":"3670.80","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},{"LineID":{"$":"12","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Item":{"StandardItemIdentifier":{"$":"20","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Description":{"$":"vZCwLwz1AGtbQT7t0diKccyB0rm0DXS5JFUWZyFcDFW7t","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Quantity":{"$":"10","@unitCode":"number","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"OrderStatus":{"$":"FULFILLED","@listId":"OrderStatus","@listAgencyId":"Sun","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Pricing":{"GrossUnitPriceAmount":{"$":"437.00","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"NetUnitPriceAmount":{"$":"367.08","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"PricingVariation":{"ServiceID":{"$":"discount","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"ConditionID":{"$":"allowance","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Rate":{"$":"16.00","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"TotalAmount":{"$":"3670.80","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},{"LineID":{"$":"13","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Item":{"StandardItemIdentifier":{"$":"20","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Description":{"$":"vZCwLwz1AGtbQT7t0diKccyB0rm0DXS5JFUWZyFcDFW7t","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Quantity":{"$":"10","@unitCode":"number","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"OrderStatus":{"$":"FULFILLED","@listId":"OrderStatus","@listAgencyId":"Sun","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Pricing":{"GrossUnitPriceAmount":{"$":"437.00","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"NetUnitPriceAmount":{"$":"367.08","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"PricingVariation":{"ServiceID":{"$":"discount","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"ConditionID":{"$":"allowance","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Rate":{"$":"16.00","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"TotalAmount":{"$":"3670.80","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},{"LineID":{"$":"14","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Item":{"StandardItemIdentifier":{"$":"20","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Description":{"$":"vZCwLwz1AGtbQT7t0diKccyB0rm0DXS5JFUWZyFcDFW7t","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Quantity":{"$":"10","@unitCode":"number","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"OrderStatus":{"$":"FULFILLED","@listId":"OrderStatus","@listAgencyId":"Sun","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Pricing":{"GrossUnitPriceAmount":{"$":"437.00","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"NetUnitPriceAmount":{"$":"367.08","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"PricingVariation":{"ServiceID":{"$":"discount","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"ConditionID":{"$":"allowance","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Rate":{"$":"16.00","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"TotalAmount":{"$":"3670.80","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},{"LineID":{"$":"15","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Item":{"StandardItemIdentifier":{"$":"20","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Description":{"$":"vZCwLwz1AGtbQT7t0diKccyB0rm0DXS5JFUWZyFcDFW7t","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Quantity":{"$":"10","@unitCode":"number","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"OrderStatus":{"$":"FULFILLED","@listId":"OrderStatus","@listAgencyId":"Sun","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Pricing":{"GrossUnitPriceAmount":{"$":"437.00","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"NetUnitPriceAmount":{"$":"367.08","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"PricingVariation":{"ServiceID":{"$":"discount","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"ConditionID":{"$":"allowance","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Rate":{"$":"16.00","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"TotalAmount":{"$":"3670.80","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},{"LineID":{"$":"16","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Item":{"StandardItemIdentifier":{"$":"20","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Description":{"$":"vZCwLwz1AGtbQT7t0diKccyB0rm0DXS5JFUWZyFcDFW7t","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Quantity":{"$":"10","@unitCode":"number","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"OrderStatus":{"$":"FULFILLED","@listId":"OrderStatus","@listAgencyId":"Sun","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Pricing":{"GrossUnitPriceAmount":{"$":"437.00","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"NetUnitPriceAmount":{"$":"367.08","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"PricingVariation":{"ServiceID":{"$":"discount","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"ConditionID":{"$":"allowance","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Rate":{"$":"16.00","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"TotalAmount":{"$":"3670.80","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},{"LineID":{"$":"17","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Item":{"StandardItemIdentifier":{"$":"20","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Description":{"$":"vZCwLwz1AGtbQT7t0diKccyB0rm0DXS5JFUWZyFcDFW7t","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Quantity":{"$":"10","@unitCode":"number","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"OrderStatus":{"$":"FULFILLED","@listId":"OrderStatus","@listAgencyId":"Sun","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Pricing":{"GrossUnitPriceAmount":{"$":"437.00","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"NetUnitPriceAmount":{"$":"367.08","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"PricingVariation":{"ServiceID":{"$":"discount","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"ConditionID":{"$":"allowance","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Rate":{"$":"16.00","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"TotalAmount":{"$":"3670.80","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},{"LineID":{"$":"18","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Item":{"StandardItemIdentifier":{"$":"20","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Description":{"$":"vZCwLwz1AGtbQT7t0diKccyB0rm0DXS5JFUWZyFcDFW7t","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Quantity":{"$":"10","@unitCode":"number","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"OrderStatus":{"$":"FULFILLED","@listId":"OrderStatus","@listAgencyId":"Sun","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Pricing":{"GrossUnitPriceAmount":{"$":"437.00","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"NetUnitPriceAmount":{"$":"367.08","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"PricingVariation":{"ServiceID":{"$":"discount","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"ConditionID":{"$":"allowance","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Rate":{"$":"16.00","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"TotalAmount":{"$":"3670.80","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},{"LineID":{"$":"19","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Item":{"StandardItemIdentifier":{"$":"20","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Description":{"$":"vZCwLwz1AGtbQT7t0diKccyB0rm0DXS5JFUWZyFcDFW7t","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Quantity":{"$":"10","@unitCode":"number","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"OrderStatus":{"$":"FULFILLED","@listId":"OrderStatus","@listAgencyId":"Sun","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Pricing":{"GrossUnitPriceAmount":{"$":"437.00","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"NetUnitPriceAmount":{"$":"367.08","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"PricingVariation":{"ServiceID":{"$":"discount","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"ConditionID":{"$":"allowance","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Rate":{"$":"16.00","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"TotalAmount":{"$":"3670.80","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},{"LineID":{"$":"20","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Item":{"StandardItemIdentifier":{"$":"20","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Description":{"$":"vZCwLwz1AGtbQT7t0diKccyB0rm0DXS5JFUWZyFcDFW7t","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Quantity":{"$":"10","@unitCode":"number","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"OrderStatus":{"$":"FULFILLED","@listId":"OrderStatus","@listAgencyId":"Sun","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Pricing":{"GrossUnitPriceAmount":{"$":"437.00","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"NetUnitPriceAmount":{"$":"367.08","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"PricingVariation":{"ServiceID":{"$":"discount","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"ConditionID":{"$":"allowance","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Rate":{"$":"16.00","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"TotalAmount":{"$":"3670.80","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},{"LineID":{"$":"21","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Item":{"StandardItemIdentifier":{"$":"20","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Description":{"$":"vZCwLwz1AGtbQT7t0diKccyB0rm0DXS5JFUWZyFcDFW7t","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Quantity":{"$":"10","@unitCode":"number","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"OrderStatus":{"$":"FULFILLED","@listId":"OrderStatus","@listAgencyId":"Sun","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Pricing":{"GrossUnitPriceAmount":{"$":"437.00","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"NetUnitPriceAmount":{"$":"367.08","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"PricingVariation":{"ServiceID":{"$":"discount","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"ConditionID":{"$":"allowance","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Rate":{"$":"16.00","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"TotalAmount":{"$":"3670.80","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},{"LineID":{"$":"22","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Item":{"StandardItemIdentifier":{"$":"20","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Description":{"$":"vZCwLwz1AGtbQT7t0diKccyB0rm0DXS5JFUWZyFcDFW7t","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Quantity":{"$":"10","@unitCode":"number","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"OrderStatus":{"$":"FULFILLED","@listId":"OrderStatus","@listAgencyId":"Sun","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Pricing":{"GrossUnitPriceAmount":{"$":"437.00","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"NetUnitPriceAmount":{"$":"367.08","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"PricingVariation":{"ServiceID":{"$":"discount","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"ConditionID":{"$":"allowance","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Rate":{"$":"16.00","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"TotalAmount":{"$":"3670.80","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},{"LineID":{"$":"23","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Item":{"StandardItemIdentifier":{"$":"20","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Description":{"$":"vZCwLwz1AGtbQT7t0diKccyB0rm0DXS5JFUWZyFcDFW7t","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Quantity":{"$":"10","@unitCode":"number","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"OrderStatus":{"$":"FULFILLED","@listId":"OrderStatus","@listAgencyId":"Sun","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Pricing":{"GrossUnitPriceAmount":{"$":"437.00","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"NetUnitPriceAmount":{"$":"367.08","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"PricingVariation":{"ServiceID":{"$":"discount","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"ConditionID":{"$":"allowance","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Rate":{"$":"16.00","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"TotalAmount":{"$":"3670.80","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},{"LineID":{"$":"24","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Item":{"StandardItemIdentifier":{"$":"20","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Description":{"$":"vZCwLwz1AGtbQT7t0diKccyB0rm0DXS5JFUWZyFcDFW7t","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Quantity":{"$":"10","@unitCode":"number","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"OrderStatus":{"$":"FULFILLED","@listId":"OrderStatus","@listAgencyId":"Sun","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Pricing":{"GrossUnitPriceAmount":{"$":"437.00","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"NetUnitPriceAmount":{"$":"367.08","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"PricingVariation":{"ServiceID":{"$":"discount","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"ConditionID":{"$":"allowance","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Rate":{"$":"16.00","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"TotalAmount":{"$":"3670.80","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},{"LineID":{"$":"25","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Item":{"StandardItemIdentifier":{"$":"20","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Description":{"$":"vZCwLwz1AGtbQT7t0diKccyB0rm0DXS5JFUWZyFcDFW7t","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Quantity":{"$":"10","@unitCode":"number","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"OrderStatus":{"$":"FULFILLED","@listId":"OrderStatus","@listAgencyId":"Sun","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Pricing":{"GrossUnitPriceAmount":{"$":"437.00","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"NetUnitPriceAmount":{"$":"367.08","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"PricingVariation":{"ServiceID":{"$":"discount","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"ConditionID":{"$":"allowance","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Rate":{"$":"16.00","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"TotalAmount":{"$":"3670.80","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},{"LineID":{"$":"26","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Item":{"StandardItemIdentifier":{"$":"20","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Description":{"$":"vZCwLwz1AGtbQT7t0diKccyB0rm0DXS5JFUWZyFcDFW7t","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Quantity":{"$":"10","@unitCode":"number","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"OrderStatus":{"$":"FULFILLED","@listId":"OrderStatus","@listAgencyId":"Sun","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Pricing":{"GrossUnitPriceAmount":{"$":"437.00","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"NetUnitPriceAmount":{"$":"367.08","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"PricingVariation":{"ServiceID":{"$":"discount","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"ConditionID":{"$":"allowance","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Rate":{"$":"16.00","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"TotalAmount":{"$":"3670.80","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},{"LineID":{"$":"27","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Item":{"StandardItemIdentifier":{"$":"20","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Description":{"$":"vZCwLwz1AGtbQT7t0diKccyB0rm0DXS5JFUWZyFcDFW7t","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Quantity":{"$":"10","@unitCode":"number","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"OrderStatus":{"$":"FULFILLED","@listId":"OrderStatus","@listAgencyId":"Sun","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Pricing":{"GrossUnitPriceAmount":{"$":"437.00","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"NetUnitPriceAmount":{"$":"367.08","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"PricingVariation":{"ServiceID":{"$":"discount","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"ConditionID":{"$":"allowance","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Rate":{"$":"16.00","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"TotalAmount":{"$":"3670.80","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},{"LineID":{"$":"28","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Item":{"StandardItemIdentifier":{"$":"20","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Description":{"$":"vZCwLwz1AGtbQT7t0diKccyB0rm0DXS5JFUWZyFcDFW7t","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Quantity":{"$":"10","@unitCode":"number","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"OrderStatus":{"$":"FULFILLED","@listId":"OrderStatus","@listAgencyId":"Sun","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Pricing":{"GrossUnitPriceAmount":{"$":"437.00","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"NetUnitPriceAmount":{"$":"367.08","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"PricingVariation":{"ServiceID":{"$":"discount","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"ConditionID":{"$":"allowance","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Rate":{"$":"16.00","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"TotalAmount":{"$":"3670.80","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},{"LineID":{"$":"29","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Item":{"StandardItemIdentifier":{"$":"20","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Description":{"$":"vZCwLwz1AGtbQT7t0diKccyB0rm0DXS5JFUWZyFcDFW7t","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Quantity":{"$":"10","@unitCode":"number","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"OrderStatus":{"$":"FULFILLED","@listId":"OrderStatus","@listAgencyId":"Sun","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Pricing":{"GrossUnitPriceAmount":{"$":"437.00","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"NetUnitPriceAmount":{"$":"367.08","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"PricingVariation":{"ServiceID":{"$":"discount","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"ConditionID":{"$":"allowance","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Rate":{"$":"16.00","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"TotalAmount":{"$":"3670.80","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},{"LineID":{"$":"30","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Item":{"StandardItemIdentifier":{"$":"20","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Description":{"$":"vZCwLwz1AGtbQT7t0diKccyB0rm0DXS5JFUWZyFcDFW7t","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Quantity":{"$":"10","@unitCode":"number","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"OrderStatus":{"$":"FULFILLED","@listId":"OrderStatus","@listAgencyId":"Sun","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Pricing":{"GrossUnitPriceAmount":{"$":"437.00","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"NetUnitPriceAmount":{"$":"367.08","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"PricingVariation":{"ServiceID":{"$":"discount","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"ConditionID":{"$":"allowance","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Rate":{"$":"16.00","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"TotalAmount":{"$":"3670.80","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},{"LineID":{"$":"31","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Item":{"StandardItemIdentifier":{"$":"20","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Description":{"$":"vZCwLwz1AGtbQT7t0diKccyB0rm0DXS5JFUWZyFcDFW7t","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Quantity":{"$":"10","@unitCode":"number","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"OrderStatus":{"$":"FULFILLED","@listId":"OrderStatus","@listAgencyId":"Sun","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Pricing":{"GrossUnitPriceAmount":{"$":"437.00","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"NetUnitPriceAmount":{"$":"367.08","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"PricingVariation":{"ServiceID":{"$":"discount","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"ConditionID":{"$":"allowance","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Rate":{"$":"16.00","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"TotalAmount":{"$":"3670.80","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},{"LineID":{"$":"32","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Item":{"StandardItemIdentifier":{"$":"20","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Description":{"$":"vZCwLwz1AGtbQT7t0diKccyB0rm0DXS5JFUWZyFcDFW7t","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Quantity":{"$":"10","@unitCode":"number","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"OrderStatus":{"$":"FULFILLED","@listId":"OrderStatus","@listAgencyId":"Sun","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Pricing":{"GrossUnitPriceAmount":{"$":"437.00","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"NetUnitPriceAmount":{"$":"367.08","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"PricingVariation":{"ServiceID":{"$":"discount","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"ConditionID":{"$":"allowance","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Rate":{"$":"16.00","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"TotalAmount":{"$":"3670.80","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},{"LineID":{"$":"33","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Item":{"StandardItemIdentifier":{"$":"20","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Description":{"$":"vZCwLwz1AGtbQT7t0diKccyB0rm0DXS5JFUWZyFcDFW7t","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Quantity":{"$":"10","@unitCode":"number","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"OrderStatus":{"$":"FULFILLED","@listId":"OrderStatus","@listAgencyId":"Sun","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Pricing":{"GrossUnitPriceAmount":{"$":"437.00","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"NetUnitPriceAmount":{"$":"367.08","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"PricingVariation":{"ServiceID":{"$":"discount","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"ConditionID":{"$":"allowance","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Rate":{"$":"16.00","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"TotalAmount":{"$":"3670.80","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},{"LineID":{"$":"34","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Item":{"StandardItemIdentifier":{"$":"20","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Description":{"$":"vZCwLwz1AGtbQT7t0diKccyB0rm0DXS5JFUWZyFcDFW7t","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Quantity":{"$":"10","@unitCode":"number","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"OrderStatus":{"$":"FULFILLED","@listId":"OrderStatus","@listAgencyId":"Sun","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Pricing":{"GrossUnitPriceAmount":{"$":"437.00","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"NetUnitPriceAmount":{"$":"367.08","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"PricingVariation":{"ServiceID":{"$":"discount","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"ConditionID":{"$":"allowance","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Rate":{"$":"16.00","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"TotalAmount":{"$":"3670.80","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},{"LineID":{"$":"35","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Item":{"StandardItemIdentifier":{"$":"20","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Description":{"$":"vZCwLwz1AGtbQT7t0diKccyB0rm0DXS5JFUWZyFcDFW7t","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Quantity":{"$":"10","@unitCode":"number","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"OrderStatus":{"$":"FULFILLED","@listId":"OrderStatus","@listAgencyId":"Sun","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Pricing":{"GrossUnitPriceAmount":{"$":"437.00","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"NetUnitPriceAmount":{"$":"367.08","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"PricingVariation":{"ServiceID":{"$":"discount","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"ConditionID":{"$":"allowance","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Rate":{"$":"16.00","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"TotalAmount":{"$":"3670.80","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},{"LineID":{"$":"36","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Item":{"StandardItemIdentifier":{"$":"20","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Description":{"$":"vZCwLwz1AGtbQT7t0diKccyB0rm0DXS5JFUWZyFcDFW7t","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Quantity":{"$":"10","@unitCode":"number","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"OrderStatus":{"$":"FULFILLED","@listId":"OrderStatus","@listAgencyId":"Sun","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Pricing":{"GrossUnitPriceAmount":{"$":"437.00","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"NetUnitPriceAmount":{"$":"367.08","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"PricingVariation":{"ServiceID":{"$":"discount","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"ConditionID":{"$":"allowance","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Rate":{"$":"16.00","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"TotalAmount":{"$":"3670.80","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},{"LineID":{"$":"37","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Item":{"StandardItemIdentifier":{"$":"20","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Description":{"$":"vZCwLwz1AGtbQT7t0diKccyB0rm0DXS5JFUWZyFcDFW7t","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Quantity":{"$":"10","@unitCode":"number","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"OrderStatus":{"$":"FULFILLED","@listId":"OrderStatus","@listAgencyId":"Sun","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Pricing":{"GrossUnitPriceAmount":{"$":"437.00","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"NetUnitPriceAmount":{"$":"367.08","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"PricingVariation":{"ServiceID":{"$":"discount","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"ConditionID":{"$":"allowance","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Rate":{"$":"16.00","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"TotalAmount":{"$":"3670.80","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},{"LineID":{"$":"38","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Item":{"StandardItemIdentifier":{"$":"20","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Description":{"$":"vZCwLwz1AGtbQT7t0diKccyB0rm0DXS5JFUWZyFcDFW7t","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Quantity":{"$":"10","@unitCode":"number","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"OrderStatus":{"$":"FULFILLED","@listId":"OrderStatus","@listAgencyId":"Sun","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Pricing":{"GrossUnitPriceAmount":{"$":"437.00","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"NetUnitPriceAmount":{"$":"367.08","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"PricingVariation":{"ServiceID":{"$":"discount","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"ConditionID":{"$":"allowance","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Rate":{"$":"16.00","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"TotalAmount":{"$":"3670.80","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},{"LineID":{"$":"39","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Item":{"StandardItemIdentifier":{"$":"20","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Description":{"$":"vZCwLwz1AGtbQT7t0diKccyB0rm0DXS5JFUWZyFcDFW7t","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Quantity":{"$":"10","@unitCode":"number","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"OrderStatus":{"$":"FULFILLED","@listId":"OrderStatus","@listAgencyId":"Sun","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Pricing":{"GrossUnitPriceAmount":{"$":"437.00","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"NetUnitPriceAmount":{"$":"367.08","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"PricingVariation":{"ServiceID":{"$":"discount","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"ConditionID":{"$":"allowance","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Rate":{"$":"16.00","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"TotalAmount":{"$":"3670.80","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},{"LineID":{"$":"40","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Item":{"StandardItemIdentifier":{"$":"20","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Description":{"$":"vZCwLwz1AGtbQT7t0diKccyB0rm0DXS5JFUWZyFcDFW7t","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Quantity":{"$":"10","@unitCode":"number","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"OrderStatus":{"$":"FULFILLED","@listId":"OrderStatus","@listAgencyId":"Sun","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Pricing":{"GrossUnitPriceAmount":{"$":"437.00","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"NetUnitPriceAmount":{"$":"367.08","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"PricingVariation":{"ServiceID":{"$":"discount","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"ConditionID":{"$":"allowance","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Rate":{"$":"16.00","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"TotalAmount":{"$":"3670.80","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},{"LineID":{"$":"41","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Item":{"StandardItemIdentifier":{"$":"20","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Description":{"$":"vZCwLwz1AGtbQT7t0diKccyB0rm0DXS5JFUWZyFcDFW7t","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Quantity":{"$":"10","@unitCode":"number","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"OrderStatus":{"$":"FULFILLED","@listId":"OrderStatus","@listAgencyId":"Sun","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Pricing":{"GrossUnitPriceAmount":{"$":"437.00","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"NetUnitPriceAmount":{"$":"367.08","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"PricingVariation":{"ServiceID":{"$":"discount","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"ConditionID":{"$":"allowance","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Rate":{"$":"16.00","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"TotalAmount":{"$":"3670.80","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},{"LineID":{"$":"42","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Item":{"StandardItemIdentifier":{"$":"20","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Description":{"$":"vZCwLwz1AGtbQT7t0diKccyB0rm0DXS5JFUWZyFcDFW7t","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Quantity":{"$":"10","@unitCode":"number","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"OrderStatus":{"$":"FULFILLED","@listId":"OrderStatus","@listAgencyId":"Sun","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Pricing":{"GrossUnitPriceAmount":{"$":"437.00","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"NetUnitPriceAmount":{"$":"367.08","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"PricingVariation":{"ServiceID":{"$":"discount","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"ConditionID":{"$":"allowance","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Rate":{"$":"16.00","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"TotalAmount":{"$":"3670.80","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},{"LineID":{"$":"43","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Item":{"StandardItemIdentifier":{"$":"20","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Description":{"$":"vZCwLwz1AGtbQT7t0diKccyB0rm0DXS5JFUWZyFcDFW7t","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Quantity":{"$":"10","@unitCode":"number","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"OrderStatus":{"$":"FULFILLED","@listId":"OrderStatus","@listAgencyId":"Sun","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Pricing":{"GrossUnitPriceAmount":{"$":"437.00","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"NetUnitPriceAmount":{"$":"367.08","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"PricingVariation":{"ServiceID":{"$":"discount","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"ConditionID":{"$":"allowance","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Rate":{"$":"16.00","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"TotalAmount":{"$":"3670.80","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},{"LineID":{"$":"44","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Item":{"StandardItemIdentifier":{"$":"20","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Description":{"$":"vZCwLwz1AGtbQT7t0diKccyB0rm0DXS5JFUWZyFcDFW7t","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Quantity":{"$":"10","@unitCode":"number","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"OrderStatus":{"$":"FULFILLED","@listId":"OrderStatus","@listAgencyId":"Sun","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Pricing":{"GrossUnitPriceAmount":{"$":"437.00","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"NetUnitPriceAmount":{"$":"367.08","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"PricingVariation":{"ServiceID":{"$":"discount","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"ConditionID":{"$":"allowance","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Rate":{"$":"16.00","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"TotalAmount":{"$":"3670.80","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},{"LineID":{"$":"45","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Item":{"StandardItemIdentifier":{"$":"20","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Description":{"$":"vZCwLwz1AGtbQT7t0diKccyB0rm0DXS5JFUWZyFcDFW7t","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Quantity":{"$":"10","@unitCode":"number","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"OrderStatus":{"$":"FULFILLED","@listId":"OrderStatus","@listAgencyId":"Sun","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Pricing":{"GrossUnitPriceAmount":{"$":"437.00","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"NetUnitPriceAmount":{"$":"367.08","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"PricingVariation":{"ServiceID":{"$":"discount","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"ConditionID":{"$":"allowance","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Rate":{"$":"16.00","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"TotalAmount":{"$":"3670.80","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},{"LineID":{"$":"46","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Item":{"StandardItemIdentifier":{"$":"20","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Description":{"$":"vZCwLwz1AGtbQT7t0diKccyB0rm0DXS5JFUWZyFcDFW7t","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Quantity":{"$":"10","@unitCode":"number","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"OrderStatus":{"$":"FULFILLED","@listId":"OrderStatus","@listAgencyId":"Sun","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Pricing":{"GrossUnitPriceAmount":{"$":"437.00","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"NetUnitPriceAmount":{"$":"367.08","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"PricingVariation":{"ServiceID":{"$":"discount","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"ConditionID":{"$":"allowance","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Rate":{"$":"16.00","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"TotalAmount":{"$":"3670.80","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},{"LineID":{"$":"47","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Item":{"StandardItemIdentifier":{"$":"20","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Description":{"$":"vZCwLwz1AGtbQT7t0diKccyB0rm0DXS5JFUWZyFcDFW7t","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Quantity":{"$":"10","@unitCode":"number","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"OrderStatus":{"$":"FULFILLED","@listId":"OrderStatus","@listAgencyId":"Sun","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Pricing":{"GrossUnitPriceAmount":{"$":"437.00","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"NetUnitPriceAmount":{"$":"367.08","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"PricingVariation":{"ServiceID":{"$":"discount","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"ConditionID":{"$":"allowance","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Rate":{"$":"16.00","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"TotalAmount":{"$":"3670.80","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},{"LineID":{"$":"48","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Item":{"StandardItemIdentifier":{"$":"20","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Description":{"$":"vZCwLwz1AGtbQT7t0diKccyB0rm0DXS5JFUWZyFcDFW7t","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Quantity":{"$":"10","@unitCode":"number","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"OrderStatus":{"$":"FULFILLED","@listId":"OrderStatus","@listAgencyId":"Sun","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Pricing":{"GrossUnitPriceAmount":{"$":"437.00","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"NetUnitPriceAmount":{"$":"367.08","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"PricingVariation":{"ServiceID":{"$":"discount","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"ConditionID":{"$":"allowance","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Rate":{"$":"16.00","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"TotalAmount":{"$":"3670.80","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},{"LineID":{"$":"49","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Item":{"StandardItemIdentifier":{"$":"20","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Description":{"$":"vZCwLwz1AGtbQT7t0diKccyB0rm0DXS5JFUWZyFcDFW7t","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Quantity":{"$":"10","@unitCode":"number","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"OrderStatus":{"$":"FULFILLED","@listId":"OrderStatus","@listAgencyId":"Sun","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Pricing":{"GrossUnitPriceAmount":{"$":"437.00","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"NetUnitPriceAmount":{"$":"367.08","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"PricingVariation":{"ServiceID":{"$":"discount","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"ConditionID":{"$":"allowance","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Rate":{"$":"16.00","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"TotalAmount":{"$":"3670.80","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},{"LineID":{"$":"50","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Item":{"StandardItemIdentifier":{"$":"20","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Description":{"$":"vZCwLwz1AGtbQT7t0diKccyB0rm0DXS5JFUWZyFcDFW7t","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Quantity":{"$":"10","@unitCode":"number","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"OrderStatus":{"$":"FULFILLED","@listId":"OrderStatus","@listAgencyId":"Sun","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Pricing":{"GrossUnitPriceAmount":{"$":"437.00","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"NetUnitPriceAmount":{"$":"367.08","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"PricingVariation":{"ServiceID":{"$":"discount","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"ConditionID":{"$":"allowance","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Rate":{"$":"16.00","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"TotalAmount":{"$":"3670.80","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},{"LineID":{"$":"51","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Item":{"StandardItemIdentifier":{"$":"20","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Description":{"$":"vZCwLwz1AGtbQT7t0diKccyB0rm0DXS5JFUWZyFcDFW7t","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Quantity":{"$":"10","@unitCode":"number","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"OrderStatus":{"$":"FULFILLED","@listId":"OrderStatus","@listAgencyId":"Sun","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Pricing":{"GrossUnitPriceAmount":{"$":"437.00","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"NetUnitPriceAmount":{"$":"367.08","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"PricingVariation":{"ServiceID":{"$":"discount","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"ConditionID":{"$":"allowance","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Rate":{"$":"16.00","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"TotalAmount":{"$":"3670.80","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},{"LineID":{"$":"52","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Item":{"StandardItemIdentifier":{"$":"20","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Description":{"$":"vZCwLwz1AGtbQT7t0diKccyB0rm0DXS5JFUWZyFcDFW7t","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Quantity":{"$":"10","@unitCode":"number","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"OrderStatus":{"$":"FULFILLED","@listId":"OrderStatus","@listAgencyId":"Sun","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Pricing":{"GrossUnitPriceAmount":{"$":"437.00","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"NetUnitPriceAmount":{"$":"367.08","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"PricingVariation":{"ServiceID":{"$":"discount","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"ConditionID":{"$":"allowance","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Rate":{"$":"16.00","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"TotalAmount":{"$":"3670.80","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},{"LineID":{"$":"53","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Item":{"StandardItemIdentifier":{"$":"20","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Description":{"$":"vZCwLwz1AGtbQT7t0diKccyB0rm0DXS5JFUWZyFcDFW7t","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Quantity":{"$":"10","@unitCode":"number","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"OrderStatus":{"$":"FULFILLED","@listId":"OrderStatus","@listAgencyId":"Sun","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Pricing":{"GrossUnitPriceAmount":{"$":"437.00","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"NetUnitPriceAmount":{"$":"367.08","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"PricingVariation":{"ServiceID":{"$":"discount","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"ConditionID":{"$":"allowance","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Rate":{"$":"16.00","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"TotalAmount":{"$":"3670.80","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},{"LineID":{"$":"54","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Item":{"StandardItemIdentifier":{"$":"20","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Description":{"$":"vZCwLwz1AGtbQT7t0diKccyB0rm0DXS5JFUWZyFcDFW7t","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Quantity":{"$":"10","@unitCode":"number","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"OrderStatus":{"$":"FULFILLED","@listId":"OrderStatus","@listAgencyId":"Sun","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Pricing":{"GrossUnitPriceAmount":{"$":"437.00","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"NetUnitPriceAmount":{"$":"367.08","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"PricingVariation":{"ServiceID":{"$":"discount","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"ConditionID":{"$":"allowance","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Rate":{"$":"16.00","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"TotalAmount":{"$":"3670.80","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},{"LineID":{"$":"55","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Item":{"StandardItemIdentifier":{"$":"20","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Description":{"$":"vZCwLwz1AGtbQT7t0diKccyB0rm0DXS5JFUWZyFcDFW7t","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Quantity":{"$":"10","@unitCode":"number","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"OrderStatus":{"$":"FULFILLED","@listId":"OrderStatus","@listAgencyId":"Sun","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Pricing":{"GrossUnitPriceAmount":{"$":"437.00","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"NetUnitPriceAmount":{"$":"367.08","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"PricingVariation":{"ServiceID":{"$":"discount","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"ConditionID":{"$":"allowance","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Rate":{"$":"16.00","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"TotalAmount":{"$":"3670.80","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},{"LineID":{"$":"56","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Item":{"StandardItemIdentifier":{"$":"20","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Description":{"$":"vZCwLwz1AGtbQT7t0diKccyB0rm0DXS5JFUWZyFcDFW7t","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Quantity":{"$":"10","@unitCode":"number","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"OrderStatus":{"$":"FULFILLED","@listId":"OrderStatus","@listAgencyId":"Sun","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Pricing":{"GrossUnitPriceAmount":{"$":"437.00","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"NetUnitPriceAmount":{"$":"367.08","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"PricingVariation":{"ServiceID":{"$":"discount","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"ConditionID":{"$":"allowance","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Rate":{"$":"16.00","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"TotalAmount":{"$":"3670.80","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},{"LineID":{"$":"57","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Item":{"StandardItemIdentifier":{"$":"20","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Description":{"$":"vZCwLwz1AGtbQT7t0diKccyB0rm0DXS5JFUWZyFcDFW7t","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Quantity":{"$":"10","@unitCode":"number","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"OrderStatus":{"$":"FULFILLED","@listId":"OrderStatus","@listAgencyId":"Sun","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Pricing":{"GrossUnitPriceAmount":{"$":"437.00","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"NetUnitPriceAmount":{"$":"367.08","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"PricingVariation":{"ServiceID":{"$":"discount","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"ConditionID":{"$":"allowance","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Rate":{"$":"16.00","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"TotalAmount":{"$":"3670.80","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},{"LineID":{"$":"58","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Item":{"StandardItemIdentifier":{"$":"20","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Description":{"$":"vZCwLwz1AGtbQT7t0diKccyB0rm0DXS5JFUWZyFcDFW7t","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Quantity":{"$":"10","@unitCode":"number","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"OrderStatus":{"$":"FULFILLED","@listId":"OrderStatus","@listAgencyId":"Sun","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Pricing":{"GrossUnitPriceAmount":{"$":"437.00","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"NetUnitPriceAmount":{"$":"367.08","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"PricingVariation":{"ServiceID":{"$":"discount","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"ConditionID":{"$":"allowance","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Rate":{"$":"16.00","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"TotalAmount":{"$":"3670.80","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},{"LineID":{"$":"59","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Item":{"StandardItemIdentifier":{"$":"20","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Description":{"$":"vZCwLwz1AGtbQT7t0diKccyB0rm0DXS5JFUWZyFcDFW7t","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Quantity":{"$":"10","@unitCode":"number","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"OrderStatus":{"$":"FULFILLED","@listId":"OrderStatus","@listAgencyId":"Sun","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Pricing":{"GrossUnitPriceAmount":{"$":"437.00","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"NetUnitPriceAmount":{"$":"367.08","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"PricingVariation":{"ServiceID":{"$":"discount","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"ConditionID":{"$":"allowance","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Rate":{"$":"16.00","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"TotalAmount":{"$":"3670.80","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},{"LineID":{"$":"60","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Item":{"StandardItemIdentifier":{"$":"20","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Description":{"$":"vZCwLwz1AGtbQT7t0diKccyB0rm0DXS5JFUWZyFcDFW7t","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Quantity":{"$":"10","@unitCode":"number","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"OrderStatus":{"$":"FULFILLED","@listId":"OrderStatus","@listAgencyId":"Sun","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Pricing":{"GrossUnitPriceAmount":{"$":"437.00","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"NetUnitPriceAmount":{"$":"367.08","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"PricingVariation":{"ServiceID":{"$":"discount","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"ConditionID":{"$":"allowance","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Rate":{"$":"16.00","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"TotalAmount":{"$":"3670.80","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},{"LineID":{"$":"61","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Item":{"StandardItemIdentifier":{"$":"20","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Description":{"$":"vZCwLwz1AGtbQT7t0diKccyB0rm0DXS5JFUWZyFcDFW7t","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Quantity":{"$":"10","@unitCode":"number","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"OrderStatus":{"$":"FULFILLED","@listId":"OrderStatus","@listAgencyId":"Sun","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Pricing":{"GrossUnitPriceAmount":{"$":"437.00","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"NetUnitPriceAmount":{"$":"367.08","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"PricingVariation":{"ServiceID":{"$":"discount","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"ConditionID":{"$":"allowance","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Rate":{"$":"16.00","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"TotalAmount":{"$":"3670.80","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},{"LineID":{"$":"62","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Item":{"StandardItemIdentifier":{"$":"20","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Description":{"$":"vZCwLwz1AGtbQT7t0diKccyB0rm0DXS5JFUWZyFcDFW7t","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Quantity":{"$":"10","@unitCode":"number","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"OrderStatus":{"$":"FULFILLED","@listId":"OrderStatus","@listAgencyId":"Sun","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Pricing":{"GrossUnitPriceAmount":{"$":"437.00","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"NetUnitPriceAmount":{"$":"367.08","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"PricingVariation":{"ServiceID":{"$":"discount","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"ConditionID":{"$":"allowance","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Rate":{"$":"16.00","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"TotalAmount":{"$":"3670.80","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},{"LineID":{"$":"63","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Item":{"StandardItemIdentifier":{"$":"20","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Description":{"$":"vZCwLwz1AGtbQT7t0diKccyB0rm0DXS5JFUWZyFcDFW7t","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Quantity":{"$":"10","@unitCode":"number","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"OrderStatus":{"$":"FULFILLED","@listId":"OrderStatus","@listAgencyId":"Sun","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Pricing":{"GrossUnitPriceAmount":{"$":"437.00","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"NetUnitPriceAmount":{"$":"367.08","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"PricingVariation":{"ServiceID":{"$":"discount","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"ConditionID":{"$":"allowance","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Rate":{"$":"16.00","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"TotalAmount":{"$":"3670.80","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},{"LineID":{"$":"64","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Item":{"StandardItemIdentifier":{"$":"20","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Description":{"$":"vZCwLwz1AGtbQT7t0diKccyB0rm0DXS5JFUWZyFcDFW7t","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Quantity":{"$":"10","@unitCode":"number","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"OrderStatus":{"$":"FULFILLED","@listId":"OrderStatus","@listAgencyId":"Sun","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Pricing":{"GrossUnitPriceAmount":{"$":"437.00","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"NetUnitPriceAmount":{"$":"367.08","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"PricingVariation":{"ServiceID":{"$":"discount","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"ConditionID":{"$":"allowance","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Rate":{"$":"16.00","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"TotalAmount":{"$":"3670.80","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},{"LineID":{"$":"65","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Item":{"StandardItemIdentifier":{"$":"20","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Description":{"$":"vZCwLwz1AGtbQT7t0diKccyB0rm0DXS5JFUWZyFcDFW7t","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Quantity":{"$":"10","@unitCode":"number","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"OrderStatus":{"$":"FULFILLED","@listId":"OrderStatus","@listAgencyId":"Sun","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Pricing":{"GrossUnitPriceAmount":{"$":"437.00","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"NetUnitPriceAmount":{"$":"367.08","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"PricingVariation":{"ServiceID":{"$":"discount","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"ConditionID":{"$":"allowance","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Rate":{"$":"16.00","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"TotalAmount":{"$":"3670.80","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},{"LineID":{"$":"66","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Item":{"StandardItemIdentifier":{"$":"20","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Description":{"$":"vZCwLwz1AGtbQT7t0diKccyB0rm0DXS5JFUWZyFcDFW7t","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Quantity":{"$":"10","@unitCode":"number","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"OrderStatus":{"$":"FULFILLED","@listId":"OrderStatus","@listAgencyId":"Sun","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Pricing":{"GrossUnitPriceAmount":{"$":"437.00","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"NetUnitPriceAmount":{"$":"367.08","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"PricingVariation":{"ServiceID":{"$":"discount","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"ConditionID":{"$":"allowance","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Rate":{"$":"16.00","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"TotalAmount":{"$":"3670.80","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},{"LineID":{"$":"67","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Item":{"StandardItemIdentifier":{"$":"20","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Description":{"$":"vZCwLwz1AGtbQT7t0diKccyB0rm0DXS5JFUWZyFcDFW7t","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Quantity":{"$":"10","@unitCode":"number","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"OrderStatus":{"$":"FULFILLED","@listId":"OrderStatus","@listAgencyId":"Sun","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Pricing":{"GrossUnitPriceAmount":{"$":"437.00","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"NetUnitPriceAmount":{"$":"367.08","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"PricingVariation":{"ServiceID":{"$":"discount","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"ConditionID":{"$":"allowance","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Rate":{"$":"16.00","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"TotalAmount":{"$":"3670.80","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},{"LineID":{"$":"68","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Item":{"StandardItemIdentifier":{"$":"20","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Description":{"$":"vZCwLwz1AGtbQT7t0diKccyB0rm0DXS5JFUWZyFcDFW7t","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Quantity":{"$":"10","@unitCode":"number","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"OrderStatus":{"$":"FULFILLED","@listId":"OrderStatus","@listAgencyId":"Sun","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Pricing":{"GrossUnitPriceAmount":{"$":"437.00","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"NetUnitPriceAmount":{"$":"367.08","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"PricingVariation":{"ServiceID":{"$":"discount","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"ConditionID":{"$":"allowance","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Rate":{"$":"16.00","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"TotalAmount":{"$":"3670.80","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},{"LineID":{"$":"69","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Item":{"StandardItemIdentifier":{"$":"20","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Description":{"$":"vZCwLwz1AGtbQT7t0diKccyB0rm0DXS5JFUWZyFcDFW7t","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Quantity":{"$":"10","@unitCode":"number","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"OrderStatus":{"$":"FULFILLED","@listId":"OrderStatus","@listAgencyId":"Sun","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Pricing":{"GrossUnitPriceAmount":{"$":"437.00","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"NetUnitPriceAmount":{"$":"367.08","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"PricingVariation":{"ServiceID":{"$":"discount","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"ConditionID":{"$":"allowance","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Rate":{"$":"16.00","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"TotalAmount":{"$":"3670.80","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},{"LineID":{"$":"70","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Item":{"StandardItemIdentifier":{"$":"20","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Description":{"$":"vZCwLwz1AGtbQT7t0diKccyB0rm0DXS5JFUWZyFcDFW7t","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Quantity":{"$":"10","@unitCode":"number","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"OrderStatus":{"$":"FULFILLED","@listId":"OrderStatus","@listAgencyId":"Sun","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Pricing":{"GrossUnitPriceAmount":{"$":"437.00","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"NetUnitPriceAmount":{"$":"367.08","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"PricingVariation":{"ServiceID":{"$":"discount","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"ConditionID":{"$":"allowance","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Rate":{"$":"16.00","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"TotalAmount":{"$":"3670.80","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},{"LineID":{"$":"71","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Item":{"StandardItemIdentifier":{"$":"20","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Description":{"$":"vZCwLwz1AGtbQT7t0diKccyB0rm0DXS5JFUWZyFcDFW7t","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Quantity":{"$":"10","@unitCode":"number","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"OrderStatus":{"$":"FULFILLED","@listId":"OrderStatus","@listAgencyId":"Sun","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Pricing":{"GrossUnitPriceAmount":{"$":"437.00","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"NetUnitPriceAmount":{"$":"367.08","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"PricingVariation":{"ServiceID":{"$":"discount","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"ConditionID":{"$":"allowance","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Rate":{"$":"16.00","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"TotalAmount":{"$":"3670.80","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},{"LineID":{"$":"72","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Item":{"StandardItemIdentifier":{"$":"20","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Description":{"$":"vZCwLwz1AGtbQT7t0diKccyB0rm0DXS5JFUWZyFcDFW7t","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Quantity":{"$":"10","@unitCode":"number","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"OrderStatus":{"$":"FULFILLED","@listId":"OrderStatus","@listAgencyId":"Sun","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Pricing":{"GrossUnitPriceAmount":{"$":"437.00","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"NetUnitPriceAmount":{"$":"367.08","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"PricingVariation":{"ServiceID":{"$":"discount","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"ConditionID":{"$":"allowance","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Rate":{"$":"16.00","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"TotalAmount":{"$":"3670.80","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},{"LineID":{"$":"73","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Item":{"StandardItemIdentifier":{"$":"20","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Description":{"$":"vZCwLwz1AGtbQT7t0diKccyB0rm0DXS5JFUWZyFcDFW7t","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Quantity":{"$":"10","@unitCode":"number","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"OrderStatus":{"$":"FULFILLED","@listId":"OrderStatus","@listAgencyId":"Sun","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Pricing":{"GrossUnitPriceAmount":{"$":"437.00","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"NetUnitPriceAmount":{"$":"367.08","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"PricingVariation":{"ServiceID":{"$":"discount","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"ConditionID":{"$":"allowance","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Rate":{"$":"16.00","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"TotalAmount":{"$":"3670.80","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},{"LineID":{"$":"74","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Item":{"StandardItemIdentifier":{"$":"20","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Description":{"$":"vZCwLwz1AGtbQT7t0diKccyB0rm0DXS5JFUWZyFcDFW7t","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Quantity":{"$":"10","@unitCode":"number","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"OrderStatus":{"$":"FULFILLED","@listId":"OrderStatus","@listAgencyId":"Sun","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Pricing":{"GrossUnitPriceAmount":{"$":"437.00","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"NetUnitPriceAmount":{"$":"367.08","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"PricingVariation":{"ServiceID":{"$":"discount","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"ConditionID":{"$":"allowance","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Rate":{"$":"16.00","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"TotalAmount":{"$":"3670.80","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},{"LineID":{"$":"75","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Item":{"StandardItemIdentifier":{"$":"20","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Description":{"$":"vZCwLwz1AGtbQT7t0diKccyB0rm0DXS5JFUWZyFcDFW7t","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Quantity":{"$":"10","@unitCode":"number","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"OrderStatus":{"$":"FULFILLED","@listId":"OrderStatus","@listAgencyId":"Sun","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Pricing":{"GrossUnitPriceAmount":{"$":"437.00","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"NetUnitPriceAmount":{"$":"367.08","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"PricingVariation":{"ServiceID":{"$":"discount","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"ConditionID":{"$":"allowance","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Rate":{"$":"16.00","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"TotalAmount":{"$":"3670.80","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},{"LineID":{"$":"76","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Item":{"StandardItemIdentifier":{"$":"20","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Description":{"$":"vZCwLwz1AGtbQT7t0diKccyB0rm0DXS5JFUWZyFcDFW7t","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Quantity":{"$":"10","@unitCode":"number","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"OrderStatus":{"$":"FULFILLED","@listId":"OrderStatus","@listAgencyId":"Sun","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Pricing":{"GrossUnitPriceAmount":{"$":"437.00","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"NetUnitPriceAmount":{"$":"367.08","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"PricingVariation":{"ServiceID":{"$":"discount","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"ConditionID":{"$":"allowance","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Rate":{"$":"16.00","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"TotalAmount":{"$":"3670.80","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},{"LineID":{"$":"77","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Item":{"StandardItemIdentifier":{"$":"20","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Description":{"$":"vZCwLwz1AGtbQT7t0diKccyB0rm0DXS5JFUWZyFcDFW7t","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Quantity":{"$":"10","@unitCode":"number","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"OrderStatus":{"$":"FULFILLED","@listId":"OrderStatus","@listAgencyId":"Sun","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Pricing":{"GrossUnitPriceAmount":{"$":"437.00","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"NetUnitPriceAmount":{"$":"367.08","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"PricingVariation":{"ServiceID":{"$":"discount","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"ConditionID":{"$":"allowance","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Rate":{"$":"16.00","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"TotalAmount":{"$":"3670.80","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},{"LineID":{"$":"78","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Item":{"StandardItemIdentifier":{"$":"20","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Description":{"$":"vZCwLwz1AGtbQT7t0diKccyB0rm0DXS5JFUWZyFcDFW7t","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Quantity":{"$":"10","@unitCode":"number","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"OrderStatus":{"$":"FULFILLED","@listId":"OrderStatus","@listAgencyId":"Sun","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Pricing":{"GrossUnitPriceAmount":{"$":"437.00","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"NetUnitPriceAmount":{"$":"367.08","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"PricingVariation":{"ServiceID":{"$":"discount","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"ConditionID":{"$":"allowance","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Rate":{"$":"16.00","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"TotalAmount":{"$":"3670.80","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},{"LineID":{"$":"79","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Item":{"StandardItemIdentifier":{"$":"20","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Description":{"$":"vZCwLwz1AGtbQT7t0diKccyB0rm0DXS5JFUWZyFcDFW7t","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Quantity":{"$":"10","@unitCode":"number","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"OrderStatus":{"$":"FULFILLED","@listId":"OrderStatus","@listAgencyId":"Sun","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Pricing":{"GrossUnitPriceAmount":{"$":"437.00","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"NetUnitPriceAmount":{"$":"367.08","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"PricingVariation":{"ServiceID":{"$":"discount","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"ConditionID":{"$":"allowance","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Rate":{"$":"16.00","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"TotalAmount":{"$":"3670.80","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},{"LineID":{"$":"80","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Item":{"StandardItemIdentifier":{"$":"20","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Description":{"$":"vZCwLwz1AGtbQT7t0diKccyB0rm0DXS5JFUWZyFcDFW7t","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Quantity":{"$":"10","@unitCode":"number","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"OrderStatus":{"$":"FULFILLED","@listId":"OrderStatus","@listAgencyId":"Sun","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Pricing":{"GrossUnitPriceAmount":{"$":"437.00","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"NetUnitPriceAmount":{"$":"367.08","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"PricingVariation":{"ServiceID":{"$":"discount","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"ConditionID":{"$":"allowance","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Rate":{"$":"16.00","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"TotalAmount":{"$":"3670.80","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},{"LineID":{"$":"81","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Item":{"StandardItemIdentifier":{"$":"20","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Description":{"$":"vZCwLwz1AGtbQT7t0diKccyB0rm0DXS5JFUWZyFcDFW7t","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Quantity":{"$":"10","@unitCode":"number","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"OrderStatus":{"$":"FULFILLED","@listId":"OrderStatus","@listAgencyId":"Sun","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Pricing":{"GrossUnitPriceAmount":{"$":"437.00","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"NetUnitPriceAmount":{"$":"367.08","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"PricingVariation":{"ServiceID":{"$":"discount","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"ConditionID":{"$":"allowance","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Rate":{"$":"16.00","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"TotalAmount":{"$":"3670.80","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},{"LineID":{"$":"82","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Item":{"StandardItemIdentifier":{"$":"20","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Description":{"$":"vZCwLwz1AGtbQT7t0diKccyB0rm0DXS5JFUWZyFcDFW7t","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Quantity":{"$":"10","@unitCode":"number","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"OrderStatus":{"$":"FULFILLED","@listId":"OrderStatus","@listAgencyId":"Sun","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Pricing":{"GrossUnitPriceAmount":{"$":"437.00","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"NetUnitPriceAmount":{"$":"367.08","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"PricingVariation":{"ServiceID":{"$":"discount","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"ConditionID":{"$":"allowance","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Rate":{"$":"16.00","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"TotalAmount":{"$":"3670.80","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},{"LineID":{"$":"83","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Item":{"StandardItemIdentifier":{"$":"20","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Description":{"$":"vZCwLwz1AGtbQT7t0diKccyB0rm0DXS5JFUWZyFcDFW7t","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Quantity":{"$":"10","@unitCode":"number","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"OrderStatus":{"$":"FULFILLED","@listId":"OrderStatus","@listAgencyId":"Sun","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Pricing":{"GrossUnitPriceAmount":{"$":"437.00","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"NetUnitPriceAmount":{"$":"367.08","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"PricingVariation":{"ServiceID":{"$":"discount","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"ConditionID":{"$":"allowance","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Rate":{"$":"16.00","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"TotalAmount":{"$":"3670.80","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},{"LineID":{"$":"84","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Item":{"StandardItemIdentifier":{"$":"20","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Description":{"$":"vZCwLwz1AGtbQT7t0diKccyB0rm0DXS5JFUWZyFcDFW7t","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Quantity":{"$":"10","@unitCode":"number","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"OrderStatus":{"$":"FULFILLED","@listId":"OrderStatus","@listAgencyId":"Sun","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Pricing":{"GrossUnitPriceAmount":{"$":"437.00","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"NetUnitPriceAmount":{"$":"367.08","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"PricingVariation":{"ServiceID":{"$":"discount","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"ConditionID":{"$":"allowance","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Rate":{"$":"16.00","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"TotalAmount":{"$":"3670.80","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},{"LineID":{"$":"85","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Item":{"StandardItemIdentifier":{"$":"20","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Description":{"$":"vZCwLwz1AGtbQT7t0diKccyB0rm0DXS5JFUWZyFcDFW7t","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Quantity":{"$":"10","@unitCode":"number","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"OrderStatus":{"$":"FULFILLED","@listId":"OrderStatus","@listAgencyId":"Sun","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Pricing":{"GrossUnitPriceAmount":{"$":"437.00","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"NetUnitPriceAmount":{"$":"367.08","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"PricingVariation":{"ServiceID":{"$":"discount","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"ConditionID":{"$":"allowance","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Rate":{"$":"16.00","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"TotalAmount":{"$":"3670.80","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},{"LineID":{"$":"86","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Item":{"StandardItemIdentifier":{"$":"20","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Description":{"$":"vZCwLwz1AGtbQT7t0diKccyB0rm0DXS5JFUWZyFcDFW7t","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Quantity":{"$":"10","@unitCode":"number","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"OrderStatus":{"$":"FULFILLED","@listId":"OrderStatus","@listAgencyId":"Sun","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Pricing":{"GrossUnitPriceAmount":{"$":"437.00","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"NetUnitPriceAmount":{"$":"367.08","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"PricingVariation":{"ServiceID":{"$":"discount","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"ConditionID":{"$":"allowance","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Rate":{"$":"16.00","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"TotalAmount":{"$":"3670.80","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},{"LineID":{"$":"87","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Item":{"StandardItemIdentifier":{"$":"20","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Description":{"$":"vZCwLwz1AGtbQT7t0diKccyB0rm0DXS5JFUWZyFcDFW7t","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Quantity":{"$":"10","@unitCode":"number","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"OrderStatus":{"$":"FULFILLED","@listId":"OrderStatus","@listAgencyId":"Sun","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Pricing":{"GrossUnitPriceAmount":{"$":"437.00","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"NetUnitPriceAmount":{"$":"367.08","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"PricingVariation":{"ServiceID":{"$":"discount","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"ConditionID":{"$":"allowance","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Rate":{"$":"16.00","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"TotalAmount":{"$":"3670.80","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},{"LineID":{"$":"88","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Item":{"StandardItemIdentifier":{"$":"20","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Description":{"$":"vZCwLwz1AGtbQT7t0diKccyB0rm0DXS5JFUWZyFcDFW7t","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Quantity":{"$":"10","@unitCode":"number","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"OrderStatus":{"$":"FULFILLED","@listId":"OrderStatus","@listAgencyId":"Sun","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Pricing":{"GrossUnitPriceAmount":{"$":"437.00","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"NetUnitPriceAmount":{"$":"367.08","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"PricingVariation":{"ServiceID":{"$":"discount","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"ConditionID":{"$":"allowance","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Rate":{"$":"16.00","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"TotalAmount":{"$":"3670.80","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},{"LineID":{"$":"89","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Item":{"StandardItemIdentifier":{"$":"20","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Description":{"$":"vZCwLwz1AGtbQT7t0diKccyB0rm0DXS5JFUWZyFcDFW7t","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Quantity":{"$":"10","@unitCode":"number","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"OrderStatus":{"$":"FULFILLED","@listId":"OrderStatus","@listAgencyId":"Sun","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Pricing":{"GrossUnitPriceAmount":{"$":"437.00","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"NetUnitPriceAmount":{"$":"367.08","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"PricingVariation":{"ServiceID":{"$":"discount","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"ConditionID":{"$":"allowance","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Rate":{"$":"16.00","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"TotalAmount":{"$":"3670.80","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},{"LineID":{"$":"90","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Item":{"StandardItemIdentifier":{"$":"20","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Description":{"$":"vZCwLwz1AGtbQT7t0diKccyB0rm0DXS5JFUWZyFcDFW7t","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Quantity":{"$":"10","@unitCode":"number","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"OrderStatus":{"$":"FULFILLED","@listId":"OrderStatus","@listAgencyId":"Sun","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Pricing":{"GrossUnitPriceAmount":{"$":"437.00","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"NetUnitPriceAmount":{"$":"367.08","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"PricingVariation":{"ServiceID":{"$":"discount","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"ConditionID":{"$":"allowance","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Rate":{"$":"16.00","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"TotalAmount":{"$":"3670.80","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},{"LineID":{"$":"91","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Item":{"StandardItemIdentifier":{"$":"20","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Description":{"$":"vZCwLwz1AGtbQT7t0diKccyB0rm0DXS5JFUWZyFcDFW7t","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Quantity":{"$":"10","@unitCode":"number","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"OrderStatus":{"$":"FULFILLED","@listId":"OrderStatus","@listAgencyId":"Sun","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Pricing":{"GrossUnitPriceAmount":{"$":"437.00","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"NetUnitPriceAmount":{"$":"367.08","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"PricingVariation":{"ServiceID":{"$":"discount","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"ConditionID":{"$":"allowance","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Rate":{"$":"16.00","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"TotalAmount":{"$":"3670.80","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},{"LineID":{"$":"92","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Item":{"StandardItemIdentifier":{"$":"20","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Description":{"$":"vZCwLwz1AGtbQT7t0diKccyB0rm0DXS5JFUWZyFcDFW7t","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Quantity":{"$":"10","@unitCode":"number","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"OrderStatus":{"$":"FULFILLED","@listId":"OrderStatus","@listAgencyId":"Sun","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Pricing":{"GrossUnitPriceAmount":{"$":"437.00","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"NetUnitPriceAmount":{"$":"367.08","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"PricingVariation":{"ServiceID":{"$":"discount","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"ConditionID":{"$":"allowance","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Rate":{"$":"16.00","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"TotalAmount":{"$":"3670.80","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},{"LineID":{"$":"93","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Item":{"StandardItemIdentifier":{"$":"20","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Description":{"$":"vZCwLwz1AGtbQT7t0diKccyB0rm0DXS5JFUWZyFcDFW7t","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Quantity":{"$":"10","@unitCode":"number","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"OrderStatus":{"$":"FULFILLED","@listId":"OrderStatus","@listAgencyId":"Sun","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Pricing":{"GrossUnitPriceAmount":{"$":"437.00","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"NetUnitPriceAmount":{"$":"367.08","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"PricingVariation":{"ServiceID":{"$":"discount","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"ConditionID":{"$":"allowance","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Rate":{"$":"16.00","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"TotalAmount":{"$":"3670.80","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},{"LineID":{"$":"94","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Item":{"StandardItemIdentifier":{"$":"20","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Description":{"$":"vZCwLwz1AGtbQT7t0diKccyB0rm0DXS5JFUWZyFcDFW7t","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Quantity":{"$":"10","@unitCode":"number","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"OrderStatus":{"$":"FULFILLED","@listId":"OrderStatus","@listAgencyId":"Sun","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Pricing":{"GrossUnitPriceAmount":{"$":"437.00","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"NetUnitPriceAmount":{"$":"367.08","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"PricingVariation":{"ServiceID":{"$":"discount","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"ConditionID":{"$":"allowance","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Rate":{"$":"16.00","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"TotalAmount":{"$":"3670.80","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},{"LineID":{"$":"95","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Item":{"StandardItemIdentifier":{"$":"20","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Description":{"$":"vZCwLwz1AGtbQT7t0diKccyB0rm0DXS5JFUWZyFcDFW7t","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Quantity":{"$":"10","@unitCode":"number","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"OrderStatus":{"$":"FULFILLED","@listId":"OrderStatus","@listAgencyId":"Sun","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Pricing":{"GrossUnitPriceAmount":{"$":"437.00","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"NetUnitPriceAmount":{"$":"367.08","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"PricingVariation":{"ServiceID":{"$":"discount","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"ConditionID":{"$":"allowance","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Rate":{"$":"16.00","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"TotalAmount":{"$":"3670.80","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},{"LineID":{"$":"96","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Item":{"StandardItemIdentifier":{"$":"20","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Description":{"$":"vZCwLwz1AGtbQT7t0diKccyB0rm0DXS5JFUWZyFcDFW7t","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Quantity":{"$":"10","@unitCode":"number","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"OrderStatus":{"$":"FULFILLED","@listId":"OrderStatus","@listAgencyId":"Sun","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Pricing":{"GrossUnitPriceAmount":{"$":"437.00","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"NetUnitPriceAmount":{"$":"367.08","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"PricingVariation":{"ServiceID":{"$":"discount","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"ConditionID":{"$":"allowance","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Rate":{"$":"16.00","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"TotalAmount":{"$":"3670.80","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},{"LineID":{"$":"97","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Item":{"StandardItemIdentifier":{"$":"20","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Description":{"$":"vZCwLwz1AGtbQT7t0diKccyB0rm0DXS5JFUWZyFcDFW7t","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Quantity":{"$":"10","@unitCode":"number","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"OrderStatus":{"$":"FULFILLED","@listId":"OrderStatus","@listAgencyId":"Sun","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Pricing":{"GrossUnitPriceAmount":{"$":"437.00","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"NetUnitPriceAmount":{"$":"367.08","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"PricingVariation":{"ServiceID":{"$":"discount","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"ConditionID":{"$":"allowance","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Rate":{"$":"16.00","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"TotalAmount":{"$":"3670.80","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},{"LineID":{"$":"98","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Item":{"StandardItemIdentifier":{"$":"20","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Description":{"$":"vZCwLwz1AGtbQT7t0diKccyB0rm0DXS5JFUWZyFcDFW7t","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Quantity":{"$":"10","@unitCode":"number","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"OrderStatus":{"$":"FULFILLED","@listId":"OrderStatus","@listAgencyId":"Sun","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Pricing":{"GrossUnitPriceAmount":{"$":"437.00","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"NetUnitPriceAmount":{"$":"367.08","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"PricingVariation":{"ServiceID":{"$":"discount","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"ConditionID":{"$":"allowance","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Rate":{"$":"16.00","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"TotalAmount":{"$":"3670.80","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},{"LineID":{"$":"99","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Item":{"StandardItemIdentifier":{"$":"20","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Description":{"$":"vZCwLwz1AGtbQT7t0diKccyB0rm0DXS5JFUWZyFcDFW7t","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Quantity":{"$":"10","@unitCode":"number","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"OrderStatus":{"$":"FULFILLED","@listId":"OrderStatus","@listAgencyId":"Sun","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Pricing":{"GrossUnitPriceAmount":{"$":"437.00","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"NetUnitPriceAmount":{"$":"367.08","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"PricingVariation":{"ServiceID":{"$":"discount","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"ConditionID":{"$":"allowance","@schemeName":"Generic","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"Rate":{"$":"16.00","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"TotalAmount":{"$":"3670.80","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}}],"Summary":{"LineItemCountValue":{"$":"2","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"SubtotalAmount":{"$":"18215.80","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"PricingVariation":{"ServiceID":{"$":"shipping and handling","@schemeName":"Variations","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"ConditionID":{"$":"charge","@schemeName":"Conditions","@schemeAgencyName":"ISO","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"LumpSumAmount":{"$":"7.00","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"PriceAmount":{"$":"18222.80","@currencyId":"USD","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"PackingSlipIdentifier":{"$":"156263","@schemeAgencyName":"ISO","@schemeName":"Packing Slip","@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}},"@xmlns":{"ns1":"http:\/\/www.sun.com\/schema\/spidermarkexpress\/sm-inv"}}} yajl-ruby-1.4.3/spec/parsing/fixtures/fail23.json0000644000004100000410000000002414246427314021711 0ustar www-datawww-data["Bad value", truth]yajl-ruby-1.4.3/spec/parsing/fixtures/pass.json-org-sample4-nows.json0000644000004100000410000000547614246427314025703 0ustar www-datawww-data{"web-app":{ "servlet":[ { "servlet-name": "cofaxCDS", "servlet-class": "org.cofax.cds.CDSServlet", "init-param": { "configGlossary:installationAt": "Philadelphia, PA", "configGlossary:adminEmail": "ksm@pobox.com", "configGlossary:poweredBy": "Cofax", "configGlossary:poweredByIcon": "/images/cofax.gif", "configGlossary:staticPath": "/content/static", "templateProcessorClass": "org.cofax.WysiwygTemplate", "templateLoaderClass": "org.cofax.FilesTemplateLoader", "templatePath": "templates", "templateOverridePath": "", "defaultListTemplate": "listTemplate.htm", "defaultFileTemplate": "articleTemplate.htm", "useJSP": false, "jspListTemplate": "listTemplate.jsp", "jspFileTemplate": "articleTemplate.jsp", "cachePackageTagsTrack": 200, "cachePackageTagsStore": 200, "cachePackageTagsRefresh": 60, "cacheTemplatesTrack": 100, "cacheTemplatesStore": 50, "cacheTemplatesRefresh": 15, "cachePagesTrack": 200, "cachePagesStore": 100, "cachePagesRefresh": 10, "cachePagesDirtyRead": 10, "searchEngineListTemplate": "forSearchEnginesList.htm", "searchEngineFileTemplate": "forSearchEngines.htm", "searchEngineRobotsDb": "WEB-INF/robots.db", "useDataStore": true, "dataStoreClass": "org.cofax.SqlDataStore", "redirectionClass": "org.cofax.SqlRedirection", "dataStoreName": "cofax", "dataStoreDriver": "com.microsoft.jdbc.sqlserver.SQLServerDriver", "dataStoreUrl": "jdbc:microsoft:sqlserver://LOCALHOST:1433;DatabaseName=goon", "dataStoreUser": "sa", "dataStorePassword": "dataStoreTestQuery", "dataStoreTestQuery": "SET NOCOUNT ON;select test='test';", "dataStoreLogFile": "/usr/local/tomcat/logs/datastore.log", "dataStoreInitConns": 10, "dataStoreMaxConns": 100, "dataStoreConnUsageLimit": 100, "dataStoreLogLevel": "debug", "maxUrlLength": 500}}, { "servlet-name": "cofaxEmail", "servlet-class": "org.cofax.cds.EmailServlet", "init-param": { "mailHost": "mail1", "mailHostOverride": "mail2"}}, { "servlet-name": "cofaxAdmin", "servlet-class": "org.cofax.cds.AdminServlet"}, { "servlet-name": "fileServlet", "servlet-class": "org.cofax.cds.FileServlet"}, { "servlet-name": "cofaxTools", "servlet-class": "org.cofax.cms.CofaxToolsServlet", "init-param": { "templatePath": "toolstemplates/", "log": 1, "logLocation": "/usr/local/tomcat/logs/CofaxTools.log", "logMaxSize": "", "dataLog": 1, "dataLogLocation": "/usr/local/tomcat/logs/dataLog.log", "dataLogMaxSize": "", "removePageCache": "/content/admin/remove?cache=pages&id=", "removeTemplateCache": "/content/admin/remove?cache=templates&id=", "fileTransferFolder": "/usr/local/tomcat/webapps/content/fileTransferFolder", "lookInContext": 1, "adminGroupID": 4, "betaServer": true}}], "servlet-mapping": { "cofaxCDS": "/", "cofaxEmail": "/cofaxutil/aemail/*", "cofaxAdmin": "/admin/*", "fileServlet": "/static/*", "cofaxTools": "/tools/*"}, "taglib": { "taglib-uri": "cofax.tld", "taglib-location": "/WEB-INF/tlds/cofax.tld"} }} yajl-ruby-1.4.3/spec/parsing/fixtures/pass.numbers-int-4k.json0000644000004100000410000000774014246427314024371 0ustar www-datawww-data[[ -6815,-15 ,25 ,-2379,-30,20,8 ,-148966676 ,-25,-15 ,-475215790,27 ,-21 ,-18 ,-10 ,-860 ,-2703 ,-747,2886 ,-13,-390],[-242 ,22,-55475680,-11,70 ,8,21 ,-5712,22 ,41741460 ,25,-28 ,175967856,20 ,180766425,425383080,-15,100 ,-22 ,0,-4,-1656 ,-195903072 ,-14 ,103871680 ,1,-30,22,5,30,-7 ,-6566160 ,3,0 ,-5100 ,1,4207210 ,2568240 ,262598850 ,3885852 ,-2968],[30,-14421168 ,16,-30 ,21 ,21,-89984160 ,-36689745 ,656 ,-8 ,29 ,27 ,-45057880 ,-2320 ,31,-24 ,-12,22,22],[0 ,840 ,-12,4548996 ,-4,-15 ,21887400 ,27,2255 ,-15,9 ,28,30 ,-4867 ,-19,4 ,5,-12 ,-3,-2964] ,[-2288,-27,0 ,-450877856,-25 ,-1428,288,68410304 ,-2783,10283700,25,0,3360,3220,2,-14,-3 ,-12,162483684,26,962325,-336726192] ,[2080 ,-18 ,-226446836,24,-9010575],[572,-14 ,0,10,9 ,18,4228 ,474152068 ,-9 ,-249 ,-3504],[29,-8 ,88136384 ,0 ,-31 ,26,-5425,342 ,-6 ,29,22 ,-3 ,29 ,4300 ,9710532,-10,-4,-1326 ,19 ,1420,-11 ,15447796 ,-9,11],[-4,101 ,-26148096,2086410 ,-5100,13 ,-396,-11835750,-1204,-15 ,-2562,25 ,-2418,-65220672 ,0 ,-5200,2],[12 ,25 ,1768,29 ,10,-266238792 ,190918080 ,-66498600 ,74835240,-14,-753 ,-31] ,[-19424880,14 ,673847790 ,2088],[1909 ,-6] ,[-1150 ,864 ,1043,24003072 ,-446 ,-12532509 ,31,-1,26,23 ,29 ,27,-234 ,23,-27,8 ,-5424,59461944,-24 ,-37243800 ,-31 ,429 ,-12950162,-741951 ,330,-1513 ,3744 ,-104324880 ,-1363,13723920 ,1072,0 ,-66401460,-7 ,-28 ,14,-496 ,222896688 ,2392 ,10 ,852 ,10,710600 ,-702268,252678888,31,8],[107921457,0,-69005788 ,-110735688,-2,21 ,620 ,-1],[4,-27,-4,16 ,-1197 ,12575995 ,3248 ,-17 ,-341727540 ,25385304 ,265557816 ,-341890794,44668932,-686426364,-27 ,6 ,-2,850],[59970240,-12 ,-30,26 ,-24 ,640498719,5425,-48,-2418 ,83878272,-948 ,-26,308087920,-22 ,-7320,28,18,-2312,-5084 ,24,18229519 ,-833,30],[17082996 ,7,-12,-493723332 ,184624128,-364 ,10 ,-1950 ,-51792480 ,3,1742,21150360 ,9 ,-730,11 ,153 ,7,-2,-25,342078609 ,123,5 ,48,-19,6500592 ,0,-11] ,[-13,-31 ,-1683 ,-26,-4264 ,1005 ,-18,195189561 ,-13780200 ,-3842 ,19,-109547490 ,-13,22,15] ,[-4247 ,163096443 ,4455,4312824 ,-39474240,221,896] ,[18 ,563669100,-4975,-18,-12 ,8,-14 ,11,12 ,0,24,-337153320,5,237760740,-4520,490,-36,54106920,5 ,1337,-31355456,-26,-5751 ,21 ,-91954704 ,-2952 ,-23,468 ,-97562412,2080,28,5 ,14 ,262828602 ,-1 ,7,-7,6000 ,-28 ,-193977180,-24 ,546,-1615 ,-1,-357052350 ,15,-20,7,-71564800 ,-30,-21,4867 ,-11,14 ,12,-13 ,-8,23],[339311000,-20 ,-459,-20,0] ,[-16,-920,1116 ,11 ,14 ,-6,452 ,-4025 ,20,-347848875 ,-5640,-185852250,6604,-174912615 ,-9 ,11,-38637780 ,-26,19,-3,-2757977,-29,92153700 ,17 ,-341 ,-9 ,1 ,19,17 ,2527,19 ,-10 ,5673,-14 ,30 ,5456,398044154 ,-12 ,27 ,-5,-6356 ,-1 ,0 ,-24,-429469920,9,-30],[449989148 ,-6,37694916 ,26 ,980 ,18 ,-11484696,-14 ,0,7 ,1408 ,3689,22 ,-560 ,-349350300,28238400,702 ,4104 ,1701 ,-13,-2,-17058312 ,-31 ,-25832520 ,31700160 ,-2508,1 ,865 ,-376597728,3484 ,16,83891808,-111926304,0 ,180025335 ,-10,-7 ,-21,2044,73 ,-23,-221454648],[-2875 ,0,-13 ,14 ,-7 ,6448 ,9,-24,48582105 ,-20 ,4885162 ,650,-3770 ,-17632350,-32004840 ,-468,26955450 ,-25,-2223 ,2040 ,246021300 ,3720 ,-71730560,-27,-88855200 ,88889504,-20,16 ,-137357280,-69545280 ,-4,87012325 ,111810816,-415,8 ,14,9,27,-14592798,3,-31,-5060 ,216 ,-9,-6,-3696,-24 ,427221360,-8,-20,16 ,-99887940 ,13 ,11 ,-2596] ,[19 ,8 ,154626318 ,1],[-3072 ,-792 ,27 ,-3438 ,5 ,-13,-5 ,27,-1824 ,9,-75,-108 ,-12,-4028 ,26 ,-2442 ,420,59505320 ,-6],[7 ,97876512 ,-300 ,1955,19],[-3750 ,-3 ,-945,-5,0 ,2028,-5 ,6 ,3 ,5928,357979776 ,-4,-24 ,22,-18,3458,-25363756 ,-28 ,-1816,17 ,9 ,-45321881 ,-30,-26,0,20 ,-15,16520672,-4 ,13 ,-19] ,[93313272,-252644854,3 ,-233450 ,899,6,-26,295789200 ,-840,-13,9,-12 ,-24 ,-5675,-18],[2522 ,339500832 ,0 ,-21 ,14 ,-31,184500,-4 ,0 ,1695330 ,6,-7 ,-27 ,6,-16470210,-4420 ,-15 ,28,2712 ,4,212084622,-26 ,26780400 ,-15,468084708 ,870,-54512648,30923640,59129470,166213800,-69060576,110 ,5,22,47040588,155440992,10],[-759 ,168 ,2938,24 ,1312 ,-18 ,-210243550,171418600,107993520,6,-1918 ,1720 ,3819,20 ,21,-261,-205366356 ,-750675750 ,5 ,19 ,-176472244 ,110 ,194590704 ,-2 ,-23 ,1,278327610,-6 ,0,11,-1,-244155912,15,8,11,-1,-1 ,27 ,-15 ,-22 ,-3696],[-15]] yajl-ruby-1.4.3/spec/parsing/fixtures/fail27.json0000644000004100000410000000001614246427314021716 0ustar www-datawww-data["line break"]yajl-ruby-1.4.3/spec/parsing/fixtures/pass.numbers-fp-64k.json0000644000004100000410000017536314246427314024301 0ustar www-datawww-data[[2.6535229E-31,-6.3308956E19,-3.6612234E15,-2.678559E7,2.6702905,-5.9068637E15,-8.157387E-25] ,[0.0034602399,-4.9989574E-12,5.6027035E-24,2.391569E-20,-4.8545338E-26,-1.9128763E31,-2.2797304E35,-5.6475305E-31,-8.4942343E-16,-3.465149E-16,7.0482251E11,3.126214E-33,1.6426457E-29,-1.07047094E14,2.04265933E9,6459852.5,1.2455255E-19,0.04852945,-4.6918415E-16],[2.993882E-32,-1.2256164E-6,-3.88535779E11,-1.56255725E14,-7.0686278E8,-1.1825112E-8,6.4509857E37,-1.1007136E27,3.5498442E-25,-3.9212004E22,-4.5836344E7,-5.940224E25,69802.234,-5.0968E21,-1.8074694E-8,-3.4485917E31,-0.6611753,2.3213966E24],[1.172189E-29,9.733035E-17,1.0992753E24,8.4844704E12,-8.6683997E-13,1.1094605E11,-1.7965676E7,1.02709966E34,1.0741854E28,1.9185885E-16,-8.3655151E11,-9.856661E-20,-2.85404893E16,-2.379941E-4,-8.3776928E12,1.7867977E-25,0.011597245,-1.41081335E26,-6.6038745E-24,-1.9745221E29,1.539104E24,-5.5591727E28],[1.7871889E25,7.8421593E-26,9.461137E21] ,[-2.12173072E8,-3.795819E31,-1.2554509E28,-2.5654093E-10],[6.5999994,1.7218609E33,-0.012438993,939.1766,7.093138E-23,1.2209317E-25,2.7071306E20,1.77743E-6,2.7941877E-30,1.0859481E-36,-1.0772707E22,1.32352934E9,0.14167772,-6.0089815E-29,-8.502864E25,-5.1308295E-4,-6021.425,-8.89324E-25,-2.500707E-8,0.08228797,-6.8578757E37,-2.9590106E-28,-1.0877065E-20,4.65055536E14,452.99426,-1.69357939E9,1.0729684E10,1.2038169E-24,-144473.9,-1.0064578E-37,-3.062391E-34,-1.100933E-37,-3.0693718E-17,6.763583E-27,4.117854E-39,-1.6736398E-15,8.445957E-9,6.4264248E7,2.2029085E21,-15921.255,-4.3933734E-10,6.940127E32,-3.81793408E9,1.358563E-36,4.1276015E10,-1.4802012E-27,-2.7596408E-32,1.059699E-10,9.104807E-10,8.404422E-26,3.5004688E-9,1.9395138E-21,6.892398E-35,2.03699521E15,8.767824E-20,-2.2651784E23,2.7166499E-17,1.4053419E-4,-1.1724944E25,1.6230291E-24,-1.8291197E29,-4.7328948E10,1.15966246E13,-2.5645604E-21,2.1966392E-20,9.4178323E8,-4.32126144E8,-4.327374E-14,-6.2280279E15,0.004526022,1.9304582E-17,2.3337225E27,6.9692502E16,1.2586697E29],[5997.7617,5.22090368E8,2.19173435E17,1.7981851E37,-9.979369E-12,-0.0017380471,6.2215564E7,-5.697561E37,-1.6502797E37,-3.24494711E14,1.451294E36,-5.835783E-22,0.061836954,1.3775194E-19,-16.837942,-0.23230144,-3.7539396E37,-0.01888702,-2.2541351E-35,1.9484589E-21,-6.7566396E33,0.048821412,-3.495256E27,-1.3285373E-38,4.50898E-28,1.7268163E-20,-955773.6,-6.622828E-29,-8.2036756E-17,2.924259E-13,5.0647647E32,1.1643229E-26,7.2521586E-11,-3.7323227E32,-12991.916,2.339732E29,-2.7075122E-20,-6.8960704E-17,0.51900554,-5.9936054E21,-0.015137768,-3.247555E22,-2.56008961E15,1.47095685E-36,1.4622153E-12,7.7171934E34,-7.544193E-7,5.0779845E-6,3.9633572E-25,2.4219777E-29,0.6069506,2.4379258E34,4.9829147E35,6.2219044E-23,7.4407635E26,-4.8400582E-26,-4.4876697E-10,40811.668,-3.9690345E33,8.862469E-31,-3.20557075E16,-1.1514233E7,-1.9178896E-9,2.11979568E8] ,[-80848.914,-0.0026732397,3.30004746E10,4.9471102E-28,3.8687313E-31,-2.9855964E-5,-3.67212442E9,3.0627095E15,7.8276194E-19,5.3863646E22,-404934.72,1.4820337E-32,1.4192764E-23,1.0121303E-14,-1.7668878E33,-0.06838432,4.233391E22,-4.222806E-39,1.2118468E-30,-35556.418,1.5127279E-15,3.6557565E19,1.5424345E30,6.068394E-39,8.638708E22,3.9049457E24,4.281842E-22,-2.9109668E-30,5.462076E-23,-1.14303206E27,4.688778E-38,-2.8907022E-27,6775.112,-4.3717151E9,5.5270997E-9,-2801.2212,5.6459445E-5,-2.1581222E-27,6.5815562E9,-1.089469E-13,7.1918055E-7,4.5751317E21,-204.8502,-2.8087629E-21,2.6423045E22,-3.340172E-34,5.0326556E-9,-5.22535076E11,-5.4474794E13,6.4334326E21,6.070314E20,23.221071,-6.030393E32,4.538023E-22,-1.9926042E-11,-41.89369],[6.324611E-31,2.6348025E-18,-8.242288E35,2.000639E-16,-3.6666114E26,-5.6946114E26,-4.071132E29],[4.4360223E-14,-2.0585313E36,4.4855497E12,-13.27239,-1.1073428E23,-6.4541437E18,-4.4476496E-25,1.20953678E14,25470.965,-2.7886143E32,3.7357097E-33,-2.2606373E32,-4.23796E35,7720065.5,-2.5043382E-28,4.5656885E-30,-6.961639E-11,-1.9319312E-13,1.26833861E11,1.2163623E-12,-124173.125,3.662106E16,-3.285093E23,5.6386879E11,9.28752E24,5.3346226E25,-4.4209505E20,2.1439174E7,-3.2421666E-22,3.8165513E19,-2.1260923E24,-2.63838945E10,9.541649E-21,-2.5550854E20,0.021623548,5.9854567E26,-5.8091084E11,-7.065009E-32,3.5037792E30,-2.331532E23,5.8431462E8,1.0341694E7,3.896418E-11,4.0183097E-14,2293077.5,-1.5654026E-35,-2.6699253E-14,-7.822621E33,4.315322E-24,-0.002313517,-1.6574543E-21,1.4579729E-20,3591.1572,-4.5170944E-18,-2.78611952E17,-2.1110734E-23,-4.3113246E-6,9.1698276E21,-1.6756981E-15,-6.854833E-6,-2.6159627E-29,412.33392,9.90769E-16,2.8810426E23,-4.9117775E36,5.78823E-40,4.7816546E-9,-1.3817376E7,-3.156944E7,1.5150228E-18,-1.4314575E-32,-4.428179E-28,-2.072301E-34,-5.129252,8.1669195E17,-252.1206,7.001677E-9,-8.144433E-33,-6.253973E-16,-1.8238805E-26,2.4729717E29,3.0851753E25,-3.451688E-35,1.3591939E-11,0.10220055,-1.16058014E11,1.3878365,2.399862E37,-4.3815566E-20,8.3958796E37,-327.94388,5.167833E-38,1.3481001E-36,-4.5197708E-36,0.39352754,-1436.4678],[-3.2871463,-4.2376574E-24,-1.2515325E25,-0.0019005111,-1.2113293E28,9.2862456E-9,-0.0037906703,-1.1611638E37],[-7.978034E-23,2.4743534E36,8.521475E-28,-7.8929362E12,9.952491E-31,1.8642626E-22,-1.719193E-16,0.10001894,-3.523265E-36,249.89531,3.0933438E-35,-1.2585429E7,8.857643E-26,-88230.21,-2.8092234E28,-8.0354126E-13,0.12322309,1.473056E25,-6.8615936E18] ,[-2.5297348E36,-7.368013E-38,-1.076627E-28,-7.7007749E15,-22.372606,-8.977881E22,-7.501992E37,3.7989866E25,2.5683582E28,8.2770024E16,1.87827292E14,-1.33954095E13] ,[2.83583E-36,-3.017899E-34,-9.3147485E-4,-2.9735795E-12,-8.9076545E-31,6.9782866E-36,1.9726709E-22,9.541568E29,-4.834942E-19,-4.6985393E-12,2.4275021E11,-7.481386E-7,6.4340796E-20,-9.9854425E-33,6.7009603E-10,9.471227E-13,-260.90906,1.8235383E-33,-4.95706771E14,-6.952875E-19,9.612285E-8,-1.2719771E-12,-1.12211087E15,55514.207,-4.5526364E27,4.656814E20,1.9872182E-13,0.9946952,2.069911E-5,1.31716538E11,4.0740787E24,-2.487807E-31,4.1312148E7,1.340491E-6,-3.635888E-35,-9.5867587E16,-1.7570944E32],[-2.5722143E27,1.1238163E-38,6.0498795E24,-9.611712E-6,-1.5955684E27,-1.0723542E10,-8.5553495E-7,-4.2760327E-14,-2.630693E21,1.95525083E11,9.127949E29,-7.524899E-23,-2.119795E37,-2.04406235E18,-5.3023616E-19,-3.3658996,8.377197E23,-1.7043822E-5,1.3179344E28,-1.11099537E12,-6.363299E30,-4.7785908E7,3.30950848E8,-3.03227827E9,4.5047694E-32,7.994301E20,3.938957E21,-1.1805678E36,-1.149164E-38,-1.1955668E-17,-1.7497947E-5,1.5460201E-14,0.0011019544,-9.772907E-18,1.6204629E20,3.7992635E19,-0.52898777,-449814.47,1.6927752E-26,-1.890229E-5,3.0518583E31,3.77259452E12,-4.9841966E-17,1.9143402E25,-7.949224E31,7.7348874E-32,-2.44324835E14,-1.2597142E7,3.0461904E28,-1.8065428E36,-5.9193197E-12,29.584963,-9.967072E22,-6.1103116E-22,-2.5339657E-31,-1.24389758E16,5.311816E30,-9.717531E-23,9.976159E-20,-0.4442942,2.046243E-26] ,[-2.96422872E13,-6.3277275E25,5.1580752E-8,1.7779605E-5,-1.4448909,1.041386E19,0.0673465,6428132.0,-0.0062295296,-6.0453197E17,-0.2114366,4.97585952E8,-2.729206E-5,1.82667791E15,-1.3350689E20,1.3113594E20,4.8448774E23,-2.5136028E-36,8.6560627E8,1.32157318E14,1.39104131E12,-1.84373661E12,-1.7154715E-33,2.6342105E-24,5.9719614E34,-1.1233949E31,-1.0465356E-36,1.3186333E-36,-5.2523444E34,-1.5381603E-38,-8.032629E27,1.4126238E-19,-2.4494736E-15,-14.433311,1.0122156E-19,1.5462485E-4,5.852681E-20,-2.2212762E23,-1.01059875E24,-6.394611E20,-0.79532546,-8.351006E-12,2.2660747E-16,4.977851E-10,4.905539E-4,-3.51602465E13,-2.30332976E16,5.59634776E14,-1.0818905E-11,-3.1019576E34,-1273.1372,1.9252214E-22,-9.166295E-20,2.2443522E33,8.7383146E-26,-6.007704E29,-1.6720691E-23,9.061457E-8,-1.2947306E-23,-4.6964997E-38],[7.8893924E31,3.07141837E10,3.5064477E-30,511.66837,2.0288735E-21,1.5008125E-11,4.1229615E19,153.60852,-5.00198464E8,1.0709774E21,4.2353862E-33,-2.55101846E11,-2069187.6,6.164251E-32,-2.7413694E34,4.188528E20,141.74352,-2.6147399E23,7.729892E31,-5.2636273E-18,-0.28653175,5.106643E21,-1.8035745E34,1.9061558E25,4.501794E36,-1.20316945E13,1016.1254,6.061748E-20,-6.4808927E32,5.1562366,5.3972E-38,-0.0032188573,-13.5752735,-3.0721177E22,4.131355E35,-105.52056,8.15333E35,5.363832E29,-0.18775955,4.0500894E22,-1.4168374E21,0.038646944,-7.297702E29,1.1156196E-21,-2.6687906E35,-4.544637E-26,-3.3141204E-4,-4.931643E-19,-5.0394877E12,220407.58,6.1996923E32,1.09094394E-17,-8.928763E-11,0.16848186,1.94481944E15,-7.207436E32,2.3807752E-19,-8.5378472E7,-1.5565517E-15,-934355.0,2.3759372E29,-4.68141849E17,6.417166E-35,-2.2429213E-27,-4.815584E-29,-0.0053960076,105.3496,1.2972911E-24,-2.1951991E23,-4.705652E-22,-6.099291E24,-15635.991,-0.0012562996,6.922176E22,-8.5089015E23,58865.164,2.3982756E-16,9.242356E24,-3.8435752E-9,-6.936914E-14,3.53225146E11,-4.79937E35,3.020672E27,-4.0472785E-24,0.06208434,-0.0010544735,3.2205075E23,2.8516762E21,7.926591E21,-6.8404767E-31,1.1215144E17,-3.3998662E22,7.4122036E34,-4.3587058E22,2.845305E-12,-1.2178893E-24,-4.5326104E16,-1.474497E35,1.6776792E-16,5.79595E-15,7.830873E16,2.212906E-35,2.840859E29,-5.301346E25,3.0949E-36,5.843128E24,2.6651596E-18,4.23338E36,-2.9150254E-25,-8.1340363E12,5.3269786E-36,-1.8946328E-16,-3.8732234E20,3.8953363E11,-1.4908035E-37,1.3413529E7] ,[-4.5626298E-38,4.9297265E9,5.37850817E17,3.974901E30,-7.5143934E37,7.3995796E-9,1.6215814E20,-0.012788779,0.07565902,-7.383337E-23,2.2363313E32],[-9.0022535E-15,2.4458215E32,-8.955363E-29,3.910716E-22,1.1812161E29,-7.7128334E29,-6.5684406E-22,2.6877297E-29,-1.3060789E-11,-1.4532642E19,-1.5384355E36,-9.650132E-19,1.89742E25,-1.26561638E10,1.957695E-37,1.6230686E31,2.8771005E-30] ,[-2.0386938E-10,2.34681E25,-6.2329929E15,-1.4005585E19,1.08749964E14,-461007.44,3.0655994E-16,-3.0385334E25,-1.9790804E31,4.340749E-39,5.184542E-7,-7.290088E-13,3934.4355,3.079712,-1.3798011E-33,-1.1360229E-26,-6.155818E-6,-7.5368058E31,1.999573E-7],[9.224108E-15,-3.3340793E-23,1.791771E-21,1.3469135E35,-1.1501752E-14,-3.6089584E-22,2.1340398E-26,2.6019689E38,1.0074474E-4,-10.901403,2.3974809E-12,1.1665053E-30,1.78668372E11,-1632184.9,-8.519279E-7,-6.876629E-5,-6.1764878E15,-4.9004257E36,5.2117971E10,6.8897178E10,0.0014059772,2.8422242E27,-5.2190044E-36,4.4039364E7,1.5955432E20,-1.0467144E-19,-4.044522E-17,-2.4481046,7.0801434E-6,-6.0419743E9,-1.66617123E17,9.4009554E27,1.9044671E-31,7.0450094E-23,-1.1768533E28] ,[3.87857E-21,-9.583951E20,-2.70598605E9,-6.307099E-35,2.22536506E12,-59.811153,9.1209144E20,3.4833005E-12,-1.9121487E22,-2.191084E-5,-4.5865073E-28,-6.108937E-30,-3.45633068E13,3.8241077E-19,1.04878048E8,2.9121276E-8,-6.501428E10,-5.8277903E-21] ,[-2.752694E-20,1.674041E38,1.7459461E37,-2.12437861E17] ,[6.991386E-10,3.4141742E-15,-2.3748144E24,-0.007935386,-4.7132715E-17,5.66245E-40,-1.087321E-28,0.0025962195,-1.3299807E25,3.923745E-5,2.1293476E-28,-5.198644E33,-4.2812498E13,8.061859E-33,1.8939721E-8,-4.8484296E-32,8.246557E30,-3.8046344E-28,1.2675797E-23,-1.7817929E-37,1.7236113E-26,-1.5601187E7,1.5747247E-37,-3.748514E-33,1.6529484E-30,-2.7024744E-10,-3.2312002E-25,-235.09137,-2.85875686E17,-1.762145,7.830253E28,4.75398341E11,-3.0335843E-6,-5.6157214E-26,0.0030372695,-8.860499E-31,3.318433E30,-6.7724163E-6,-1.5482294E-27,-4.4418993E-36,6.499332E-34,1.5978082E-32,-2.270039E-4,-0.2433885,1.18475146E14,-0.16603182,3.32074E23,4.82078E-33,1.1191186E23,1.5621392E15,71.506615,6.1661815E10,4.5710682E-17,6.1759707E-37,-7.3347425E23,1.27841115E-8,3.2572577E35,-43.802284,5.324903E-28,-2.830785E22,-4.499699E-26,4.191541E34,3.1751783E-6,-2.66276E-6,-3.0833334E-33,3.3614098E-23,-0.0036774008,-3.8589498E28,-1.2548406,8.259908E7,1.6195077E-28,2.1304361E36,1.4567335E-16,4.3310415E-13,3.3383633E-11,7.885624E-20,-480.6271,1.0037746E35,1.2754476E-9,83.81333,7.898458E-5,-4.03667038E15,-2.2329178E-15,-2.0152636E-13,2.081016E35,1.6286735E-34,1.6121435E24,-6.1771156E-31,-1.7282902E-34],[-3.96941065E15,27.970276,-1.53067066E13,3.6667887E24,2.85265795E15,4.2997931E12,1.4818504E-6,1.0321158E-14,1.5508368E-8,2.927697E-9,-3.39338018E14,-4.4746353E29,-1.5560365E-32,-4.124734E-28,9.0650603E-4,2.30105399E11,-1.3441657E-21,1.9883716E36,15880.264,2.8150516E-36,-11.915885,1.0706588E21,4.223408E8,5.4251542E-12,-1.1481796E-27,5.822903E-33,-3.505783E34,-4.8237903E-14,-7.849323E-38,-4.43749E35,2.2351224E-13,1.8254235E-36,8.9989259E10,1.813454E-36,-1.0558517E-24,-3.6580843E-38,1.4184178E27,1.4560464E34],[85629.22,-1.7003546E-10,-3.5413635E-16,105.94623,-1.4186892E-5,5.2413778E36,9.342507E-9,-1.3427592E-6,-1.2367598E21,-1.55271383E18,-3.2187312E-24,6.251089E35,-1.3887139E-9,-1.03444714E27,1.7714859E-11,-0.005817533,2.4563237E-32,-2.0803736E-28,-13.471874,-1.5048416E-23,-1.7501842E33,-7.2776375,-2.1466478E19,4.853822E36,3.0963873E-12,-3.3486038E37,-1.4131504E25,5.0066066E-18,-1.087173E38,-1.1019988E-18,-7.9779854E37,9.017251E-10,4.0723884E15,-1.341312E-18,-1.0717458E-22,3.46674849E12,-0.02340292,0.22586018,8.6854499E12,2.72159923E16,1.65686212E16,8.758956E-23,2.867559E22,-2.4451188E-9,-1.3564005E24] ,[-6229597.5,2.0014847E31,-3.4308033E-37,-8147.847,-9.0806074E32,-2.1128706E-4,6.6282367E15,1.61200688E8,-2.1548193E-26,2.2858645E31,-6.9279332E22,3.712441E-38],[-3.13842208E18],[-1.9934488E-11,1.3296543E-14,6.088549E-29,2.1249287E-5,-2.3573263E-9,-0.0058179013,1.17241576E21,4.07445E-22],[-1.3451417E-37,-1.5636806E37,-3.764115E-15,-1.0246142E-14,-2.94194173E15,1.9969695E-23,1.2336216E-11,-1.5648814E-38,-1.3196884E-17,4.1131836E-9,-3.1402063E28,-8.293467E-35,-1.79982945E16,-2.0917452E-30,-5.379634E-8,-5.0319304E37,-2.9847737E-12,-1134.7717,1.69248052E13,4.9066194E27,-3.4882248E22,3.7649075E22,4.3517765E-32,2.3000411E32,3.0656001E29,-1.034691E33,5.433126E-7,-7.913855E-16,1.3481003E-8,-9.742205E-31,36.262638,435678.12,1.5763418E-33,-4.031753E-38,4.523754E12] ,[9.943559E23,-1.14064816E-35,-9.176797E-24,-8.234128E-12,0.15862457,-5.4980867E-18,7.7291604E36,-2.6331496E27,4.4836097E-30,-0.041381553,-2.3864592E36,1.0077372E-16,5.853387E37,226.83781,1.8226199E-28,4.0925454E-7,-0.43729714,9.1037206E-11,2.3414647E32,-2.4859513E38,3.1183667E-19,-1.2243246E-11,7.8740177E31,8.458513E-16,1.8281419E-19,1.2040764E7,2.6616312E-34,-67977.56,-1.20570615E30,-6.119411E-38,-1.928541E19,6.815997E-25,-4.2523086E-33,2.876159E31,5.9133672E26,-1.07138136E-29,3.6584114E-38,-4.8518688E-32,1.5660016E33,-5.3123855E-17,-7.438176E-6,-1.0479898E-21,-1432.1406,-1.83065854E15,8.559633E-36,7.294675E-13,6.7877282E15,7.6135919E14,8.0692963E37,5.114364E34,4.2127463E19,1.383909E-7,-4.8990693E-25,6.472123E-37,3.6370087E29,-335.7757,7.5406672E16,1.3973097E-9,-9.911163E28,-5.218519E-19,3.9373206E10,5.8175686E-35,3.3169375E34,0.035486404,-9.863275E24,-3.3888747E19,-2.8939148E19,4.5834077E-35] ,[2.4604633E-21,1.1454275E-37,-4.773637E22,6.88222E-35,2.4849248E-11,5.3971255E13,-0.08682255,-2.1922608E-27,1.48448282E9,-3.808519E-18,-3.891184E31,-2.3028217E-34,5.6621474E32,3.9170726E-27,-1.7524487E22,1.6244168E19,-1.4417567E-34,30673.639,-3.33029107E15,-1.6279645E25,4.7073638E13,-97.48056,1.705634E30,-1.0281326E-10,2.8019733E-7,-8.2943033E-13,14734.208,-9.4815846E8,-7.4620836E14,-6.621855E-15,9.3110124E-8,1.85352217E17,2.3451458E-33,-9.9309604E-17,-4.11369701E11,-5.812215E-11,2.5101806E21,1352671.6,1.7365033E29,2.8036528E-8,5.824094E23,-4.479246E-38,7.213573,-4.2111656E-32,1240764.5,6.305584E28,-7.8413074E-13,-0.0056190337,4.338572E-14,-6.080884E-39,2.7675316E-5,1.5327403E-18,-6.9403528E11,7.8947424E-26,3.1761916E-14,-3151681.0,-2.76852271E13,1.2255282E28,-2344.65,3.2276745E32,1.3160247E22,1.165898E-34,2.5202588E-26,8.5282336E7,2.2256924E33,-6.93265E-8,0.003912731,-1.65872976E11,-3.027568E-12,1.560891E-37,-1.1190163E-30,1.0223823E-24,-2.5976526E-16,3.6897457E20,13499.478,-1.7299861E-18,-3.2848326E37,-1.6212045E-19,1.7557212E-36,-1.0860156E-11,-7.023582E-34,5.6786053E-33,82.14449,-2.5030997E-7,1.400592E-7,1.0625092E21,-8.970597E-17,0.0016552821,-1.0208666E7,1.0773274E29,2.5338252E-6,-3.3852126E11,-1.68228595E9,-7.4949714E-24,-13.60802,1.4036958E7,-1.27623475E13,2.6202063E18,-5.77665E33,-0.1566148,9.465927E-17,6.6991395E-31,2.5110508E27,-1.3195912E26,-509.82,2.650505E-9,1.13659032E18,-4.28806E34,-5.4878118E13,-7.0968315E-22,-173.36906,8.822957E-5,-1.7134555E27,-7.1029226E18,-2.6966985E-33,-1.0770072E30,-7.381477E19,7.909763E-10,-8.2960996E-32,-8.370223E-17,-1.15937536E27,-2.9323547E-32,-5.9325394E-18,4.9792977E28,-5.385977E35,-3064.914,4.4215977E-8,7.5121353E12,-1.1877986E-32,-9.972842E33,-6.1029396E-24,1.4030575E20,7.952922E-20,3.1911554E22,1608748.4,1.5529038E29,-2.1203335E30],[0.013377522,1.6594402E35,9.912939E35,1.9785817E34,2.13610731E17,6.0896337E-9,2.1988515E37,6.2055763E11,-1.4581766E-34,-2.3577012E18,-1.7991664E-36,1.9981725E29,-4.6943924E-9,-1.7148108E33,-9.130543E-39,-6.5057292E11,4784.42,-2.611576E28,3.93782152E17,3.266582E-4,-5.0465737E-10,-6.0319315E-23,-2.8338947E23,-2.2517677E-32,-3.0678122E-22,4.078392E-22,-3.712211E27,9.5129143E-32,6.0775647E16,2.3798107E-30,8.1528656E-10,-2.8964038E-16,-5.9301293E-15,-3.9867887E-29,4.91129064E17,6.320737E-34,-421.9368,2.5257999E-12,-1.17176794E9,1.2343717E-35,1627299.4,-5.810829E-31,-1.185004E38,2.7569042E-33,3.108391E23,2.7838576E25,-1.9218348E-32,3.3662658E-5,2.7247193E-35],[1.3685117E22,-2.2543395E-29,-6.117453E20,-7.79229E-39,1.8904142E-14,-8.3240606E21,15163.21,1.01575E27,1.8002075E-9,-5.4488195E29,0.45126706,-5.16225728E8,-1.4412709E-28,-8.408332E24,-3.6276004E30,1.2204871E23,6.8886653E27,6.2265E31,3.7241733E-33,-2.2511392E32,-1.407166E-23,1.2922098E33,4.2585494E-35,-2.31755248E8,-1.0083557E-38,-4.0378742E29,-3.5291334E-9,-1.4577695E37,9.897636E-39,9.405287E-18,1.3555452E37,-9.078515E-13,-6.2135303E15,4.0782264E-27,-1.4096508E-34,1.2087257E-17,421.17807,-7746.6357,4.445309E-16,-6.2729027E-6,1.8640488E-33,-1.14912232E8,-5.752873E-29,-7.3915064E21,22.460936,5.0996106E9,2.284282,1.7432648E-25,3.2066492E25,20254.875,6.7530603E-22,-3.824307E35,6.3122816E-25,4.1893254E36,7.97705E21,-1.22047866E-29,1.2005957E-36,-8.6610641E10,-5.8215637E-36,4.8796124E-27,1.3179117E36,1.4779165E21,-1301062.1,1.1417486E32,1.3796029E38,6.521187E24,-9.8611437E8,8.250178E-21,4.2303167E-28,1.4423644E-16,2.4052232E-4,-4.4350903E25,961.1548,-2.6661182E-9,4.5496615E-32,1.0892181E33,1.7163632E31,1.3610958E7,6.518452E-9,3.15344788E12,2.2173E-11,-6.5766945E-21,-5.5663702E-5,1.6629153E19,-9.93888E23,-8.599363E-35,2.8860872E-28,1.3699179E-34,8.4352621E15,3.0661657E-24,1.6219009E34,1.157281E37,6.886313E-30,-1.3597877E26,6.9964746E11,-7.2001284E-33,1.4486607E-32,5.7523265E13,-5.6805125E19,4520.4814,-6.977568E35,-1.75602369E15,2.1526697E-17,1.61094E-36,-7.375187E-18,-2.1948729],[-8.791754E-34,6.968372E19,-1.1207005E-24,2.4216982E7,-9.766945E-20,-3.4977608E28,2.1244133E19,-2.9989238E-7,3.10057533E11,-3.2766864E-34,-5.641571E-7,-2.6787975,-1.8415956E27,4.795678E-21,-5.5918408E12,-2.1467392E8,-18879.3,2.6500825E34,7.977973E-10,6.660919E-16,-1.8085991E-25,-6.1228274E20,-3.7943924E-22,1.341398E-8,-8.5483282E10,-8.000307E-35] ,[-5.945489E-11,2.5332061E33,1.2185245E-7,-9.038794E-33,-130.48666,-7.893069E23,29473.13,8.166829E34,-3.9134607E-31,-1.3088044E-14,-5.8650714E10,1.01793837E9,-72652.24,-2.8106998E24,1.6246853E7,-3.39357839E17,-4.67704938E11,-3.2914292E19,4.8891508E-32,2.6304217E-25,0.25187346,-1.7076134E-18,1.754977E38,2.565563E20,-7.8236297E31,8.807448E-4,-8998.401,-1.59900998E12,9.9990304E-29,-2.6473468E36,-2.5573411E-21,-2.55667E-22] ,[-2.65560096E18,-1.4007897E35,12.530237,-3.955555E-36,-5.4991985E9,-1.2324911E-31,0.0026004754,1.5829873E28,1.7246417E19,-8.541806E-9,3.574526E31,-4.9842272E-18,-2.0235442E25,2.02045181E12,-1.6821323E-6,-6.4785885E-11,-5936152.5,-1.720913E7,9.6065487E11],[2.5189547E30,4.408919E25,0.31051606,13.032929,177.4452,-0.01821126,-6.2282225E-21,-7.7406095E-28,3.0242627E-31,-4.0431882E-23,5.8649226E-33,3.675122E26,14912.729,-1.8584317E-24,-4.3161943E-38,6510.859,3.070655E-38,2.7767634E34,3.8474953E-27,-7.2744527E15,1.0053946E37,2.62716481E13,0.013282104],[-1.2254288E20,-4.00565436E11,2.1728722E35,-2.1016934E20,-3.7011133E-36,-8.822166E35,-2463.6926,-56765.113,1.3969837E28,-3.4087975E31,-3.7205904E-38,1.4049089E21,4.38297E-40,-2.1295102E-27,-1.50500217E14],[-2.2349372E29,-6.6248518E15,2.1348871E21,-0.8594765,-5.2489933E-33,-7.7569626E-15,-4.7306723E-28,-1.4602794E-7,-6.2428418E18,-8.1971305E20,-2.029365E-34,-4.4834547E31,1.4006753E-29,1.244169E-33,-1.4092677E-24,-0.0066948957,-2.0225407E-7,-0.14170189,-1.2626884E32,-1.6745427E29,1.14762365E21,4466168.0,-2.7383464E-26,1.2850034E-31,-7.5223203E-31,1.3311776E-37,1.3275721E37,-4.2543905E-30,-0.012650995,-6.6229973E-21,-1.6714041E38,-1.70922376E13,-1.14074306E14,1.6011432,-8.910942E-28,-1.0628991E23,-2.1925081E18,-1.4939666E-37,0.111466296,-5.1021055E-15,-0.0027280378,-1.0441042E-15,4.9724447E-20,-1.9659653E-6,-4.2630705E30,-1.6915913E-11,-1.4960305E-28,-5.5604384E36,-3.870055E25,-6.143615E26,-1.2545532E-33,6.857317E-32,1.4830949E-10,8.35413E30,3406168.2,2.586748E-9,-3.087689E-29,1.3097007E34],[1.5496766E-36] ,[2.277385E-12,-11922.696,-1.0601711E23,6.967414E-19,-5.206316E-22,1.8865904E-23,-3.0848947E-17,-14.666902,2.057501E-13,7.532893,-1.13831456E8,-5.00169834E11,-1.2749845E-15,-26.820055,-3.4026826E12,-8.797125E34,-848.84973,-2746.5835,-303442.44,-7.0334454E22,3.1788996E-24,1.0448093E-33,3.1548128E-26,-3.0011015E-38,-0.7247722,-1.8878101E-17,6.630335E27,-1.5456015E-7,1.0367542E23,2.9280086E36,-2.6455633E-5,3.00810109E12,-9.0245086E33,6.530137E21],[1.38867311E12,-27.486586,-2.434253E-32,2.5778796E20,7.59485E-29,-2.76198201E16,-2.8273008E-13,4.3305346E-23,9.955619E18],[-2.958574E-13,-5.855436E-29,3.1332264E-26,3.2782405E-5,2.23353157E15,3.3291744E-21,-2.33294893E17,-0.001710379,-2.9223552E8,-0.0029085996,1.8074379E31] ,[-4.5601818E24,-8.476378E-37,-1.5906557E-26,4.5619851E10,-5.761538E-19,2.744682E32,-1.10971565E-14,-2.9210783E-9],[5.0052375E-8,-1.6796031E29,6.909423E-30,9.27159E19,1.1730386E-14,0.002774217,-1.6338386E-30,2.4220062E-4,1.6383446E32,1.08755484E14,-1.2060308E-21,6.948288E30,1.6505052E29,8.7491535E-6,-4.480187E34,2.8718891E-27,-6.9487276E-14,-601758.4,-2.92426791E13,2.7383085E-12,1.4675421E-12,1.5540477E33,-9.7484941E17,-1.3063929E-33,-1.5785367E-23,0.21390437,1.69939722E10,4.5304178E-6],[1.0418203E-34,-4.514773E-9,1.03528753E12,6.9052304E-29,-1260908.2,1.59600672E8,3.9271218E14,4.16676172E15,-1.8749305E-10,-6.609547E29],[-4.500122E-4,-1.3003437E26] ,[4.6993582E24,-2.2476652E-35,-2.025543E-38,1.41192624E8,2.2379E12,-6.6317874E-38] ,[-5.4267844E-24,48.191216,-2.3404034E-16,1.0695002E35,-0.24409178,4.834642E-34,2.4793964E-11,-1.5104987E-15,-6.766781E20,3.2134312E-24,2.52508321E13,1.5620833E-5,-2.9720262E-32,8.575686E-26,1.6031063E-6] ,[-3612.9854,-5.444763E-32,-4.4612526E-20,-3.116652E19,-9.344697E-17,0.0052720644,2.338387E-19,2.5050427E-11,-1.998682E19,2.7275892E-13,-1.9041895E24,-1.6710945E-14,230.90535,-3.2392546E38,3.4847934E-11,3.0620878E32,-0.009189749,9.5089046E27,7.239263E-9,-82.75874,5.417001E-21,2.5520123E-8,1.4205682E-13,-3551071.0,5.2756236E-15,-4174.0215,-1.1783311E25,1.0482635E-38,-1.2417504E33,6.4708315E26,-2.1582315E-37,2.4447767E30,2.2057793E-4,1.5143285E-31,-1.98159483E11,-7.471942E-21,-63.107765,6.668308E-14,-1.9725835E36,4.8566816E-4,1.15405865E30,-3.3622467E36,-1.39017204E16,1.9544464E21,2.8000494E-29,4.7190023E31,-7.4939015E17,-5.420105E-5,2.405227E29,180702.77,-1.807901E38,-0.46347526,-1.1928653E38,-1.7304545E22,9.07161E16,-1.8148965E-11,4.7496613E-33,2.7463635E-13,1.542372E24,-5.675163E-38,7.068117E-11,4.9238943E36,-3.983349E32,-13337.522,-3.4916945E-4,1.1932984E31,8.135749E-38],[-2.9809817E-31,3.24457291E17,2.682666E-33,3.5102253E-20,2.6367989E-28,-2.0844399E33,3.528736E-5,-1.0223548E-12,4.36395959E17],[-3.088835E-9,-4.1452816E-25,-5.1354884E37,3.6966E20,-6.658147E21,-4.1318012E-22,-1.43992154E17,2.0267156E-14,-0.019217206,1.8195781E27,-5.35714E-22,3.7145734E-13,-6.06098E22,-1.9937858E-35,-2.750705E-20,-1.3403197E-31,-1.0186433E-31,4.4217047E-18,-2058901.4,4.0615858E-29,-5.590844E29,3.0171224E-19,-1.7438155E22,1.39589798E9,-4.191031E22,2.7864587E-13,1.8216821E19,-1.1428524E17,0.04039231,1.1269817E13,1.145838E19,2.2917673E29,-2.1779514E-21,4.9807283E19,2.8074933E12,4.6995681E10] ,[6.9146962E19,-3.1758063E-8,-1.8491408E-19,-4.4880697E36],[-1.13149512E10,-128055.64,-3.91928033E15,-7.9312525E-37,-8.809E26,-12.84868,2.1193459E-15,6.507739E-22,6.717573E-23],[-47.159573,-4.2953694E23,3.885824E37,-5.25599474E11,3.4922824E-33,240669.95,-5.5850285E23,1.31169579E18],[5.7589196E-35,12876.559,-8.7142436E24,-1.6547342E37],[-5.8402E-31,-8.3912557E12,7.5898206E-6,1.6322806E-34] ,[-33158.465,1.9812552E-27,-4.4407776E-20,5.0424244E-18,1.41699E33,-8.757934E-27,-1081726.5,-2.015518E20,-1.01422044E-26,-3.3002863E-33,13055.995],[1.1319426E20,-1.0948676E22,2.06028027E12,4.1488543E23,-0.005341658,1.18227305E-7,14.305751,-1.6706637E-34,1.56692025E16,-1.6945705E-18,-62.314365,1.9962698E31] ,[-7.368051E-11,-1.2094854E-18,1.0210027E-25,-1995.4661,2.1134639E30,-5.044628E-16,-8.869583E-20] ,[-112.03558,-5.235014E22,-1.2228524E-22,-11133.814,6.6177122E-34,9.791691E37,-1.4827242E25,-3.4249252E-20,4.7146255E35,3.6159345E-5,4.1903357E-7,4.7366243E36,195.98805,-4.5289881E13,2.4037113E-35,2.4560953E16,0.001738607,-5.589831E31,1.7033344E8,1.7232977,-3.3759536E37,-6.339997E-26,1.1119883E-17,9.1740393E-38,-2.51201488E8,5.607045E-39,0.006527377,2.1330482E11,-7.357917E34,-2.1029858E-33,6.9727943E-12,5.6792646E8,1.4564352E-37,-4.3727807E-19,-6.77699E-28,2.296647E38,2.6269462E-12,9.4065273E14,1.3558843E31,-2.3683035E-15,-3.4923606,-3951991.5,256.90814,-3.3386005E23,-3.95611699E9,2.56281504E14,1.87798387E9,-2.75495885E12,-2.237272E20,1.30207002E17,1.07428245E15,-6.6090907E18,-1.3631758E-19,2.9680282E-19,-187.37361,-3.5074108E22,2.8213424E-5,4.292452E-29,-7.131377E-18,15034.558,-4.39418461E12,-2.24211147E18,-1.0460587E-11,-2.80428773E11,1.2054711E22,1.0710614E-12,2.0090904E-20,-5.46057E19,-1.3642586E-35,4.6023165E26,2.43557663E11,-1.2364676E-31,6.8898344E11,1.5083254E-11,-1.6089095E30,-3.843059E-29,-6.4030325E-30,-0.3760086,2.75948E19,3.2108447E26,-4.17577E-30,1.155235E-26,0.060416292,-2.5216004E-26,3.513795E-16,6.519042E-7,-9.254507E-14,441085.44,-0.004158272,-3.1504228E33,2.2683187E-8,1.27185186E-26,-1.2902433E-15,-0.012782133,0.38049155,-3.0701978E-15,-4.3906153E24,1.1270128E-38,1.8822772E-25,-3.9289614E-25,2.05648834E18,-2.8693992E31,-3.1571132E-22,-1.1130514E-7,-1.8716855E-30,1.4887326E-26,4.241542E-13,53695.383,126207.73,-6.6300595E-6],[-1.126504E-27,1.26586E36,2.1201758E-34,1.6026291,-2.430941E38,1.2518707E-37,-1.30829913E14,1.2198096E-29,4.472551E-24,-5.0354387E-26,-7.8567092E14,-0.0025371416,1.0146015E-25,4.2213214E-17,4.7672683E-26,6.0185034E-24,-506132.6,-6.5684215E16,-3.4724798E31,-5.657057E-28,5.647748E-35,5.3402655E-8,7.613152E37,-1.0350687E-12,0.0010120873,-3.70309307E12,-1.6472158E-14,-4.3954373E34,4.00592256E8,-1.2581203E-27,6.0080873E10,1.4912756E35,-4.526522E-19,3.3112363E-18,-6.8008626E-4,5.645379E-16,8.9279052E17,-9.7158696E-20,2.4546924E36,-1.943974E28,-3407.7,-0.019545026,-6.833853,-2.307492E-29,-1.3366143E-35,1.0086338E-11,-3.9686054E-10,8.711066E20,1.1184001E-5,-1.9225208E31,-1.2123996E-37,-1.00854275E-4,3.3385193E28,89.92665,-1.5094693E-8,-1.2247425E-36,-1.0060454E-6,6.858928E-35,3.2533488E-28,-4.2138997E-20,-0.8893121,-3.8721677E-33,1.74107329E11,-1.532285E-16,2.9378392E-33,1.44622561E10] ,[-779.1359,4.5957345E-6,16371.021,-2.3385797E-14,2.704047E-4,-2.6768743E19,1636294.4,7.5111019E11,4.0232038E-32,5.1089298E26,5.76607E-29,-4.393163,3.6522783E22,-2.1372208E38,-5.279335E29,-2.0130148E-34,2.650583,2.15663287E15] ,[2.046967E25,1.0039325E-23,-2.2611841E25,1.5242264E-4,-1.4143259E-9,1.5972371E24,-4.8323383E-4,5.234195E-27,-2.513276E-6,8.543087E-37,2.1127578E19,2.37881679E14,-0.04639983,-3.94664975E12,-1.37400112E8,2.0494555E-15,1.08244195E-14,-2.3964122E-33,1046.1315,-2.5760156E-13,-2.5466814E-23,1.3196846E-8,4.419426E7,2.5098136E-28,-1.825383E-20,-1.1994996E-7,4.9286856E-20,2.0914078E-22,-0.006780296,-9.133744E26,3.7026085E-31,2.17505046E14,-74399.16,-2.07406019E10,1.8340747E-25,470.96228,1.491452E31,9.6333675E36,-7.670459E-26],[1.61482414E10,-2.8478575E25,1.2709846E-26,-6.1345093E22,-3.800501E-37,9.3568824E7,-2.693006E7,3.0798662E-36,-5.6782275E29,-2071453.4,6.9762805E-6,4.672038E-8,2.6068692E-18,4.20126786E12,-1.07101955E-36,1.0209723E23,6.207284E-36,-8.287924E-20,1.1460687E-37,3.6898683E23,-136.22513,-5.19742882E11,3488806.8,1.5953734E19,-1.49981765E-33,4.39981913E17,9.784874E34,2.7060543E25,4.967802E-7,1.947157E12,-5.4016232,-3.9612005E36,7.916292E-25,1.57858513E11,-2.7847707E-15,-2.6330374E-23,4910309.5,-1.5633807E-15,2.1883852E-6,-1.177046E-10,-2.9196513E-13,3.636523E-27,-1.4500978E-9,-6.522685E27,1.0628074E-18,-2.4396341E38,-2.5516168E-14,-3.9965467E10,-6.6444979E8,1.2650369E-5,-3.1459347E34,4.0481756E-18,-3.0360475E-34,-3.41636515E18,-4.3524706E-16,-3.310614E-38,4.6696927E23,1.0129248E-20,-20.945423,-2.961957E31,0.8271526,-4.1675294E-26,3.1402283E-22,1.3237225E38,4.0011433E32,1.7345148E-8,4.880175E-35,-3.2156436E-28,3.7479937E-14,9.995417E26,6.754229E32,-1.0856749E19,3.844049E35,1429744.1,1.7327997E38,-2.04644248E17,-1.5014568E-23,-3.8478078E-4,-1.0011582E-24,-2.0399752E-4,2.13295429E17,7.7851425E-26,1.1652908E-36,7.902411E-25,2.23918653E17,1.0414118E35,-4.670963E-35,8.8482973E-16,-8.801244E34,-6.2454901E12,-104170.57,4.8949002E-21],[-2.2799947E-8,7.639495E-31,-3.66534486E12,8.437986E-5,6.569095E32,1.94218413E12],[29082.746,-5.3562345E-14,3.2055792E-19,3.3885144E24,-2.7307507E-24,1.8294183E-7,2654368.5,-1.9740678E-8,-4.944283E-36,6.881815E-38,5.5142777E-6,1.94791949E9,2.1895704E29,9.1628676E33,-7.475101E33,-4.629694E-26,6.65608E29,-1.0455601E27,2.2842445E-29,-6.2825983E32,3.7540669E-22,2.9792422E17,-2.5226271E19,16431.475,311042.6,-3.2972104E-18,2.836561E-27,2.61553358E14,3.7825254E-20,-9.882928E37],[-1.970304E37,3.280495E-27,-2.8025064E25,-2.0974132E-29,2.52699684E16,-1.1505945E-5,1.519187E23,-9.1113748E15,1.9568832],[-1.9624752E35,3.0642792E33,1.0752591E-28,-5.0235985E-7,3.1543805E-35,-1.2295649E37,5.7295845E33,-1.1539233E22,-9.0622387E8,15.298786,-4.971065,-1.2618188E34,31825.23,8.984011E-14,-1.3667475E-30,-1.317679E21,-1.0995402E32,-8.0578126E-8,-6.4011076E22,1.55622127E17,-6.792501E29,-5.373949E-26,1.6993843E-17,2.3380963E19,3.5186366E25,-161.54507,8.420609E34,-9.641602E-31,4.6381245E-12,1.2518536E-32,7668.5166,4.57002528E8,1.1678749E-20,1.14689526E24,-4.910587E-10,1.6756772E15,-1.2106079E-22,2.3696143E-20,56.631264,-1.6328846E-17,-3.5300533E-26,7.205307E-12,-1.09665414E27,-7.300533E-32,-7.4928196E33,4.3696905E-27,-0.0013854192,-9.873465E-38,0.058501676,-3.1682173E-19,-7.3268664E7,2.0019415E23,1.0920521E24,-3.01774364E13,-1.3145713E-34,4.405406E-5,4.0539798E37,-4.022517E-6,-4.87522912E8,-878.46344,-6.1742166E-30],[-7.4965005E-22,4.581275E-10,5.5573954E-29,6.8123869E13,8.116277E-10,1.98728532E11,-1.644467E-7,2.9436897E-38,1950598.1,3.6343374E-23,-1.3466281E-21,-5.7043828E17,-6.7534076E19,2.9582421E-5,1.5244628E-23] ,[3.9592146E27,-6.5587216E-7,2.1917113E-14,4.4261157E-17,-7.264177E36,-5.739904E-25,5.1055973E-24,-1.1733025E-9,-1.5893152E31],[1.9867963E23,-1.2950139E-37,-6.6832675E-31,3.2167792,3.5190208E-23,-2.806175E23,3.8209556E20,-27186.88,1.7099301E-25,4.4661606E-6,-1.5348093E-7,-1.0886492E-5,5.655572E-28,-244.71165,-1.8909471E19,1.12281036E-7,1.1101646E-11,-4.3777592E20,-0.01849799,8.133171E-19,0.48796266,4464373.0,1.5413162E35,-2.682901E30,-1.9861821E-19,3.2546906E-26,-12.077345,-59279.52,-1.5408482E20,1.6293913,-1.7978099E26,7.1885422E18,-0.74339813,1.8792492E-25,3.3169637E-22,-5.815724E25,1.68538272E8,7.0266443E-35,8.565368E24,7.230063E-30,4.7242993E19,-6.7460835E-22,-4.6872835E-29,-0.1013058,6287194.5,8.7331007E27,2.1940543E19,1.0707918E38,8.664748E22,-6.127593,-4.411171E-19,8.836836E-24,2.1027147E-21,-7.6232244E-35,9.3210624E8,3.5025013E-7,4.6373402E-29,2.5462144E-16,-5.5543312E7,-3.6632652E-13,3.7985408E7,8.538071E-16,3.6094397E-13,-9118150.0,-4.4035589E12,-4.71622E-34,-0.5478556,-0.051223088,-4.8766134E-38,-4.755721E26,-2.7295384E29,-7.2450435E-37,-4.6478435E-17,19.083307,-0.002011672,-6.4378231E15,7.4626866E-29,-6.6496673E24,7.114146,1.10221048E16,-1.1319554E25,3.6191812E29,-5.245042E-4,-3.42991543E12,-3.9315055E36,1.4112847E7,0.001767671,-3.4352837,-2.921994E-22,-394148.47,1.2442059E-28,1.0903586E-28,-1.14717656E-29,-2.4340287E-17,-1.5136631E26,9.304202E27,1.7609354E-7,11337.007,-8.373158E-24,3.1022862E-31,-1.2444933E20,-3.7436606E-17,-1.0777715E37,-2.111371E32,1.9485887E22,6.222807,-1.7070699E-18,7.130554E33,-2.4125381E11,1.1414538E33,-7.7300704E-28,1.1997317E-34,-4.19287532E11,-1.8712265E-21,6.4402985E-7,1.9199932E28,7.761017E21,1.4760437E-34,1.311639E21,-3.473825E-26,1340306.5,7.165198E-25,2.1375271E27,-3.7441183E-20,4.4497543E27,-2.7439192E20,-2.8833095E-33,0.011356765,7.1803647E-28,-2.5945176E23,-1.6136751E22,3.485619E23],[-6.044063E36,-2.6103998E22,1.3173548E-18,-6.674972E-11,3.6872715E30,-8.716288E-33,8.0604186E9,-1.35196679E13,3.954288E32,-1.930289E-29,1.0282257E-8,6.2271836E-35,4.7967978E27] ,[111.52081,-3.4265005E-4,2.08950378E11,-2.6038165E33,-1.2778452E-20,2.0138853E32,5.1685737E13,5.9989783E10,2.7165724E21,-6.1999948E7,-4.2563575E-15,-5.9826374E18,-2.4955483E14,-9.74889E-9,1.998957E-23,1.8474495E34,-4.000669E-24,-1.83592672E16],[-5.9103235E23,1.755274E38,-2.5553578E-12,3.6658224E-4,-5.233411E-24,9.8123824E-36,1.1832269E-15,0.01923362,8.813129E-10,-8.9343013E-13,-8.7737985E-15,5.108798E-18,2.7233456E21,-1.89397654E18,-1.4993371E-18,-1.1762382E-21,-7.55091E-13,1.6910232E25,-6.68898E-36,-4.366135,5.0130123E26,5.658987E-10,1.12944734E-4],[7.670068E-15,-2.80775584E17,-2.9787247E-25,-2.1149537E-8,1.6231991E37,1.1651223E-23,2.0636201E10,-5.1762626E-38,-2.97536597E15,-0.0029359923,2.4034574E21,-1.2315049E29,7.753713E-25,-1.69600369E10,4.523179E31,1.7020673E-18,1338386.4,2.9649162E-21,5.1408284E-30,8.914675E-15,4.534591E-15,1.0657312E-24,-8022.8022,-1.542446E23,9.582449E23,1847851.1,-4.9340898E-26,-38.082893,1123326.2,3.593817E-20,1.328062E-12,-6.9038993E-35],[1.7058306E-37,1.0561656E-18,-3.5017737E-7,-2.309725E32,-3.8855506E-38,-6.4111076E16,-61132.098,7.402418E-32,4.137606E-7,7.0176926E15,-3.8560205E-12,-1.26492795E-36,-229.90636],[-2.0367467E-38,1.7735674E-35] ,[7.8801927E-28,8.99017E-23,-0.12334686,2.267776E-35,6.602E22,-4.1353434E-7,3.8295074E-38,27.062914,-2.6815113E-11,6.647715E30,-6.8557477E22,-0.1737599,3.9544336E-8,4.1595755E-12,-3.9169864E20,3.1313735E-7,-2.22775E19,-2.1013196E30,-5.4897552E7,6.840488E-29,0.5352197,-1.7332099E-18,-8.756769E-33,2.8363015E22,3.6271528E30,-1.32938244E11,2.0292455E-10,1.34025388E13,9.956878E-17,4.8682307E-9,-7.788116E-18,-1.08557995E30,-1.4297638E20,2.306014,-4.2963852E7,1.13428134E9,-1.1373578E29,1.5360171E36,1862.9814,-3.214738E19,1.08695509E15,1.4640759E22] ,[1.28409919E17,3.929078E19,7.398264E37,-5.456806E26,-6.3881414E13,1.995884E-7,2.7377916E-36,2.2008916E29,3.0644462E-15,7.273561E-9,1.01013604E13,-8.7379744E30,926.3532,6.2766252E-37,-6.486869E-25,1.91109896E18,2.3674893E-32,6.6363405E-15,-1.5708478E-32],[2.4038063E-10,-3.50169945E15,-1.8565553E-25,1.3835687E33,-187.00838,-5.0665634E-37,-1.7776346E-8] ,[-7.902012E-19,-2.9315193E28,2.0374592E-23,-8.705462E-38,-3.4425498E-4,2.347934E33,-1.66798356E10,-1.65792252E11,3.1059933E-16,-3.7615085E28,-0.60163826,2.36192557E12,1.8849123E32,-0.026402213,4.7024084E-38,-2.2423211E-38,-1.34600385E13,-2.0817311E23,-3.6401177E-35,9.537745E-18,3.92991736E11,-8.163994E33,5.8147135,-1.510791E30,3.949444E-8,1.38609995E-8,-332381.97,-3.1736623E27,-2.2812714E-29,-2.291572E-9,-4.386445E-25,-8.3170586E37,3.14790117E11,-2753682.5,-4.2155164E26,3.7463407E-31,4.0294633E-26,-1.1594631E-25] ,[-2.787611E38,-1.20194217E15,208.19893,-1.10117254E-16,-2.1501943E24,2.2999115E28,1.03285407E14,4.1158448E-38,-5.9500535E-6,8.709221E-18,-0.41958737,1.4456883E-22,-0.27423915,5.9594743E-23,6.329182E32,-3.8571793E34,3.8146403,-4.4398383E16,1.8653683E-35,-2.0999737E-7,-1.7420561E-15,-4.4825488E8,0.009006739,-1.013476E8,-5.784616E29,5.546931E-33,2.1903438E7,8.8903685E-18,4.2145106E-16,1.06082695E-11,9.3994234E21,-3.2573135E-28,-0.027600484,-1.2911376E-10,2.4733934E-6,1.2162123E30,-3.6730052E-10,-4.779868E-36,7.863201E35,-6.4165717E-21,-2.1013622E29,2.04848678E18,4.4834E-29,4.749279E22,58226.336,1.6627068E-38,5.8317545E12,-1.053897E27,-2.15538E23,-9.140853E-18,-875.62756,-1.830947E-10,-3.415372E34,8.6856913E-32,-5.5848467E-8,-1.2828722E-28,-2.6577513E32,166.79366,1.2213504E-16,2.7111211E14,-2.5846598E-37,-1.5204548E-21,4.3596547E-11,4.4801724E7,-18146.887,-7.418924E28,9.643046E-36,1.2505698E-8,-1.787065E-19,-4.80839765E17,-5.3036786E16,-4.880802E-10,-1.14240748E15,1.1889918E-10,-3.487458E20,-1.72746512E8,-2.6002013E-27,9.447709E24,8.448562E25,3.3825377E-11,1.1789647E23,-7.5225364E15,-1.3568401E23,0.34649983,2797.5444,-8.634043E-10,-1.488431E-23,-4.966701E-24,1.05700284E-14,-398547.53,1.24994286E15,-7.226216E-30,-5.437547E-23,6.955646E-11,4.580792E-15,-2.1163867E27,-8.436962E-9,-8.915255E-23,-3.70964E-8,-1.6971955E-15,-1.09088072E10,-9.016622E-37,-8.4399056E-7,1.303762E31,1.7701865E13,-2.050575E-9,-3.9340855E30,-5.86469E33,-1.9108958E36,-9.45013E-13,1.3413494E-5,-2.3332007E-32,-4.2000536E12,-13.862848,-1.0764852E23,5.2004128E7,9.002588E-34,-2.07457301E13,-7.768945E22,-1.1382736E-10,2.71225426E10,-2.6740375E-18,-1.755016E-33,2.2179205E33,-1633229.8,-6.3014133E-22,-6.6278984E9,-9.227446E-36,3.5444855E-6,2.9015085E-10,-1.003169E-10,-55589.418,-3.0689526E35,-3.0863537E-20,-5.1336855E-38,3.6434092E-32,2.3369965E-24,3.6052084E25,-4.4839972E-35,-1.4167258E-38,3380.7002,-1.2905357,2.82058233E17],[5.338831E-24,2.6178479E36,9.0546997E14,3.7206219E34,1.9083935E-5,6.3134293E-4,-8.3112653E9,-1.9926666E24,3.1517186E27,-2.5517091E20,-1.05800744E8,-9.793455E-14,-2.0169154E37,-3.1260331E-24,-7.613612E-28,6.448219E31,-7.3234214E-29,2.71411919E14,-9.1385004E-8,0.09265018,1.07860514E21,-2.2735031E34,-2.5812135E-15,4770.381,-7.851698E-25,3.49187E-25,-1.2396227E32,-34585.13,17.54151,-3.505097,-1.8355975E-32,-0.037202276,1.5864158E38,3.0053117E-13,5.9356287E-36,-0.008556399,-3.07177E33,-3.8731779E27],[-5.8432459E12,-9.3744706E-29,-3.0442952E31,1.4456566E-20,-2.5532715E25,-1.5532156E-31,4.0604127E-6,3.6498957E35,-3.3537944E19,-6.8137027E-25,-2.1100003E-27,1.4886213E7,-3.0698327E19,2.83065503E13,-4.3249327E30,-6.073115E-23,2.1917574E-35,-205.4083,-9.675174E25,3.5117817E-30,-2.8977774E-36,-5.581732E-14,-1.6782692E-12,1.6625899E-34,-2.0087757E26,-1.5675231E-21,8.767787E-31,47245.637,-1.317919E21,1.5282041E36,2.7906064E-15,2.5141342E35,-1.6795639E34,2.7701904E-34,-7.9624705E31,0.7160752,-1.5922899E-25,1.34162743E11,4.7727696E-8,-3.536734E33,7.8552523,6.858665E27,9.245525E-10,7.298415E-24,9.457784E7,-1.4218246E-27],[-1.3826582E-4,-8365.937,1.5826727E-33,-4.3762118E13,-1.638345E19,2.3506025E-14,7.5632305E35,1.7000062E22,-1.9258136E-26,-3.7648986E-38,-2.1044617E-20,-1.94231665E10,1.4021162E-30,-1.8531586E27,2.2573868E-26,1.8158826E19,-4.8769556E16,-3.519775E-33,-2.776269E30,0.06618641,-1.0570512E31,-2.1206823E-12,-6.407421E-16,-2.4483065E-18,-2.9193552E-36,-1.2697332E-38,-9.11313E-14,-3.60744627E9,5.851594E32,3.343895E19,-1.79549422E16,-1.9918633,1.3503544E-4,-1.9426696E-36,4647990.0,-1.372953E33,-7262599.0,-6.5252539E14,4.9826445E-35,-7.995364E-22,7283753.5,4.2300386E13,-1.4573794E38,3.9310373E-28,-1.8676528E-27,-204610.77] ,[1.1690469E-5] ,[-1.7490238E-20,-335.36093,-0.03876838,5.7398714E-11,2.58614863E16,1.7895315E24,6.746036E-19,8.335507E27,-1.1199012E-8,-70.68674,-100628.875,9.1079204E-23,95.32721,-8.3105464E-5,-1.4512805E-9,1.8253357E-20,9.043557E-12,-1.4538089E34,-1458.933,-1.5232609E13,-3.5019788E21,-6.431496E7,-2.9235591E-34,-3.4052817E30,-5.42358E-15,-1.162009E-19,-1.2892123E25,-1.1598687E-24,-4.9787108E-8,-1.2004785E-23,3.264165E-25,1.08954664E-29,-6.9852667E-25,2.8870893E-35] ,[-5.9509536E-11,3.022469E-31,1.37522086E11,-5.43904525E14,6.7213414E-28,-3.109001E-38,-3.08868E-30,6.997175E-34,-5.7764715E-17,3.0259297E31,8.995435E25,862.57745,5.0345965E-32,-3.75554887E12,3.9959064E-33,7.711432E-29,3.1212494E19,-4.5898716E33,-3.1595166E-27,5.19588E30,3.158304E-28,1.8022409E36,2.9463178E31,-2.0824029E-17,5.21766976E8,4.5923488E-18,-6.8528934E-23,-1.2853099E-8,2.2906182E-14,-7.2089754E-14,-2.5029027E-11,-9.334377E20,1.5007181E34,-4.1258442E27,3.170124E36,1.4901184E8,-2.0482806E-12,-3.1524406E21,-3.684307E-8,2.25045607E18,1.7534187E-16,0.09259096,-1.2650649E7,3.5243125E34,-3.839742E-36,-2.0951473E22,8.4107808E14,2.49820672E9,5.943513E-14,-8.370782,1.7470015E31,2.4800524E-16] ,[-1.8314581E-24,5.3156383E-15,4.06149739E12,-2.0778908E-24],[4.7414213E35,-1.4472924E-24,1.0667976E-27],[1.6747693E-36,-6.3536463E-24,-2.9848924E26,-1.93258496E8,-2.5724427E-17,-4.7488213E15,-2.9393788E36,-24.488659,-1.6337917E-13,0.015942302,-4.50737E-22,0.09000197,-3.7305844E-7,2.705776E-27,5.522876E37,4.9042255E-6,-2.5144967E33,6.326865E-8,-1.6325168E-28,-2.12185456E8,-3.1032023E28,-730.28314,-2.81790566E9,-9.1335451E10,1.944591E32,-1.796695E28,-1.9997478E33,1.5470966E-13,9.697748E-11,2.8183301E-38,9.839224E27,-3.3696503E-36,1.5711026E34,-2.7216077E38,-3.4466444E-32,7.4459716E-10],[4.7447296E8,1.3187252E20,9.5262305E-18,3.48214431E16,-1.48230152E18,3.2828393E9,-89.32659,1.32706145E-5,-2.2086582,4.23790194E15,1.8866916E-38,-1.040885E-9,-19.96205,1.8702944E31,-3.7670456E-10,6.5041374E35,-6.5374434E-29,-2.2779346E-29,-1.930791E-14,-2.0355456E-36,-1.8985005E38,-6.1017356E-38,-9.783483E-11,-2.590552E-10,-2.144385E-14,-5.8224094E-27,-2.1036241E-18,-9.508679E-4,1.046445E-17,-1.06253011E9,6.1921203E9,-5.1182716E-26,-2.8552844E13,-1.0548943E38,-3.1364824E-28,-2.439762E-14,-1.8849034E-22,3.175472E-33,2.85419831E11],[-1.2728546E-25,-2.4089081E-15,-5.345997E25,-2.0281554E-8,3.8364284E-5,-4.7256496E21,-203018.06,-4.859113E-25,1.2689607E-23,1.04371476E10,-1.99889603E16,-1289.2817,-4.082002E21,1.7250264E-18,-4.2471706E35,-1.8774203E-35,-1.80572385E10,6.5519203E28,-2.4870927E-37,-5.33203972E17,-2.0176224E-26,-5.4523193E-34,-2.1113368E8,7.6477055E-20,109985.51,6.157952E-6,3.8773703E-29,1.6886053E-17,-4.7609815E33,-1.730315E-36,1.35175844E-20,5.721813E-18] ,[2.578383E-29,2.1407522E-17,31.79031,7.6587745E-35,1.7669703E-16,-2.2143754E-11,-9.592619E-5,0.25148433,-0.0015977436,-24.724857,-1.0479573E-11,7.600209E26,3.03723119E11,1.60510268E13,-6.43998E37,1.156153E-30,-1260.8202,5.9056794E-31,1.8560622E-13],[2.3129828E21,-1.3179114E-17,0.0018293444,-0.028355591,-5.1170008E20,-1.639061E-35,-4.288461E-12,2.7321386E21,1.2945997E-8,-3.14421658E9,-1.19789886E-29,1.2108384E-19,4.3150282E-38,4178308.2,4.1494581E10,-6.315856E-18,-1.07972675E16,6.0284429E13,-2.5340403E-24,-7.053255E-32,-1.38768728E11,2.5930558E7,3.6359193E34,2.8237853E-36,-3.8022302E-27,-5.9270603E-38,0.0014557667,-3.4602648E18,2.85290394E9,2.15717088E8,-4.783179E21] ,[7.3165595E-21,1.6330827E7,1.949938E22,-3.0818687E36,-9.492587E-15,-8.018424E-19,3.6766472E-25,4.710477E-9,2.4674065E27,8.4178804E-23,-3.0549799E19,0.011932457,-0.064435445,2.8665436E-8,6.5510726E8] ,[4.143027E-8,1.05527866E9,-3.3034116E-17,-0.01745993,-1.6025022E-11,3.98332128E8,-8.147302E-5,-0.0024260967,2.0681027E-15,4.12118E-6,7.8326714E-8,3.033146E-29,0.4014876,-1.7636612E19,-2.1729423E27,4.658796E-9,4.692644E-13,5.6560588E-18,-1.4236583E26,2.1093095E-7,2.8377602E10] ,[-5.3543276E-34,1.2162258E23,-1.725136E38,5.8121733E-21,9698725.0,-1.3808126E-27,-1.9920243E33],[-6.8163403E-28,3.7531467E-29,-1.0797245E-25,-2.04896998E9,-3.2018075E33,6.17484E-5,-6.9869959E15,-1.2112279E-22,-6.8622163E-31,3.27222374E10,0.2774757,9.447319E-20,5.3670025E35,2.5768802E-26,-5.908172E-15,7.111735E31,-1.0841741E-5,-4.5920173E-12,-35.24335,-4.1909565E-10,-1.451999E7,3.113321E32,-2.0105926E-38,7.360878E-22,1.1959701E26,7.8103871E11,-1.01281424E31,2.825187E31,7.791911E-37,-3.8097867E-25,-2.0257489E-22,-6.2790656E-5,-1.0638966E-13,-5.607467E-39,1.4443735E-11],[-1.5659822E12,-1.8548425E20,4.379502E-8,1.6227315E21,0.023761006,-1.4084973E23,-1.0373781E28,-3.92045302E17,-3.6820947E-21,7.721931E-7,4.953904E-5,9.829162E-23,-3.0381864E34,2.2705972E-20,0.45697522,1.37205135E23,-6.7923245E-28,-3.8678106E-14,-2.8258558E-34,-3.4087187E-22,9.985425E-35,-3.208587E23,4.7699587E26,341.0504,1.9148532E-23,1.5104017E-27,2.2115055E-6,-785.40796,2.47666442E10,-1.09997891E15,5.4106214E22,-1.7257473E-19,-1.0920247E28,-1.98869012E16,-3.8831403E31,7.180658E30,1.3781747E26,-9.8714429E13,-2.8494894E-21,3.0224927E-15,7.1029867E19,0.36988097,-52938.695,-3.6699495E-26,-2.1958775E-7,9.4241516E-12,1.3375675E-20,1.641165E-9,-2.1869612E30,-1.592192E35,-1.4863947E32,1.1867613E-34,-1.7990541E31,-9.2414015E-37],[-1.38330671E14,-1.0093699E-25,2.07890816E8,2.495359E-21,2.8600511E-30,1.52352735E13,-3.5963658E-5,-8.4457796E-23,3.2360748E-37,-2.5366527E19,-3.0223868E-10,7.704658E29,-4.891117E-39,1.8510434E-9,-1.9662264E-6,-8.5123343E-35,1.0233703E-29,-4.07778E-4,-4.9774094,-2.1434484E-22],[6.1155787E-15,3.5030426E-35,-2.1463117E36,-3.5930778E-10,2.5891168E31,-2.034399E33,-15.845953,1.2520056E-15,9.271135E-13,-1.0094107E29,-6.2471997E-26,1.6837067E37,-480.735,2.805314E-5,7.38588E16,628.3713,-4.178089E-17,3.659356E-32,1.06922208E9,-3.6458355E32,2.093946E-11,-0.009274969,3.435875E-38,-2.647997E35,4.8889696E-23,-1566708.4,1.8100004E22,-9.7933875E-37,1.6057602E-36,223176.4,7.6059896E7,-1.6038903E-22,8.0857737E-32,4.6276833E22,1.7561114E26,-8.4496947E-16] ,[8.960487E-20,3.8659976E20,3.3677843E19,0.3636747,4.001805E-36,-8.3070655E-30,1.1630094E30,-0.2936796,-1.0943436E-24,2.2370308E32,1.3145464E-21,1.8699703E-12,6.6084256,-1.14621564E-7,5.449864E33],[-9.001434E-5,-0.013550841,0.0024260508,5.977011E-5,0.023893138,-0.79309505,-4.05305385E18,4.2951996E-21,1.8245819E-34,2.092976E22,-1.9596499E37,-1.9850101E-19,-2.95824677E15,-8.9322776E-24,4.7877494E-37,4.6591217E-11,-8.8906435E-32,-6.551076E-26,108380.734,7.2342685E-22,7.864914E-36,-0.74648815,8.7611578E8,2.8797029E-8,-2.16400036E11,-3.991639E-14,8.8960174E32,-3.3295037E-22,3.805071E-34,2.505315E-6,-2.2189872E-15,7.3960384E-25,-1.4324795E28,1.19091597E9,0.30877537,-65596.45,-9.1923716E16,0.002302992,-3.5947764E-6,-2.7453833E25,1.8256555E22,6.296076E32,1.7969349E-29,-1.3224854E-25,-1.865051E-13,-1.6795361E-9,4.58929E-32,-7.5768415E31,8.609212E-13,-1.405573E20,-2.1593589E-20,1.4146859E20,-1.5759025E25,4.11518787E17,-6.6402119E18,-6.538252E-13,6.8095654E-20,4.904244E36,-8.702819E11,-7.804506E27,1.9414134E-30,-7.285966E-6,10.765796,2.6755415E38,-1.080392E-33,-3.3392953E25,3.3808866E36,9.690364E-18,9.63493E-23,3.02373373E13,-186.63098,-3.608344E29,-2.369865E-31,-2.65095208E17,4.233673E36],[1.863118E-38,4.2373912E-32,-5.6873272E9,4.89264807E17,1.4580419E-8,5.801327E25,-3407944.2,-9.989441E-27,-2.3140594E20,-7.439021E37,-4.070032E-8,8.152068E-13,-2.3844628E-13,-1.5062257E-31,-7.664698E-27,-1.0964827E20,1.343938E-12,3.3020196E-27,1.1043192E31,1.2754209E29,1.3173707E-12,6.776007E-15,3.0201242E23,-1.02439533E18,3.9109428E-28,8.868579E31,-2.6422139E-11,-2.794292E37,-7.890599E36,-6.0250507E23,-3.762835E-19,1.54682065E11,-5.7581316E7,3.1687102E-27,1.383549E30,4.5978523E-9,6.571768E-34,3.1372478E-5,-9.483022E29,2896239.0,-1.5946105E-23,-9.604633E23,-3.074529,-7.823916E27,-6.328333E30,-9859902.0,-1.16368385E-26,8536995.0,8.7641715E22,1.3236179E-20,-7.314045E-32,-3.2939533E-17,7.584158E-26,2.2639514E34] ,[2.4222497E31,8.4374126E16,2.7139265E-34,-3.0442354E-12,1.0319381E28,-0.012431737,14300.638,9.864925E31,-8.148761E22,1.6651499E-19,-2897.8486,1.7007772E-21,-2.5553316E-12,-3.8972147E13,-1.3397367E19,-4.28240589E9,-7.330018E-24,-1.3116366E-35,4.0559863E-16,-2.7402616E-30,-9.2888735E-26,-3.033942E32,-3.7567037E28,5.7873286E-29,-2.56340896E8,-2.001569E29,667.44653,2.3909379E-29,-3.8634906E-16,-6.7680235E-26,9.0435826E23,6.6319652E22,-3.3968045E34,-3.48282163E9,-6.46849E31,-6.701696E25,4.722044E-15,-3.899074E-14,3.559046E28,-2.32093161E16,0.92322904],[2.1500663E-14,3.049157E25,-1.77232036E10,0.00621631,9.8988935E-11,-9.894642E19,-1.97949784E11,6.211777E14,2.7481554E28,3.45673034E16,-7.2608294E-8,-7.640893E-5] ,[5.763044E-25,-4.494909E36,7.363763E-29,2.9826397E30,-4.9785089E18,-5.7037541E11,2.6963912E32,3.173759E36,-3.4239266E-37,-229933.92,-1.65245376E8,1.7023391E-19,-1.4045989E23,7.2134404E13,3.421599E-22,-9.9753748E11,-26708.273,1.82239462E15,-7.4102952E7,2.8951376E-15,6.9537265E-25,-1.3446756E28,-7573.729,-1.8991696E-29,-1.1015584E-23,3.071476E34,1.1310751E-36,1.4858923E-24,-6.435571E-11,4.8536323E-14,3.9481112E-17,-8.239384E-8,-1.7388548E23,1.9631239E-14,-7895389.5,5.780547E28,7.1938254E16,0.0014096443,-3.36592E-23,-3.330957E37,5.9715877E27,-5.96862E-12,-27938.877,1.4260314E-28,-7.3189333E-13,1.4535185E35,-6.764541E35,2.0084628E30,4.142594E-25,-6.3855526E11,1.06434352E8,2.064847E-35,4.097626E-33,-2.9355786E-15,-4.885569E-29,-3.34775789E14,3.9914883E-29,5.8714615E13,9.219286E-11,-1.1424285E-10,8.861739E-25,1.01399724E34,-5.582282E33,4.7519065E-36,7.070825E-23,-6.9288425E-37,1.4018126E-21,-1.5138554E26],[-0.014581802,-0.014699543,-0.4107308,-3.1366124E25,2.9320444E-7,-3.89730638E18,5.061011E-35,8.1635905E-30,-1.9888839E33,1.1674182E24,-9.3102266E-36,-4.1034733E35,8.1275039E9,-2.34244896E8,-5.3807376E-21,-2.3239405E30,-1.852454E13,-8.253771E-11,254.91922,1.94037378E14,-1.7782805E-19,1.3514357E-29,7.8769123E17,1.9456303E-38,1.6169681E32,-196.27563,-18449.299,-3.1785905E-25,1.0165525E-7,-6.6392956E-14,-1.9442488E-23,1.72436339E9,1.36848299E16] ,[-9.3395342E17,7.373187E18,1.1399847E-27,-5.316129E-30,7.2988406E-21,2.2520927E34,2.3066718E-32,6.5449464E-30,-6653136.0,-5.077006E24,7.06684E-30,-9.627278E21,5.100456E-19,4.5153296E29,79.27249,-7.572292E-6,-2.206689E34,1.570405E23,1.9953152E7,-5.0584735E37,-2.7735241E-11] ,[3.8347066E16,4.7537537E-21,0.43369678,11.544229,9.141825E-12,3.206481E-7,-5.40461E37,-3.912049E30,2.1420896E-29,-11621.5625,-1.2781598E-26],[1.12640424E16,2.4187301E-11,-3.73978266E9,3.3488855E19,123.37761,1.451703E-22,40880.918,2.8787174,7.8736654E-22,-6614.9106,-67.738495,2.7019217E37,-1.29506644E14,-4.59274304E8,-7.691104E-10,6.803491E30] ,[2.546722E38,6.3388975E27,-3.83930631E17,3.3236818E33,2.2989126E-29,8.8564961E17,-1.6703415E25,5261816.5,-1.6122646E26,-6.534883E-12,-1.4734447E-34,4.461915E32,7.614744E37,-2.5144255E27,3.9098264E20,-25671.889,7.867279E27,4.54826098E14,-2.1246989E24,-6.5303327E-9,-4.1615433E-17,2.27374538E16,4.5768346E-4,11.746855,-3.13760212E17,-1.5043964E-26,-5.7728556E7,6.378261E30,-1.6621725E-34,-2.9804674E25,6.2865331E9,6.566137E-37,-1.3021403E-36,4.8349145E-18,-9.623567E-23,-1852880.6,1.3170271E-6,2.8417924E-10,-1.0297846E-28,7.8908384E-20,1.1305975E-18,-2.298566E-29,0.28349736,-4.1232098E-32],[-53378.02,-2.4348677E-5,2.0141289E22,-2.3816893E19,6.1437776E16,-1.673584E-17,-6.4791756E-8,-2.517094E-29,-2.063491E-33,-2.20992E38,-2.820192E-7,7.1575211E15,1.6017266E-37,-4.1947107E-16,83.15008,1.48910131E18,4.9730394E37,-6.193448E-6,-6.1033527E-38,1.4470078E-11,-109360.18,-2.98181271E13,4.546957E27,28.050613,2.22219595E14,1.76234946E17,6.24209,-3.804794E-13,-2.7770268E34,-1.6883155E21,1.17251257E12,2.85061511E16,7.688295E-26,-8.5139256E20,2.4504939E26,2.5029476E-14,5.9073295E-19,-8.40137E-28,3.663849,1.509104E-29,1.8793774E38,-3.26979486E11,2.2339417E-16,0.0057175397,5.914664E-35,-5.8366517E-18,1.17936447E13,6.9955204E-6,-1.682988E21,-6.0758643E-15,7.311768E23,-9.2867125E14,3.233391E-15,0.4262526,-3.32802392E11,-1.1501448E-11,-1.701389E27] ,[-0.0017165262,-1.2724064E33,-9.009366E-16] ,[1.7839068E-10,7.7823914E-10,-3.07036058E10,-1.5130077E-37,-446.29678,-1.774378E-16,-1.6339367E-16,-1.698852E-31,4.1384502E-14,9.514817E27,-7.864796E-25,-2.9919293E23,0.13843381] ,[2.1279191E-4,190355.83,-4.1957372E-7,1.6358798E-10,-5.546888E24,9.579898E21,9.0732345E-7,-4.8682492E26,1.2438232E-25,-8.743151E-12,1.6934396E34,-1.0441042E-14,1.6620653E19,-8.675206E-27,-758141.7,5.904506E-5,-7.380854E25,3.8057492,-0.00773271,2.5373261E-26,-6.6881906E-10,2.095169E-11,-1.791023E26,7.159086E-32,-9.0563107E33,-6.6240623E16,1.4647568E-12,1.2714292E23,5.4157537E24,7.0665114E-6,9.473122E-35,-1.1077577E-32,8.3889456E16,-1.4109704E25,-4.6205777E-31,272257.78,-1.6126594E-16,-3.998725E-6,-1.0632713E-11,3.4417483E-21,-6.3214898E18,-3.5661094E-12,3.655405E-30,-3.7573435E37,4.25798192E14,-3.514179E30,9.361147E-32,1.1075149E21,0.0029928624,-5.2112356E-13,-6.5362262E15,-1.2038075E-21,3.115808E-21,-2.05605E-36,2.7845992E-30,-4.020312,5.582345E-20,5.8310703E-9,-0.17258346,-52.747665,7.285912E-29,2.61914273E15,9.815328E-23,-1844.2174,9.002968E33,2.1011398E-19,6.693701E-29,-3.1481093E30,0.23139499,-4.3402977E23,-2.6744801E-14,-5.0197025E-16,-689385.5,1.4711415E29,9.5353845E-26,1.0982829E-16,-2.097193E-15,1.0374574E-11,2.8988225E-15,-1.1387278E-29,-2.1959857E-17,3.0753384E-18,-2.1534387E-27,1297446.2,-8.081576E32,7.3064278E11,-2.0182112E27,-1.9000503E-25,3.8570384E34,-1.5915849E-29,3.51232908E17,-5.329934E-6,2.38143219E14,-9.6799263E27,6.160485E-13,2.4711058E35,2.4747681E16,0.09800296,-1.1182718E36,-8.7405578E9,7.566347E-27,54503.645,6.6824335E-21,-3.3890405E-30,2.717748E29,-2.1986161E-5,-245.0435,1.6598992E19,-1.130798E20,1.4756107E-9,-1.5944864E28,8.0335363E30,4.537881E-15,4.99391E-28,-1.9242471E31,1.5696506E21,1.5965287E-36,4.2670817E-6,1.7389909E-36,2.7348243E33,5.4664225E26,3.3139525E-29,-1.6460602E-6,3.43947622E9,-3.470771,54.989876,-0.19886814,-1.85754547E9,1.0683111E27,5.6301133E-24,9.848386E-21,5.2225376E-31,-4.32787E-14,-3.320742E38,-7777458.5,-4.145566E31] ,[-2.5351684E38,5.5903027E-19,1040321.56,3.38312458E10,1.4903255E-12,0.025317257,153.47539,6.8795531E10,7889.5537,-8.9482164E-27,3.12200499E9,1.9048915E-4,2.6747952E8,8.365426E37,3.6656786E-8,4.179911E-19,-1.7171582E31,22418.111,8.0066557E16,-83767.76,109.396736,1.3821912E-31,-2.8017373E-27,58816.56,8.6286327E-26,2.96344124E13,1.6938506E-37,2.62191E-8,3.5752467E-4,3.3806003E31,-1.3314564,-5.653364E-25,-1.7542277E13,-6.0345686E26,-6.1112406E13,49.768883,-7.9691228E9,-3.809219E-17,-2.1541923E-38,-3.9188712E-4,-2.3283323E-17,1.65297894E9,4.83322501E14],[1.8270576E-22,-4.960506E-13,-1446.0315,3.6918467E-19,-3.50016776E15,-2.5466105E-7,1.3753059E27,1.0404823E-8,4723.4307,-2.819457E24,-1.3786469E30,-5.357719E-7,1.58583521E10,1.4863654E28,3.8821987E-13,1.5235958E-6,5.430119,-1.7409842E33,-4.7633066E-21,-2.7903541E26,-2.1037476E29,2.8976874E31,-2.0810089E38,1.1160759E-30,3.1547093E-10,-14455.295,-1.0687387E-26,3.0977924E-28,1.00432466E-13,-1.9730476E-24,9.334673E19,-4.400483E35,-2.0237804E-16,-2.4839214E26,1.2820549E27,-2.9480559E-12,-8.0636827E33,1.0154122E19],[-4.3857993E19,1.877893E-23,-2.7546048E-19,-1.3387484E-37,114.46374,3.4824585E-17,-2.8232162E-32,7.8781281E9,-5.1475985E-30,0.0019016591,1.4153812E7,2.6432982E-37,1.6322665E34,1.7036795E-5,-9.2699866E36,-4.8939908E-15,2.8015324E30,5.558837E19,2.4107695E-22,1.5226718E-36,5.0422913E19] ,[1.8566589E22,1.2250837E37,4.5599097E-14,-4.0511993E-30,6.5709867E11,-2.67016E31,-5.3984523E-14,4.389576E-35,5.0318777E37,-2.30779313E14,-5.773945E-27,-6.68303E-18,-4.458687E-36,-6.861388E-5,-9.377162E31,4.809452E-13,2.58250608E8,405.7435,-8.5590437E27,20.174587,486501.72,5.704466E20],[-9.584733E26,3.3663747E-12,-1.0657247E32,-4.996626E30,1.5157849E25,-5.6416478E-27,-2.8021502E35,1.6830677E-16,4.063297E25,3.884891E-7,-0.20764667,4.2618368E-36,-2.2505126E24,-2.16989951E16,-3.3791352E-23,-2.2622431E-12,-1.9832247E-18,7.9941054E37,4.3089252E10,-3.9480576E16,2738.2466,1.4452786E36,1.321338,-5.733875E-22,-1.23433347E15,2.4229963E38,-1.1628368E-8,4.8816623E31,-2.823122E-6,-1.6411271E31,-6.02098E-22,-6.287941E36,1.8752344E-14,4.3050327E-10,-0.02403785,5.7330963E-37,-2.1668185E22,-2.00985612E14,-4.7075902E21,8.27232E36,-2.6243335E35,3.92364023E17,1.8086118E26,-3.5541944E19,-9.298125E-36,-1.6644138E19,5.4246154E-8,-15749.5,2.19071035E13,7.02522E-12,5.4936867E16,3.0804336E-37,3.0653246E-32,-5.08605E34,-0.0011060967,-2.4211834E-6,-5.309445E-21,1.1074681E-26,-6.079166E-16,8.9123897E10,5.1624315E-22,-8.689611E-9,-8.623229E13,-3.27240473E16,1.3190854E36,-1.4852208E-21,3.027946E21,0.0035015726,-5.748167E-8,-1.9010928E-30,-1.1107124E-17,-6.8929363E18,1.7260037E-38,-0.007688139,4.202356E29,3.5537087E22,9.378857E-24,1.1471318E-24,-4.9013718E-8,-3.6719764E-5,1.01447354E9,-9.823231E-18,8.8776794E16,1.9152184E24,2.4040656E-24,-0.029477606,-5.6788453E26,-7578.009,2918.2883,0.057530016,2.3970672E37,-6.4669535E21,3.5951024E-22,-1019938.8,-0.011560057,8.943859E-6,6.1301847E-33,-1577910.2,-8.1258654E-13,1.0505744E22,6.453602E-21,3.4392283E-30,5.6482457E-14,3.08532364E18,2.0574037E24,2649.5166,5.6074753E-31,-1.65605897E16,-3.6331367E-30,1.0064234E-32,8.064997E24,-3.65624492E11,3.88990658E14,-3.5895756E-27,-2.0697576E34,-7.2641886E-11,-7.456001E-21,-3.9443768E-20,7.68356E-40,-1.3052598E-38,8.222302E-6,-2.0499108E-23,-8.028338E22,-4.527867E-16,-1.0447115E-27,-3.8851717E-12,-4.0457946E-16,1.507552E-34,2.1087501E33,-1.1247249E-4,-2.63530925E15,3.2929465E-18,1.1921536E-27,6.477329E-24,7.7310992E16,1.9015664E-33,-1.0365526E7,3.18606103E17,-6.2920983E16,2.5957222E35,-1.9258832E-31,2.6266172E-19,3.5621542E33,3.0454332E7,1.2476855E-16,-1.8176861E-31,1.36548031E13,4.9214045E25,2.7438851E-17,-1.8473959E33,-3.0454578E-23,-4.8897692E7,7.0721573E37,5.9847318E-27,-4.1846877E25,3.3531302E23,-3.364228E28,-3.74606E-27,8.870112E-19,3.2105653E-19,6.9492075E-24,5.413313E36,-7.762603E28,-2.3253088E-35,-3.31289446E16,-2.16585744E8,1.34195825E10,3.7324236E27,-4.01608869E14,8.3575915E-12,0.0041716653,3.3479494E24,-4.2670086E-19,-2.8259825E-31,1.2722923E-10,-0.0017439951,2.0298965E26,-5.0272176E-21,1.99348746E15,0.18023208,-1.5176701E-24,-2.1410287E-10,5.6091987E8,-1.4499126E-9,1.1885654E-9,2.6898118E-36,-0.18070306,1.4850517E10,-6.852806E20,5.1599894E-22,9.411071,4.89038217E11,1.07041925E-13,-0.020197956,8.366439E-13,-6.4576534E35,3.0023203E-11,-105.14248,2.2960459E14,-2.7814795E-28,2.8688215E-17,-2.3964953E19,-1.6446723E27,-2.1542435E-36,222250.61,2.1277626E31,-3.5781515E-37,13.174928,7.4567587E-19,-2.0350378E-14,5.2352136E24,2.9334891E-5,1.0556122E-7,-140545.3,2.2071881E33,-1.0923296E-35,6.8107282E17,-1.1686143E-36] ,[-3.7570866E-36,4.3920528E-21,-3.0267458E33,-4.8123838E-4,2.12880242E15,2956280.0,-7.4784644E-8,7.6129017E36,-30.573015,2.8056875E-28,6.55768E-28,-1.16929085E-26,-174.06331,80.37314,-1.04798074E14,-1.0279604E8],[2.628307E-16,-1.7618769E-37,-5.0951494E-27,-1.5004825E-38,-1.6793842E-36,4.6419328E9,-1.1114292E-14,-6.980926E-35,-1.10313708E12,5.6927907E-26,1.40455E34,-1.5325342E35,1.3978647E-7,-6.990763E33,1.7162768E31,4.07759687E18,-1.8870195E-22,262014.48,-4.193267E-20,-1.3926199E-21,1.59593477E13,-1.19191731E16,-2.5215198E32,9.60373E23,9.7813126E-11,-1.57487411E9,-1.35527411E9,3.1812082E-9,-6.177941E-16,1.3771007E-36,-6.0719493E15,0.04487049,-1.1324775E33,-5.3247848E7,-6.4157197E-22,2.1571381E-32,-3.3804733E-13,-1.7190284E24,-5.294223E34,1.5343845E25,-7.05058E-9,-3.4925557E-27,-1.2725383E-34,-7.734155E-36,-3.4937855E-28,9.50521E-23,-3555126.5,-4.5004522E-27,8.518416E31,-2.8177185E-35,-5.541759E-34,2.2947006E-17],[6.8358187E34,2.04636401E16,9.12752E30,6.527289E-24,2.9402646E29,2.5824407E36,-4.8833208E30,-5.94667E-15,1.30115923E17,5.6415725E-14,2.4838693E-16,2.2218246E-29,-3.1267355E34,-7.4469495E-32,-2.7373522E-12,-2.622843E34,-1.9547955E20,-8.692458E-33,1.9223859E-5,-4.5640927E-27,-25.795946,4.1003613E29,-9.2776E37,-6.434533E-23,-3.1305103E-38,-9.306484E26,-245004.48,-6.335563E-24,2.0519342E-9,1.2816643E-38,5.482879E33,3.1055513E25,-5.860269E-6,2.974895E21,6.796779E-27,7.070272,6.444903E30,4.9232947E-37],[-21.336824,-4.7621618E-20,-0.66497993,8.3766025E31,-2.3898977E-8,-3.5307857E-9,-1.0266436E-5,1.7609032E38,-7.6773987E-38,3.5121708E33,1.7548092E-35,-1.1697135E-18,2.8212008E-15,-1.986672E-11,317.6892,3.99097434E15,3.63208097E15,4.381874E-11,1.12951248E8,103042.68,2.4132948E23,3.33862067E16,2.4436065E23,-8.328726E32,-4.43866986E14,5.46849E-33,1.1179067E20,1.68093248E9,1.4400609E-4,3.0030544E28,-3.0063615E29,-3.01945897E10,-45050.22,1.398677E-9,-3.7032833E28,9.7888625E25,-1.3143519E-28,1.3282156E-33,-1.06655865E21,-1.4759362E-25,2.58851945E16,-1.7093964E-5,3.72831656E12] ,[1.7212977E22,-1.6110315E-34,4.1975646E19,-5.9847237E18,19.350712] ,[220476.72,-1.18574151E17,2.2182982E-24,-7.739423E-37,-1.9043889E-31,-5.6461822E-8,-2.7649708E-20,13.952787,4.1838666E20,4.38796E37] ,[2.7655644E-4,-5.724242E23,1.96025779E9,-1.5486204E-8,-5.4481943E-11,2.1857963E-5,1.63553918E17,-7.113666E-13,-2.1068328E34,-12630.789,-3.297585E-31,-1.4076463E-7,-9.1754084E-23,-4.44090816E8,1.3148161E-19,-3.0914472E-11,-1.4561927E31,-6.301541E-27,8.399797E30,3.67614331E15,-0.0055200066,-5.7940585E13,-3.43707807E16,2.716806E34,-1.0018717E-8,-2.33219988E17,1.4592641E38,2.6494505E9,1.05013653E14,-8.009347E-33,1.9547011E-29,1.883113E26,31231.357,-1.011895E-5,-9.6077873E12,-1.7764658E-13,4.7828343E32,1.31251164E14,-1.5896487E-16,259.09628,1.0760773E22,-5.309685E-4,12.104666,3.6872232E27,-1.7278494E-33,227827.33,1.17411065E-35,-2.2445887E24,2.4458088E7,-5.3171926E-22,2.1767572E-32,1.85946416E8,2.8596588E7,-1.91242043E11,-7.835202E-18,-2.7471544E-35,0.0010917947,2.1841521E-4,-2.1312299E-29,5.930519E-8,6.6859726E-11,96240.48,4.051071E33,3.168662E-16,4.687558E-8,-4.9372333E20,-1.12451607E17,5.8929087E-5,-1.467048E8,-1.6280365E-30,3.76742784E9],[-1.75584351E16,1.2245168E-33,5123130.0,-4.514292E-33,-1.4935367E22,2764259.5,-1.45118991E17,-6.9147292E13,9.674682E-33,-119250.984,-3.703168E-14,5.6170836E33,116.853165,-5.27508374E11,1.1289592E-15,9.946945E-22,-3.9366324E-30,-1.3504566E33,-1.1016756E38,5.08689719E14,-1.2788694E-32,6.599717E22,-12502.141,2.2842587E21,3.667297E-10,-4.5007733E-32,7309935.0,-1.73013051E17,2.4907978E7,2.02769039E10,-8.224463E-11,3.0989545E35,5.774948E-17,3.74249878E17,-2.061192E-5,9.947499E16,3.0657485E28,2.5322439E32,6.6040974E-15,-0.07022908,1.716999E-9,-1.3621023E21,-1.0400885E-7,-2.9722635E-13,4.9212E29,-1.0066843E-19,1.6089257E-11,2.3340341E20,-6.290064E-29,6.886818E-38,-1327744.8,1.5810359E-38,1.1454622E-28,1.3125685E21,-1.1477186E33,1.7961565E14,8.71463E-36,3.65589472E17,1.1879758E-23,-2.081335E-37,-6.836266E23,5.2622714E-30,-7.0061786E-12,2.9054075E30,-1.7370435E-18,-1.9153267E28,-2.7897597E-18,0.39471734,-2.676496E-23,-4.381145E-9,-2.1551504E-18,-0.52318925,2.546482E-11,-1.0389E29,-10.113984,-4.4505333E-11,-5.4575633E-8,1.2912783E-9,-2.1069744E-37,33.521736,3.1073418E-7,3401.844,-4.8082936E-30,7.357117E-33,3530.7163,-1.0631536E27,1.06069036E15,-1.5604408E-33,2.2575062E-19,-7.26557E36,1.2502042E-34,2.4010126E-34,-1.10593291E18,-4.842133E-36,5.8919647E20,-2986.734,-1.3374483E32,-2.3035782E-27,1.4147205E-18,-1.7623882E7,2.7470034E37,-1.8373128E-16,3.1367524E-35,2.44237078E17,-4.451739E-37,3.404541E-31,1750.7219,1.3187349E-16,-4.686884E-27] ,[-1.2303181E-9,9.170093E-37,0.4784891,-6.1942696E14],[-0.0037292065,1.5047219E21,1.9131262E-14,-2.627254E-27,-1.5929944E-22,-1.4257981E-12,-7.630401E-5,-75804.51],[9.935494E-21,-1.8472805E-36,-5.8191081E10,1.53035242E13,5.576163E-17,0.30631384,4.803341E-28,1.6066789E31,6.2460291E11,1.2759892E29,6.1332144E15,-4.130231E37,-1.2088627E15,4.6335262E-18,1.73138E-38,-2.7958729E-27,4.6879826E24,4.1132406E20,-1.7825944E35,-1.03556544E-19,3.3949943E-9,4.11711579E17,-3.35493888E9,-7744065.0,1.0330292E36,7.724934E-15,0.5944197,-7.936431E-10,3.9887612E29,9.94681E-37,1.04271539E18,-1.6114264E24,-1.0828852E-21,-5.4225265E-28,3.41002289E11,1.375858E-18,1.08457798E14,-372435.97,1.878048E-4,2.839687E19,-3.5429884E-12,-1.4272401E-13,1.1276847E-16,-2.859622E19,1.04727879E15,1.1058462E-28,1.3562694E-28,7.651554E21,-5.4016757E37,-1.0013809E23,1.33454879E10,-1.1905907E21,4.0029266E-10,2.9158632E-21,8.4604236E-24,-2.9850152E-34,-0.012190459] ,[-5.764414E31,-5.2196752E26,6.7858896E7,0.909799,-6077.3174,2.3042354E-21,-5.212471E-5,-5.1442374E-36,-6.9973688E7,-2.727006E34,-1.1359338E-4,-3.9407945E32,1.30400625E11,-9.346719E-24,2.1532475E-26,3.8182804E-22,0.10658172,4.39766374E17,3.70600675E18,3.5758696E11,-6.778952E-15,4681.533,-4.5092954E-24,-2.08312356E16] ,[3.2162023E-22,8.221859E-24,6.462382E-31,9.4229164E21,1.1810377E38,-0.12487992,-1.0157863E-4,1.15495858E15,-6.2867823E31,1.2492463E-23,9.601541E-26,-1.6277776E11,-2.931216E7,3.6215828E-25,-2.7987744E-13,9.694505E-35,1.23615048E10,4.1462154E-13,1.4492912E-25,-32598.293,2.0894494E38,1.2132723E-37,2.2854747E-5,-1.3249754E37,1.8793671,1.1965214E-16,1.2201502E-32,7.583581E19,1.5794895E-9,1.182034E-9,-2.5222528E-12,-9.3422186E36,8.056309E36,-135772.14,-1.523953,-436.8168,-3.447895E-30,8.5902084E-11,-6.1617074E-17,-1.3981657E-14,-4.2009978E19,-6.309546E-29,-731046.6,-4.27337921E18,-9.168636E-26,3.95471999E14,-6.735841E-6,-5.207519E-6],[1.4292304E-8,4.1480423E32,2.0948E-9,-7.849331E23,4.3482833E29,-3.7333004E-27,1.0487214E-9,-7.913312,7.495433E24,1.11571444E-13,6.9270526E31,5.0445893E-12,-5.2592262E20,-3.56502897E11,5019.301,-1.1874029E-27,-1.0265498E35,6.7177503E15,6.86319E-19,1.04973047E17,2.49409959E15] ,[-2.79268102E17]] yajl-ruby-1.4.3/spec/parsing/fixtures/fail.26.json0000644000004100000410000000004614246427314021776 0ustar www-datawww-data["tab\ character\ in\ string\ "]yajl-ruby-1.4.3/spec/parsing/fixtures/pass.empty_string.json0000644000004100000410000000000314246427314024317 0ustar www-datawww-data"" yajl-ruby-1.4.3/spec/parsing/fixtures/pass.difficult_json_c_test_case.json0000644000004100000410000000055014246427314027140 0ustar www-datawww-data{ "glossary": { "title": "example glossary", "GlossDiv": { "title": "S", "GlossList": [ { "ID": "SGML", "SortAs": "SGML", "GlossTerm": "Standard Generalized Markup Language", "Acronym": "SGML", "Abbrev": "ISO 8879:1986", "GlossDef": "A meta-markup language, used to create markup languages such as DocBook.", "GlossSeeAlso": ["GML", "XML", "markup"] } ] } } } yajl-ruby-1.4.3/spec/parsing/fixtures/fail14.json0000644000004100000410000000003714246427314021715 0ustar www-datawww-data{"Numbers cannot be hex": 0x14}yajl-ruby-1.4.3/spec/parsing/fixtures/pass.contacts.json0000644000004100000410000102632014246427314023424 0ustar www-datawww-data[{"contact": {"company": false, "cached_tag_list": "", "web_addresses": [{"updated_at": "2009-03-24T05:25:04Z", "updated_by_id": null, "contact_id": 1, "id": 1, "created_by_id": null, "subscriber_id": 0, "address": "http://osinski.name/", "created_at": "2009-03-24T05:25:04Z"}], "updated_at": "2009-03-24T05:25:04Z", "updated_by_id": null, "title": null, "delta": false, "company_name": null, "id": 1, "created_by_id": null, "phone_numbers": [{"updated_at": "2009-03-24T05:25:04Z", "updated_by_id": null, "number": "261-622-3063", "contact_id": 1, "id": 1, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:04Z"}, {"updated_at": "2009-03-24T05:25:04Z", "updated_by_id": null, "number": "747.620.1318 x8917", "contact_id": 1, "id": 2, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:04Z"}], "is_me": false, "subscriber_id": 0, "street_addresses": [{"lon": null, "city": "Orionton", "zip": "42858", "updated_at": "2009-03-24T05:25:04Z", "updated_by_id": null, "country": "United States of America", "contact_id": 1, "id": 1, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "52625 Cremin Ford", "state": "Oklahoma", "created_at": "2009-03-24T05:25:04Z"}, {"lon": null, "city": "South Cale", "zip": "27043-5465", "updated_at": "2009-03-24T05:25:04Z", "updated_by_id": null, "country": "United States of America", "contact_id": 1, "id": 2, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "9685 Wiegand Corners", "state": "Rhode Island", "created_at": "2009-03-24T05:25:04Z"}, {"lon": null, "city": "West Vidal", "zip": "63524", "updated_at": "2009-03-24T05:25:04Z", "updated_by_id": null, "country": "United States of America", "contact_id": 1, "id": 3, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "932 Crystal Station", "state": "Hawaii", "created_at": "2009-03-24T05:25:04Z"}], "first_name": "Tristin", "email_addresses": [{"updated_at": "2009-03-24T05:25:04Z", "updated_by_id": null, "contact_id": 1, "id": 1, "created_by_id": null, "subscriber_id": 0, "address": "ashton_schaefer@yost.name", "created_at": "2009-03-24T05:25:04Z"}, {"updated_at": "2009-03-24T05:25:04Z", "updated_by_id": null, "contact_id": 1, "id": 2, "created_by_id": null, "subscriber_id": 0, "address": "karina.bechtelar@thompsonblanda.co.uk", "created_at": "2009-03-24T05:25:04Z"}, {"updated_at": "2009-03-24T05:25:04Z", "updated_by_id": null, "contact_id": 1, "id": 3, "created_by_id": null, "subscriber_id": 0, "address": "erich@parker.com", "created_at": "2009-03-24T05:25:04Z"}], "last_name": "Bergstrom", "instant_messenger_addresses": [{"updated_at": "2009-03-24T05:25:04Z", "updated_by_id": null, "service": "MobileMe", "username": "kavon.morar", "contact_id": 1, "id": 1, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:04Z"}, {"updated_at": "2009-03-24T05:25:04Z", "updated_by_id": null, "service": "MobileMe", "username": "omari.braun", "contact_id": 1, "id": 2, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:04Z"}, {"updated_at": "2009-03-24T05:25:04Z", "updated_by_id": null, "service": "MobileMe", "username": "dayna", "contact_id": 1, "id": 3, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:04Z"}, {"updated_at": "2009-03-24T05:25:04Z", "updated_by_id": null, "service": "MobileMe", "username": "rosamond", "contact_id": 1, "id": 4, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:04Z"}], "created_at": "2009-03-24T05:25:04Z", "active": true}}, {"contact": {"company": false, "cached_tag_list": "", "web_addresses": [{"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "contact_id": 2, "id": 2, "created_by_id": null, "subscriber_id": 0, "address": "http://rosenbaum.name/", "created_at": "2009-03-24T05:25:05Z"}], "updated_at": "2009-03-24T05:25:04Z", "updated_by_id": null, "title": null, "delta": false, "company_name": null, "id": 2, "created_by_id": null, "phone_numbers": [{"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "number": "(610)903-4082 x65582", "contact_id": 2, "id": 3, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:05Z"}], "is_me": false, "subscriber_id": 0, "street_addresses": [{"lon": null, "city": "Lake Delmer", "zip": "79717", "updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "country": "United States of America", "contact_id": 2, "id": 4, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "01278 Will Fords", "state": "Rhode Island", "created_at": "2009-03-24T05:25:05Z"}, {"lon": null, "city": "Godfreystad", "zip": "25350-9223", "updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "country": "United States of America", "contact_id": 2, "id": 5, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "1163 Rosetta Loop", "state": "Oklahoma", "created_at": "2009-03-24T05:25:05Z"}, {"lon": null, "city": "Millerberg", "zip": "74184-2579", "updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "country": "United States of America", "contact_id": 2, "id": 6, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "82998 Vandervort Squares", "state": "Arkansas", "created_at": "2009-03-24T05:25:05Z"}], "first_name": "Daisy", "email_addresses": [{"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "contact_id": 2, "id": 4, "created_by_id": null, "subscriber_id": 0, "address": "rosemarie@jacobs.uk", "created_at": "2009-03-24T05:25:05Z"}], "last_name": "Russel", "instant_messenger_addresses": [{"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "service": "MobileMe", "username": "lila", "contact_id": 2, "id": 5, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "service": "MobileMe", "username": "raul_upton", "contact_id": 2, "id": 6, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "service": "MobileMe", "username": "pascale.stiedemann", "contact_id": 2, "id": 7, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:05Z"}], "created_at": "2009-03-24T05:25:04Z", "active": true}}, {"contact": {"company": false, "cached_tag_list": "", "web_addresses": [{"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "contact_id": 3, "id": 3, "created_by_id": null, "subscriber_id": 0, "address": "http://raynor.ca/", "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "contact_id": 3, "id": 4, "created_by_id": null, "subscriber_id": 0, "address": "http://schulistcronin.uk/", "created_at": "2009-03-24T05:25:05Z"}], "updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "title": null, "delta": false, "company_name": null, "id": 3, "created_by_id": null, "phone_numbers": [{"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "number": "(172)195-6890", "contact_id": 3, "id": 4, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "number": "453-314-7199", "contact_id": 3, "id": 5, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "number": "579-430-7505", "contact_id": 3, "id": 6, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:05Z"}], "is_me": false, "subscriber_id": 0, "street_addresses": [{"lon": null, "city": "Maggioberg", "zip": "33077-1967", "updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "country": "United States of America", "contact_id": 3, "id": 7, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "73722 Abernathy Branch", "state": "Mississippi", "created_at": "2009-03-24T05:25:05Z"}], "first_name": "Michaela", "email_addresses": [{"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "contact_id": 3, "id": 5, "created_by_id": null, "subscriber_id": 0, "address": "arvid_russel@hilll.biz", "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "contact_id": 3, "id": 6, "created_by_id": null, "subscriber_id": 0, "address": "orlo@dubuqueyundt.us", "created_at": "2009-03-24T05:25:05Z"}], "last_name": "Monahan", "instant_messenger_addresses": [{"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "service": "MobileMe", "username": "leonardo_swift", "contact_id": 3, "id": 8, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "service": "MobileMe", "username": "leanna_windler", "contact_id": 3, "id": 9, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:05Z"}], "created_at": "2009-03-24T05:25:05Z", "active": true}}, {"contact": {"company": false, "cached_tag_list": "", "web_addresses": [], "updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "title": null, "delta": false, "company_name": null, "id": 4, "created_by_id": null, "phone_numbers": [{"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "number": "842-300-3457 x1770", "contact_id": 4, "id": 7, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "number": "1-188-689-6494 x58364", "contact_id": 4, "id": 8, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "number": "104.711.1053", "contact_id": 4, "id": 9, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:05Z"}], "is_me": false, "subscriber_id": 0, "street_addresses": [{"lon": null, "city": "Lake Sean", "zip": "59765", "updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "country": "United States of America", "contact_id": 4, "id": 8, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "89074 Ottis Skyway", "state": "Kentucky", "created_at": "2009-03-24T05:25:05Z"}, {"lon": null, "city": "Haagmouth", "zip": "63072", "updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "country": "United States of America", "contact_id": 4, "id": 9, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "24569 Jacobs Crossroad", "state": "Kansas", "created_at": "2009-03-24T05:25:05Z"}, {"lon": null, "city": "South Ian", "zip": "99483-8809", "updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "country": "United States of America", "contact_id": 4, "id": 10, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "6762 Stevie Run", "state": "Alaska", "created_at": "2009-03-24T05:25:05Z"}], "first_name": "Chase", "email_addresses": [{"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "contact_id": 4, "id": 7, "created_by_id": null, "subscriber_id": 0, "address": "leopoldo_berge@haley.info", "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "contact_id": 4, "id": 8, "created_by_id": null, "subscriber_id": 0, "address": "helen@swiftwalter.name", "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "contact_id": 4, "id": 9, "created_by_id": null, "subscriber_id": 0, "address": "glenda_olson@okeeferice.info", "created_at": "2009-03-24T05:25:05Z"}], "last_name": "Zieme", "instant_messenger_addresses": [{"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "service": "MobileMe", "username": "hilario", "contact_id": 4, "id": 10, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:05Z"}], "created_at": "2009-03-24T05:25:05Z", "active": true}}, {"contact": {"company": true, "cached_tag_list": "", "web_addresses": [{"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "contact_id": 5, "id": 5, "created_by_id": null, "subscriber_id": 0, "address": "http://carroll.us/", "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "contact_id": 5, "id": 6, "created_by_id": null, "subscriber_id": 0, "address": "http://mertz.name/", "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "contact_id": 5, "id": 7, "created_by_id": null, "subscriber_id": 0, "address": "http://cristmayer.uk/", "created_at": "2009-03-24T05:25:05Z"}], "updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "title": null, "delta": false, "company_name": "Heathcote, Harber and Rowe", "id": 5, "created_by_id": null, "phone_numbers": [{"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "number": "082-754-6635", "contact_id": 5, "id": 10, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "number": "(828)177-6296", "contact_id": 5, "id": 11, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "number": "381.864.7227 x109", "contact_id": 5, "id": 12, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "number": "1-261-032-7889", "contact_id": 5, "id": 13, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:05Z"}], "is_me": false, "subscriber_id": 0, "street_addresses": [{"lon": null, "city": "South Seamus", "zip": "93108-2598", "updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "country": "United States of America", "contact_id": 5, "id": 11, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "293 Reese Expressway", "state": "West Virginia", "created_at": "2009-03-24T05:25:05Z"}, {"lon": null, "city": "East Malvinaport", "zip": "26349", "updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "country": "United States of America", "contact_id": 5, "id": 12, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "740 Kunde Streets", "state": "Washington", "created_at": "2009-03-24T05:25:05Z"}, {"lon": null, "city": "Linneaburgh", "zip": "02227-2886", "updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "country": "United States of America", "contact_id": 5, "id": 13, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "694 Howe Walk", "state": "Massachusetts", "created_at": "2009-03-24T05:25:05Z"}], "first_name": "Hayden", "email_addresses": [{"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "contact_id": 5, "id": 10, "created_by_id": null, "subscriber_id": 0, "address": "carmela_bednar@kautzer.us", "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "contact_id": 5, "id": 11, "created_by_id": null, "subscriber_id": 0, "address": "earnestine.nitzsche@corkery.biz", "created_at": "2009-03-24T05:25:05Z"}], "last_name": "Hintz", "instant_messenger_addresses": [{"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "service": "MobileMe", "username": "esperanza", "contact_id": 5, "id": 11, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "service": "MobileMe", "username": "mittie", "contact_id": 5, "id": 12, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "service": "MobileMe", "username": "obie", "contact_id": 5, "id": 13, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:05Z"}], "created_at": "2009-03-24T05:25:05Z", "active": true}}, {"contact": {"company": false, "cached_tag_list": "", "web_addresses": [{"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "contact_id": 6, "id": 8, "created_by_id": null, "subscriber_id": 0, "address": "http://king.uk/", "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "contact_id": 6, "id": 9, "created_by_id": null, "subscriber_id": 0, "address": "http://veumstrosin.name/", "created_at": "2009-03-24T05:25:05Z"}], "updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "title": null, "delta": false, "company_name": null, "id": 6, "created_by_id": null, "phone_numbers": [{"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "number": "558-878-8536", "contact_id": 6, "id": 14, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "number": "501.809.0377 x328", "contact_id": 6, "id": 15, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "number": "112.292.0946 x529", "contact_id": 6, "id": 16, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:05Z"}], "is_me": false, "subscriber_id": 0, "street_addresses": [{"lon": null, "city": "Olenbury", "zip": "11334-0500", "updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "country": "United States of America", "contact_id": 6, "id": 14, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "66516 Louvenia Ridges", "state": "Pennsylvania", "created_at": "2009-03-24T05:25:05Z"}, {"lon": null, "city": "Skilesburgh", "zip": "86831-5421", "updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "country": "United States of America", "contact_id": 6, "id": 15, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "90258 King Dale", "state": "Iowa", "created_at": "2009-03-24T05:25:05Z"}, {"lon": null, "city": "New Arjun", "zip": "96552-4706", "updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "country": "United States of America", "contact_id": 6, "id": 16, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "44681 Cole Parkways", "state": "Connecticut", "created_at": "2009-03-24T05:25:05Z"}], "first_name": "Jake", "email_addresses": [{"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "contact_id": 6, "id": 12, "created_by_id": null, "subscriber_id": 0, "address": "zander_fritsch@willms.co.uk", "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "contact_id": 6, "id": 13, "created_by_id": null, "subscriber_id": 0, "address": "breanne.haley@buckridgemckenzie.com", "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "contact_id": 6, "id": 14, "created_by_id": null, "subscriber_id": 0, "address": "salvador.donnelly@stammchristiansen.com", "created_at": "2009-03-24T05:25:05Z"}], "last_name": "Deckow", "instant_messenger_addresses": [{"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "service": "MobileMe", "username": "ofelia.gorczany", "contact_id": 6, "id": 14, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:05Z"}], "created_at": "2009-03-24T05:25:05Z", "active": true}}, {"contact": {"company": false, "cached_tag_list": "", "web_addresses": [{"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "contact_id": 7, "id": 10, "created_by_id": null, "subscriber_id": 0, "address": "http://berge.info/", "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "contact_id": 7, "id": 11, "created_by_id": null, "subscriber_id": 0, "address": "http://gottlieb.uk/", "created_at": "2009-03-24T05:25:05Z"}], "updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "title": null, "delta": false, "company_name": null, "id": 7, "created_by_id": null, "phone_numbers": [{"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "number": "(034)036-8590 x86765", "contact_id": 7, "id": 17, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "number": "(838)071-5887", "contact_id": 7, "id": 18, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "number": "(538)647-5481 x854", "contact_id": 7, "id": 19, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "number": "235.902.6028", "contact_id": 7, "id": 20, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:05Z"}], "is_me": false, "subscriber_id": 0, "street_addresses": [{"lon": null, "city": "New Oswaldoborough", "zip": "98460-7628", "updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "country": "United States of America", "contact_id": 7, "id": 17, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "8515 Keebler Mews", "state": "Alabama", "created_at": "2009-03-24T05:25:05Z"}, {"lon": null, "city": "Torpshire", "zip": "23632", "updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "country": "United States of America", "contact_id": 7, "id": 18, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "86939 Roberts Prairie", "state": "Idaho", "created_at": "2009-03-24T05:25:05Z"}], "first_name": "Blanca", "email_addresses": [{"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "contact_id": 7, "id": 15, "created_by_id": null, "subscriber_id": 0, "address": "leonie.simonis@bayer.ca", "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "contact_id": 7, "id": 16, "created_by_id": null, "subscriber_id": 0, "address": "stephania.russel@graham.name", "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "contact_id": 7, "id": 17, "created_by_id": null, "subscriber_id": 0, "address": "dell@gleichnerwiegand.info", "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "contact_id": 7, "id": 18, "created_by_id": null, "subscriber_id": 0, "address": "shayna@rueckertromp.uk", "created_at": "2009-03-24T05:25:05Z"}], "last_name": "Farrell", "instant_messenger_addresses": [], "created_at": "2009-03-24T05:25:05Z", "active": true}}, {"contact": {"company": false, "cached_tag_list": "", "web_addresses": [], "updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "title": null, "delta": false, "company_name": null, "id": 8, "created_by_id": null, "phone_numbers": [{"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "number": "562-172-5798 x49737", "contact_id": 8, "id": 21, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "number": "545.790.4794", "contact_id": 8, "id": 22, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "number": "(659)399-4371 x959", "contact_id": 8, "id": 23, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:05Z"}], "is_me": false, "subscriber_id": 0, "street_addresses": [{"lon": null, "city": "West Stewartfurt", "zip": "54763-7974", "updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "country": "United States of America", "contact_id": 8, "id": 19, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "97314 Bode Pike", "state": "Alaska", "created_at": "2009-03-24T05:25:05Z"}, {"lon": null, "city": "Gaylordstad", "zip": "03401", "updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "country": "United States of America", "contact_id": 8, "id": 20, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "12572 Joaquin Lock", "state": "Virginia", "created_at": "2009-03-24T05:25:05Z"}, {"lon": null, "city": "Lake Kian", "zip": "16468", "updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "country": "United States of America", "contact_id": 8, "id": 21, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "87775 Hagenes Flats", "state": "Vermont", "created_at": "2009-03-24T05:25:05Z"}], "first_name": "Jada", "email_addresses": [{"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "contact_id": 8, "id": 19, "created_by_id": null, "subscriber_id": 0, "address": "drake_jacobi@padberg.us", "created_at": "2009-03-24T05:25:05Z"}], "last_name": "O'Connell", "instant_messenger_addresses": [{"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "service": "MobileMe", "username": "conor_kunde", "contact_id": 8, "id": 15, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "service": "MobileMe", "username": "alexane", "contact_id": 8, "id": 16, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "service": "MobileMe", "username": "eliezer", "contact_id": 8, "id": 17, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "service": "MobileMe", "username": "shaniya.gottlieb", "contact_id": 8, "id": 18, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:05Z"}], "created_at": "2009-03-24T05:25:05Z", "active": true}}, {"contact": {"company": false, "cached_tag_list": "", "web_addresses": [{"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "contact_id": 9, "id": 12, "created_by_id": null, "subscriber_id": 0, "address": "http://hilpert.info/", "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "contact_id": 9, "id": 13, "created_by_id": null, "subscriber_id": 0, "address": "http://baumbach.info/", "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "contact_id": 9, "id": 14, "created_by_id": null, "subscriber_id": 0, "address": "http://wuckertlangworth.info/", "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "contact_id": 9, "id": 15, "created_by_id": null, "subscriber_id": 0, "address": "http://von.info/", "created_at": "2009-03-24T05:25:05Z"}], "updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "title": null, "delta": false, "company_name": null, "id": 9, "created_by_id": null, "phone_numbers": [{"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "number": "(590)366-4306", "contact_id": 9, "id": 24, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "number": "(623)967-8624 x5148", "contact_id": 9, "id": 25, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:05Z"}], "is_me": false, "subscriber_id": 0, "street_addresses": [{"lon": null, "city": "Aldenshire", "zip": "53652", "updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "country": "United States of America", "contact_id": 9, "id": 22, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "657 Hershel Villages", "state": "North Dakota", "created_at": "2009-03-24T05:25:05Z"}, {"lon": null, "city": "Renechester", "zip": "39239-3297", "updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "country": "United States of America", "contact_id": 9, "id": 23, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "400 Jada Valleys", "state": "Georgia", "created_at": "2009-03-24T05:25:05Z"}], "first_name": "Nash", "email_addresses": [{"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "contact_id": 9, "id": 20, "created_by_id": null, "subscriber_id": 0, "address": "maxie.schaefer@reynolds.biz", "created_at": "2009-03-24T05:25:05Z"}], "last_name": "Klocko", "instant_messenger_addresses": [{"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "service": "MobileMe", "username": "filiberto", "contact_id": 9, "id": 19, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "service": "MobileMe", "username": "keaton.moore", "contact_id": 9, "id": 20, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:05Z"}], "created_at": "2009-03-24T05:25:05Z", "active": true}}, {"contact": {"company": false, "cached_tag_list": "", "web_addresses": [{"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "contact_id": 10, "id": 16, "created_by_id": null, "subscriber_id": 0, "address": "http://thompson.biz/", "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "contact_id": 10, "id": 17, "created_by_id": null, "subscriber_id": 0, "address": "http://stroman.name/", "created_at": "2009-03-24T05:25:05Z"}], "updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "title": null, "delta": false, "company_name": null, "id": 10, "created_by_id": null, "phone_numbers": [{"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "number": "518.987.9078 x4322", "contact_id": 10, "id": 26, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:05Z"}], "is_me": false, "subscriber_id": 0, "street_addresses": [{"lon": null, "city": "West Abdielmouth", "zip": "20914-1382", "updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "country": "United States of America", "contact_id": 10, "id": 24, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "74707 Mayert Brooks", "state": "Maine", "created_at": "2009-03-24T05:25:05Z"}], "first_name": "Willy", "email_addresses": [{"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "contact_id": 10, "id": 21, "created_by_id": null, "subscriber_id": 0, "address": "hillary_davis@walsh.co.uk", "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "contact_id": 10, "id": 22, "created_by_id": null, "subscriber_id": 0, "address": "dedrick@lueilwitz.com", "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "contact_id": 10, "id": 23, "created_by_id": null, "subscriber_id": 0, "address": "hulda@runolfsdottirabernathy.com", "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "contact_id": 10, "id": 24, "created_by_id": null, "subscriber_id": 0, "address": "ebony.mitchell@davis.com", "created_at": "2009-03-24T05:25:05Z"}], "last_name": "Gibson", "instant_messenger_addresses": [{"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "service": "MobileMe", "username": "emilio_howe", "contact_id": 10, "id": 21, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:05Z"}], "created_at": "2009-03-24T05:25:05Z", "active": true}}, {"contact": {"company": false, "cached_tag_list": "", "web_addresses": [{"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "contact_id": 11, "id": 18, "created_by_id": null, "subscriber_id": 0, "address": "http://olson.us/", "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "contact_id": 11, "id": 19, "created_by_id": null, "subscriber_id": 0, "address": "http://schadenspinka.ca/", "created_at": "2009-03-24T05:25:05Z"}], "updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "title": null, "delta": false, "company_name": null, "id": 11, "created_by_id": null, "phone_numbers": [{"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "number": "(087)998-5318 x64927", "contact_id": 11, "id": 27, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "number": "445-950-7063 x289", "contact_id": 11, "id": 28, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "number": "(598)138-0759 x4941", "contact_id": 11, "id": 29, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:05Z"}], "is_me": false, "subscriber_id": 0, "street_addresses": [{"lon": null, "city": "New Kennithmouth", "zip": "37847-0831", "updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "country": "United States of America", "contact_id": 11, "id": 25, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "032 Clemens Mall", "state": "West Virginia", "created_at": "2009-03-24T05:25:05Z"}, {"lon": null, "city": "Allisonborough", "zip": "28514", "updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "country": "United States of America", "contact_id": 11, "id": 26, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "97995 Cordie Stravenue", "state": "Nevada", "created_at": "2009-03-24T05:25:05Z"}], "first_name": "Lera", "email_addresses": [{"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "contact_id": 11, "id": 25, "created_by_id": null, "subscriber_id": 0, "address": "abel.kuphal@beer.com", "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "contact_id": 11, "id": 26, "created_by_id": null, "subscriber_id": 0, "address": "francisca@ward.name", "created_at": "2009-03-24T05:25:05Z"}], "last_name": "Ferry", "instant_messenger_addresses": [{"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "service": "MobileMe", "username": "ethan.friesen", "contact_id": 11, "id": 22, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "service": "MobileMe", "username": "kelli_rutherford", "contact_id": 11, "id": 23, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "service": "MobileMe", "username": "noemi", "contact_id": 11, "id": 24, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "service": "MobileMe", "username": "norma.gleason", "contact_id": 11, "id": 25, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:05Z"}], "created_at": "2009-03-24T05:25:05Z", "active": true}}, {"contact": {"company": true, "cached_tag_list": "", "web_addresses": [{"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "contact_id": 12, "id": 20, "created_by_id": null, "subscriber_id": 0, "address": "http://greenholt.uk/", "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "contact_id": 12, "id": 21, "created_by_id": null, "subscriber_id": 0, "address": "http://hirthe.ca/", "created_at": "2009-03-24T05:25:05Z"}], "updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "title": null, "delta": false, "company_name": "Durgan-Bode", "id": 12, "created_by_id": null, "phone_numbers": [], "is_me": false, "subscriber_id": 0, "street_addresses": [], "first_name": "Ashley", "email_addresses": [{"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "contact_id": 12, "id": 27, "created_by_id": null, "subscriber_id": 0, "address": "van@okon.biz", "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "contact_id": 12, "id": 28, "created_by_id": null, "subscriber_id": 0, "address": "tara.osinski@keeling.biz", "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "contact_id": 12, "id": 29, "created_by_id": null, "subscriber_id": 0, "address": "emile@harbermaggio.biz", "created_at": "2009-03-24T05:25:05Z"}], "last_name": "Aufderhar", "instant_messenger_addresses": [{"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "service": "MobileMe", "username": "anika.predovic", "contact_id": 12, "id": 26, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:05Z"}], "created_at": "2009-03-24T05:25:05Z", "active": true}}, {"contact": {"company": false, "cached_tag_list": "", "web_addresses": [{"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "contact_id": 13, "id": 22, "created_by_id": null, "subscriber_id": 0, "address": "http://marvin.name/", "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "contact_id": 13, "id": 23, "created_by_id": null, "subscriber_id": 0, "address": "http://kshlerin.co.uk/", "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "contact_id": 13, "id": 24, "created_by_id": null, "subscriber_id": 0, "address": "http://mcclurezulauf.info/", "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "contact_id": 13, "id": 25, "created_by_id": null, "subscriber_id": 0, "address": "http://ziememayert.com/", "created_at": "2009-03-24T05:25:05Z"}], "updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "title": null, "delta": false, "company_name": null, "id": 13, "created_by_id": null, "phone_numbers": [{"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "number": "762-611-1366 x0064", "contact_id": 13, "id": 30, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "number": "(491)761-1120 x2637", "contact_id": 13, "id": 31, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:05Z"}], "is_me": false, "subscriber_id": 0, "street_addresses": [{"lon": null, "city": "Deonbury", "zip": "85524", "updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "country": "United States of America", "contact_id": 13, "id": 27, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "0314 Cormier Lock", "state": "Wyoming", "created_at": "2009-03-24T05:25:05Z"}, {"lon": null, "city": "North Ovafort", "zip": "93675-1983", "updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "country": "United States of America", "contact_id": 13, "id": 28, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "900 Fadel Valleys", "state": "Utah", "created_at": "2009-03-24T05:25:05Z"}], "first_name": "Antonietta", "email_addresses": [{"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "contact_id": 13, "id": 30, "created_by_id": null, "subscriber_id": 0, "address": "tomasa@swaniawski.info", "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "contact_id": 13, "id": 31, "created_by_id": null, "subscriber_id": 0, "address": "rusty_white@strosin.com", "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "contact_id": 13, "id": 32, "created_by_id": null, "subscriber_id": 0, "address": "holden_kessler@corwinmorissette.info", "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "contact_id": 13, "id": 33, "created_by_id": null, "subscriber_id": 0, "address": "kadin@nader.com", "created_at": "2009-03-24T05:25:05Z"}], "last_name": "Beatty", "instant_messenger_addresses": [{"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "service": "MobileMe", "username": "rudolph", "contact_id": 13, "id": 27, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:05Z"}], "created_at": "2009-03-24T05:25:05Z", "active": true}}, {"contact": {"company": false, "cached_tag_list": "", "web_addresses": [{"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "contact_id": 14, "id": 26, "created_by_id": null, "subscriber_id": 0, "address": "http://collins.us/", "created_at": "2009-03-24T05:25:05Z"}], "updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "title": null, "delta": false, "company_name": null, "id": 14, "created_by_id": null, "phone_numbers": [{"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "number": "519-999-4519 x9971", "contact_id": 14, "id": 32, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "number": "(615)566-6106 x4036", "contact_id": 14, "id": 33, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:05Z"}], "is_me": false, "subscriber_id": 0, "street_addresses": [{"lon": null, "city": "Kamrynshire", "zip": "56622-3772", "updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "country": "United States of America", "contact_id": 14, "id": 29, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "6866 Borer Green", "state": "New Hampshire", "created_at": "2009-03-24T05:25:05Z"}], "first_name": "Easton", "email_addresses": [{"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "contact_id": 14, "id": 34, "created_by_id": null, "subscriber_id": 0, "address": "casimer_becker@smithambeier.ca", "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "contact_id": 14, "id": 35, "created_by_id": null, "subscriber_id": 0, "address": "levi.skiles@emmerich.info", "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "contact_id": 14, "id": 36, "created_by_id": null, "subscriber_id": 0, "address": "gracie@hettinger.name", "created_at": "2009-03-24T05:25:05Z"}], "last_name": "Kassulke", "instant_messenger_addresses": [{"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "service": "MobileMe", "username": "janessa_lubowitz", "contact_id": 14, "id": 28, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "service": "MobileMe", "username": "natasha", "contact_id": 14, "id": 29, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "service": "MobileMe", "username": "carson", "contact_id": 14, "id": 30, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:05Z"}], "created_at": "2009-03-24T05:25:05Z", "active": true}}, {"contact": {"company": false, "cached_tag_list": "", "web_addresses": [{"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "contact_id": 15, "id": 27, "created_by_id": null, "subscriber_id": 0, "address": "http://wyman.us/", "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "contact_id": 15, "id": 28, "created_by_id": null, "subscriber_id": 0, "address": "http://schinner.name/", "created_at": "2009-03-24T05:25:05Z"}], "updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "title": null, "delta": false, "company_name": null, "id": 15, "created_by_id": null, "phone_numbers": [{"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "number": "964.066.7078 x136", "contact_id": 15, "id": 34, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "number": "903-228-6364 x19706", "contact_id": 15, "id": 35, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:05Z"}], "is_me": false, "subscriber_id": 0, "street_addresses": [{"lon": null, "city": "Stephenmouth", "zip": "72531-4819", "updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "country": "United States of America", "contact_id": 15, "id": 30, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "9648 Cassin Rapid", "state": "Kentucky", "created_at": "2009-03-24T05:25:05Z"}], "first_name": "Herta", "email_addresses": [{"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "contact_id": 15, "id": 37, "created_by_id": null, "subscriber_id": 0, "address": "breanne_corkery@rutherford.info", "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "contact_id": 15, "id": 38, "created_by_id": null, "subscriber_id": 0, "address": "cooper_thompson@mitchell.uk", "created_at": "2009-03-24T05:25:05Z"}], "last_name": "Lesch", "instant_messenger_addresses": [{"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "service": "MobileMe", "username": "audrey", "contact_id": 15, "id": 31, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "service": "MobileMe", "username": "jarrett", "contact_id": 15, "id": 32, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "service": "MobileMe", "username": "carmen.leannon", "contact_id": 15, "id": 33, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:05Z"}], "created_at": "2009-03-24T05:25:05Z", "active": true}}, {"contact": {"company": false, "cached_tag_list": "", "web_addresses": [{"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "contact_id": 16, "id": 29, "created_by_id": null, "subscriber_id": 0, "address": "http://runolfsdottirnitzsche.co.uk/", "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "contact_id": 16, "id": 30, "created_by_id": null, "subscriber_id": 0, "address": "http://murraysipes.us/", "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "contact_id": 16, "id": 31, "created_by_id": null, "subscriber_id": 0, "address": "http://vonruedenpurdy.uk/", "created_at": "2009-03-24T05:25:05Z"}], "updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "title": null, "delta": false, "company_name": null, "id": 16, "created_by_id": null, "phone_numbers": [{"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "number": "022-860-1486 x1843", "contact_id": 16, "id": 36, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "number": "498-244-6522 x25383", "contact_id": 16, "id": 37, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "number": "284.663.2103", "contact_id": 16, "id": 38, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:05Z"}], "is_me": false, "subscriber_id": 0, "street_addresses": [{"lon": null, "city": "Darrylhaven", "zip": "76712", "updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "country": "United States of America", "contact_id": 16, "id": 31, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "317 Montana Rest", "state": "Wisconsin", "created_at": "2009-03-24T05:25:05Z"}], "first_name": "Waino", "email_addresses": [{"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "contact_id": 16, "id": 39, "created_by_id": null, "subscriber_id": 0, "address": "chelsey@kautzernitzsche.us", "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "contact_id": 16, "id": 40, "created_by_id": null, "subscriber_id": 0, "address": "amaya.kling@jacobson.ca", "created_at": "2009-03-24T05:25:05Z"}], "last_name": "Dicki", "instant_messenger_addresses": [{"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "service": "MobileMe", "username": "luis_runte", "contact_id": 16, "id": 34, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:05Z"}], "created_at": "2009-03-24T05:25:05Z", "active": true}}, {"contact": {"company": false, "cached_tag_list": "", "web_addresses": [{"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "contact_id": 17, "id": 32, "created_by_id": null, "subscriber_id": 0, "address": "http://cummingshagenes.uk/", "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "contact_id": 17, "id": 33, "created_by_id": null, "subscriber_id": 0, "address": "http://effertz.biz/", "created_at": "2009-03-24T05:25:05Z"}], "updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "title": null, "delta": false, "company_name": null, "id": 17, "created_by_id": null, "phone_numbers": [{"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "number": "261-520-3598 x9502", "contact_id": 17, "id": 39, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "number": "(649)763-2648 x008", "contact_id": 17, "id": 40, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:05Z"}], "is_me": false, "subscriber_id": 0, "street_addresses": [{"lon": null, "city": "Port Gastonview", "zip": "64116", "updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "country": "United States of America", "contact_id": 17, "id": 32, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "661 Harvey Island", "state": "Utah", "created_at": "2009-03-24T05:25:05Z"}, {"lon": null, "city": "Port Cecil", "zip": "97870-1130", "updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "country": "United States of America", "contact_id": 17, "id": 33, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "00325 Gutmann Club", "state": "Utah", "created_at": "2009-03-24T05:25:05Z"}], "first_name": "Ruben", "email_addresses": [{"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "contact_id": 17, "id": 41, "created_by_id": null, "subscriber_id": 0, "address": "alyce@kirlin.ca", "created_at": "2009-03-24T05:25:05Z"}], "last_name": "Morissette", "instant_messenger_addresses": [{"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "service": "MobileMe", "username": "gavin.mante", "contact_id": 17, "id": 35, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "service": "MobileMe", "username": "ezequiel", "contact_id": 17, "id": 36, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:05Z"}], "created_at": "2009-03-24T05:25:05Z", "active": true}}, {"contact": {"company": false, "cached_tag_list": "", "web_addresses": [{"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "contact_id": 18, "id": 34, "created_by_id": null, "subscriber_id": 0, "address": "http://jacobson.com/", "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "contact_id": 18, "id": 35, "created_by_id": null, "subscriber_id": 0, "address": "http://ohara.com/", "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "contact_id": 18, "id": 36, "created_by_id": null, "subscriber_id": 0, "address": "http://gaylordconsidine.ca/", "created_at": "2009-03-24T05:25:05Z"}], "updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "title": null, "delta": false, "company_name": null, "id": 18, "created_by_id": null, "phone_numbers": [{"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "number": "1-532-228-6386 x1363", "contact_id": 18, "id": 41, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "number": "337-797-7956", "contact_id": 18, "id": 42, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "number": "(083)449-1710 x908", "contact_id": 18, "id": 43, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "number": "(267)047-3591", "contact_id": 18, "id": 44, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:05Z"}], "is_me": false, "subscriber_id": 0, "street_addresses": [], "first_name": "Okey", "email_addresses": [{"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "contact_id": 18, "id": 42, "created_by_id": null, "subscriber_id": 0, "address": "arjun.bogisich@danieldonnelly.info", "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "contact_id": 18, "id": 43, "created_by_id": null, "subscriber_id": 0, "address": "lillian_von@senger.info", "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "contact_id": 18, "id": 44, "created_by_id": null, "subscriber_id": 0, "address": "emanuel_gottlieb@bergnaum.us", "created_at": "2009-03-24T05:25:05Z"}], "last_name": "Ledner", "instant_messenger_addresses": [{"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "service": "MobileMe", "username": "charity_christiansen", "contact_id": 18, "id": 37, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "service": "MobileMe", "username": "emily.white", "contact_id": 18, "id": 38, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "service": "MobileMe", "username": "katarina_goodwin", "contact_id": 18, "id": 39, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:05Z"}], "created_at": "2009-03-24T05:25:05Z", "active": true}}, {"contact": {"company": false, "cached_tag_list": "", "web_addresses": [{"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "contact_id": 19, "id": 37, "created_by_id": null, "subscriber_id": 0, "address": "http://huelhoeger.us/", "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "contact_id": 19, "id": 38, "created_by_id": null, "subscriber_id": 0, "address": "http://hackettolson.info/", "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "contact_id": 19, "id": 39, "created_by_id": null, "subscriber_id": 0, "address": "http://runolfssonstroman.info/", "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "contact_id": 19, "id": 40, "created_by_id": null, "subscriber_id": 0, "address": "http://kirlinfahey.name/", "created_at": "2009-03-24T05:25:05Z"}], "updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "title": null, "delta": false, "company_name": null, "id": 19, "created_by_id": null, "phone_numbers": [], "is_me": false, "subscriber_id": 0, "street_addresses": [], "first_name": "Monroe", "email_addresses": [], "last_name": "Erdman", "instant_messenger_addresses": [{"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "service": "MobileMe", "username": "etha_jacobs", "contact_id": 19, "id": 40, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "service": "MobileMe", "username": "wayne.borer", "contact_id": 19, "id": 41, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "service": "MobileMe", "username": "rosemarie", "contact_id": 19, "id": 42, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "service": "MobileMe", "username": "pierre", "contact_id": 19, "id": 43, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:05Z"}], "created_at": "2009-03-24T05:25:05Z", "active": true}}, {"contact": {"company": false, "cached_tag_list": "", "web_addresses": [], "updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "title": null, "delta": false, "company_name": null, "id": 20, "created_by_id": null, "phone_numbers": [{"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "number": "1-852-143-3800", "contact_id": 20, "id": 45, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "number": "827.538.7627", "contact_id": 20, "id": 46, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:05Z"}], "is_me": false, "subscriber_id": 0, "street_addresses": [{"lon": null, "city": "South Hazlemouth", "zip": "41093", "updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "country": "United States of America", "contact_id": 20, "id": 34, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "179 Durward Drive", "state": "Indiana", "created_at": "2009-03-24T05:25:05Z"}], "first_name": "Millie", "email_addresses": [{"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "contact_id": 20, "id": 45, "created_by_id": null, "subscriber_id": 0, "address": "brent.weissnat@rennercorwin.info", "created_at": "2009-03-24T05:25:05Z"}], "last_name": "Stehr", "instant_messenger_addresses": [{"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "service": "MobileMe", "username": "foster_ward", "contact_id": 20, "id": 44, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "service": "MobileMe", "username": "dena", "contact_id": 20, "id": 45, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "service": "MobileMe", "username": "ramon", "contact_id": 20, "id": 46, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:05Z"}], "created_at": "2009-03-24T05:25:05Z", "active": true}}, {"contact": {"company": false, "cached_tag_list": "", "web_addresses": [], "updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "title": null, "delta": false, "company_name": null, "id": 21, "created_by_id": null, "phone_numbers": [{"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "number": "396-610-7869 x70824", "contact_id": 21, "id": 47, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "number": "067.974.7175 x56750", "contact_id": 21, "id": 48, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "number": "761.949.4571 x45067", "contact_id": 21, "id": 49, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "number": "(154)869-3439 x0431", "contact_id": 21, "id": 50, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:05Z"}], "is_me": false, "subscriber_id": 0, "street_addresses": [{"lon": null, "city": "North Jaunita", "zip": "58610", "updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "country": "United States of America", "contact_id": 21, "id": 35, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "836 Myrtle Mission", "state": "Illinois", "created_at": "2009-03-24T05:25:05Z"}, {"lon": null, "city": "Blickburgh", "zip": "10466-0901", "updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "country": "United States of America", "contact_id": 21, "id": 36, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "12929 Casper Meadow", "state": "Montana", "created_at": "2009-03-24T05:25:05Z"}, {"lon": null, "city": "West Johnnie", "zip": "14664-7296", "updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "country": "United States of America", "contact_id": 21, "id": 37, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "13718 Kirstin Stravenue", "state": "Alaska", "created_at": "2009-03-24T05:25:05Z"}], "first_name": "Julianne", "email_addresses": [{"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "contact_id": 21, "id": 46, "created_by_id": null, "subscriber_id": 0, "address": "shaylee_hodkiewicz@gulgowski.uk", "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "contact_id": 21, "id": 47, "created_by_id": null, "subscriber_id": 0, "address": "valentin_waelchi@lakin.com", "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "contact_id": 21, "id": 48, "created_by_id": null, "subscriber_id": 0, "address": "alisha@kertzmann.us", "created_at": "2009-03-24T05:25:05Z"}], "last_name": "Kerluke", "instant_messenger_addresses": [{"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "service": "MobileMe", "username": "karen_altenwerth", "contact_id": 21, "id": 47, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "service": "MobileMe", "username": "lonnie", "contact_id": 21, "id": 48, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "service": "MobileMe", "username": "jadon_kassulke", "contact_id": 21, "id": 49, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:05Z"}], "created_at": "2009-03-24T05:25:05Z", "active": true}}, {"contact": {"company": false, "cached_tag_list": "", "web_addresses": [], "updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "title": null, "delta": false, "company_name": null, "id": 22, "created_by_id": null, "phone_numbers": [{"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "number": "106-754-1969", "contact_id": 22, "id": 51, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "number": "237.440.1113 x470", "contact_id": 22, "id": 52, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "number": "(895)764-7471", "contact_id": 22, "id": 53, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "number": "793.188.5293", "contact_id": 22, "id": 54, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:05Z"}], "is_me": false, "subscriber_id": 0, "street_addresses": [{"lon": null, "city": "New Kathleen", "zip": "18255", "updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "country": "United States of America", "contact_id": 22, "id": 38, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "5795 Upton Isle", "state": "Georgia", "created_at": "2009-03-24T05:25:05Z"}, {"lon": null, "city": "Port Frances", "zip": "36469-3308", "updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "country": "United States of America", "contact_id": 22, "id": 39, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "4650 Feest Way", "state": "New Jersey", "created_at": "2009-03-24T05:25:05Z"}], "first_name": "Emma", "email_addresses": [{"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "contact_id": 22, "id": 49, "created_by_id": null, "subscriber_id": 0, "address": "oral.hand@witting.ca", "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "contact_id": 22, "id": 50, "created_by_id": null, "subscriber_id": 0, "address": "aliza_mckenzie@oberbrunner.biz", "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "contact_id": 22, "id": 51, "created_by_id": null, "subscriber_id": 0, "address": "lance@funkquigley.info", "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "contact_id": 22, "id": 52, "created_by_id": null, "subscriber_id": 0, "address": "betty@bosco.biz", "created_at": "2009-03-24T05:25:05Z"}], "last_name": "West", "instant_messenger_addresses": [{"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "service": "MobileMe", "username": "giuseppe", "contact_id": 22, "id": 50, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "service": "MobileMe", "username": "jay_swift", "contact_id": 22, "id": 51, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:05Z"}, {"updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "service": "MobileMe", "username": "edison.wyman", "contact_id": 22, "id": 52, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:05Z"}], "created_at": "2009-03-24T05:25:05Z", "active": true}}, {"contact": {"company": false, "cached_tag_list": "", "web_addresses": [{"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "contact_id": 23, "id": 41, "created_by_id": null, "subscriber_id": 0, "address": "http://cummings.co.uk/", "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "contact_id": 23, "id": 42, "created_by_id": null, "subscriber_id": 0, "address": "http://berge.name/", "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "contact_id": 23, "id": 43, "created_by_id": null, "subscriber_id": 0, "address": "http://witting.info/", "created_at": "2009-03-24T05:25:06Z"}], "updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "title": null, "delta": false, "company_name": null, "id": 23, "created_by_id": null, "phone_numbers": [{"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "number": "1-786-582-6618 x11680", "contact_id": 23, "id": 55, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:06Z"}], "is_me": false, "subscriber_id": 0, "street_addresses": [{"lon": null, "city": "Lake Daxhaven", "zip": "88388", "updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "country": "United States of America", "contact_id": 23, "id": 40, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "42139 Allison Gateway", "state": "Florida", "created_at": "2009-03-24T05:25:05Z"}, {"lon": null, "city": "Abigaylestad", "zip": "20349", "updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "country": "United States of America", "contact_id": 23, "id": 41, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "814 Frances Burgs", "state": "Arkansas", "created_at": "2009-03-24T05:25:05Z"}, {"lon": null, "city": "Port Maddison", "zip": "09746-7510", "updated_at": "2009-03-24T05:25:05Z", "updated_by_id": null, "country": "United States of America", "contact_id": 23, "id": 42, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "51832 Johns Port", "state": "Oklahoma", "created_at": "2009-03-24T05:25:05Z"}], "first_name": "Preston", "email_addresses": [{"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "contact_id": 23, "id": 53, "created_by_id": null, "subscriber_id": 0, "address": "dominic@macejkovic.ca", "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "contact_id": 23, "id": 54, "created_by_id": null, "subscriber_id": 0, "address": "monty.anderson@hermann.us", "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "contact_id": 23, "id": 55, "created_by_id": null, "subscriber_id": 0, "address": "koby.carter@toyheaney.co.uk", "created_at": "2009-03-24T05:25:06Z"}], "last_name": "Legros", "instant_messenger_addresses": [{"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "service": "MobileMe", "username": "deborah.cartwright", "contact_id": 23, "id": 53, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "service": "MobileMe", "username": "destiny", "contact_id": 23, "id": 54, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "service": "MobileMe", "username": "barry_herman", "contact_id": 23, "id": 55, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "service": "MobileMe", "username": "brant", "contact_id": 23, "id": 56, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:06Z"}], "created_at": "2009-03-24T05:25:05Z", "active": true}}, {"contact": {"company": true, "cached_tag_list": "", "web_addresses": [], "updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "title": null, "delta": false, "company_name": "Will-VonRueden", "id": 24, "created_by_id": null, "phone_numbers": [], "is_me": false, "subscriber_id": 0, "street_addresses": [{"lon": null, "city": "Port Reba", "zip": "09448-0569", "updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "country": "United States of America", "contact_id": 24, "id": 43, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "154 Kling Brook", "state": "Texas", "created_at": "2009-03-24T05:25:06Z"}], "first_name": "Chelsie", "email_addresses": [{"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "contact_id": 24, "id": 56, "created_by_id": null, "subscriber_id": 0, "address": "reece_dach@walker.uk", "created_at": "2009-03-24T05:25:06Z"}], "last_name": "Klein", "instant_messenger_addresses": [{"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "service": "MobileMe", "username": "geo.grimes", "contact_id": 24, "id": 57, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "service": "MobileMe", "username": "emmie", "contact_id": 24, "id": 58, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "service": "MobileMe", "username": "santos", "contact_id": 24, "id": 59, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "service": "MobileMe", "username": "jarrell_heidenreich", "contact_id": 24, "id": 60, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:06Z"}], "created_at": "2009-03-24T05:25:06Z", "active": true}}, {"contact": {"company": false, "cached_tag_list": "", "web_addresses": [{"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "contact_id": 25, "id": 44, "created_by_id": null, "subscriber_id": 0, "address": "http://ferrygrant.biz/", "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "contact_id": 25, "id": 45, "created_by_id": null, "subscriber_id": 0, "address": "http://steuber.us/", "created_at": "2009-03-24T05:25:06Z"}], "updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "title": null, "delta": false, "company_name": null, "id": 25, "created_by_id": null, "phone_numbers": [{"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "number": "(631)632-1049", "contact_id": 25, "id": 56, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "number": "935-545-0457", "contact_id": 25, "id": 57, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "number": "555-192-9617 x76395", "contact_id": 25, "id": 58, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "number": "686.667.1706 x12932", "contact_id": 25, "id": 59, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:06Z"}], "is_me": false, "subscriber_id": 0, "street_addresses": [{"lon": null, "city": "West Vestaberg", "zip": "10367-9678", "updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "country": "United States of America", "contact_id": 25, "id": 44, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "1825 Macejkovic Landing", "state": "Indiana", "created_at": "2009-03-24T05:25:06Z"}], "first_name": "Jana", "email_addresses": [], "last_name": "Dickinson", "instant_messenger_addresses": [{"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "service": "MobileMe", "username": "adonis", "contact_id": 25, "id": 61, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "service": "MobileMe", "username": "augustine.doyle", "contact_id": 25, "id": 62, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "service": "MobileMe", "username": "lew", "contact_id": 25, "id": 63, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "service": "MobileMe", "username": "koby", "contact_id": 25, "id": 64, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:06Z"}], "created_at": "2009-03-24T05:25:06Z", "active": true}}, {"contact": {"company": false, "cached_tag_list": "", "web_addresses": [], "updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "title": null, "delta": false, "company_name": null, "id": 26, "created_by_id": null, "phone_numbers": [], "is_me": false, "subscriber_id": 0, "street_addresses": [{"lon": null, "city": "Jazmynville", "zip": "00797-0953", "updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "country": "United States of America", "contact_id": 26, "id": 45, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "39924 Filiberto Lane", "state": "Indiana", "created_at": "2009-03-24T05:25:06Z"}, {"lon": null, "city": "Herminioborough", "zip": "77379-3167", "updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "country": "United States of America", "contact_id": 26, "id": 46, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "3151 Clay Haven", "state": "Pennsylvania", "created_at": "2009-03-24T05:25:06Z"}], "first_name": "Reanna", "email_addresses": [{"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "contact_id": 26, "id": 57, "created_by_id": null, "subscriber_id": 0, "address": "darian_kemmer@bashirian.uk", "created_at": "2009-03-24T05:25:06Z"}], "last_name": "Emmerich", "instant_messenger_addresses": [{"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "service": "MobileMe", "username": "lessie", "contact_id": 26, "id": 65, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "service": "MobileMe", "username": "joy", "contact_id": 26, "id": 66, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "service": "MobileMe", "username": "annabel_adams", "contact_id": 26, "id": 67, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:06Z"}], "created_at": "2009-03-24T05:25:06Z", "active": true}}, {"contact": {"company": false, "cached_tag_list": "", "web_addresses": [], "updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "title": null, "delta": false, "company_name": null, "id": 27, "created_by_id": null, "phone_numbers": [{"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "number": "859.354.0195 x26895", "contact_id": 27, "id": 60, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:06Z"}], "is_me": false, "subscriber_id": 0, "street_addresses": [{"lon": null, "city": "New Reynold", "zip": "39706", "updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "country": "United States of America", "contact_id": 27, "id": 47, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "91470 Heaney Green", "state": "Virginia", "created_at": "2009-03-24T05:25:06Z"}], "first_name": "Kamron", "email_addresses": [{"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "contact_id": 27, "id": 58, "created_by_id": null, "subscriber_id": 0, "address": "cleta.price@stantonsimonis.name", "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "contact_id": 27, "id": 59, "created_by_id": null, "subscriber_id": 0, "address": "brennon_mayert@walsh.com", "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "contact_id": 27, "id": 60, "created_by_id": null, "subscriber_id": 0, "address": "rose@becker.ca", "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "contact_id": 27, "id": 61, "created_by_id": null, "subscriber_id": 0, "address": "lew.oconnell@hoppe.name", "created_at": "2009-03-24T05:25:06Z"}], "last_name": "Heller", "instant_messenger_addresses": [{"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "service": "MobileMe", "username": "bridget", "contact_id": 27, "id": 68, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "service": "MobileMe", "username": "vernie.langworth", "contact_id": 27, "id": 69, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "service": "MobileMe", "username": "crystal", "contact_id": 27, "id": 70, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "service": "MobileMe", "username": "kyra", "contact_id": 27, "id": 71, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:06Z"}], "created_at": "2009-03-24T05:25:06Z", "active": true}}, {"contact": {"company": false, "cached_tag_list": "", "web_addresses": [], "updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "title": null, "delta": false, "company_name": null, "id": 28, "created_by_id": null, "phone_numbers": [{"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "number": "953-168-5856", "contact_id": 28, "id": 61, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "number": "1-460-636-7789 x6458", "contact_id": 28, "id": 62, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "number": "142-915-0402 x6822", "contact_id": 28, "id": 63, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "number": "903.037.7937 x2086", "contact_id": 28, "id": 64, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:06Z"}], "is_me": false, "subscriber_id": 0, "street_addresses": [], "first_name": "Amalia", "email_addresses": [{"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "contact_id": 28, "id": 62, "created_by_id": null, "subscriber_id": 0, "address": "chaya@oconnerkris.biz", "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "contact_id": 28, "id": 63, "created_by_id": null, "subscriber_id": 0, "address": "kurtis_bechtelar@heidenreich.co.uk", "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "contact_id": 28, "id": 64, "created_by_id": null, "subscriber_id": 0, "address": "jayce@miller.us", "created_at": "2009-03-24T05:25:06Z"}], "last_name": "Nolan", "instant_messenger_addresses": [{"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "service": "MobileMe", "username": "dorris", "contact_id": 28, "id": 72, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "service": "MobileMe", "username": "sydnee", "contact_id": 28, "id": 73, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "service": "MobileMe", "username": "nova.jakubowski", "contact_id": 28, "id": 74, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:06Z"}], "created_at": "2009-03-24T05:25:06Z", "active": true}}, {"contact": {"company": false, "cached_tag_list": "", "web_addresses": [], "updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "title": null, "delta": false, "company_name": null, "id": 29, "created_by_id": null, "phone_numbers": [{"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "number": "113-249-6358 x92848", "contact_id": 29, "id": 65, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:06Z"}], "is_me": false, "subscriber_id": 0, "street_addresses": [], "first_name": "Lindsey", "email_addresses": [{"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "contact_id": 29, "id": 65, "created_by_id": null, "subscriber_id": 0, "address": "xander@morar.name", "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "contact_id": 29, "id": 66, "created_by_id": null, "subscriber_id": 0, "address": "justina_franecki@batz.us", "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "contact_id": 29, "id": 67, "created_by_id": null, "subscriber_id": 0, "address": "kyleigh_halvorson@gorczany.biz", "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "contact_id": 29, "id": 68, "created_by_id": null, "subscriber_id": 0, "address": "cayla_jacobson@lesch.info", "created_at": "2009-03-24T05:25:06Z"}], "last_name": "Breitenberg", "instant_messenger_addresses": [], "created_at": "2009-03-24T05:25:06Z", "active": true}}, {"contact": {"company": false, "cached_tag_list": "", "web_addresses": [{"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "contact_id": 30, "id": 46, "created_by_id": null, "subscriber_id": 0, "address": "http://dooleystreich.uk/", "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "contact_id": 30, "id": 47, "created_by_id": null, "subscriber_id": 0, "address": "http://prosaccobalistreri.info/", "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "contact_id": 30, "id": 48, "created_by_id": null, "subscriber_id": 0, "address": "http://lind.name/", "created_at": "2009-03-24T05:25:06Z"}], "updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "title": null, "delta": false, "company_name": null, "id": 30, "created_by_id": null, "phone_numbers": [{"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "number": "1-477-443-8641 x224", "contact_id": 30, "id": 66, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "number": "785-607-7334 x57740", "contact_id": 30, "id": 67, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:06Z"}], "is_me": false, "subscriber_id": 0, "street_addresses": [{"lon": null, "city": "Hirtheview", "zip": "92451", "updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "country": "United States of America", "contact_id": 30, "id": 48, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "6797 Kaycee Streets", "state": "South Carolina", "created_at": "2009-03-24T05:25:06Z"}, {"lon": null, "city": "Tillmantown", "zip": "32258", "updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "country": "United States of America", "contact_id": 30, "id": 49, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "38961 Von Port", "state": "Indiana", "created_at": "2009-03-24T05:25:06Z"}], "first_name": "Rick", "email_addresses": [{"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "contact_id": 30, "id": 69, "created_by_id": null, "subscriber_id": 0, "address": "amelie.volkman@schaefer.uk", "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "contact_id": 30, "id": 70, "created_by_id": null, "subscriber_id": 0, "address": "sophia.friesen@sanford.com", "created_at": "2009-03-24T05:25:06Z"}], "last_name": "Hilpert", "instant_messenger_addresses": [{"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "service": "MobileMe", "username": "sincere", "contact_id": 30, "id": 75, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "service": "MobileMe", "username": "carlos", "contact_id": 30, "id": 76, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "service": "MobileMe", "username": "miller.sauer", "contact_id": 30, "id": 77, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:06Z"}], "created_at": "2009-03-24T05:25:06Z", "active": true}}, {"contact": {"company": false, "cached_tag_list": "", "web_addresses": [{"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "contact_id": 31, "id": 49, "created_by_id": null, "subscriber_id": 0, "address": "http://gleichner.biz/", "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "contact_id": 31, "id": 50, "created_by_id": null, "subscriber_id": 0, "address": "http://corkerymurazik.ca/", "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "contact_id": 31, "id": 51, "created_by_id": null, "subscriber_id": 0, "address": "http://kuhnsmith.us/", "created_at": "2009-03-24T05:25:06Z"}], "updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "title": null, "delta": false, "company_name": null, "id": 31, "created_by_id": null, "phone_numbers": [], "is_me": false, "subscriber_id": 0, "street_addresses": [{"lon": null, "city": "South Kyle", "zip": "25637", "updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "country": "United States of America", "contact_id": 31, "id": 50, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "476 Kirk Stream", "state": "Tennessee", "created_at": "2009-03-24T05:25:06Z"}, {"lon": null, "city": "Carafurt", "zip": "37946", "updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "country": "United States of America", "contact_id": 31, "id": 51, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "581 Lionel Dam", "state": "Colorado", "created_at": "2009-03-24T05:25:06Z"}, {"lon": null, "city": "Wilkinsonton", "zip": "82221-6315", "updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "country": "United States of America", "contact_id": 31, "id": 52, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "096 Carole Wells", "state": "Pennsylvania", "created_at": "2009-03-24T05:25:06Z"}], "first_name": "Rebeca", "email_addresses": [{"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "contact_id": 31, "id": 71, "created_by_id": null, "subscriber_id": 0, "address": "michele_sporer@mills.co.uk", "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "contact_id": 31, "id": 72, "created_by_id": null, "subscriber_id": 0, "address": "lindsay@upton.name", "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "contact_id": 31, "id": 73, "created_by_id": null, "subscriber_id": 0, "address": "kelsie_bosco@darelangosh.biz", "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "contact_id": 31, "id": 74, "created_by_id": null, "subscriber_id": 0, "address": "teresa@bahringerabbott.info", "created_at": "2009-03-24T05:25:06Z"}], "last_name": "Dooley", "instant_messenger_addresses": [{"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "service": "MobileMe", "username": "meagan.kohler", "contact_id": 31, "id": 78, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "service": "MobileMe", "username": "dannie_kirlin", "contact_id": 31, "id": 79, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:06Z"}], "created_at": "2009-03-24T05:25:06Z", "active": true}}, {"contact": {"company": false, "cached_tag_list": "", "web_addresses": [{"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "contact_id": 32, "id": 52, "created_by_id": null, "subscriber_id": 0, "address": "http://blicksmitham.biz/", "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "contact_id": 32, "id": 53, "created_by_id": null, "subscriber_id": 0, "address": "http://oreillykutch.co.uk/", "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "contact_id": 32, "id": 54, "created_by_id": null, "subscriber_id": 0, "address": "http://pfeffer.us/", "created_at": "2009-03-24T05:25:06Z"}], "updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "title": null, "delta": false, "company_name": null, "id": 32, "created_by_id": null, "phone_numbers": [{"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "number": "973.679.8726", "contact_id": 32, "id": 68, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "number": "535-952-5388 x258", "contact_id": 32, "id": 69, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "number": "805.812.1501", "contact_id": 32, "id": 70, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "number": "(000)866-0904", "contact_id": 32, "id": 71, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:06Z"}], "is_me": false, "subscriber_id": 0, "street_addresses": [{"lon": null, "city": "North Duncan", "zip": "75863-4321", "updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "country": "United States of America", "contact_id": 32, "id": 53, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "125 Nienow Streets", "state": "Colorado", "created_at": "2009-03-24T05:25:06Z"}], "first_name": "Carrie", "email_addresses": [{"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "contact_id": 32, "id": 75, "created_by_id": null, "subscriber_id": 0, "address": "glennie@feeney.uk", "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "contact_id": 32, "id": 76, "created_by_id": null, "subscriber_id": 0, "address": "rico.reilly@howe.us", "created_at": "2009-03-24T05:25:06Z"}], "last_name": "Raynor", "instant_messenger_addresses": [{"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "service": "MobileMe", "username": "ryleigh.johnson", "contact_id": 32, "id": 80, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "service": "MobileMe", "username": "alisha_romaguera", "contact_id": 32, "id": 81, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:06Z"}], "created_at": "2009-03-24T05:25:06Z", "active": true}}, {"contact": {"company": false, "cached_tag_list": "", "web_addresses": [{"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "contact_id": 33, "id": 55, "created_by_id": null, "subscriber_id": 0, "address": "http://nikolaus.biz/", "created_at": "2009-03-24T05:25:06Z"}], "updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "title": null, "delta": false, "company_name": null, "id": 33, "created_by_id": null, "phone_numbers": [{"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "number": "059.433.8118 x6758", "contact_id": 33, "id": 72, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:06Z"}], "is_me": false, "subscriber_id": 0, "street_addresses": [{"lon": null, "city": "Rauview", "zip": "54427", "updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "country": "United States of America", "contact_id": 33, "id": 54, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "64106 Goyette Trace", "state": "South Dakota", "created_at": "2009-03-24T05:25:06Z"}, {"lon": null, "city": "West Monique", "zip": "79231-6131", "updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "country": "United States of America", "contact_id": 33, "id": 55, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "15203 Heaven Route", "state": "Georgia", "created_at": "2009-03-24T05:25:06Z"}], "first_name": "Sarina", "email_addresses": [], "last_name": "Crona", "instant_messenger_addresses": [{"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "service": "MobileMe", "username": "treva.fahey", "contact_id": 33, "id": 82, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "service": "MobileMe", "username": "zachery", "contact_id": 33, "id": 83, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:06Z"}], "created_at": "2009-03-24T05:25:06Z", "active": true}}, {"contact": {"company": false, "cached_tag_list": "", "web_addresses": [{"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "contact_id": 34, "id": 56, "created_by_id": null, "subscriber_id": 0, "address": "http://crooks.biz/", "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "contact_id": 34, "id": 57, "created_by_id": null, "subscriber_id": 0, "address": "http://conroy.co.uk/", "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "contact_id": 34, "id": 58, "created_by_id": null, "subscriber_id": 0, "address": "http://bartell.ca/", "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "contact_id": 34, "id": 59, "created_by_id": null, "subscriber_id": 0, "address": "http://doyle.name/", "created_at": "2009-03-24T05:25:06Z"}], "updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "title": null, "delta": false, "company_name": null, "id": 34, "created_by_id": null, "phone_numbers": [{"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "number": "045.066.7984 x274", "contact_id": 34, "id": 73, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "number": "301-263-8387", "contact_id": 34, "id": 74, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:06Z"}], "is_me": false, "subscriber_id": 0, "street_addresses": [{"lon": null, "city": "Liamstad", "zip": "70428-1482", "updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "country": "United States of America", "contact_id": 34, "id": 56, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "794 Kamren Glens", "state": "Ohio", "created_at": "2009-03-24T05:25:06Z"}, {"lon": null, "city": "Port Price", "zip": "20749", "updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "country": "United States of America", "contact_id": 34, "id": 57, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "386 Wendell Fall", "state": "New Hampshire", "created_at": "2009-03-24T05:25:06Z"}, {"lon": null, "city": "Lake Augustfort", "zip": "75861", "updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "country": "United States of America", "contact_id": 34, "id": 58, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "78447 Kunde Vista", "state": "South Dakota", "created_at": "2009-03-24T05:25:06Z"}], "first_name": "Jennie", "email_addresses": [], "last_name": "Hartmann", "instant_messenger_addresses": [{"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "service": "MobileMe", "username": "lucio", "contact_id": 34, "id": 84, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "service": "MobileMe", "username": "simone.harber", "contact_id": 34, "id": 85, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "service": "MobileMe", "username": "heaven", "contact_id": 34, "id": 86, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "service": "MobileMe", "username": "rashawn", "contact_id": 34, "id": 87, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:06Z"}], "created_at": "2009-03-24T05:25:06Z", "active": true}}, {"contact": {"company": false, "cached_tag_list": "", "web_addresses": [{"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "contact_id": 35, "id": 60, "created_by_id": null, "subscriber_id": 0, "address": "http://ernserkeeling.us/", "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "contact_id": 35, "id": 61, "created_by_id": null, "subscriber_id": 0, "address": "http://conroy.info/", "created_at": "2009-03-24T05:25:06Z"}], "updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "title": null, "delta": false, "company_name": null, "id": 35, "created_by_id": null, "phone_numbers": [{"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "number": "254.564.3393", "contact_id": 35, "id": 75, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:06Z"}], "is_me": false, "subscriber_id": 0, "street_addresses": [], "first_name": "Evans", "email_addresses": [{"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "contact_id": 35, "id": 77, "created_by_id": null, "subscriber_id": 0, "address": "isai_cassin@rowe.co.uk", "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "contact_id": 35, "id": 78, "created_by_id": null, "subscriber_id": 0, "address": "fred@labadie.co.uk", "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "contact_id": 35, "id": 79, "created_by_id": null, "subscriber_id": 0, "address": "karson.pacocha@leffler.name", "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "contact_id": 35, "id": 80, "created_by_id": null, "subscriber_id": 0, "address": "bridgette@johnstonkeebler.com", "created_at": "2009-03-24T05:25:06Z"}], "last_name": "Fadel", "instant_messenger_addresses": [{"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "service": "MobileMe", "username": "crystel.bruen", "contact_id": 35, "id": 88, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "service": "MobileMe", "username": "abelardo.deckow", "contact_id": 35, "id": 89, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:06Z"}], "created_at": "2009-03-24T05:25:06Z", "active": true}}, {"contact": {"company": false, "cached_tag_list": "", "web_addresses": [{"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "contact_id": 36, "id": 62, "created_by_id": null, "subscriber_id": 0, "address": "http://gleichnerbergstrom.uk/", "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "contact_id": 36, "id": 63, "created_by_id": null, "subscriber_id": 0, "address": "http://okuneva.uk/", "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "contact_id": 36, "id": 64, "created_by_id": null, "subscriber_id": 0, "address": "http://wiza.com/", "created_at": "2009-03-24T05:25:06Z"}], "updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "title": null, "delta": false, "company_name": null, "id": 36, "created_by_id": null, "phone_numbers": [{"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "number": "(313)715-1281 x67586", "contact_id": 36, "id": 76, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:06Z"}], "is_me": false, "subscriber_id": 0, "street_addresses": [], "first_name": "Oscar", "email_addresses": [], "last_name": "Rice", "instant_messenger_addresses": [{"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "service": "MobileMe", "username": "raphaelle.renner", "contact_id": 36, "id": 90, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:06Z"}], "created_at": "2009-03-24T05:25:06Z", "active": true}}, {"contact": {"company": false, "cached_tag_list": "", "web_addresses": [{"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "contact_id": 37, "id": 65, "created_by_id": null, "subscriber_id": 0, "address": "http://treutel.ca/", "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "contact_id": 37, "id": 66, "created_by_id": null, "subscriber_id": 0, "address": "http://torp.biz/", "created_at": "2009-03-24T05:25:06Z"}], "updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "title": null, "delta": false, "company_name": null, "id": 37, "created_by_id": null, "phone_numbers": [{"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "number": "831-771-5717 x667", "contact_id": 37, "id": 77, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:06Z"}], "is_me": false, "subscriber_id": 0, "street_addresses": [{"lon": null, "city": "Glennieview", "zip": "23339-1414", "updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "country": "United States of America", "contact_id": 37, "id": 59, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "14029 Reichel Islands", "state": "New Jersey", "created_at": "2009-03-24T05:25:06Z"}, {"lon": null, "city": "West Hershel", "zip": "67101-9164", "updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "country": "United States of America", "contact_id": 37, "id": 60, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "005 Sallie Pike", "state": "South Carolina", "created_at": "2009-03-24T05:25:06Z"}, {"lon": null, "city": "West Margaretview", "zip": "68014", "updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "country": "United States of America", "contact_id": 37, "id": 61, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "5683 Jan Springs", "state": "Missouri", "created_at": "2009-03-24T05:25:06Z"}], "first_name": "Ernie", "email_addresses": [{"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "contact_id": 37, "id": 81, "created_by_id": null, "subscriber_id": 0, "address": "monty.ohara@schulist.co.uk", "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "contact_id": 37, "id": 82, "created_by_id": null, "subscriber_id": 0, "address": "tracy@boyer.biz", "created_at": "2009-03-24T05:25:06Z"}], "last_name": "Borer", "instant_messenger_addresses": [{"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "service": "MobileMe", "username": "nikolas", "contact_id": 37, "id": 91, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "service": "MobileMe", "username": "joel", "contact_id": 37, "id": 92, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "service": "MobileMe", "username": "cleve_herzog", "contact_id": 37, "id": 93, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:06Z"}], "created_at": "2009-03-24T05:25:06Z", "active": true}}, {"contact": {"company": false, "cached_tag_list": "", "web_addresses": [{"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "contact_id": 38, "id": 67, "created_by_id": null, "subscriber_id": 0, "address": "http://purdy.biz/", "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "contact_id": 38, "id": 68, "created_by_id": null, "subscriber_id": 0, "address": "http://davisschmitt.biz/", "created_at": "2009-03-24T05:25:06Z"}], "updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "title": null, "delta": false, "company_name": null, "id": 38, "created_by_id": null, "phone_numbers": [{"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "number": "1-618-612-6222 x1590", "contact_id": 38, "id": 78, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "number": "(548)144-4161 x326", "contact_id": 38, "id": 79, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "number": "1-576-537-7841", "contact_id": 38, "id": 80, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:06Z"}], "is_me": false, "subscriber_id": 0, "street_addresses": [], "first_name": "Ubaldo", "email_addresses": [], "last_name": "Rau", "instant_messenger_addresses": [{"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "service": "MobileMe", "username": "ferne.oberbrunner", "contact_id": 38, "id": 94, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "service": "MobileMe", "username": "allie.okeefe", "contact_id": 38, "id": 95, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "service": "MobileMe", "username": "weston", "contact_id": 38, "id": 96, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:06Z"}], "created_at": "2009-03-24T05:25:06Z", "active": true}}, {"contact": {"company": false, "cached_tag_list": "", "web_addresses": [{"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "contact_id": 39, "id": 69, "created_by_id": null, "subscriber_id": 0, "address": "http://block.ca/", "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "contact_id": 39, "id": 70, "created_by_id": null, "subscriber_id": 0, "address": "http://nienow.uk/", "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "contact_id": 39, "id": 71, "created_by_id": null, "subscriber_id": 0, "address": "http://franeckiwalter.co.uk/", "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "contact_id": 39, "id": 72, "created_by_id": null, "subscriber_id": 0, "address": "http://marquardtturner.co.uk/", "created_at": "2009-03-24T05:25:06Z"}], "updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "title": null, "delta": false, "company_name": null, "id": 39, "created_by_id": null, "phone_numbers": [{"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "number": "799-789-4778", "contact_id": 39, "id": 81, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "number": "837-128-6228 x8247", "contact_id": 39, "id": 82, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "number": "1-641-522-9935", "contact_id": 39, "id": 83, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "number": "1-568-641-8891 x9141", "contact_id": 39, "id": 84, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:06Z"}], "is_me": false, "subscriber_id": 0, "street_addresses": [{"lon": null, "city": "Carterport", "zip": "09754-2303", "updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "country": "United States of America", "contact_id": 39, "id": 62, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "2913 Nienow Mill", "state": "Oklahoma", "created_at": "2009-03-24T05:25:06Z"}, {"lon": null, "city": "Rocioville", "zip": "99688-4645", "updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "country": "United States of America", "contact_id": 39, "id": 63, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "56909 Jakubowski Court", "state": "Ohio", "created_at": "2009-03-24T05:25:06Z"}, {"lon": null, "city": "Champlintown", "zip": "75582-5043", "updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "country": "United States of America", "contact_id": 39, "id": 64, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "68740 Mayert Corner", "state": "South Dakota", "created_at": "2009-03-24T05:25:06Z"}], "first_name": "Kirstin", "email_addresses": [{"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "contact_id": 39, "id": 83, "created_by_id": null, "subscriber_id": 0, "address": "brendon@mayert.us", "created_at": "2009-03-24T05:25:06Z"}], "last_name": "Legros", "instant_messenger_addresses": [{"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "service": "MobileMe", "username": "dayne_hackett", "contact_id": 39, "id": 97, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "service": "MobileMe", "username": "jeramy.brekke", "contact_id": 39, "id": 98, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "service": "MobileMe", "username": "kristian", "contact_id": 39, "id": 99, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:06Z"}], "created_at": "2009-03-24T05:25:06Z", "active": true}}, {"contact": {"company": false, "cached_tag_list": "", "web_addresses": [{"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "contact_id": 40, "id": 73, "created_by_id": null, "subscriber_id": 0, "address": "http://emmerich.ca/", "created_at": "2009-03-24T05:25:06Z"}], "updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "title": null, "delta": false, "company_name": null, "id": 40, "created_by_id": null, "phone_numbers": [{"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "number": "(918)244-6002 x13254", "contact_id": 40, "id": 85, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "number": "(326)488-7774 x898", "contact_id": 40, "id": 86, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "number": "235-458-2563 x2579", "contact_id": 40, "id": 87, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:06Z"}], "is_me": false, "subscriber_id": 0, "street_addresses": [{"lon": null, "city": "Port Marianne", "zip": "44145-5911", "updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "country": "United States of America", "contact_id": 40, "id": 65, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "35075 Skye Canyon", "state": "South Dakota", "created_at": "2009-03-24T05:25:06Z"}, {"lon": null, "city": "West Josianefort", "zip": "19978", "updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "country": "United States of America", "contact_id": 40, "id": 66, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "39169 Watsica Roads", "state": "Tennessee", "created_at": "2009-03-24T05:25:06Z"}], "first_name": "Georgianna", "email_addresses": [{"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "contact_id": 40, "id": 84, "created_by_id": null, "subscriber_id": 0, "address": "stan@altenwerth.us", "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "contact_id": 40, "id": 85, "created_by_id": null, "subscriber_id": 0, "address": "devon.kuvalis@vandervort.biz", "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "contact_id": 40, "id": 86, "created_by_id": null, "subscriber_id": 0, "address": "roger.gusikowski@zulauf.uk", "created_at": "2009-03-24T05:25:06Z"}], "last_name": "Cartwright", "instant_messenger_addresses": [], "created_at": "2009-03-24T05:25:06Z", "active": true}}, {"contact": {"company": false, "cached_tag_list": "", "web_addresses": [{"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "contact_id": 41, "id": 74, "created_by_id": null, "subscriber_id": 0, "address": "http://homenick.uk/", "created_at": "2009-03-24T05:25:06Z"}], "updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "title": null, "delta": false, "company_name": null, "id": 41, "created_by_id": null, "phone_numbers": [{"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "number": "691-044-3254 x530", "contact_id": 41, "id": 88, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "number": "(582)708-9909 x2523", "contact_id": 41, "id": 89, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "number": "1-338-594-0116", "contact_id": 41, "id": 90, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "number": "816.702.3774", "contact_id": 41, "id": 91, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:06Z"}], "is_me": false, "subscriber_id": 0, "street_addresses": [{"lon": null, "city": "Port Kameronville", "zip": "77527-4776", "updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "country": "United States of America", "contact_id": 41, "id": 67, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "6742 O'Kon Point", "state": "Nevada", "created_at": "2009-03-24T05:25:06Z"}, {"lon": null, "city": "Coraside", "zip": "26642-2532", "updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "country": "United States of America", "contact_id": 41, "id": 68, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "8231 White Keys", "state": "Missouri", "created_at": "2009-03-24T05:25:06Z"}, {"lon": null, "city": "North Hillard", "zip": "82631-6450", "updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "country": "United States of America", "contact_id": 41, "id": 69, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "64782 Wisoky Stravenue", "state": "South Dakota", "created_at": "2009-03-24T05:25:06Z"}], "first_name": "Tyree", "email_addresses": [{"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "contact_id": 41, "id": 87, "created_by_id": null, "subscriber_id": 0, "address": "tevin.quitzon@littelskiles.co.uk", "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "contact_id": 41, "id": 88, "created_by_id": null, "subscriber_id": 0, "address": "lennie.miller@glover.co.uk", "created_at": "2009-03-24T05:25:06Z"}], "last_name": "Flatley", "instant_messenger_addresses": [{"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "service": "MobileMe", "username": "phoebe", "contact_id": 41, "id": 100, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:06Z"}], "created_at": "2009-03-24T05:25:06Z", "active": true}}, {"contact": {"company": false, "cached_tag_list": "", "web_addresses": [{"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "contact_id": 42, "id": 75, "created_by_id": null, "subscriber_id": 0, "address": "http://bashirian.ca/", "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "contact_id": 42, "id": 76, "created_by_id": null, "subscriber_id": 0, "address": "http://mertzcartwright.uk/", "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "contact_id": 42, "id": 77, "created_by_id": null, "subscriber_id": 0, "address": "http://denesik.name/", "created_at": "2009-03-24T05:25:06Z"}], "updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "title": null, "delta": false, "company_name": null, "id": 42, "created_by_id": null, "phone_numbers": [{"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "number": "991.813.3694 x660", "contact_id": 42, "id": 92, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "number": "1-536-853-8976 x2458", "contact_id": 42, "id": 93, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "number": "322.472.0955", "contact_id": 42, "id": 94, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:06Z"}], "is_me": false, "subscriber_id": 0, "street_addresses": [{"lon": null, "city": "South Luz", "zip": "13702", "updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "country": "United States of America", "contact_id": 42, "id": 70, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "8262 Kianna Summit", "state": "New Jersey", "created_at": "2009-03-24T05:25:06Z"}], "first_name": "Harmony", "email_addresses": [{"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "contact_id": 42, "id": 89, "created_by_id": null, "subscriber_id": 0, "address": "chanel@haag.co.uk", "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "contact_id": 42, "id": 90, "created_by_id": null, "subscriber_id": 0, "address": "maritza.feest@reillylangosh.biz", "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "contact_id": 42, "id": 91, "created_by_id": null, "subscriber_id": 0, "address": "presley.veum@lindgren.uk", "created_at": "2009-03-24T05:25:06Z"}], "last_name": "Kohler", "instant_messenger_addresses": [{"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "service": "MobileMe", "username": "hugh", "contact_id": 42, "id": 101, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "service": "MobileMe", "username": "gilbert.veum", "contact_id": 42, "id": 102, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "service": "MobileMe", "username": "elsa_leannon", "contact_id": 42, "id": 103, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:06Z"}], "created_at": "2009-03-24T05:25:06Z", "active": true}}, {"contact": {"company": false, "cached_tag_list": "", "web_addresses": [{"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "contact_id": 43, "id": 78, "created_by_id": null, "subscriber_id": 0, "address": "http://cormier.ca/", "created_at": "2009-03-24T05:25:06Z"}], "updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "title": null, "delta": false, "company_name": null, "id": 43, "created_by_id": null, "phone_numbers": [{"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "number": "075-580-4726", "contact_id": 43, "id": 95, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "number": "260.310.7451", "contact_id": 43, "id": 96, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:06Z"}], "is_me": false, "subscriber_id": 0, "street_addresses": [{"lon": null, "city": "West Albin", "zip": "73305-9354", "updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "country": "United States of America", "contact_id": 43, "id": 71, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "5856 Volkman Knolls", "state": "Kentucky", "created_at": "2009-03-24T05:25:06Z"}], "first_name": "Marianne", "email_addresses": [{"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "contact_id": 43, "id": 92, "created_by_id": null, "subscriber_id": 0, "address": "terrance.schmidt@hauck.us", "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "contact_id": 43, "id": 93, "created_by_id": null, "subscriber_id": 0, "address": "brook@labadie.ca", "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "contact_id": 43, "id": 94, "created_by_id": null, "subscriber_id": 0, "address": "lilly.kilback@klein.name", "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "contact_id": 43, "id": 95, "created_by_id": null, "subscriber_id": 0, "address": "tristin@kutch.co.uk", "created_at": "2009-03-24T05:25:06Z"}], "last_name": "Simonis", "instant_messenger_addresses": [{"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "service": "MobileMe", "username": "daphnee.nicolas", "contact_id": 43, "id": 104, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "service": "MobileMe", "username": "abdiel_hoeger", "contact_id": 43, "id": 105, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "service": "MobileMe", "username": "eloisa", "contact_id": 43, "id": 106, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:06Z"}], "created_at": "2009-03-24T05:25:06Z", "active": true}}, {"contact": {"company": false, "cached_tag_list": "", "web_addresses": [{"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "contact_id": 44, "id": 79, "created_by_id": null, "subscriber_id": 0, "address": "http://tillmanvandervort.biz/", "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "contact_id": 44, "id": 80, "created_by_id": null, "subscriber_id": 0, "address": "http://miller.us/", "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "contact_id": 44, "id": 81, "created_by_id": null, "subscriber_id": 0, "address": "http://langosh.com/", "created_at": "2009-03-24T05:25:06Z"}], "updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "title": null, "delta": false, "company_name": null, "id": 44, "created_by_id": null, "phone_numbers": [{"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "number": "1-695-292-2065 x140", "contact_id": 44, "id": 97, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "number": "600.027.6713 x70410", "contact_id": 44, "id": 98, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "number": "637.146.0155 x198", "contact_id": 44, "id": 99, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:06Z"}], "is_me": false, "subscriber_id": 0, "street_addresses": [{"lon": null, "city": "Weimannchester", "zip": "00810-9473", "updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "country": "United States of America", "contact_id": 44, "id": 72, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "484 Bogan Run", "state": "Utah", "created_at": "2009-03-24T05:25:06Z"}], "first_name": "Kiel", "email_addresses": [{"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "contact_id": 44, "id": 96, "created_by_id": null, "subscriber_id": 0, "address": "jarred@osinskiblick.info", "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "contact_id": 44, "id": 97, "created_by_id": null, "subscriber_id": 0, "address": "queenie@bednarklein.com", "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "contact_id": 44, "id": 98, "created_by_id": null, "subscriber_id": 0, "address": "vilma_heaney@blanda.com", "created_at": "2009-03-24T05:25:06Z"}], "last_name": "Hauck", "instant_messenger_addresses": [], "created_at": "2009-03-24T05:25:06Z", "active": true}}, {"contact": {"company": false, "cached_tag_list": "", "web_addresses": [{"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "contact_id": 45, "id": 82, "created_by_id": null, "subscriber_id": 0, "address": "http://aufderhar.info/", "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "contact_id": 45, "id": 83, "created_by_id": null, "subscriber_id": 0, "address": "http://gibson.name/", "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "contact_id": 45, "id": 84, "created_by_id": null, "subscriber_id": 0, "address": "http://cartwright.ca/", "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "contact_id": 45, "id": 85, "created_by_id": null, "subscriber_id": 0, "address": "http://cremin.uk/", "created_at": "2009-03-24T05:25:06Z"}], "updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "title": null, "delta": false, "company_name": null, "id": 45, "created_by_id": null, "phone_numbers": [{"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "number": "534.623.3129", "contact_id": 45, "id": 100, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "number": "(114)805-2985 x04720", "contact_id": 45, "id": 101, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:06Z"}], "is_me": false, "subscriber_id": 0, "street_addresses": [{"lon": null, "city": "North Kanemouth", "zip": "40011-8934", "updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "country": "United States of America", "contact_id": 45, "id": 73, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "150 Audrey Meadows", "state": "Vermont", "created_at": "2009-03-24T05:25:06Z"}, {"lon": null, "city": "Torranceside", "zip": "22137-6616", "updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "country": "United States of America", "contact_id": 45, "id": 74, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "523 Cleveland Lakes", "state": "Wisconsin", "created_at": "2009-03-24T05:25:06Z"}, {"lon": null, "city": "East Ransomview", "zip": "62012-0539", "updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "country": "United States of America", "contact_id": 45, "id": 75, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "23317 Kacey Stream", "state": "Michigan", "created_at": "2009-03-24T05:25:06Z"}], "first_name": "Jaren", "email_addresses": [], "last_name": "Ziemann", "instant_messenger_addresses": [{"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "service": "MobileMe", "username": "kelli_lehner", "contact_id": 45, "id": 107, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "service": "MobileMe", "username": "amos", "contact_id": 45, "id": 108, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "service": "MobileMe", "username": "orrin", "contact_id": 45, "id": 109, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:06Z"}], "created_at": "2009-03-24T05:25:06Z", "active": true}}, {"contact": {"company": true, "cached_tag_list": "", "web_addresses": [{"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "contact_id": 46, "id": 86, "created_by_id": null, "subscriber_id": 0, "address": "http://medhurst.ca/", "created_at": "2009-03-24T05:25:06Z"}], "updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "title": null, "delta": false, "company_name": "Becker-Kiehn", "id": 46, "created_by_id": null, "phone_numbers": [{"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "number": "181-873-8103", "contact_id": 46, "id": 102, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "number": "1-702-526-1516", "contact_id": 46, "id": 103, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:06Z"}, {"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "number": "(584)235-7431 x440", "contact_id": 46, "id": 104, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:06Z"}], "is_me": false, "subscriber_id": 0, "street_addresses": [], "first_name": "Daisy", "email_addresses": [{"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "contact_id": 46, "id": 99, "created_by_id": null, "subscriber_id": 0, "address": "manley_rath@carroll.co.uk", "created_at": "2009-03-24T05:25:06Z"}], "last_name": "Christiansen", "instant_messenger_addresses": [{"updated_at": "2009-03-24T05:25:06Z", "updated_by_id": null, "service": "MobileMe", "username": "marcelino", "contact_id": 46, "id": 110, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:06Z"}], "created_at": "2009-03-24T05:25:06Z", "active": true}}, {"contact": {"company": false, "cached_tag_list": "", "web_addresses": [{"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "contact_id": 47, "id": 87, "created_by_id": null, "subscriber_id": 0, "address": "http://kunzegraham.info/", "created_at": "2009-03-24T05:25:07Z"}], "updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "title": null, "delta": false, "company_name": null, "id": 47, "created_by_id": null, "phone_numbers": [{"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "number": "(070)344-5984 x977", "contact_id": 47, "id": 105, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:07Z"}], "is_me": false, "subscriber_id": 0, "street_addresses": [{"lon": null, "city": "West Mallory", "zip": "31490-7764", "updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "country": "United States of America", "contact_id": 47, "id": 76, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "9858 Darian Tunnel", "state": "Iowa", "created_at": "2009-03-24T05:25:07Z"}, {"lon": null, "city": "West Kamerontown", "zip": "77703-3051", "updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "country": "United States of America", "contact_id": 47, "id": 77, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "73231 Casper Via", "state": "Nevada", "created_at": "2009-03-24T05:25:07Z"}, {"lon": null, "city": "McGlynntown", "zip": "74519-7251", "updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "country": "United States of America", "contact_id": 47, "id": 78, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "7533 Edd Knoll", "state": "Utah", "created_at": "2009-03-24T05:25:07Z"}], "first_name": "Chester", "email_addresses": [{"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "contact_id": 47, "id": 100, "created_by_id": null, "subscriber_id": 0, "address": "jeanette_hermiston@kulas.ca", "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "contact_id": 47, "id": 101, "created_by_id": null, "subscriber_id": 0, "address": "jarret@braun.biz", "created_at": "2009-03-24T05:25:07Z"}], "last_name": "Haag", "instant_messenger_addresses": [{"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "service": "MobileMe", "username": "reagan", "contact_id": 47, "id": 111, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "service": "MobileMe", "username": "annie", "contact_id": 47, "id": 112, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "service": "MobileMe", "username": "ethan", "contact_id": 47, "id": 113, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:07Z"}], "created_at": "2009-03-24T05:25:07Z", "active": true}}, {"contact": {"company": false, "cached_tag_list": "", "web_addresses": [{"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "contact_id": 48, "id": 88, "created_by_id": null, "subscriber_id": 0, "address": "http://gulgowski.ca/", "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "contact_id": 48, "id": 89, "created_by_id": null, "subscriber_id": 0, "address": "http://hirthe.uk/", "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "contact_id": 48, "id": 90, "created_by_id": null, "subscriber_id": 0, "address": "http://lebsack.uk/", "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "contact_id": 48, "id": 91, "created_by_id": null, "subscriber_id": 0, "address": "http://schulist.info/", "created_at": "2009-03-24T05:25:07Z"}], "updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "title": null, "delta": false, "company_name": null, "id": 48, "created_by_id": null, "phone_numbers": [{"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "number": "695-923-4960 x491", "contact_id": 48, "id": 106, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "number": "1-972-892-5072 x216", "contact_id": 48, "id": 107, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "number": "894.904.7199 x2812", "contact_id": 48, "id": 108, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:07Z"}], "is_me": false, "subscriber_id": 0, "street_addresses": [{"lon": null, "city": "West Claud", "zip": "59705", "updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "country": "United States of America", "contact_id": 48, "id": 79, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "00805 Tromp Mews", "state": "New Jersey", "created_at": "2009-03-24T05:25:07Z"}], "first_name": "Kaya", "email_addresses": [{"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "contact_id": 48, "id": 102, "created_by_id": null, "subscriber_id": 0, "address": "rafael_orn@crona.co.uk", "created_at": "2009-03-24T05:25:07Z"}], "last_name": "Tromp", "instant_messenger_addresses": [{"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "service": "MobileMe", "username": "aniya", "contact_id": 48, "id": 114, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "service": "MobileMe", "username": "jerald.reinger", "contact_id": 48, "id": 115, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "service": "MobileMe", "username": "micheal", "contact_id": 48, "id": 116, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:07Z"}], "created_at": "2009-03-24T05:25:07Z", "active": true}}, {"contact": {"company": false, "cached_tag_list": "", "web_addresses": [], "updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "title": null, "delta": false, "company_name": null, "id": 49, "created_by_id": null, "phone_numbers": [{"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "number": "(786)959-7653", "contact_id": 49, "id": 109, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "number": "(065)578-2911 x08538", "contact_id": 49, "id": 110, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "number": "403-845-5232 x770", "contact_id": 49, "id": 111, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:07Z"}], "is_me": false, "subscriber_id": 0, "street_addresses": [], "first_name": "Johanna", "email_addresses": [{"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "contact_id": 49, "id": 103, "created_by_id": null, "subscriber_id": 0, "address": "winston@jaskolskicrooks.us", "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "contact_id": 49, "id": 104, "created_by_id": null, "subscriber_id": 0, "address": "bridget@lang.co.uk", "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "contact_id": 49, "id": 105, "created_by_id": null, "subscriber_id": 0, "address": "zakary@danielward.us", "created_at": "2009-03-24T05:25:07Z"}], "last_name": "Moen", "instant_messenger_addresses": [{"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "service": "MobileMe", "username": "candace", "contact_id": 49, "id": 117, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "service": "MobileMe", "username": "furman_feil", "contact_id": 49, "id": 118, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "service": "MobileMe", "username": "rolando_metz", "contact_id": 49, "id": 119, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "service": "MobileMe", "username": "bonita_walsh", "contact_id": 49, "id": 120, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:07Z"}], "created_at": "2009-03-24T05:25:07Z", "active": true}}, {"contact": {"company": false, "cached_tag_list": "", "web_addresses": [{"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "contact_id": 50, "id": 92, "created_by_id": null, "subscriber_id": 0, "address": "http://luettgen.com/", "created_at": "2009-03-24T05:25:07Z"}], "updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "title": null, "delta": false, "company_name": null, "id": 50, "created_by_id": null, "phone_numbers": [], "is_me": false, "subscriber_id": 0, "street_addresses": [{"lon": null, "city": "Lake Myrtie", "zip": "31671", "updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "country": "United States of America", "contact_id": 50, "id": 80, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "384 Abraham Plain", "state": "North Carolina", "created_at": "2009-03-24T05:25:07Z"}], "first_name": "Nick", "email_addresses": [{"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "contact_id": 50, "id": 106, "created_by_id": null, "subscriber_id": 0, "address": "blake.abshire@reingerhane.info", "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "contact_id": 50, "id": 107, "created_by_id": null, "subscriber_id": 0, "address": "nickolas_bergstrom@altenwerthcruickshank.biz", "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "contact_id": 50, "id": 108, "created_by_id": null, "subscriber_id": 0, "address": "norberto.huel@heaney.com", "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "contact_id": 50, "id": 109, "created_by_id": null, "subscriber_id": 0, "address": "elizabeth_funk@weissnat.us", "created_at": "2009-03-24T05:25:07Z"}], "last_name": "Terry", "instant_messenger_addresses": [{"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "service": "MobileMe", "username": "triston.wilkinson", "contact_id": 50, "id": 121, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "service": "MobileMe", "username": "maxime", "contact_id": 50, "id": 122, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "service": "MobileMe", "username": "daren", "contact_id": 50, "id": 123, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:07Z"}], "created_at": "2009-03-24T05:25:07Z", "active": true}}, {"contact": {"company": false, "cached_tag_list": "", "web_addresses": [], "updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "title": null, "delta": false, "company_name": null, "id": 51, "created_by_id": null, "phone_numbers": [], "is_me": false, "subscriber_id": 0, "street_addresses": [{"lon": null, "city": "South Cole", "zip": "19411", "updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "country": "United States of America", "contact_id": 51, "id": 81, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "896 Stanton Lights", "state": "Florida", "created_at": "2009-03-24T05:25:07Z"}, {"lon": null, "city": "O'Konfurt", "zip": "58380-4667", "updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "country": "United States of America", "contact_id": 51, "id": 82, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "6462 Waino Ramp", "state": "North Carolina", "created_at": "2009-03-24T05:25:07Z"}, {"lon": null, "city": "Makaylamouth", "zip": "99422", "updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "country": "United States of America", "contact_id": 51, "id": 83, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "52946 Reynolds Stream", "state": "Alabama", "created_at": "2009-03-24T05:25:07Z"}], "first_name": "Kristy", "email_addresses": [{"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "contact_id": 51, "id": 110, "created_by_id": null, "subscriber_id": 0, "address": "ryan_rolfson@altenwerth.com", "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "contact_id": 51, "id": 111, "created_by_id": null, "subscriber_id": 0, "address": "pearlie.hagenes@lang.co.uk", "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "contact_id": 51, "id": 112, "created_by_id": null, "subscriber_id": 0, "address": "bernadine.mills@mcglynn.name", "created_at": "2009-03-24T05:25:07Z"}], "last_name": "Stanton", "instant_messenger_addresses": [{"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "service": "MobileMe", "username": "caitlyn", "contact_id": 51, "id": 124, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:07Z"}], "created_at": "2009-03-24T05:25:07Z", "active": true}}, {"contact": {"company": false, "cached_tag_list": "", "web_addresses": [], "updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "title": null, "delta": false, "company_name": null, "id": 52, "created_by_id": null, "phone_numbers": [{"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "number": "1-739-269-2534 x218", "contact_id": 52, "id": 112, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "number": "(217)250-5613", "contact_id": 52, "id": 113, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:07Z"}], "is_me": false, "subscriber_id": 0, "street_addresses": [], "first_name": "Kristin", "email_addresses": [{"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "contact_id": 52, "id": 113, "created_by_id": null, "subscriber_id": 0, "address": "frank.hermiston@krislindgren.biz", "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "contact_id": 52, "id": 114, "created_by_id": null, "subscriber_id": 0, "address": "myrtie_treutel@haagwalter.info", "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "contact_id": 52, "id": 115, "created_by_id": null, "subscriber_id": 0, "address": "aurelie_vonrueden@hermanndeckow.name", "created_at": "2009-03-24T05:25:07Z"}], "last_name": "Lind", "instant_messenger_addresses": [{"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "service": "MobileMe", "username": "idell", "contact_id": 52, "id": 125, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "service": "MobileMe", "username": "autumn", "contact_id": 52, "id": 126, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "service": "MobileMe", "username": "dashawn", "contact_id": 52, "id": 127, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:07Z"}], "created_at": "2009-03-24T05:25:07Z", "active": true}}, {"contact": {"company": true, "cached_tag_list": "", "web_addresses": [{"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "contact_id": 53, "id": 93, "created_by_id": null, "subscriber_id": 0, "address": "http://schusterwintheiser.uk/", "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "contact_id": 53, "id": 94, "created_by_id": null, "subscriber_id": 0, "address": "http://prohaskasteuber.name/", "created_at": "2009-03-24T05:25:07Z"}], "updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "title": null, "delta": false, "company_name": "Kunde, Yost and Schamberger", "id": 53, "created_by_id": null, "phone_numbers": [{"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "number": "(245)622-9709 x99362", "contact_id": 53, "id": 114, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:07Z"}], "is_me": false, "subscriber_id": 0, "street_addresses": [{"lon": null, "city": "Leonardoberg", "zip": "39852-7296", "updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "country": "United States of America", "contact_id": 53, "id": 84, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "90079 Ariel Turnpike", "state": "Arkansas", "created_at": "2009-03-24T05:25:07Z"}], "first_name": "Treva", "email_addresses": [{"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "contact_id": 53, "id": 116, "created_by_id": null, "subscriber_id": 0, "address": "jerald@goldnerreichert.co.uk", "created_at": "2009-03-24T05:25:07Z"}], "last_name": "Kuhn", "instant_messenger_addresses": [{"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "service": "MobileMe", "username": "peggie_kling", "contact_id": 53, "id": 128, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "service": "MobileMe", "username": "marcella.thompson", "contact_id": 53, "id": 129, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "service": "MobileMe", "username": "horace", "contact_id": 53, "id": 130, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:07Z"}], "created_at": "2009-03-24T05:25:07Z", "active": true}}, {"contact": {"company": false, "cached_tag_list": "", "web_addresses": [{"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "contact_id": 54, "id": 95, "created_by_id": null, "subscriber_id": 0, "address": "http://boyerbartoletti.com/", "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "contact_id": 54, "id": 96, "created_by_id": null, "subscriber_id": 0, "address": "http://smithbergnaum.ca/", "created_at": "2009-03-24T05:25:07Z"}], "updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "title": null, "delta": false, "company_name": null, "id": 54, "created_by_id": null, "phone_numbers": [], "is_me": false, "subscriber_id": 0, "street_addresses": [{"lon": null, "city": "South Kielburgh", "zip": "34118", "updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "country": "United States of America", "contact_id": 54, "id": 85, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "57626 Jaylin Ridges", "state": "Massachusetts", "created_at": "2009-03-24T05:25:07Z"}, {"lon": null, "city": "Lake Hopeland", "zip": "75465-6709", "updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "country": "United States of America", "contact_id": 54, "id": 86, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "576 Koelpin Knolls", "state": "Maine", "created_at": "2009-03-24T05:25:07Z"}], "first_name": "Skyla", "email_addresses": [], "last_name": "Hansen", "instant_messenger_addresses": [{"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "service": "MobileMe", "username": "marge", "contact_id": 54, "id": 131, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:07Z"}], "created_at": "2009-03-24T05:25:07Z", "active": true}}, {"contact": {"company": false, "cached_tag_list": "", "web_addresses": [{"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "contact_id": 55, "id": 97, "created_by_id": null, "subscriber_id": 0, "address": "http://upton.biz/", "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "contact_id": 55, "id": 98, "created_by_id": null, "subscriber_id": 0, "address": "http://rathbode.ca/", "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "contact_id": 55, "id": 99, "created_by_id": null, "subscriber_id": 0, "address": "http://lowecole.co.uk/", "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "contact_id": 55, "id": 100, "created_by_id": null, "subscriber_id": 0, "address": "http://streich.name/", "created_at": "2009-03-24T05:25:07Z"}], "updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "title": null, "delta": false, "company_name": null, "id": 55, "created_by_id": null, "phone_numbers": [], "is_me": false, "subscriber_id": 0, "street_addresses": [{"lon": null, "city": "South Wilfordville", "zip": "29877-8808", "updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "country": "United States of America", "contact_id": 55, "id": 87, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "4025 Precious Point", "state": "New Jersey", "created_at": "2009-03-24T05:25:07Z"}, {"lon": null, "city": "Darianafort", "zip": "06602", "updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "country": "United States of America", "contact_id": 55, "id": 88, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "9672 Baumbach Curve", "state": "West Virginia", "created_at": "2009-03-24T05:25:07Z"}, {"lon": null, "city": "Schusterland", "zip": "12796", "updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "country": "United States of America", "contact_id": 55, "id": 89, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "9678 Casper Well", "state": "North Carolina", "created_at": "2009-03-24T05:25:07Z"}], "first_name": "Faye", "email_addresses": [], "last_name": "Stamm", "instant_messenger_addresses": [{"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "service": "MobileMe", "username": "taurean.stoltenberg", "contact_id": 55, "id": 132, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:07Z"}], "created_at": "2009-03-24T05:25:07Z", "active": true}}, {"contact": {"company": false, "cached_tag_list": "", "web_addresses": [{"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "contact_id": 56, "id": 101, "created_by_id": null, "subscriber_id": 0, "address": "http://jaskolskiweber.uk/", "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "contact_id": 56, "id": 102, "created_by_id": null, "subscriber_id": 0, "address": "http://hegmann.us/", "created_at": "2009-03-24T05:25:07Z"}], "updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "title": null, "delta": false, "company_name": null, "id": 56, "created_by_id": null, "phone_numbers": [{"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "number": "254-168-4924", "contact_id": 56, "id": 115, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "number": "1-327-419-0027 x3252", "contact_id": 56, "id": 116, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "number": "(249)019-9999 x1540", "contact_id": 56, "id": 117, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:07Z"}], "is_me": false, "subscriber_id": 0, "street_addresses": [{"lon": null, "city": "East Kennith", "zip": "07869-1085", "updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "country": "United States of America", "contact_id": 56, "id": 90, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "921 Litzy Ramp", "state": "Maryland", "created_at": "2009-03-24T05:25:07Z"}, {"lon": null, "city": "Lolaville", "zip": "40558", "updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "country": "United States of America", "contact_id": 56, "id": 91, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "24980 McGlynn Forest", "state": "South Dakota", "created_at": "2009-03-24T05:25:07Z"}, {"lon": null, "city": "New Louvenia", "zip": "00008-6338", "updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "country": "United States of America", "contact_id": 56, "id": 92, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "7520 Kilback Meadows", "state": "Ohio", "created_at": "2009-03-24T05:25:07Z"}], "first_name": "Jolie", "email_addresses": [{"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "contact_id": 56, "id": 117, "created_by_id": null, "subscriber_id": 0, "address": "milan@pollich.info", "created_at": "2009-03-24T05:25:07Z"}], "last_name": "Hintz", "instant_messenger_addresses": [{"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "service": "MobileMe", "username": "emile.blanda", "contact_id": 56, "id": 133, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:07Z"}], "created_at": "2009-03-24T05:25:07Z", "active": true}}, {"contact": {"company": false, "cached_tag_list": "", "web_addresses": [], "updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "title": null, "delta": false, "company_name": null, "id": 57, "created_by_id": null, "phone_numbers": [{"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "number": "1-158-007-0933", "contact_id": 57, "id": 118, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "number": "1-863-183-0098 x649", "contact_id": 57, "id": 119, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "number": "(494)811-7618 x4240", "contact_id": 57, "id": 120, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:07Z"}], "is_me": false, "subscriber_id": 0, "street_addresses": [{"lon": null, "city": "Lake Alexzander", "zip": "61667-3597", "updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "country": "United States of America", "contact_id": 57, "id": 93, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "28856 Kemmer Square", "state": "Mississippi", "created_at": "2009-03-24T05:25:07Z"}, {"lon": null, "city": "Vonmouth", "zip": "43466", "updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "country": "United States of America", "contact_id": 57, "id": 94, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "41622 Michaela Green", "state": "Michigan", "created_at": "2009-03-24T05:25:07Z"}], "first_name": "Patience", "email_addresses": [], "last_name": "Kling", "instant_messenger_addresses": [{"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "service": "MobileMe", "username": "devonte_stehr", "contact_id": 57, "id": 134, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "service": "MobileMe", "username": "herbert", "contact_id": 57, "id": 135, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "service": "MobileMe", "username": "katlyn", "contact_id": 57, "id": 136, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "service": "MobileMe", "username": "heidi_parisian", "contact_id": 57, "id": 137, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:07Z"}], "created_at": "2009-03-24T05:25:07Z", "active": true}}, {"contact": {"company": false, "cached_tag_list": "", "web_addresses": [{"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "contact_id": 58, "id": 103, "created_by_id": null, "subscriber_id": 0, "address": "http://ankundingsporer.co.uk/", "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "contact_id": 58, "id": 104, "created_by_id": null, "subscriber_id": 0, "address": "http://littel.biz/", "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "contact_id": 58, "id": 105, "created_by_id": null, "subscriber_id": 0, "address": "http://wiegand.biz/", "created_at": "2009-03-24T05:25:07Z"}], "updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "title": null, "delta": false, "company_name": null, "id": 58, "created_by_id": null, "phone_numbers": [], "is_me": false, "subscriber_id": 0, "street_addresses": [{"lon": null, "city": "Kadestad", "zip": "80693", "updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "country": "United States of America", "contact_id": 58, "id": 95, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "612 Farrell Station", "state": "New Hampshire", "created_at": "2009-03-24T05:25:07Z"}], "first_name": "Sandy", "email_addresses": [{"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "contact_id": 58, "id": 118, "created_by_id": null, "subscriber_id": 0, "address": "jolie_herman@swaniawski.ca", "created_at": "2009-03-24T05:25:07Z"}], "last_name": "Grant", "instant_messenger_addresses": [], "created_at": "2009-03-24T05:25:07Z", "active": true}}, {"contact": {"company": false, "cached_tag_list": "", "web_addresses": [{"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "contact_id": 59, "id": 106, "created_by_id": null, "subscriber_id": 0, "address": "http://klocko.biz/", "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "contact_id": 59, "id": 107, "created_by_id": null, "subscriber_id": 0, "address": "http://mante.info/", "created_at": "2009-03-24T05:25:07Z"}], "updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "title": null, "delta": false, "company_name": null, "id": 59, "created_by_id": null, "phone_numbers": [{"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "number": "883.144.2280", "contact_id": 59, "id": 121, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "number": "439-972-2074 x1310", "contact_id": 59, "id": 122, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:07Z"}], "is_me": false, "subscriber_id": 0, "street_addresses": [], "first_name": "Magali", "email_addresses": [{"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "contact_id": 59, "id": 119, "created_by_id": null, "subscriber_id": 0, "address": "peyton@brekke.biz", "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "contact_id": 59, "id": 120, "created_by_id": null, "subscriber_id": 0, "address": "jovan.boehm@bauch.biz", "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "contact_id": 59, "id": 121, "created_by_id": null, "subscriber_id": 0, "address": "noel.olson@pfannerstilldoyle.name", "created_at": "2009-03-24T05:25:07Z"}], "last_name": "Johnson", "instant_messenger_addresses": [{"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "service": "MobileMe", "username": "merle_powlowski", "contact_id": 59, "id": 138, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:07Z"}], "created_at": "2009-03-24T05:25:07Z", "active": true}}, {"contact": {"company": false, "cached_tag_list": "", "web_addresses": [{"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "contact_id": 60, "id": 108, "created_by_id": null, "subscriber_id": 0, "address": "http://langosh.ca/", "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "contact_id": 60, "id": 109, "created_by_id": null, "subscriber_id": 0, "address": "http://witting.name/", "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "contact_id": 60, "id": 110, "created_by_id": null, "subscriber_id": 0, "address": "http://runolfsdottir.name/", "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "contact_id": 60, "id": 111, "created_by_id": null, "subscriber_id": 0, "address": "http://handflatley.com/", "created_at": "2009-03-24T05:25:07Z"}], "updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "title": null, "delta": false, "company_name": null, "id": 60, "created_by_id": null, "phone_numbers": [{"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "number": "1-267-271-9483", "contact_id": 60, "id": 123, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "number": "(549)595-9504", "contact_id": 60, "id": 124, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:07Z"}], "is_me": false, "subscriber_id": 0, "street_addresses": [{"lon": null, "city": "West Roelport", "zip": "56375-2597", "updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "country": "United States of America", "contact_id": 60, "id": 96, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "73901 Dooley Creek", "state": "Florida", "created_at": "2009-03-24T05:25:07Z"}], "first_name": "Jessie", "email_addresses": [{"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "contact_id": 60, "id": 122, "created_by_id": null, "subscriber_id": 0, "address": "aiyana@hyatthaag.name", "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "contact_id": 60, "id": 123, "created_by_id": null, "subscriber_id": 0, "address": "cletus@marks.info", "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "contact_id": 60, "id": 124, "created_by_id": null, "subscriber_id": 0, "address": "jordi@fritsch.com", "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "contact_id": 60, "id": 125, "created_by_id": null, "subscriber_id": 0, "address": "michele.willms@uptonohara.info", "created_at": "2009-03-24T05:25:07Z"}], "last_name": "Ferry", "instant_messenger_addresses": [{"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "service": "MobileMe", "username": "lyric", "contact_id": 60, "id": 139, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "service": "MobileMe", "username": "eve.skiles", "contact_id": 60, "id": 140, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "service": "MobileMe", "username": "jakob", "contact_id": 60, "id": 141, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "service": "MobileMe", "username": "jessika", "contact_id": 60, "id": 142, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:07Z"}], "created_at": "2009-03-24T05:25:07Z", "active": true}}, {"contact": {"company": false, "cached_tag_list": "", "web_addresses": [{"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "contact_id": 61, "id": 112, "created_by_id": null, "subscriber_id": 0, "address": "http://flatley.uk/", "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "contact_id": 61, "id": 113, "created_by_id": null, "subscriber_id": 0, "address": "http://osinski.ca/", "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "contact_id": 61, "id": 114, "created_by_id": null, "subscriber_id": 0, "address": "http://ricerath.info/", "created_at": "2009-03-24T05:25:07Z"}], "updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "title": null, "delta": false, "company_name": null, "id": 61, "created_by_id": null, "phone_numbers": [], "is_me": false, "subscriber_id": 0, "street_addresses": [{"lon": null, "city": "South Lelahmouth", "zip": "61790-2710", "updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "country": "United States of America", "contact_id": 61, "id": 97, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "659 Nathanael Dale", "state": "Idaho", "created_at": "2009-03-24T05:25:07Z"}], "first_name": "Adeline", "email_addresses": [{"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "contact_id": 61, "id": 126, "created_by_id": null, "subscriber_id": 0, "address": "karolann_thompson@jacobsoneffertz.com", "created_at": "2009-03-24T05:25:07Z"}], "last_name": "Hirthe", "instant_messenger_addresses": [], "created_at": "2009-03-24T05:25:07Z", "active": true}}, {"contact": {"company": true, "cached_tag_list": "", "web_addresses": [{"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "contact_id": 62, "id": 115, "created_by_id": null, "subscriber_id": 0, "address": "http://treutel.name/", "created_at": "2009-03-24T05:25:07Z"}], "updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "title": null, "delta": false, "company_name": "McKenzie-Hills", "id": 62, "created_by_id": null, "phone_numbers": [{"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "number": "1-227-202-5238", "contact_id": 62, "id": 125, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "number": "(969)354-3492", "contact_id": 62, "id": 126, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "number": "312-492-2605 x76241", "contact_id": 62, "id": 127, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "number": "(822)058-7237 x20178", "contact_id": 62, "id": 128, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:07Z"}], "is_me": false, "subscriber_id": 0, "street_addresses": [{"lon": null, "city": "Webershire", "zip": "83623-5554", "updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "country": "United States of America", "contact_id": 62, "id": 98, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "78906 Frederic Viaduct", "state": "Delaware", "created_at": "2009-03-24T05:25:07Z"}], "first_name": "Emil", "email_addresses": [{"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "contact_id": 62, "id": 127, "created_by_id": null, "subscriber_id": 0, "address": "nikita@hayes.uk", "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "contact_id": 62, "id": 128, "created_by_id": null, "subscriber_id": 0, "address": "piper_dach@pollich.us", "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "contact_id": 62, "id": 129, "created_by_id": null, "subscriber_id": 0, "address": "leann.koepp@predovicstark.name", "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "contact_id": 62, "id": 130, "created_by_id": null, "subscriber_id": 0, "address": "ray@bednar.uk", "created_at": "2009-03-24T05:25:07Z"}], "last_name": "Dietrich", "instant_messenger_addresses": [], "created_at": "2009-03-24T05:25:07Z", "active": true}}, {"contact": {"company": false, "cached_tag_list": "", "web_addresses": [{"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "contact_id": 63, "id": 116, "created_by_id": null, "subscriber_id": 0, "address": "http://huels.us/", "created_at": "2009-03-24T05:25:07Z"}], "updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "title": null, "delta": false, "company_name": null, "id": 63, "created_by_id": null, "phone_numbers": [{"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "number": "101.018.8535 x860", "contact_id": 63, "id": 129, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:07Z"}], "is_me": false, "subscriber_id": 0, "street_addresses": [{"lon": null, "city": "Salliehaven", "zip": "93145-9188", "updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "country": "United States of America", "contact_id": 63, "id": 99, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "2135 Dustin Lakes", "state": "Kentucky", "created_at": "2009-03-24T05:25:07Z"}, {"lon": null, "city": "Wildermantown", "zip": "00398", "updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "country": "United States of America", "contact_id": 63, "id": 100, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "8877 Keely Cove", "state": "Alabama", "created_at": "2009-03-24T05:25:07Z"}, {"lon": null, "city": "Linachester", "zip": "82107-2374", "updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "country": "United States of America", "contact_id": 63, "id": 101, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "44710 Kellie Lake", "state": "Missouri", "created_at": "2009-03-24T05:25:07Z"}], "first_name": "Brayan", "email_addresses": [], "last_name": "Nolan", "instant_messenger_addresses": [], "created_at": "2009-03-24T05:25:07Z", "active": true}}, {"contact": {"company": false, "cached_tag_list": "", "web_addresses": [{"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "contact_id": 64, "id": 117, "created_by_id": null, "subscriber_id": 0, "address": "http://conn.info/", "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "contact_id": 64, "id": 118, "created_by_id": null, "subscriber_id": 0, "address": "http://metz.uk/", "created_at": "2009-03-24T05:25:07Z"}], "updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "title": null, "delta": false, "company_name": null, "id": 64, "created_by_id": null, "phone_numbers": [], "is_me": false, "subscriber_id": 0, "street_addresses": [{"lon": null, "city": "McGlynnfort", "zip": "68268", "updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "country": "United States of America", "contact_id": 64, "id": 102, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "46758 Hiram Summit", "state": "Kentucky", "created_at": "2009-03-24T05:25:07Z"}], "first_name": "Ernie", "email_addresses": [{"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "contact_id": 64, "id": 131, "created_by_id": null, "subscriber_id": 0, "address": "silas_roberts@hagenesgottlieb.co.uk", "created_at": "2009-03-24T05:25:07Z"}], "last_name": "Runolfsdottir", "instant_messenger_addresses": [{"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "service": "MobileMe", "username": "bertrand", "contact_id": 64, "id": 143, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:07Z"}], "created_at": "2009-03-24T05:25:07Z", "active": true}}, {"contact": {"company": false, "cached_tag_list": "", "web_addresses": [{"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "contact_id": 65, "id": 119, "created_by_id": null, "subscriber_id": 0, "address": "http://bruen.info/", "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "contact_id": 65, "id": 120, "created_by_id": null, "subscriber_id": 0, "address": "http://morar.com/", "created_at": "2009-03-24T05:25:07Z"}], "updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "title": null, "delta": false, "company_name": null, "id": 65, "created_by_id": null, "phone_numbers": [{"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "number": "378.418.3779", "contact_id": 65, "id": 130, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "number": "1-668-781-4482", "contact_id": 65, "id": 131, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "number": "720-171-0730 x66209", "contact_id": 65, "id": 132, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "number": "1-891-845-4384 x4612", "contact_id": 65, "id": 133, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:07Z"}], "is_me": false, "subscriber_id": 0, "street_addresses": [{"lon": null, "city": "Jaquelinshire", "zip": "25817-6603", "updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "country": "United States of America", "contact_id": 65, "id": 103, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "2405 Senger Park", "state": "Virginia", "created_at": "2009-03-24T05:25:07Z"}, {"lon": null, "city": "Lake Davonte", "zip": "87486", "updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "country": "United States of America", "contact_id": 65, "id": 104, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "22513 Mann Drives", "state": "Wisconsin", "created_at": "2009-03-24T05:25:07Z"}, {"lon": null, "city": "East Abigalechester", "zip": "21178", "updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "country": "United States of America", "contact_id": 65, "id": 105, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "38234 Alfred Lane", "state": "Alaska", "created_at": "2009-03-24T05:25:07Z"}], "first_name": "Modesto", "email_addresses": [{"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "contact_id": 65, "id": 132, "created_by_id": null, "subscriber_id": 0, "address": "wilfred@schuppe.co.uk", "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "contact_id": 65, "id": 133, "created_by_id": null, "subscriber_id": 0, "address": "bethel.green@schimmelhowell.us", "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "contact_id": 65, "id": 134, "created_by_id": null, "subscriber_id": 0, "address": "demetrius_heidenreich@buckridge.com", "created_at": "2009-03-24T05:25:07Z"}], "last_name": "Rath", "instant_messenger_addresses": [{"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "service": "MobileMe", "username": "priscilla", "contact_id": 65, "id": 144, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "service": "MobileMe", "username": "eda", "contact_id": 65, "id": 145, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "service": "MobileMe", "username": "liam_ortiz", "contact_id": 65, "id": 146, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:07Z"}], "created_at": "2009-03-24T05:25:07Z", "active": true}}, {"contact": {"company": false, "cached_tag_list": "", "web_addresses": [], "updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "title": null, "delta": false, "company_name": null, "id": 66, "created_by_id": null, "phone_numbers": [{"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "number": "715-096-9177 x593", "contact_id": 66, "id": 134, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "number": "1-664-570-3529", "contact_id": 66, "id": 135, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:07Z"}], "is_me": false, "subscriber_id": 0, "street_addresses": [{"lon": null, "city": "South Misty", "zip": "29740-0655", "updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "country": "United States of America", "contact_id": 66, "id": 106, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "0326 Adaline Green", "state": "Kentucky", "created_at": "2009-03-24T05:25:07Z"}], "first_name": "Filomena", "email_addresses": [{"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "contact_id": 66, "id": 135, "created_by_id": null, "subscriber_id": 0, "address": "petra.jakubowski@moore.biz", "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "contact_id": 66, "id": 136, "created_by_id": null, "subscriber_id": 0, "address": "chet.lindgren@sawaynbruen.ca", "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "contact_id": 66, "id": 137, "created_by_id": null, "subscriber_id": 0, "address": "lewis.conn@towne.biz", "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "contact_id": 66, "id": 138, "created_by_id": null, "subscriber_id": 0, "address": "myrna.quigley@price.uk", "created_at": "2009-03-24T05:25:07Z"}], "last_name": "Fisher", "instant_messenger_addresses": [], "created_at": "2009-03-24T05:25:07Z", "active": true}}, {"contact": {"company": false, "cached_tag_list": "", "web_addresses": [{"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "contact_id": 67, "id": 121, "created_by_id": null, "subscriber_id": 0, "address": "http://mante.us/", "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "contact_id": 67, "id": 122, "created_by_id": null, "subscriber_id": 0, "address": "http://abernathycummerata.uk/", "created_at": "2009-03-24T05:25:07Z"}], "updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "title": null, "delta": false, "company_name": null, "id": 67, "created_by_id": null, "phone_numbers": [{"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "number": "1-139-669-6164", "contact_id": 67, "id": 136, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "number": "092-025-8472 x25563", "contact_id": 67, "id": 137, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "number": "1-456-405-8733", "contact_id": 67, "id": 138, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "number": "(839)893-1471 x60861", "contact_id": 67, "id": 139, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:07Z"}], "is_me": false, "subscriber_id": 0, "street_addresses": [{"lon": null, "city": "Pfannerstillhaven", "zip": "27844", "updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "country": "United States of America", "contact_id": 67, "id": 107, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "893 Lehner Corner", "state": "Mississippi", "created_at": "2009-03-24T05:25:07Z"}, {"lon": null, "city": "Lake Kareemview", "zip": "53872", "updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "country": "United States of America", "contact_id": 67, "id": 108, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "34165 Anderson Fork", "state": "California", "created_at": "2009-03-24T05:25:07Z"}, {"lon": null, "city": "Raeborough", "zip": "72127", "updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "country": "United States of America", "contact_id": 67, "id": 109, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "3710 Amara Plain", "state": "Alabama", "created_at": "2009-03-24T05:25:07Z"}], "first_name": "Winona", "email_addresses": [], "last_name": "Dickinson", "instant_messenger_addresses": [{"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "service": "MobileMe", "username": "annie.hills", "contact_id": 67, "id": 147, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "service": "MobileMe", "username": "jeromy.torphy", "contact_id": 67, "id": 148, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "service": "MobileMe", "username": "carrie_little", "contact_id": 67, "id": 149, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:07Z"}], "created_at": "2009-03-24T05:25:07Z", "active": true}}, {"contact": {"company": false, "cached_tag_list": "", "web_addresses": [{"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "contact_id": 68, "id": 123, "created_by_id": null, "subscriber_id": 0, "address": "http://vandervort.name/", "created_at": "2009-03-24T05:25:07Z"}], "updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "title": null, "delta": false, "company_name": null, "id": 68, "created_by_id": null, "phone_numbers": [{"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "number": "1-780-207-5013 x470", "contact_id": 68, "id": 140, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "number": "1-100-279-1229", "contact_id": 68, "id": 141, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "number": "261.668.4617 x175", "contact_id": 68, "id": 142, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "number": "(095)084-4662", "contact_id": 68, "id": 143, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:07Z"}], "is_me": false, "subscriber_id": 0, "street_addresses": [{"lon": null, "city": "Gilestown", "zip": "70619", "updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "country": "United States of America", "contact_id": 68, "id": 110, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "718 Botsford Manor", "state": "Mississippi", "created_at": "2009-03-24T05:25:07Z"}, {"lon": null, "city": "West Jadamouth", "zip": "24489-4240", "updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "country": "United States of America", "contact_id": 68, "id": 111, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "8232 Colin Mountains", "state": "Minnesota", "created_at": "2009-03-24T05:25:07Z"}], "first_name": "Macey", "email_addresses": [{"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "contact_id": 68, "id": 139, "created_by_id": null, "subscriber_id": 0, "address": "jeramie_haag@beahanreynolds.com", "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "contact_id": 68, "id": 140, "created_by_id": null, "subscriber_id": 0, "address": "christiana_cassin@langworthokuneva.uk", "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "contact_id": 68, "id": 141, "created_by_id": null, "subscriber_id": 0, "address": "marcelle@considinegoldner.info", "created_at": "2009-03-24T05:25:07Z"}], "last_name": "Goldner", "instant_messenger_addresses": [], "created_at": "2009-03-24T05:25:07Z", "active": true}}, {"contact": {"company": false, "cached_tag_list": "", "web_addresses": [{"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "contact_id": 69, "id": 124, "created_by_id": null, "subscriber_id": 0, "address": "http://hudson.info/", "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "contact_id": 69, "id": 125, "created_by_id": null, "subscriber_id": 0, "address": "http://watsicajacobi.info/", "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "contact_id": 69, "id": 126, "created_by_id": null, "subscriber_id": 0, "address": "http://lindgrenbogan.uk/", "created_at": "2009-03-24T05:25:07Z"}], "updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "title": null, "delta": false, "company_name": null, "id": 69, "created_by_id": null, "phone_numbers": [{"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "number": "1-335-022-5170 x9888", "contact_id": 69, "id": 144, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "number": "1-607-405-9987", "contact_id": 69, "id": 145, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "number": "1-243-872-3316 x7984", "contact_id": 69, "id": 146, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "number": "(568)356-0006", "contact_id": 69, "id": 147, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:07Z"}], "is_me": false, "subscriber_id": 0, "street_addresses": [{"lon": null, "city": "Lake Dalton", "zip": "42373", "updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "country": "United States of America", "contact_id": 69, "id": 112, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "830 Moore Shoal", "state": "Oregon", "created_at": "2009-03-24T05:25:07Z"}, {"lon": null, "city": "Hazelview", "zip": "70475-7333", "updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "country": "United States of America", "contact_id": 69, "id": 113, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "11555 Zackery Mountains", "state": "Rhode Island", "created_at": "2009-03-24T05:25:07Z"}, {"lon": null, "city": "Daphneychester", "zip": "28920-6481", "updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "country": "United States of America", "contact_id": 69, "id": 114, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "068 Loyce Mills", "state": "Colorado", "created_at": "2009-03-24T05:25:07Z"}], "first_name": "Curtis", "email_addresses": [{"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "contact_id": 69, "id": 142, "created_by_id": null, "subscriber_id": 0, "address": "trenton_koelpin@gerlach.co.uk", "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "contact_id": 69, "id": 143, "created_by_id": null, "subscriber_id": 0, "address": "brown.bednar@brakusschimmel.name", "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "contact_id": 69, "id": 144, "created_by_id": null, "subscriber_id": 0, "address": "justyn.hoeger@brownbecker.info", "created_at": "2009-03-24T05:25:07Z"}], "last_name": "Nitzsche", "instant_messenger_addresses": [{"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "service": "MobileMe", "username": "alessandro", "contact_id": 69, "id": 150, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "service": "MobileMe", "username": "delores_flatley", "contact_id": 69, "id": 151, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "service": "MobileMe", "username": "margie.ledner", "contact_id": 69, "id": 152, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "service": "MobileMe", "username": "deon_hickle", "contact_id": 69, "id": 153, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:07Z"}], "created_at": "2009-03-24T05:25:07Z", "active": true}}, {"contact": {"company": true, "cached_tag_list": "", "web_addresses": [{"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "contact_id": 70, "id": 127, "created_by_id": null, "subscriber_id": 0, "address": "http://hane.co.uk/", "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "contact_id": 70, "id": 128, "created_by_id": null, "subscriber_id": 0, "address": "http://sporer.ca/", "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "contact_id": 70, "id": 129, "created_by_id": null, "subscriber_id": 0, "address": "http://christiansen.biz/", "created_at": "2009-03-24T05:25:07Z"}], "updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "title": null, "delta": false, "company_name": "Wisoky-Spencer", "id": 70, "created_by_id": null, "phone_numbers": [{"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "number": "(116)841-6562 x545", "contact_id": 70, "id": 148, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "number": "1-036-601-4859", "contact_id": 70, "id": 149, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "number": "798.837.7592", "contact_id": 70, "id": 150, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:07Z"}], "is_me": false, "subscriber_id": 0, "street_addresses": [{"lon": null, "city": "West Laylaburgh", "zip": "27384", "updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "country": "United States of America", "contact_id": 70, "id": 115, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "28796 Annabel Passage", "state": "Florida", "created_at": "2009-03-24T05:25:07Z"}], "first_name": "Norval", "email_addresses": [{"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "contact_id": 70, "id": 145, "created_by_id": null, "subscriber_id": 0, "address": "amie@mann.uk", "created_at": "2009-03-24T05:25:07Z"}], "last_name": "Becker", "instant_messenger_addresses": [{"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "service": "MobileMe", "username": "marisa", "contact_id": 70, "id": 154, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:07Z"}], "created_at": "2009-03-24T05:25:07Z", "active": true}}, {"contact": {"company": true, "cached_tag_list": "", "web_addresses": [{"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "contact_id": 71, "id": 130, "created_by_id": null, "subscriber_id": 0, "address": "http://moen.us/", "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "contact_id": 71, "id": 131, "created_by_id": null, "subscriber_id": 0, "address": "http://toy.ca/", "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "contact_id": 71, "id": 132, "created_by_id": null, "subscriber_id": 0, "address": "http://mcclure.uk/", "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "contact_id": 71, "id": 133, "created_by_id": null, "subscriber_id": 0, "address": "http://haagzboncak.ca/", "created_at": "2009-03-24T05:25:07Z"}], "updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "title": null, "delta": false, "company_name": "Rosenbaum-O'Kon", "id": 71, "created_by_id": null, "phone_numbers": [{"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "number": "1-758-912-5499", "contact_id": 71, "id": 151, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "number": "1-618-799-7955", "contact_id": 71, "id": 152, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "number": "910.837.9297", "contact_id": 71, "id": 153, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:07Z"}], "is_me": false, "subscriber_id": 0, "street_addresses": [{"lon": null, "city": "Skilesstad", "zip": "68403", "updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "country": "United States of America", "contact_id": 71, "id": 116, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "7523 Tromp View", "state": "Nebraska", "created_at": "2009-03-24T05:25:07Z"}, {"lon": null, "city": "South Bertha", "zip": "56955", "updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "country": "United States of America", "contact_id": 71, "id": 117, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "06645 Murazik Plaza", "state": "Wisconsin", "created_at": "2009-03-24T05:25:07Z"}, {"lon": null, "city": "Hallehaven", "zip": "60333", "updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "country": "United States of America", "contact_id": 71, "id": 118, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "0940 Witting Camp", "state": "Georgia", "created_at": "2009-03-24T05:25:07Z"}], "first_name": "Nicolas", "email_addresses": [], "last_name": "Kerluke", "instant_messenger_addresses": [{"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "service": "MobileMe", "username": "brandy_bergstrom", "contact_id": 71, "id": 155, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "service": "MobileMe", "username": "carmen", "contact_id": 71, "id": 156, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "service": "MobileMe", "username": "stacy", "contact_id": 71, "id": 157, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "service": "MobileMe", "username": "rodrigo", "contact_id": 71, "id": 158, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:07Z"}], "created_at": "2009-03-24T05:25:07Z", "active": true}}, {"contact": {"company": false, "cached_tag_list": "", "web_addresses": [{"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "contact_id": 72, "id": 134, "created_by_id": null, "subscriber_id": 0, "address": "http://grimes.uk/", "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "contact_id": 72, "id": 135, "created_by_id": null, "subscriber_id": 0, "address": "http://stromanoberbrunner.com/", "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "contact_id": 72, "id": 136, "created_by_id": null, "subscriber_id": 0, "address": "http://hayeskoch.info/", "created_at": "2009-03-24T05:25:07Z"}], "updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "title": null, "delta": false, "company_name": null, "id": 72, "created_by_id": null, "phone_numbers": [], "is_me": false, "subscriber_id": 0, "street_addresses": [], "first_name": "Braden", "email_addresses": [{"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "contact_id": 72, "id": 146, "created_by_id": null, "subscriber_id": 0, "address": "beaulah.hammes@okeefelittle.biz", "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "contact_id": 72, "id": 147, "created_by_id": null, "subscriber_id": 0, "address": "jaime.hansen@rau.co.uk", "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "contact_id": 72, "id": 148, "created_by_id": null, "subscriber_id": 0, "address": "isabella@shields.uk", "created_at": "2009-03-24T05:25:07Z"}], "last_name": "Ebert", "instant_messenger_addresses": [{"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "service": "MobileMe", "username": "mckayla", "contact_id": 72, "id": 159, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "service": "MobileMe", "username": "roman", "contact_id": 72, "id": 160, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "service": "MobileMe", "username": "milo", "contact_id": 72, "id": 161, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:07Z"}], "created_at": "2009-03-24T05:25:07Z", "active": true}}, {"contact": {"company": false, "cached_tag_list": "", "web_addresses": [], "updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "title": null, "delta": false, "company_name": null, "id": 73, "created_by_id": null, "phone_numbers": [{"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "number": "305.757.2958 x3345", "contact_id": 73, "id": 154, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "number": "843-494-6441", "contact_id": 73, "id": 155, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:07Z"}], "is_me": false, "subscriber_id": 0, "street_addresses": [{"lon": null, "city": "Abshirefurt", "zip": "49427-6427", "updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "country": "United States of America", "contact_id": 73, "id": 119, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "409 Isobel Inlet", "state": "South Dakota", "created_at": "2009-03-24T05:25:07Z"}], "first_name": "Lula", "email_addresses": [{"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "contact_id": 73, "id": 149, "created_by_id": null, "subscriber_id": 0, "address": "maximillian.goldner@herzog.uk", "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "contact_id": 73, "id": 150, "created_by_id": null, "subscriber_id": 0, "address": "holden.baumbach@ernser.co.uk", "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "contact_id": 73, "id": 151, "created_by_id": null, "subscriber_id": 0, "address": "angus@orncrona.uk", "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "contact_id": 73, "id": 152, "created_by_id": null, "subscriber_id": 0, "address": "rico.hayes@bechtelar.info", "created_at": "2009-03-24T05:25:07Z"}], "last_name": "Rippin", "instant_messenger_addresses": [{"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "service": "MobileMe", "username": "mae.reilly", "contact_id": 73, "id": 162, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:07Z"}, {"updated_at": "2009-03-24T05:25:07Z", "updated_by_id": null, "service": "MobileMe", "username": "kaela", "contact_id": 73, "id": 163, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:07Z"}], "created_at": "2009-03-24T05:25:07Z", "active": true}}, {"contact": {"company": false, "cached_tag_list": "", "web_addresses": [{"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "contact_id": 74, "id": 137, "created_by_id": null, "subscriber_id": 0, "address": "http://thiel.com/", "created_at": "2009-03-24T05:25:08Z"}], "updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "title": null, "delta": false, "company_name": null, "id": 74, "created_by_id": null, "phone_numbers": [{"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "number": "1-293-773-2694 x92411", "contact_id": 74, "id": 156, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:08Z"}, {"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "number": "805-648-6254 x773", "contact_id": 74, "id": 157, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:08Z"}, {"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "number": "1-102-520-5048", "contact_id": 74, "id": 158, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:08Z"}], "is_me": false, "subscriber_id": 0, "street_addresses": [{"lon": null, "city": "Gagehaven", "zip": "27771", "updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "country": "United States of America", "contact_id": 74, "id": 120, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "8810 Taurean Heights", "state": "New Jersey", "created_at": "2009-03-24T05:25:08Z"}, {"lon": null, "city": "South Keelymouth", "zip": "04586", "updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "country": "United States of America", "contact_id": 74, "id": 121, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "9833 Josh Walk", "state": "Idaho", "created_at": "2009-03-24T05:25:08Z"}, {"lon": null, "city": "Lake Deangeloshire", "zip": "33677-1077", "updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "country": "United States of America", "contact_id": 74, "id": 122, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "0142 Nestor Crossing", "state": "Nebraska", "created_at": "2009-03-24T05:25:08Z"}], "first_name": "Davonte", "email_addresses": [{"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "contact_id": 74, "id": 153, "created_by_id": null, "subscriber_id": 0, "address": "rusty@lowe.co.uk", "created_at": "2009-03-24T05:25:08Z"}, {"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "contact_id": 74, "id": 154, "created_by_id": null, "subscriber_id": 0, "address": "alexa.koss@spinkaklocko.us", "created_at": "2009-03-24T05:25:08Z"}, {"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "contact_id": 74, "id": 155, "created_by_id": null, "subscriber_id": 0, "address": "graciela@howell.co.uk", "created_at": "2009-03-24T05:25:08Z"}, {"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "contact_id": 74, "id": 156, "created_by_id": null, "subscriber_id": 0, "address": "orpha_goyette@binsbahringer.us", "created_at": "2009-03-24T05:25:08Z"}], "last_name": "Gleichner", "instant_messenger_addresses": [], "created_at": "2009-03-24T05:25:08Z", "active": true}}, {"contact": {"company": false, "cached_tag_list": "", "web_addresses": [{"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "contact_id": 75, "id": 138, "created_by_id": null, "subscriber_id": 0, "address": "http://reichel.com/", "created_at": "2009-03-24T05:25:08Z"}, {"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "contact_id": 75, "id": 139, "created_by_id": null, "subscriber_id": 0, "address": "http://price.info/", "created_at": "2009-03-24T05:25:08Z"}, {"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "contact_id": 75, "id": 140, "created_by_id": null, "subscriber_id": 0, "address": "http://carroll.co.uk/", "created_at": "2009-03-24T05:25:08Z"}], "updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "title": null, "delta": false, "company_name": null, "id": 75, "created_by_id": null, "phone_numbers": [], "is_me": false, "subscriber_id": 0, "street_addresses": [{"lon": null, "city": "Klingberg", "zip": "43555-9647", "updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "country": "United States of America", "contact_id": 75, "id": 123, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "3447 Larry Roads", "state": "Wyoming", "created_at": "2009-03-24T05:25:08Z"}, {"lon": null, "city": "Lake Collin", "zip": "21085-6305", "updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "country": "United States of America", "contact_id": 75, "id": 124, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "23835 Titus Well", "state": "Mississippi", "created_at": "2009-03-24T05:25:08Z"}, {"lon": null, "city": "West Friedrich", "zip": "33842-1393", "updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "country": "United States of America", "contact_id": 75, "id": 125, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "594 Marielle Mews", "state": "Maine", "created_at": "2009-03-24T05:25:08Z"}], "first_name": "Gail", "email_addresses": [], "last_name": "Parker", "instant_messenger_addresses": [{"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "service": "MobileMe", "username": "janelle.klocko", "contact_id": 75, "id": 164, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:08Z"}, {"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "service": "MobileMe", "username": "anika.grimes", "contact_id": 75, "id": 165, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:08Z"}, {"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "service": "MobileMe", "username": "westley.bashirian", "contact_id": 75, "id": 166, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:08Z"}], "created_at": "2009-03-24T05:25:08Z", "active": true}}, {"contact": {"company": false, "cached_tag_list": "", "web_addresses": [{"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "contact_id": 76, "id": 141, "created_by_id": null, "subscriber_id": 0, "address": "http://stark.ca/", "created_at": "2009-03-24T05:25:08Z"}], "updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "title": null, "delta": false, "company_name": null, "id": 76, "created_by_id": null, "phone_numbers": [{"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "number": "832-757-3130", "contact_id": 76, "id": 159, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:08Z"}], "is_me": false, "subscriber_id": 0, "street_addresses": [{"lon": null, "city": "North Kristiantown", "zip": "79273", "updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "country": "United States of America", "contact_id": 76, "id": 126, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "217 Francis Ridges", "state": "Alabama", "created_at": "2009-03-24T05:25:08Z"}], "first_name": "Myrna", "email_addresses": [{"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "contact_id": 76, "id": 157, "created_by_id": null, "subscriber_id": 0, "address": "jayde@hessel.ca", "created_at": "2009-03-24T05:25:08Z"}, {"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "contact_id": 76, "id": 158, "created_by_id": null, "subscriber_id": 0, "address": "geovanny@armstrongkautzer.name", "created_at": "2009-03-24T05:25:08Z"}], "last_name": "Quigley", "instant_messenger_addresses": [{"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "service": "MobileMe", "username": "micaela", "contact_id": 76, "id": 167, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:08Z"}, {"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "service": "MobileMe", "username": "khalid", "contact_id": 76, "id": 168, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:08Z"}, {"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "service": "MobileMe", "username": "ambrose", "contact_id": 76, "id": 169, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:08Z"}], "created_at": "2009-03-24T05:25:08Z", "active": true}}, {"contact": {"company": false, "cached_tag_list": "", "web_addresses": [], "updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "title": null, "delta": false, "company_name": null, "id": 77, "created_by_id": null, "phone_numbers": [{"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "number": "(207)121-4233", "contact_id": 77, "id": 160, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:08Z"}], "is_me": false, "subscriber_id": 0, "street_addresses": [{"lon": null, "city": "New Deon", "zip": "81083-2854", "updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "country": "United States of America", "contact_id": 77, "id": 127, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "7691 Kris Ford", "state": "Rhode Island", "created_at": "2009-03-24T05:25:08Z"}, {"lon": null, "city": "Milanshire", "zip": "48290-3430", "updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "country": "United States of America", "contact_id": 77, "id": 128, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "7081 Spencer Hills", "state": "Nevada", "created_at": "2009-03-24T05:25:08Z"}, {"lon": null, "city": "Hectorhaven", "zip": "67509", "updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "country": "United States of America", "contact_id": 77, "id": 129, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "866 Donnelly Corners", "state": "Kansas", "created_at": "2009-03-24T05:25:08Z"}], "first_name": "Sarina", "email_addresses": [{"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "contact_id": 77, "id": 159, "created_by_id": null, "subscriber_id": 0, "address": "hermann.murray@conroy.ca", "created_at": "2009-03-24T05:25:08Z"}, {"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "contact_id": 77, "id": 160, "created_by_id": null, "subscriber_id": 0, "address": "martina.effertz@sipes.info", "created_at": "2009-03-24T05:25:08Z"}], "last_name": "Price", "instant_messenger_addresses": [{"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "service": "MobileMe", "username": "jaleel", "contact_id": 77, "id": 170, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:08Z"}, {"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "service": "MobileMe", "username": "glenda_rau", "contact_id": 77, "id": 171, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:08Z"}], "created_at": "2009-03-24T05:25:08Z", "active": true}}, {"contact": {"company": false, "cached_tag_list": "", "web_addresses": [{"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "contact_id": 78, "id": 142, "created_by_id": null, "subscriber_id": 0, "address": "http://schimmel.us/", "created_at": "2009-03-24T05:25:08Z"}, {"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "contact_id": 78, "id": 143, "created_by_id": null, "subscriber_id": 0, "address": "http://buckridge.name/", "created_at": "2009-03-24T05:25:08Z"}, {"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "contact_id": 78, "id": 144, "created_by_id": null, "subscriber_id": 0, "address": "http://bogisichblick.co.uk/", "created_at": "2009-03-24T05:25:08Z"}, {"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "contact_id": 78, "id": 145, "created_by_id": null, "subscriber_id": 0, "address": "http://hansenabernathy.uk/", "created_at": "2009-03-24T05:25:08Z"}], "updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "title": null, "delta": false, "company_name": null, "id": 78, "created_by_id": null, "phone_numbers": [{"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "number": "(733)548-6208", "contact_id": 78, "id": 161, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:08Z"}], "is_me": false, "subscriber_id": 0, "street_addresses": [], "first_name": "Amaya", "email_addresses": [{"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "contact_id": 78, "id": 161, "created_by_id": null, "subscriber_id": 0, "address": "madisen_davis@turcotte.biz", "created_at": "2009-03-24T05:25:08Z"}, {"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "contact_id": 78, "id": 162, "created_by_id": null, "subscriber_id": 0, "address": "afton_lind@fay.co.uk", "created_at": "2009-03-24T05:25:08Z"}, {"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "contact_id": 78, "id": 163, "created_by_id": null, "subscriber_id": 0, "address": "irving.crona@paucek.com", "created_at": "2009-03-24T05:25:08Z"}, {"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "contact_id": 78, "id": 164, "created_by_id": null, "subscriber_id": 0, "address": "imogene@zemlaklubowitz.ca", "created_at": "2009-03-24T05:25:08Z"}], "last_name": "Runte", "instant_messenger_addresses": [{"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "service": "MobileMe", "username": "marcelino", "contact_id": 78, "id": 172, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:08Z"}, {"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "service": "MobileMe", "username": "name.kilback", "contact_id": 78, "id": 173, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:08Z"}, {"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "service": "MobileMe", "username": "zoe", "contact_id": 78, "id": 174, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:08Z"}], "created_at": "2009-03-24T05:25:08Z", "active": true}}, {"contact": {"company": true, "cached_tag_list": "", "web_addresses": [{"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "contact_id": 79, "id": 146, "created_by_id": null, "subscriber_id": 0, "address": "http://wisoky.name/", "created_at": "2009-03-24T05:25:08Z"}], "updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "title": null, "delta": false, "company_name": "Reichel, Effertz and Crooks", "id": 79, "created_by_id": null, "phone_numbers": [{"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "number": "(794)357-3456 x7095", "contact_id": 79, "id": 162, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:08Z"}], "is_me": false, "subscriber_id": 0, "street_addresses": [{"lon": null, "city": "Port Tyler", "zip": "64839", "updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "country": "United States of America", "contact_id": 79, "id": 130, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "20131 Sipes Dale", "state": "Arkansas", "created_at": "2009-03-24T05:25:08Z"}, {"lon": null, "city": "New Alejandra", "zip": "48285", "updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "country": "United States of America", "contact_id": 79, "id": 131, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "770 Larson Rue", "state": "Wisconsin", "created_at": "2009-03-24T05:25:08Z"}], "first_name": "Alberto", "email_addresses": [{"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "contact_id": 79, "id": 165, "created_by_id": null, "subscriber_id": 0, "address": "cullen@prosacco.name", "created_at": "2009-03-24T05:25:08Z"}], "last_name": "Zulauf", "instant_messenger_addresses": [{"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "service": "MobileMe", "username": "oliver_cormier", "contact_id": 79, "id": 175, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:08Z"}, {"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "service": "MobileMe", "username": "armani", "contact_id": 79, "id": 176, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:08Z"}], "created_at": "2009-03-24T05:25:08Z", "active": true}}, {"contact": {"company": false, "cached_tag_list": "", "web_addresses": [{"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "contact_id": 80, "id": 147, "created_by_id": null, "subscriber_id": 0, "address": "http://krajcik.co.uk/", "created_at": "2009-03-24T05:25:08Z"}, {"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "contact_id": 80, "id": 148, "created_by_id": null, "subscriber_id": 0, "address": "http://stiedemann.name/", "created_at": "2009-03-24T05:25:08Z"}], "updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "title": null, "delta": false, "company_name": null, "id": 80, "created_by_id": null, "phone_numbers": [{"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "number": "(453)707-7094", "contact_id": 80, "id": 163, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:08Z"}], "is_me": false, "subscriber_id": 0, "street_addresses": [{"lon": null, "city": "Fabiolafort", "zip": "82209-2566", "updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "country": "United States of America", "contact_id": 80, "id": 132, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "51957 Dwight Gateway", "state": "North Carolina", "created_at": "2009-03-24T05:25:08Z"}], "first_name": "Isaac", "email_addresses": [{"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "contact_id": 80, "id": 166, "created_by_id": null, "subscriber_id": 0, "address": "shania.simonis@ryan.ca", "created_at": "2009-03-24T05:25:08Z"}, {"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "contact_id": 80, "id": 167, "created_by_id": null, "subscriber_id": 0, "address": "whitney_marvin@wehner.co.uk", "created_at": "2009-03-24T05:25:08Z"}, {"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "contact_id": 80, "id": 168, "created_by_id": null, "subscriber_id": 0, "address": "marcelle@beierwill.biz", "created_at": "2009-03-24T05:25:08Z"}], "last_name": "Harber", "instant_messenger_addresses": [{"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "service": "MobileMe", "username": "eli_kling", "contact_id": 80, "id": 177, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:08Z"}, {"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "service": "MobileMe", "username": "jimmy.paucek", "contact_id": 80, "id": 178, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:08Z"}], "created_at": "2009-03-24T05:25:08Z", "active": true}}, {"contact": {"company": false, "cached_tag_list": "", "web_addresses": [{"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "contact_id": 81, "id": 149, "created_by_id": null, "subscriber_id": 0, "address": "http://oconnerbins.uk/", "created_at": "2009-03-24T05:25:08Z"}, {"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "contact_id": 81, "id": 150, "created_by_id": null, "subscriber_id": 0, "address": "http://gutmann.us/", "created_at": "2009-03-24T05:25:08Z"}, {"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "contact_id": 81, "id": 151, "created_by_id": null, "subscriber_id": 0, "address": "http://upton.biz/", "created_at": "2009-03-24T05:25:08Z"}], "updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "title": null, "delta": false, "company_name": null, "id": 81, "created_by_id": null, "phone_numbers": [{"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "number": "(478)297-5894", "contact_id": 81, "id": 164, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:08Z"}, {"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "number": "982.200.0305", "contact_id": 81, "id": 165, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:08Z"}], "is_me": false, "subscriber_id": 0, "street_addresses": [{"lon": null, "city": "Lake Keyshawnton", "zip": "98507-9777", "updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "country": "United States of America", "contact_id": 81, "id": 133, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "84618 Williamson Parkway", "state": "Texas", "created_at": "2009-03-24T05:25:08Z"}], "first_name": "Adalberto", "email_addresses": [{"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "contact_id": 81, "id": 169, "created_by_id": null, "subscriber_id": 0, "address": "rosanna@hammes.co.uk", "created_at": "2009-03-24T05:25:08Z"}, {"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "contact_id": 81, "id": 170, "created_by_id": null, "subscriber_id": 0, "address": "antonio@blick.name", "created_at": "2009-03-24T05:25:08Z"}, {"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "contact_id": 81, "id": 171, "created_by_id": null, "subscriber_id": 0, "address": "carleton@greenfelder.us", "created_at": "2009-03-24T05:25:08Z"}], "last_name": "Jacobson", "instant_messenger_addresses": [], "created_at": "2009-03-24T05:25:08Z", "active": true}}, {"contact": {"company": false, "cached_tag_list": "", "web_addresses": [{"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "contact_id": 82, "id": 152, "created_by_id": null, "subscriber_id": 0, "address": "http://ward.ca/", "created_at": "2009-03-24T05:25:08Z"}], "updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "title": null, "delta": false, "company_name": null, "id": 82, "created_by_id": null, "phone_numbers": [{"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "number": "(277)451-6646 x06006", "contact_id": 82, "id": 166, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:08Z"}, {"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "number": "537.508.5538 x660", "contact_id": 82, "id": 167, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:08Z"}, {"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "number": "(305)749-1252", "contact_id": 82, "id": 168, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:08Z"}], "is_me": false, "subscriber_id": 0, "street_addresses": [], "first_name": "Desmond", "email_addresses": [{"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "contact_id": 82, "id": 172, "created_by_id": null, "subscriber_id": 0, "address": "muriel.kozey@mraz.ca", "created_at": "2009-03-24T05:25:08Z"}, {"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "contact_id": 82, "id": 173, "created_by_id": null, "subscriber_id": 0, "address": "jaime@jacobi.co.uk", "created_at": "2009-03-24T05:25:08Z"}, {"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "contact_id": 82, "id": 174, "created_by_id": null, "subscriber_id": 0, "address": "nestor.lubowitz@conroy.biz", "created_at": "2009-03-24T05:25:08Z"}, {"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "contact_id": 82, "id": 175, "created_by_id": null, "subscriber_id": 0, "address": "pauline@boscocrooks.biz", "created_at": "2009-03-24T05:25:08Z"}], "last_name": "Abshire", "instant_messenger_addresses": [], "created_at": "2009-03-24T05:25:08Z", "active": true}}, {"contact": {"company": true, "cached_tag_list": "", "web_addresses": [{"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "contact_id": 83, "id": 153, "created_by_id": null, "subscriber_id": 0, "address": "http://schowalter.uk/", "created_at": "2009-03-24T05:25:08Z"}, {"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "contact_id": 83, "id": 154, "created_by_id": null, "subscriber_id": 0, "address": "http://wilderman.uk/", "created_at": "2009-03-24T05:25:08Z"}, {"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "contact_id": 83, "id": 155, "created_by_id": null, "subscriber_id": 0, "address": "http://hirthemertz.ca/", "created_at": "2009-03-24T05:25:08Z"}, {"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "contact_id": 83, "id": 156, "created_by_id": null, "subscriber_id": 0, "address": "http://hintz.biz/", "created_at": "2009-03-24T05:25:08Z"}], "updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "title": null, "delta": false, "company_name": "Hand-Baumbach", "id": 83, "created_by_id": null, "phone_numbers": [{"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "number": "1-073-822-1812 x855", "contact_id": 83, "id": 169, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:08Z"}, {"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "number": "163-936-9773 x9499", "contact_id": 83, "id": 170, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:08Z"}, {"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "number": "1-349-983-8896 x5750", "contact_id": 83, "id": 171, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:08Z"}], "is_me": false, "subscriber_id": 0, "street_addresses": [{"lon": null, "city": "West Jaquelin", "zip": "83716", "updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "country": "United States of America", "contact_id": 83, "id": 134, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "70153 Preston Bypass", "state": "Michigan", "created_at": "2009-03-24T05:25:08Z"}], "first_name": "Felicity", "email_addresses": [], "last_name": "DuBuque", "instant_messenger_addresses": [{"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "service": "MobileMe", "username": "zachariah_beier", "contact_id": 83, "id": 179, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:08Z"}, {"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "service": "MobileMe", "username": "eloy_rowe", "contact_id": 83, "id": 180, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:08Z"}, {"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "service": "MobileMe", "username": "thad_mohr", "contact_id": 83, "id": 181, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:08Z"}], "created_at": "2009-03-24T05:25:08Z", "active": true}}, {"contact": {"company": false, "cached_tag_list": "", "web_addresses": [{"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "contact_id": 84, "id": 157, "created_by_id": null, "subscriber_id": 0, "address": "http://howell.co.uk/", "created_at": "2009-03-24T05:25:08Z"}, {"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "contact_id": 84, "id": 158, "created_by_id": null, "subscriber_id": 0, "address": "http://dare.us/", "created_at": "2009-03-24T05:25:08Z"}, {"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "contact_id": 84, "id": 159, "created_by_id": null, "subscriber_id": 0, "address": "http://zboncaklehner.ca/", "created_at": "2009-03-24T05:25:08Z"}], "updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "title": null, "delta": false, "company_name": null, "id": 84, "created_by_id": null, "phone_numbers": [{"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "number": "(633)630-8463 x59230", "contact_id": 84, "id": 172, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:08Z"}], "is_me": false, "subscriber_id": 0, "street_addresses": [{"lon": null, "city": "North Alphonso", "zip": "43694-2563", "updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "country": "United States of America", "contact_id": 84, "id": 135, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "935 Hilpert Stream", "state": "Montana", "created_at": "2009-03-24T05:25:08Z"}, {"lon": null, "city": "Klingside", "zip": "42670-1668", "updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "country": "United States of America", "contact_id": 84, "id": 136, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "34365 Stoltenberg Skyway", "state": "Arizona", "created_at": "2009-03-24T05:25:08Z"}], "first_name": "Rubie", "email_addresses": [{"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "contact_id": 84, "id": 176, "created_by_id": null, "subscriber_id": 0, "address": "alisha_schinner@kuhicrath.name", "created_at": "2009-03-24T05:25:08Z"}], "last_name": "Kerluke", "instant_messenger_addresses": [], "created_at": "2009-03-24T05:25:08Z", "active": true}}, {"contact": {"company": false, "cached_tag_list": "", "web_addresses": [{"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "contact_id": 85, "id": 160, "created_by_id": null, "subscriber_id": 0, "address": "http://mertzrogahn.co.uk/", "created_at": "2009-03-24T05:25:08Z"}, {"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "contact_id": 85, "id": 161, "created_by_id": null, "subscriber_id": 0, "address": "http://trantow.uk/", "created_at": "2009-03-24T05:25:08Z"}], "updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "title": null, "delta": false, "company_name": null, "id": 85, "created_by_id": null, "phone_numbers": [], "is_me": false, "subscriber_id": 0, "street_addresses": [{"lon": null, "city": "East Richard", "zip": "03500", "updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "country": "United States of America", "contact_id": 85, "id": 137, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "3876 Clarabelle Knolls", "state": "Missouri", "created_at": "2009-03-24T05:25:08Z"}, {"lon": null, "city": "Leschstad", "zip": "39627", "updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "country": "United States of America", "contact_id": 85, "id": 138, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "96068 Ankunding Trace", "state": "Montana", "created_at": "2009-03-24T05:25:08Z"}, {"lon": null, "city": "East Bria", "zip": "89956-8011", "updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "country": "United States of America", "contact_id": 85, "id": 139, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "8284 Hanna Island", "state": "Wyoming", "created_at": "2009-03-24T05:25:08Z"}], "first_name": "Preston", "email_addresses": [{"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "contact_id": 85, "id": 177, "created_by_id": null, "subscriber_id": 0, "address": "patience@kautzerhuels.com", "created_at": "2009-03-24T05:25:08Z"}, {"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "contact_id": 85, "id": 178, "created_by_id": null, "subscriber_id": 0, "address": "alana_greenfelder@bodedach.com", "created_at": "2009-03-24T05:25:08Z"}, {"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "contact_id": 85, "id": 179, "created_by_id": null, "subscriber_id": 0, "address": "jessica_hermann@schumm.com", "created_at": "2009-03-24T05:25:08Z"}], "last_name": "Kutch", "instant_messenger_addresses": [{"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "service": "MobileMe", "username": "hector", "contact_id": 85, "id": 182, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:08Z"}, {"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "service": "MobileMe", "username": "moshe_collins", "contact_id": 85, "id": 183, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:08Z"}, {"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "service": "MobileMe", "username": "alana_barrows", "contact_id": 85, "id": 184, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:08Z"}, {"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "service": "MobileMe", "username": "hershel_brekke", "contact_id": 85, "id": 185, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:08Z"}], "created_at": "2009-03-24T05:25:08Z", "active": true}}, {"contact": {"company": false, "cached_tag_list": "", "web_addresses": [{"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "contact_id": 86, "id": 162, "created_by_id": null, "subscriber_id": 0, "address": "http://kochreynolds.us/", "created_at": "2009-03-24T05:25:08Z"}, {"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "contact_id": 86, "id": 163, "created_by_id": null, "subscriber_id": 0, "address": "http://kozey.uk/", "created_at": "2009-03-24T05:25:08Z"}, {"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "contact_id": 86, "id": 164, "created_by_id": null, "subscriber_id": 0, "address": "http://schuster.ca/", "created_at": "2009-03-24T05:25:08Z"}], "updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "title": null, "delta": false, "company_name": null, "id": 86, "created_by_id": null, "phone_numbers": [], "is_me": false, "subscriber_id": 0, "street_addresses": [{"lon": null, "city": "Percivalport", "zip": "72413", "updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "country": "United States of America", "contact_id": 86, "id": 140, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "771 McCullough Mill", "state": "Mississippi", "created_at": "2009-03-24T05:25:08Z"}, {"lon": null, "city": "West Mireilleshire", "zip": "05042-6304", "updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "country": "United States of America", "contact_id": 86, "id": 141, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "65314 Murl Throughway", "state": "Massachusetts", "created_at": "2009-03-24T05:25:08Z"}, {"lon": null, "city": "Lake Nathanial", "zip": "42098-5940", "updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "country": "United States of America", "contact_id": 86, "id": 142, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "3643 Clementine Road", "state": "Nevada", "created_at": "2009-03-24T05:25:08Z"}], "first_name": "Dashawn", "email_addresses": [{"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "contact_id": 86, "id": 180, "created_by_id": null, "subscriber_id": 0, "address": "lizzie@williamsonluettgen.biz", "created_at": "2009-03-24T05:25:08Z"}, {"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "contact_id": 86, "id": 181, "created_by_id": null, "subscriber_id": 0, "address": "taylor@kochfunk.name", "created_at": "2009-03-24T05:25:08Z"}, {"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "contact_id": 86, "id": 182, "created_by_id": null, "subscriber_id": 0, "address": "libby.brakus@schumm.biz", "created_at": "2009-03-24T05:25:08Z"}, {"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "contact_id": 86, "id": 183, "created_by_id": null, "subscriber_id": 0, "address": "albertha@wolf.com", "created_at": "2009-03-24T05:25:08Z"}], "last_name": "Thiel", "instant_messenger_addresses": [{"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "service": "MobileMe", "username": "dallin.baumbach", "contact_id": 86, "id": 186, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:08Z"}], "created_at": "2009-03-24T05:25:08Z", "active": true}}, {"contact": {"company": false, "cached_tag_list": "", "web_addresses": [{"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "contact_id": 87, "id": 165, "created_by_id": null, "subscriber_id": 0, "address": "http://crooks.co.uk/", "created_at": "2009-03-24T05:25:08Z"}, {"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "contact_id": 87, "id": 166, "created_by_id": null, "subscriber_id": 0, "address": "http://mckenziestroman.info/", "created_at": "2009-03-24T05:25:08Z"}, {"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "contact_id": 87, "id": 167, "created_by_id": null, "subscriber_id": 0, "address": "http://kunze.com/", "created_at": "2009-03-24T05:25:08Z"}, {"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "contact_id": 87, "id": 168, "created_by_id": null, "subscriber_id": 0, "address": "http://kertzmannfay.uk/", "created_at": "2009-03-24T05:25:08Z"}], "updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "title": null, "delta": false, "company_name": null, "id": 87, "created_by_id": null, "phone_numbers": [{"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "number": "(198)475-8306 x61587", "contact_id": 87, "id": 173, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:08Z"}, {"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "number": "515-852-2973", "contact_id": 87, "id": 174, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:08Z"}, {"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "number": "(445)453-7783 x31410", "contact_id": 87, "id": 175, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:08Z"}], "is_me": false, "subscriber_id": 0, "street_addresses": [], "first_name": "Mateo", "email_addresses": [], "last_name": "Rau", "instant_messenger_addresses": [], "created_at": "2009-03-24T05:25:08Z", "active": true}}, {"contact": {"company": false, "cached_tag_list": "", "web_addresses": [{"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "contact_id": 88, "id": 169, "created_by_id": null, "subscriber_id": 0, "address": "http://rippindeckow.co.uk/", "created_at": "2009-03-24T05:25:08Z"}, {"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "contact_id": 88, "id": 170, "created_by_id": null, "subscriber_id": 0, "address": "http://mannschamberger.co.uk/", "created_at": "2009-03-24T05:25:08Z"}, {"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "contact_id": 88, "id": 171, "created_by_id": null, "subscriber_id": 0, "address": "http://kuhic.info/", "created_at": "2009-03-24T05:25:08Z"}], "updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "title": null, "delta": false, "company_name": null, "id": 88, "created_by_id": null, "phone_numbers": [{"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "number": "875.575.0950 x454", "contact_id": 88, "id": 176, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:08Z"}, {"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "number": "317.276.8733", "contact_id": 88, "id": 177, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:08Z"}, {"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "number": "021.069.7476", "contact_id": 88, "id": 178, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:08Z"}, {"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "number": "234-045-8135 x59485", "contact_id": 88, "id": 179, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:08Z"}], "is_me": false, "subscriber_id": 0, "street_addresses": [{"lon": null, "city": "East Onie", "zip": "14917-9625", "updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "country": "United States of America", "contact_id": 88, "id": 143, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "274 Hansen Island", "state": "South Carolina", "created_at": "2009-03-24T05:25:08Z"}, {"lon": null, "city": "O'Connellville", "zip": "61781-6725", "updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "country": "United States of America", "contact_id": 88, "id": 144, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "45287 Leonard Brooks", "state": "Texas", "created_at": "2009-03-24T05:25:08Z"}], "first_name": "Elisha", "email_addresses": [{"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "contact_id": 88, "id": 184, "created_by_id": null, "subscriber_id": 0, "address": "milton.bernhard@crist.co.uk", "created_at": "2009-03-24T05:25:08Z"}, {"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "contact_id": 88, "id": 185, "created_by_id": null, "subscriber_id": 0, "address": "norris@klocko.info", "created_at": "2009-03-24T05:25:08Z"}, {"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "contact_id": 88, "id": 186, "created_by_id": null, "subscriber_id": 0, "address": "randi@blockbeatty.name", "created_at": "2009-03-24T05:25:08Z"}], "last_name": "Brown", "instant_messenger_addresses": [{"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "service": "MobileMe", "username": "collin", "contact_id": 88, "id": 187, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:08Z"}], "created_at": "2009-03-24T05:25:08Z", "active": true}}, {"contact": {"company": false, "cached_tag_list": "", "web_addresses": [{"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "contact_id": 89, "id": 172, "created_by_id": null, "subscriber_id": 0, "address": "http://ritchie.biz/", "created_at": "2009-03-24T05:25:08Z"}, {"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "contact_id": 89, "id": 173, "created_by_id": null, "subscriber_id": 0, "address": "http://emmerich.co.uk/", "created_at": "2009-03-24T05:25:08Z"}, {"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "contact_id": 89, "id": 174, "created_by_id": null, "subscriber_id": 0, "address": "http://morar.ca/", "created_at": "2009-03-24T05:25:08Z"}], "updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "title": null, "delta": false, "company_name": null, "id": 89, "created_by_id": null, "phone_numbers": [{"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "number": "735-357-6915", "contact_id": 89, "id": 180, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:08Z"}, {"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "number": "1-828-328-3930 x558", "contact_id": 89, "id": 181, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:08Z"}, {"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "number": "670-938-8577 x0269", "contact_id": 89, "id": 182, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:08Z"}, {"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "number": "505.167.3712", "contact_id": 89, "id": 183, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:08Z"}], "is_me": false, "subscriber_id": 0, "street_addresses": [{"lon": null, "city": "Uniquestad", "zip": "06804-3640", "updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "country": "United States of America", "contact_id": 89, "id": 145, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "1381 Waters Garden", "state": "Tennessee", "created_at": "2009-03-24T05:25:08Z"}, {"lon": null, "city": "Hilbertberg", "zip": "18329", "updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "country": "United States of America", "contact_id": 89, "id": 146, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "1522 Edythe Viaduct", "state": "Wyoming", "created_at": "2009-03-24T05:25:08Z"}, {"lon": null, "city": "Altenwerthville", "zip": "56919", "updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "country": "United States of America", "contact_id": 89, "id": 147, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "21105 Princess Ports", "state": "Utah", "created_at": "2009-03-24T05:25:08Z"}], "first_name": "Howell", "email_addresses": [{"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "contact_id": 89, "id": 187, "created_by_id": null, "subscriber_id": 0, "address": "joey_schoen@mosciskijohnston.ca", "created_at": "2009-03-24T05:25:08Z"}, {"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "contact_id": 89, "id": 188, "created_by_id": null, "subscriber_id": 0, "address": "cleora@okeefe.us", "created_at": "2009-03-24T05:25:08Z"}], "last_name": "Grady", "instant_messenger_addresses": [{"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "service": "MobileMe", "username": "joey", "contact_id": 89, "id": 188, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:08Z"}, {"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "service": "MobileMe", "username": "montana_roberts", "contact_id": 89, "id": 189, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:08Z"}, {"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "service": "MobileMe", "username": "yadira", "contact_id": 89, "id": 190, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:08Z"}], "created_at": "2009-03-24T05:25:08Z", "active": true}}, {"contact": {"company": false, "cached_tag_list": "", "web_addresses": [], "updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "title": null, "delta": false, "company_name": null, "id": 90, "created_by_id": null, "phone_numbers": [{"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "number": "1-639-169-3620 x600", "contact_id": 90, "id": 184, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:08Z"}], "is_me": false, "subscriber_id": 0, "street_addresses": [], "first_name": "Lexie", "email_addresses": [{"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "contact_id": 90, "id": 189, "created_by_id": null, "subscriber_id": 0, "address": "winona_dietrich@ryan.ca", "created_at": "2009-03-24T05:25:08Z"}], "last_name": "Corwin", "instant_messenger_addresses": [{"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "service": "MobileMe", "username": "palma", "contact_id": 90, "id": 191, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:08Z"}], "created_at": "2009-03-24T05:25:08Z", "active": true}}, {"contact": {"company": false, "cached_tag_list": "", "web_addresses": [{"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "contact_id": 91, "id": 175, "created_by_id": null, "subscriber_id": 0, "address": "http://collinsheidenreich.uk/", "created_at": "2009-03-24T05:25:08Z"}, {"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "contact_id": 91, "id": 176, "created_by_id": null, "subscriber_id": 0, "address": "http://reingerroob.ca/", "created_at": "2009-03-24T05:25:08Z"}, {"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "contact_id": 91, "id": 177, "created_by_id": null, "subscriber_id": 0, "address": "http://jastpagac.name/", "created_at": "2009-03-24T05:25:08Z"}], "updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "title": null, "delta": false, "company_name": null, "id": 91, "created_by_id": null, "phone_numbers": [{"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "number": "(403)242-5209", "contact_id": 91, "id": 185, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:08Z"}], "is_me": false, "subscriber_id": 0, "street_addresses": [{"lon": null, "city": "Robbieshire", "zip": "40899", "updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "country": "United States of America", "contact_id": 91, "id": 148, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "8563 Orn Drives", "state": "Maine", "created_at": "2009-03-24T05:25:08Z"}, {"lon": null, "city": "Kohlerchester", "zip": "67190", "updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "country": "United States of America", "contact_id": 91, "id": 149, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "1269 Weissnat Field", "state": "Alabama", "created_at": "2009-03-24T05:25:08Z"}, {"lon": null, "city": "Lavonneton", "zip": "86398-5231", "updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "country": "United States of America", "contact_id": 91, "id": 150, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "4514 Hegmann Light", "state": "Texas", "created_at": "2009-03-24T05:25:08Z"}], "first_name": "Wilson", "email_addresses": [{"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "contact_id": 91, "id": 190, "created_by_id": null, "subscriber_id": 0, "address": "eugenia@lehner.uk", "created_at": "2009-03-24T05:25:08Z"}, {"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "contact_id": 91, "id": 191, "created_by_id": null, "subscriber_id": 0, "address": "marie@quitzon.info", "created_at": "2009-03-24T05:25:08Z"}, {"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "contact_id": 91, "id": 192, "created_by_id": null, "subscriber_id": 0, "address": "ferne@gloverkilback.us", "created_at": "2009-03-24T05:25:08Z"}], "last_name": "Barrows", "instant_messenger_addresses": [{"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "service": "MobileMe", "username": "clark_rohan", "contact_id": 91, "id": 192, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:08Z"}], "created_at": "2009-03-24T05:25:08Z", "active": true}}, {"contact": {"company": false, "cached_tag_list": "", "web_addresses": [{"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "contact_id": 92, "id": 178, "created_by_id": null, "subscriber_id": 0, "address": "http://jacobs.ca/", "created_at": "2009-03-24T05:25:08Z"}, {"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "contact_id": 92, "id": 179, "created_by_id": null, "subscriber_id": 0, "address": "http://crookslindgren.us/", "created_at": "2009-03-24T05:25:08Z"}, {"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "contact_id": 92, "id": 180, "created_by_id": null, "subscriber_id": 0, "address": "http://gottlieb.name/", "created_at": "2009-03-24T05:25:08Z"}], "updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "title": null, "delta": false, "company_name": null, "id": 92, "created_by_id": null, "phone_numbers": [{"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "number": "1-703-614-2944 x59708", "contact_id": 92, "id": 186, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:08Z"}, {"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "number": "(851)587-1221 x5677", "contact_id": 92, "id": 187, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:08Z"}], "is_me": false, "subscriber_id": 0, "street_addresses": [{"lon": null, "city": "Carlosland", "zip": "65538-0463", "updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "country": "United States of America", "contact_id": 92, "id": 151, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "995 Padberg Flat", "state": "Nevada", "created_at": "2009-03-24T05:25:08Z"}], "first_name": "Rebeka", "email_addresses": [{"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "contact_id": 92, "id": 193, "created_by_id": null, "subscriber_id": 0, "address": "idella.spinka@tromp.name", "created_at": "2009-03-24T05:25:08Z"}], "last_name": "Baumbach", "instant_messenger_addresses": [{"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "service": "MobileMe", "username": "mekhi.zieme", "contact_id": 92, "id": 193, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:08Z"}, {"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "service": "MobileMe", "username": "justus_hyatt", "contact_id": 92, "id": 194, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:08Z"}, {"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "service": "MobileMe", "username": "brennan_moore", "contact_id": 92, "id": 195, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:08Z"}], "created_at": "2009-03-24T05:25:08Z", "active": true}}, {"contact": {"company": false, "cached_tag_list": "", "web_addresses": [{"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "contact_id": 93, "id": 181, "created_by_id": null, "subscriber_id": 0, "address": "http://paucek.uk/", "created_at": "2009-03-24T05:25:08Z"}, {"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "contact_id": 93, "id": 182, "created_by_id": null, "subscriber_id": 0, "address": "http://yost.co.uk/", "created_at": "2009-03-24T05:25:08Z"}, {"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "contact_id": 93, "id": 183, "created_by_id": null, "subscriber_id": 0, "address": "http://fishernolan.uk/", "created_at": "2009-03-24T05:25:08Z"}, {"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "contact_id": 93, "id": 184, "created_by_id": null, "subscriber_id": 0, "address": "http://jonesrobel.biz/", "created_at": "2009-03-24T05:25:08Z"}], "updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "title": null, "delta": false, "company_name": null, "id": 93, "created_by_id": null, "phone_numbers": [], "is_me": false, "subscriber_id": 0, "street_addresses": [{"lon": null, "city": "Kerlukeshire", "zip": "60711-6646", "updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "country": "United States of America", "contact_id": 93, "id": 152, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "03781 Teresa Junction", "state": "North Carolina", "created_at": "2009-03-24T05:25:08Z"}, {"lon": null, "city": "Mariloustad", "zip": "38085", "updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "country": "United States of America", "contact_id": 93, "id": 153, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "68279 Cronin Garden", "state": "Alaska", "created_at": "2009-03-24T05:25:08Z"}, {"lon": null, "city": "Littleview", "zip": "68966", "updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "country": "United States of America", "contact_id": 93, "id": 154, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "204 Marquardt Terrace", "state": "Minnesota", "created_at": "2009-03-24T05:25:08Z"}], "first_name": "Austen", "email_addresses": [], "last_name": "Mertz", "instant_messenger_addresses": [{"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "service": "MobileMe", "username": "cesar", "contact_id": 93, "id": 196, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:08Z"}, {"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "service": "MobileMe", "username": "clinton", "contact_id": 93, "id": 197, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:08Z"}, {"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "service": "MobileMe", "username": "alessandra", "contact_id": 93, "id": 198, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:08Z"}, {"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "service": "MobileMe", "username": "sherwood", "contact_id": 93, "id": 199, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:08Z"}], "created_at": "2009-03-24T05:25:08Z", "active": true}}, {"contact": {"company": false, "cached_tag_list": "", "web_addresses": [{"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "contact_id": 94, "id": 185, "created_by_id": null, "subscriber_id": 0, "address": "http://kuhlman.co.uk/", "created_at": "2009-03-24T05:25:08Z"}], "updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "title": null, "delta": false, "company_name": null, "id": 94, "created_by_id": null, "phone_numbers": [{"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "number": "624.562.7837", "contact_id": 94, "id": 188, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:08Z"}, {"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "number": "622-866-6843 x227", "contact_id": 94, "id": 189, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:08Z"}, {"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "number": "(019)867-1593", "contact_id": 94, "id": 190, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:08Z"}, {"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "number": "(697)785-3197 x41861", "contact_id": 94, "id": 191, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:08Z"}], "is_me": false, "subscriber_id": 0, "street_addresses": [{"lon": null, "city": "West Angelita", "zip": "24365-6992", "updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "country": "United States of America", "contact_id": 94, "id": 155, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "37069 Kassulke Neck", "state": "Massachusetts", "created_at": "2009-03-24T05:25:08Z"}, {"lon": null, "city": "North Jamirview", "zip": "55982", "updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "country": "United States of America", "contact_id": 94, "id": 156, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "940 Reichel Fields", "state": "Minnesota", "created_at": "2009-03-24T05:25:08Z"}], "first_name": "Libbie", "email_addresses": [], "last_name": "Simonis", "instant_messenger_addresses": [{"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "service": "MobileMe", "username": "geoffrey.jewess", "contact_id": 94, "id": 200, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:08Z"}, {"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "service": "MobileMe", "username": "delta", "contact_id": 94, "id": 201, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:08Z"}], "created_at": "2009-03-24T05:25:08Z", "active": true}}, {"contact": {"company": true, "cached_tag_list": "", "web_addresses": [], "updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "title": null, "delta": false, "company_name": "Konopelski, Howe and Nader", "id": 95, "created_by_id": null, "phone_numbers": [{"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "number": "1-679-210-0617", "contact_id": 95, "id": 192, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:08Z"}, {"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "number": "158-422-3133", "contact_id": 95, "id": 193, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:08Z"}, {"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "number": "972-780-4315", "contact_id": 95, "id": 194, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:08Z"}], "is_me": false, "subscriber_id": 0, "street_addresses": [{"lon": null, "city": "Tremblayton", "zip": "81249", "updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "country": "United States of America", "contact_id": 95, "id": 157, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "025 Shea Underpass", "state": "Illinois", "created_at": "2009-03-24T05:25:08Z"}, {"lon": null, "city": "Port Davionfurt", "zip": "65178-0843", "updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "country": "United States of America", "contact_id": 95, "id": 158, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "442 Bruen Fords", "state": "Wyoming", "created_at": "2009-03-24T05:25:08Z"}, {"lon": null, "city": "Port Marcellaside", "zip": "92006", "updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "country": "United States of America", "contact_id": 95, "id": 159, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "00368 Stokes Groves", "state": "Maine", "created_at": "2009-03-24T05:25:08Z"}], "first_name": "Mohamed", "email_addresses": [{"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "contact_id": 95, "id": 194, "created_by_id": null, "subscriber_id": 0, "address": "christiana@stiedemann.name", "created_at": "2009-03-24T05:25:08Z"}], "last_name": "Treutel", "instant_messenger_addresses": [{"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "service": "MobileMe", "username": "cesar", "contact_id": 95, "id": 202, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:08Z"}, {"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "service": "MobileMe", "username": "guadalupe_tromp", "contact_id": 95, "id": 203, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:08Z"}, {"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "service": "MobileMe", "username": "prince.gottlieb", "contact_id": 95, "id": 204, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:08Z"}], "created_at": "2009-03-24T05:25:08Z", "active": true}}, {"contact": {"company": false, "cached_tag_list": "", "web_addresses": [{"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "contact_id": 96, "id": 186, "created_by_id": null, "subscriber_id": 0, "address": "http://durgan.co.uk/", "created_at": "2009-03-24T05:25:08Z"}, {"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "contact_id": 96, "id": 187, "created_by_id": null, "subscriber_id": 0, "address": "http://balistrerigerhold.co.uk/", "created_at": "2009-03-24T05:25:08Z"}], "updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "title": null, "delta": false, "company_name": null, "id": 96, "created_by_id": null, "phone_numbers": [], "is_me": false, "subscriber_id": 0, "street_addresses": [{"lon": null, "city": "Leonorshire", "zip": "19860-1798", "updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "country": "United States of America", "contact_id": 96, "id": 160, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "2239 Emery Ville", "state": "Oregon", "created_at": "2009-03-24T05:25:08Z"}, {"lon": null, "city": "North Arlene", "zip": "56478", "updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "country": "United States of America", "contact_id": 96, "id": 161, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "930 Rodriguez Center", "state": "North Dakota", "created_at": "2009-03-24T05:25:08Z"}, {"lon": null, "city": "Ashashire", "zip": "13354", "updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "country": "United States of America", "contact_id": 96, "id": 162, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "00010 Morissette Center", "state": "Nebraska", "created_at": "2009-03-24T05:25:08Z"}], "first_name": "Meagan", "email_addresses": [{"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "contact_id": 96, "id": 195, "created_by_id": null, "subscriber_id": 0, "address": "rene@conroy.info", "created_at": "2009-03-24T05:25:08Z"}, {"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "contact_id": 96, "id": 196, "created_by_id": null, "subscriber_id": 0, "address": "jerrold@russel.ca", "created_at": "2009-03-24T05:25:08Z"}], "last_name": "Herzog", "instant_messenger_addresses": [{"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "service": "MobileMe", "username": "althea", "contact_id": 96, "id": 205, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:08Z"}, {"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "service": "MobileMe", "username": "kyla", "contact_id": 96, "id": 206, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:08Z"}, {"updated_at": "2009-03-24T05:25:08Z", "updated_by_id": null, "service": "MobileMe", "username": "ignacio.ernser", "contact_id": 96, "id": 207, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:08Z"}], "created_at": "2009-03-24T05:25:08Z", "active": true}}, {"contact": {"company": false, "cached_tag_list": "", "web_addresses": [{"updated_at": "2009-03-24T05:25:09Z", "updated_by_id": null, "contact_id": 97, "id": 188, "created_by_id": null, "subscriber_id": 0, "address": "http://wilkinson.co.uk/", "created_at": "2009-03-24T05:25:09Z"}], "updated_at": "2009-03-24T05:25:09Z", "updated_by_id": null, "title": null, "delta": false, "company_name": null, "id": 97, "created_by_id": null, "phone_numbers": [{"updated_at": "2009-03-24T05:25:09Z", "updated_by_id": null, "number": "517.019.5690 x8334", "contact_id": 97, "id": 195, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:09Z"}, {"updated_at": "2009-03-24T05:25:09Z", "updated_by_id": null, "number": "119.389.7269", "contact_id": 97, "id": 196, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:09Z"}, {"updated_at": "2009-03-24T05:25:09Z", "updated_by_id": null, "number": "201-186-9445", "contact_id": 97, "id": 197, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:09Z"}, {"updated_at": "2009-03-24T05:25:09Z", "updated_by_id": null, "number": "(518)118-1976 x06334", "contact_id": 97, "id": 198, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:09Z"}], "is_me": false, "subscriber_id": 0, "street_addresses": [], "first_name": "Darion", "email_addresses": [{"updated_at": "2009-03-24T05:25:09Z", "updated_by_id": null, "contact_id": 97, "id": 197, "created_by_id": null, "subscriber_id": 0, "address": "wilfrid_davis@fritsch.info", "created_at": "2009-03-24T05:25:09Z"}, {"updated_at": "2009-03-24T05:25:09Z", "updated_by_id": null, "contact_id": 97, "id": 198, "created_by_id": null, "subscriber_id": 0, "address": "ines.ward@wunschlarson.info", "created_at": "2009-03-24T05:25:09Z"}], "last_name": "Graham", "instant_messenger_addresses": [], "created_at": "2009-03-24T05:25:09Z", "active": true}}, {"contact": {"company": false, "cached_tag_list": "", "web_addresses": [{"updated_at": "2009-03-24T05:25:09Z", "updated_by_id": null, "contact_id": 98, "id": 189, "created_by_id": null, "subscriber_id": 0, "address": "http://welch.name/", "created_at": "2009-03-24T05:25:09Z"}, {"updated_at": "2009-03-24T05:25:09Z", "updated_by_id": null, "contact_id": 98, "id": 190, "created_by_id": null, "subscriber_id": 0, "address": "http://fadel.com/", "created_at": "2009-03-24T05:25:09Z"}, {"updated_at": "2009-03-24T05:25:09Z", "updated_by_id": null, "contact_id": 98, "id": 191, "created_by_id": null, "subscriber_id": 0, "address": "http://willmsmorar.uk/", "created_at": "2009-03-24T05:25:09Z"}, {"updated_at": "2009-03-24T05:25:09Z", "updated_by_id": null, "contact_id": 98, "id": 192, "created_by_id": null, "subscriber_id": 0, "address": "http://doyle.us/", "created_at": "2009-03-24T05:25:09Z"}], "updated_at": "2009-03-24T05:25:09Z", "updated_by_id": null, "title": null, "delta": false, "company_name": null, "id": 98, "created_by_id": null, "phone_numbers": [{"updated_at": "2009-03-24T05:25:09Z", "updated_by_id": null, "number": "676-052-2716 x9631", "contact_id": 98, "id": 199, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:09Z"}, {"updated_at": "2009-03-24T05:25:09Z", "updated_by_id": null, "number": "425.231.2546", "contact_id": 98, "id": 200, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:09Z"}, {"updated_at": "2009-03-24T05:25:09Z", "updated_by_id": null, "number": "635.813.2112", "contact_id": 98, "id": 201, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:09Z"}, {"updated_at": "2009-03-24T05:25:09Z", "updated_by_id": null, "number": "1-139-748-5856", "contact_id": 98, "id": 202, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:09Z"}], "is_me": false, "subscriber_id": 0, "street_addresses": [{"lon": null, "city": "Ivamouth", "zip": "61105-6492", "updated_at": "2009-03-24T05:25:09Z", "updated_by_id": null, "country": "United States of America", "contact_id": 98, "id": 163, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "4013 Robert Neck", "state": "Alaska", "created_at": "2009-03-24T05:25:09Z"}, {"lon": null, "city": "Gorczanyshire", "zip": "52634", "updated_at": "2009-03-24T05:25:09Z", "updated_by_id": null, "country": "United States of America", "contact_id": 98, "id": 164, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "59522 Amalia Rapids", "state": "Rhode Island", "created_at": "2009-03-24T05:25:09Z"}, {"lon": null, "city": "South Kristy", "zip": "10781", "updated_at": "2009-03-24T05:25:09Z", "updated_by_id": null, "country": "United States of America", "contact_id": 98, "id": 165, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "70708 Edmund Canyon", "state": "North Carolina", "created_at": "2009-03-24T05:25:09Z"}], "first_name": "Ludie", "email_addresses": [{"updated_at": "2009-03-24T05:25:09Z", "updated_by_id": null, "contact_id": 98, "id": 199, "created_by_id": null, "subscriber_id": 0, "address": "adelbert_deckow@sawaynfadel.info", "created_at": "2009-03-24T05:25:09Z"}], "last_name": "Wintheiser", "instant_messenger_addresses": [{"updated_at": "2009-03-24T05:25:09Z", "updated_by_id": null, "service": "MobileMe", "username": "mariela.kunze", "contact_id": 98, "id": 208, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:09Z"}, {"updated_at": "2009-03-24T05:25:09Z", "updated_by_id": null, "service": "MobileMe", "username": "daren", "contact_id": 98, "id": 209, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:09Z"}, {"updated_at": "2009-03-24T05:25:09Z", "updated_by_id": null, "service": "MobileMe", "username": "alycia_rice", "contact_id": 98, "id": 210, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:09Z"}, {"updated_at": "2009-03-24T05:25:09Z", "updated_by_id": null, "service": "MobileMe", "username": "julio", "contact_id": 98, "id": 211, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:09Z"}], "created_at": "2009-03-24T05:25:09Z", "active": true}}, {"contact": {"company": false, "cached_tag_list": "", "web_addresses": [{"updated_at": "2009-03-24T05:25:09Z", "updated_by_id": null, "contact_id": 99, "id": 193, "created_by_id": null, "subscriber_id": 0, "address": "http://bogisichborer.info/", "created_at": "2009-03-24T05:25:09Z"}, {"updated_at": "2009-03-24T05:25:09Z", "updated_by_id": null, "contact_id": 99, "id": 194, "created_by_id": null, "subscriber_id": 0, "address": "http://simonis.ca/", "created_at": "2009-03-24T05:25:09Z"}, {"updated_at": "2009-03-24T05:25:09Z", "updated_by_id": null, "contact_id": 99, "id": 195, "created_by_id": null, "subscriber_id": 0, "address": "http://armstrong.info/", "created_at": "2009-03-24T05:25:09Z"}], "updated_at": "2009-03-24T05:25:09Z", "updated_by_id": null, "title": null, "delta": false, "company_name": null, "id": 99, "created_by_id": null, "phone_numbers": [{"updated_at": "2009-03-24T05:25:09Z", "updated_by_id": null, "number": "(785)693-4704 x59630", "contact_id": 99, "id": 203, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:09Z"}, {"updated_at": "2009-03-24T05:25:09Z", "updated_by_id": null, "number": "(272)564-8189", "contact_id": 99, "id": 204, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:09Z"}], "is_me": false, "subscriber_id": 0, "street_addresses": [], "first_name": "Larissa", "email_addresses": [{"updated_at": "2009-03-24T05:25:09Z", "updated_by_id": null, "contact_id": 99, "id": 200, "created_by_id": null, "subscriber_id": 0, "address": "ryan@bins.ca", "created_at": "2009-03-24T05:25:09Z"}], "last_name": "Wehner", "instant_messenger_addresses": [{"updated_at": "2009-03-24T05:25:09Z", "updated_by_id": null, "service": "MobileMe", "username": "giles", "contact_id": 99, "id": 212, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:09Z"}, {"updated_at": "2009-03-24T05:25:09Z", "updated_by_id": null, "service": "MobileMe", "username": "marlene", "contact_id": 99, "id": 213, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:09Z"}], "created_at": "2009-03-24T05:25:09Z", "active": true}}, {"contact": {"company": false, "cached_tag_list": "", "web_addresses": [], "updated_at": "2009-03-24T05:25:09Z", "updated_by_id": null, "title": null, "delta": false, "company_name": null, "id": 100, "created_by_id": null, "phone_numbers": [{"updated_at": "2009-03-24T05:25:09Z", "updated_by_id": null, "number": "161.401.2133 x70847", "contact_id": 100, "id": 205, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:09Z"}], "is_me": false, "subscriber_id": 0, "street_addresses": [{"lon": null, "city": "West Laishatown", "zip": "39373", "updated_at": "2009-03-24T05:25:09Z", "updated_by_id": null, "country": "United States of America", "contact_id": 100, "id": 166, "created_by_id": null, "subscriber_id": 0, "lat": null, "address": "25092 Danika Spurs", "state": "Idaho", "created_at": "2009-03-24T05:25:09Z"}], "first_name": "Adele", "email_addresses": [{"updated_at": "2009-03-24T05:25:09Z", "updated_by_id": null, "contact_id": 100, "id": 201, "created_by_id": null, "subscriber_id": 0, "address": "gwendolyn@kshlerin.co.uk", "created_at": "2009-03-24T05:25:09Z"}, {"updated_at": "2009-03-24T05:25:09Z", "updated_by_id": null, "contact_id": 100, "id": 202, "created_by_id": null, "subscriber_id": 0, "address": "zella_bode@reichert.ca", "created_at": "2009-03-24T05:25:09Z"}, {"updated_at": "2009-03-24T05:25:09Z", "updated_by_id": null, "contact_id": 100, "id": 203, "created_by_id": null, "subscriber_id": 0, "address": "eveline.feest@stiedemann.co.uk", "created_at": "2009-03-24T05:25:09Z"}], "last_name": "Hessel", "instant_messenger_addresses": [{"updated_at": "2009-03-24T05:25:09Z", "updated_by_id": null, "service": "MobileMe", "username": "vladimir", "contact_id": 100, "id": 214, "created_by_id": null, "subscriber_id": 0, "created_at": "2009-03-24T05:25:09Z"}], "created_at": "2009-03-24T05:25:09Z", "active": true}}] yajl-ruby-1.4.3/spec/parsing/fixtures/fail.17.json0000644000004100000410000000004214246427314021772 0ustar www-datawww-data["Illegal backslash escape: \017"]yajl-ruby-1.4.3/spec/parsing/fixtures/pass.json-org-sample5.json0000644000004100000410000000155114246427314024706 0ustar www-datawww-data{"menu": { "header": "SVG Viewer", "items": [ {"id": "Open"}, {"id": "OpenNew", "label": "Open New"}, null, {"id": "ZoomIn", "label": "Zoom In"}, {"id": "ZoomOut", "label": "Zoom Out"}, {"id": "OriginalView", "label": "Original View"}, null, {"id": "Quality"}, {"id": "Pause"}, {"id": "Mute"}, null, {"id": "Find", "label": "Find..."}, {"id": "FindAgain", "label": "Find Again"}, {"id": "Copy"}, {"id": "CopyAgain", "label": "Copy Again"}, {"id": "CopySVG", "label": "Copy SVG"}, {"id": "ViewSVG", "label": "View SVG"}, {"id": "ViewSource", "label": "View Source"}, {"id": "SaveAs", "label": "Save As"}, null, {"id": "Help"}, {"id": "About", "label": "About Adobe CVG Viewer..."} ] }} yajl-ruby-1.4.3/spec/parsing/fixtures/fail20.json0000644000004100000410000000002714246427314021711 0ustar www-datawww-data{"Double colon":: null}yajl-ruby-1.4.3/spec/parsing/fixtures/fail12.json0000644000004100000410000000003714246427314021713 0ustar www-datawww-data{"Illegal invocation": alert()}yajl-ruby-1.4.3/spec/parsing/fixtures/pass1.json0000644000004100000410000000255214246427314021670 0ustar www-datawww-data[ "JSON Test Pattern pass1", {"object with 1 member":["array with 1 element"]}, {}, [], -42, true, false, null, { "integer": 1234567890, "real": -9876.543210, "e": 0.123456789e-12, "E": 1.234567890E+34, "": 23456789012E66, "zero": 0, "one": 1, "space": " ", "quote": "\"", "backslash": "\\", "controls": "\b\f\n\r\t", "slash": "/ & \/", "alpha": "abcdefghijklmnopqrstuvwyz", "ALPHA": "ABCDEFGHIJKLMNOPQRSTUVWYZ", "digit": "0123456789", "special": "`1~!@#$%^&*()_+-={':[,]}|;.?", "hex": "\u0123\u4567\u89AB\uCDEF\uabcd\uef4A", "true": true, "false": false, "null": null, "array":[ ], "object":{ }, "address": "50 St. James Street", "url": "http://www.JSON.org/", "comment": "// /* */": " ", " s p a c e d " :[1,2 , 3 , 4 , 5 , 6 ,7 ], "compact": [1,2,3,4,5,6,7], "jsontext": "{\"object with 1 member\":[\"array with 1 element\"]}", "quotes": "" \u0022 %22 0x22 034 "", "\/\\\"\uCAFE\uBABE\uAB98\uFCDE\ubcda\uef4A\b\f\n\r\t`1~!@#$%^&*()_+-=[]{}|;:',./<>?" : "A key can be any string" }, 0.5 ,98.6 , 99.44 , 1066 ,"rosebud"]yajl-ruby-1.4.3/spec/parsing/fixtures/fail21.json0000644000004100000410000000004014246427314021705 0ustar www-datawww-data{"Comma instead of colon", null}yajl-ruby-1.4.3/spec/parsing/fixtures/fail6.json0000644000004100000410000000003214246427314021631 0ustar www-datawww-data[ , "<-- missing value"]yajl-ruby-1.4.3/spec/parsing/fixtures/fail.15.json0000644000004100000410000000004214246427314021770 0ustar www-datawww-data["Illegal backslash escape: \x15"]yajl-ruby-1.4.3/spec/parsing/fixtures/fail.16.json0000644000004100000410000000004014246427314021767 0ustar www-datawww-data["Illegal backslash escape: \'"]yajl-ruby-1.4.3/spec/parsing/fixtures/pass.item.json0000644000004100000410000000056714246427314022550 0ustar www-datawww-data{"item": {"name": "generated", "cached_tag_list": "", "updated_at": "2009-03-24T05:25:09Z", "updated_by_id": null, "price": 1.99, "delta": false, "cost": 0.597, "account_id": 16, "unit": null, "import_tag": null, "taxable": true, "id": 1, "created_by_id": null, "description": null, "company_id": 0, "sku": "06317-0306", "created_at": "2009-03-24T05:25:09Z", "active": true}}yajl-ruby-1.4.3/spec/parsing/fixtures/fail5.json0000644000004100000410000000003014246427314021626 0ustar www-datawww-data["double extra comma",,]yajl-ruby-1.4.3/spec/parsing/fixtures/fail24.json0000644000004100000410000000002014246427314021706 0ustar www-datawww-data['single quote']yajl-ruby-1.4.3/spec/parsing/fixtures/pass3.json0000644000004100000410000000022414246427314021664 0ustar www-datawww-data{ "JSON Test Pattern pass3": { "The outermost value": "must be an object or array.", "In this test": "It is an object." } } yajl-ruby-1.4.3/spec/parsing/fixtures/fail13.json0000644000004100000410000000005314246427314021712 0ustar www-datawww-data{"Numbers cannot have leading zeroes": 013}yajl-ruby-1.4.3/spec/parsing/fixtures/pass.unicode.json0000755000004100000410000247660314246427314023255 0ustar www-datawww-data{ "a": { "6U閆崬밺뀫颒myj츥휘:$薈mY햚#rz飏+玭V㭢뾿愴YꖚX亥ᮉ푊\u0006垡㐭룝\"厓ᔧḅ^Sqpv媫\"⤽걒\"˽Ἆ?ꇆ䬔未tv{DV鯀Tἆl凸g\\㈭ĭ즿UH㽤": null, "b茤z\\.N": [[ "ZL:ᅣዎ*Y|猫劁櫕荾Oj为1糕쪥泏S룂w࡛Ᏺ⸥蚙)", { "\"䬰ỐwD捾V`邀⠕VD㺝sH6[칑.:醥葹*뻵倻aD\"": true, "e浱up蔽Cr෠JK軵xCʨ<뜡癙Y獩ケ齈X/螗唻?<蘡+뷄㩤쳖3偑犾&\\첊xz坍崦ݻ鍴\"嵥B3㰃詤豺嚼aqJ⑆∥韼@\u000b㢊\u0015L臯.샥": false, "l?Ǩ喳e6㔡$M꼄I,(3᝝縢,䊀疅뉲B㴔傳䂴\u0088㮰钘ꜵ!ᅛ韽>": -5514085325291784739, "o㮚?\"춛㵉<\/﬊ࠃ䃪䝣wp6ἀ䱄[s*S嬈貒pᛥ㰉'돀": [{ "(QP윤懊FI<ꃣ『䕷[\"珒嶮?%Ḭ壍಻䇟0荤!藲끹bd浶tl\u2049#쯀@僞": {"i妾8홫": { ",M맃䞛K5nAㆴVN㒊햬$n꩑&ꎝ椞阫?/ṏ세뉪1x쥼㻤㪙`\"$쟒薟B煌܀쨝ଢ଼2掳7㙟鴙X婢\u0002": "Vዉ菈᧷⦌kﮞఈnz*﷜FM\"荭7ꍀ-VR<\/';䁙E9$䩉\f @s?퍪o3^衴cඎ䧪aK鼟q䆨c{䳠5mᒲՙ蘹ᮩ": { "F㲷JGo⯍P덵x뒳p䘧☔\"+ꨲ吿JfR㔹)4n紬G练Q፞!C|": true, "p^㫮솎oc.೚A㤠??r\u000f)⾽⌲們M2.䴘䩳:⫭胃\\፾@Fᭌ\\K": false, "蟌Tk愙潦伩": { "a<\/@ᾛ慂侇瘎": -7271305752851720826, "艓藬/>၄ṯ,XW~㲆w": {"E痧郶)㜓ha朗!N赻瞉駠uC\u20ad辠x퓮⣫P1ࠫLMMX'M刼唳됤": null, "P쓫晥%k覛ዩIUᇸ滨:噐혲lMR5䋈V梗>%幽u頖\\)쟟": null, "eg+昉~矠䧞难\b?gQ쭷筝\\eꮠNl{ಢ哭|]Mn銌╥zꖘzⱷ⭤ᮜ^": [ -1.30142114406914976E17, -1.7555215491128452E-19, null, "渾㨝ߏ牄귛r?돌?w[⚞ӻ~廩輫㼧/", -4.5737191805302129E18, null, "xy࿑M[oc셒竓Ⓔx?뜓y䊦>-D켍(&&?XKkc꩖ﺸᏋ뵞K伕6ী)딀P朁yW揙?훻魢傎EG碸9類៌g踲C⟌aEX舲:z꒸许", 3808159498143417627, null, {"m試\u20df1{G8&뚈h홯J<\/": { "3ஸ厠zs#1K7:rᥞoꅔꯧ&띇鵼鞫6跜#赿5l'8{7㕳(b/j\"厢aq籀ꏚ\u0015厼稥": [ -2226135764510113982, true, null, { "h%'맞S싅Hs&dl슾W0j鿏MםD놯L~S-㇡R쭬%": null, "⟓咔謡칲\u0000孺ꛭx旑檉㶆?": null, "恇I転;￸B2Y`z\\獓w,놏濐撐埵䂄)!䶢D=ഭ㴟jyY": { "$ࡘt厛毣ൢI芁<겿骫⫦6tr惺a": [ 6.385779736989334E-20, false, true, true, [ -6.891946211462334E-19, null, { "]-\\Ꟑ1/薓❧Ὂ\\l牑\u0007A郃)阜ᇒᓌ-塯`W峬G}SDb㬨Q臉⮻빌O鞟톴첂B㺱<ƈmu챑J㴹㷳픷Oㆩs": { "\"◉B\"pᶉt骔J꩸ᄇᛐi╰栛K쉷㉯鐩!㈐n칍䟅難>盥y铿e୔蒏M貹ヅ8嘋퀯䉶ጥ㏢殊뻳\"絧╿ꉑ䠥?∃蓊{}㣣Gk긔H1哵峱": false, "6.瀫cN䇮F㧺?\\椯=ڈT䘆4␘8qv": -3.5687501019676885E-19, "Q?yऴr혴{஀䳘p惭f1ﹸ䅷䕋贲<ྃᄊ繲hq\\b|#QSTs1c-7(䵢\u2069匏絘ꯉ:l毴汞t戀oෟᵶ뮱፣-醇Jx䙬䐁햢0࣫ᡁgrㄛ": "\u0011_xM/蘇Chv;dhA5.嗀绱V爤ﰦi뵲M", "⏑[\"ugoy^儣횎~U\\섯겜論l2jw஌yD腅̂\u0019": true, "ⵯɇ䐲᫿࢚!㯢l샅笶戮1꣖0Xe": null, "劅f넀識b宁焊E찓橵G!ʱ獓뭔雩괛": [{"p⹣켙[q>燣䍃㞽ᩲx:쓤삘7玑퇼0<\/q璂ᑁ[Z\\3䅵䧳\u0011㤧|妱緒C['췓Yꞟ3Z鳱雼P錻BU씧U`ᢶg蓱>.1ӧ譫'L_5V䏵Ц": [ false, false, {"22䂍盥N霂얢躰e9⑩_뵜斌n@B}$괻Yᐱ@䧋V\"☒-諯cV돯ʠ": true, "Ű螧ᔼ檍鍎땒딜qꄃH뜣<獧ूCY吓⸏>XQ㵡趌o끬k픀빯a(ܵ甏끆୯/6Nᪧ}搚ᆚ짌P牰泱鈷^d꣟#L삀\"㕹襻;k㸊\\f+": true, "쎣\",|⫝̸阊x庿k잣v庅$鈏괎炔k쬪O_": [ "잩AzZGz3v愠ꉈⵎ?㊱}S尳௏p\r2>췝IP䘈M)w|\u000eE", -9222726055990423201, null, [ false, {"´킮'뮤쯽Wx讐V,6ᩪ1紲aႈ\u205czD": [ -930994432421097536, 3157232031581030121, "l貚PY䃛5@䭄귻m㎮琸f": 1.0318894506812084E-19, "࢜⩢Ш䧔1肽씮+༎ᣰ闺馺窃䕨8Mƶq腽xc(៯夐J5굄䕁Qj_훨/~価.䢵慯틠퇱豠㼇Qﵘ$DuSp(8Uญ<\/ಟ룴𥳐ݩ$": 8350772684161555590, "ㆎQ䄾\u001bpᩭ${[諟^^骴᤮b^ㅥI┧T㉇⾞\"绦r䰂f矩'-7䡭桥Dz兔V9谶居㺍ᔊ䩯덲.\u001eL0ὅㅷ釣": [{ "<쯬J卷^숞u࠯䌗艞R9닪g㐾볎a䂈歖意:%鐔|ﵤ|y}>;2,覂⶚啵tb*仛8乒㓶B࿠㯉戩oX 貘5V嗆렽낁߼4h䧛ꍺM空\\b꿋貼": 8478577078537189402, "VD*|吝z~h譺aᯒ": { "YI췢K<\/濳xNne玗rJo쾘3핰鴊\"↱AR:ࢷ\"9?\"臁說)?誚ꊏe)_D翾W?&F6J@뺾ꍰNZ醊Z쾈വH嶿?炫㷱鬰M겈᭨b,⻁鈵P䕡䀠८ⱄ홎鄣": { "@?k2鶖㋮\"Oರ K㨇廪儲\u0017䍾J?);\b*묀㗠섳햭1MC V": null, "UIICP!BUA`ᢈ㋸~袩㗪⾒=fB﮴l1ꡛ죘R辂여ҳ7쮡<䩲`熕8頁": 4481809488267626463, "Y?+8먙ᚔ鋳蜩럶1㥔y璜౩`": [ null, 1.2850335807501874E-19, "~V2", 2035406654801997866, { "<숻1>\"": -8062468865199390827, "M㿣E]}qwG莎Gn᝶(ꔙ\\D⬲iꇲs寢t駇S뀡ꢜ": false, "pꝤ㎏9W%>M;-U璏f(^j1?&RB隧 忓b똊E": "#G?C8.躬ꥯ'?냪#< 渟&헿란zpo왓Kj}鷧XﻘMツb䕖;㪻", "vE풤幉xz뱕쫥Ug㦲aH} ᣟp:鬼YᰟH3镔ᴚ斦\\鏑r*2橱G⼔F/.j": true, "RK좬뎂a홠f*f㱉ᮍ⦋潙㨋Gu곌SGI3I뿐\\F',)t`荁蘯囯ﮉ裲뇟쥼_ገ驪▵撏ᕤV": 1.52738225997956557E18, "^k굲䪿꠹B逤%F㱢漥O披M㽯镞竇霒i꼂焅륓\u00059=皫之눃\u2047娤閍銤唫ၕb<\/w踲䔼u솆맚,䝒ᝳ'/it": "B餹饴is権ꖪ怯ꦂẉဎt\"!凢谵⧿0\\<=(uL䷍刨쑪>俆揓Cy襸Q힆䆭涷<\/ᐱ0ɧ䗾䚹\\ኜ?ꄢᇘ`䴢{囇}᠈䴥X4퓪檄]ꥷ/3謒ሴn+g騍X", "GgG꽬[(嫓몍6\u0004궍宩㙻/>\u0011^辍dT腪hxǑ%ꊇk,8(W⧂結P鬜O": [{ "M㴾c>\\ᓲ\u0019V{>ꤩ혙넪㭪躂TS-痴໸闓⍵/徯O.M㏥ʷD囎⧔쁳휤T??鉬뇙=#ꢫ숣BX䭼<\/d똬졬g榿)eꨋﯪ좇첻\u001a\u0011\";~쓆BH4坋攊7힪", "iT:L闞椕윚*滛gI≀Wਟඊ'ꢆ縺뱹鮚Nꩁ᧬蕼21줧\\䋯``⍐\\㏱鳨": 1927052677739832894, "쮁缦腃g]礿Y㬙 fヺSɪ꾾N㞈": [ null, null, { "!t,灝Y 1䗉罵?c饃호䉂Cᐭ쒘z(즽sZG㬣sഖE4뢜㓕䏞丮Qp簍6EZឪ겛fx'ꩱQ0罣i{k锩*㤴㯞r迎jTⲤ渔m炅肳": [ -3.3325685522591933E18, [{"㓁5]A䢕1룥BC?Ꙍ`r룔Ⳛ䙡u伲+\u0001്o": [ null, 4975309147809803991, null, null, {"T팘8Dﯲ稟MM☻㧚䥧/8ﻥ⥯aXLaH\"顾S☟耲ît7fS෉놁뮔/ꕼ䓈쁺4\\霶䠴ᩢ<\/t4?죵>uD5➶༆쉌럮⢀秙䘥\u20972ETR3濡恆vB? ~鸆\u0005": { "`閖m璝㥉b뜴?Wf;?DV콜\u2020퍉౓擝宏ZMj3mJ먡-傷뱙yח㸷꥿ ໘u=M읝!5吭L4v\\?ǎ7C홫": null, "|": false, "~Ztᛋ䚘\\擭㗝傪W陖+㗶qᵿ蘥ᙄp%䫎)}=⠔6ᮢS湟-螾-mXH?cp": 448751162044282216, "\u209fad놹j檋䇌ᶾ梕㉝bוּ": {"?苴ꩠD䋓帘5騱qﱖPF?☸珗顒yU ᡫcb䫎 S@㥚gꮒ쎘泴멖\\:I鮱TZ듒ᶨQ3+f7캙\"?\f풾\\o杞紟﻽M.⏎靑OP": [ -2.6990368911551596E18, [{"䒖@<᰿<\/⽬tTr腞&G%᳊秩蜰擻f㎳?S㵧\r*k뎾-乢겹隷j軛겷0룁鮁": {")DO0腦:춍逿:1㥨่!蛍樋2": [{ ",ꌣf侴笾m๫ꆽ?1?U?\u0011ꌈꂇ": { "x捗甠nVq䅦w`CD⦂惺嘴0I#vỵ} \\귂S끴D얾?Ԓj溯\"v餄a": { "@翙c⢃趚痋i\u0015OQ⍝lq돆Y0pࢥ3쉨䜩^<8g懥0w)]䊑n洺o5쭝QL댊랖L镈Qnt⪟㒅십q헎鳒⮤眉ᔹ梠@O縠u泌ㄘb榚癸XޔFtj;iC": false, "I&뱋゘|蓔䔕측瓯%6ᗻHW\\N1貇#?僐ᗜgh᭪o'䗈꽹Rc욏/蔳迄༝!0邔䨷푪8疩)[쭶緄㇈୧ፐ": { "B+:ꉰ`s쾭)빼C羍A䫊pMgjdx䐝Hf9᥸W0!C樃'蘿f䫤סи\u0017Jve? 覝f둀⬣퓉Whk\"஼=չﳐ皆笁BIW虨쫓F廰饞": -642906201042308791, "sb,XcZ<\/m㉹ ;䑷@c䵀s奤⬷7`ꘖ蕘戚?Feb#輜}p4nH⬮eKL트}": [ "RK鳗z=袤Pf|[,u욺", "Ẏᏻ罯뉋⺖锅젯㷻{H䰞쬙-쩓D]~\u0013O㳢gb@揶蔉|kᦂ❗!\u001ebM褐sca쨜襒y⺉룓", null, null, true, -1.650777344339075E-19, false, "☑lꄆs힨꤇]'uTന⌳농].1⋔괁沰\"IWഩ\u0019氜8쟇䔻;3衲恋,窌z펏喁횗?4?C넁问?ᥙ橭{稻Ⴗ_썔", "n?]讇빽嗁}1孅9#ꭨ靶v\u0014喈)vw祔}룼쮿I", -2.7033457331882025E18, { ";⚃^㱋x:饬ኡj'꧵T☽O㔬RO婎?향ᒭ搩$渣y4i;(Q>꿘e8q": "j~錘}0g;L萺*;ᕭꄮ0l潛烢5H▄쳂ꏒוֹꙶT犘≫x閦웧v", "~揯\u2018c4職렁E~ᑅቚꈂ?nq뎤.:慹`F햘+%鉎O瀜쟏敛菮⍌浢<\/㮺紿P鳆ࠉ8I-o?#jﮨ7v3Dt赻J9": null, "ࣝW䌈0ꍎqC逖,횅c၃swj;jJS櫍5槗OaB>D踾Y": {"㒰䵝F%?59.㍈cᕨ흕틎ḏ㋩B=9IېⓌ{:9.yw}呰ㆮ肒᎒tI㾴62\"ዃ抡C﹬B<\/촋jo朣", [ -7675533242647793366, {"ᙧ呃:[㒺쳀쌡쏂H稈㢤\u001dᶗGG-{GHྻຊꡃ哸䵬;$?&d\\⥬こN圴됤挨-'ꕮ$PU%?冕눖i魁q騎Q": [ false, [[ 7929823049157504248, [[ true, "Z菙\u0017'eꕤ᱕l,0\\X\u001c[=雿8蠬L<\/낲긯W99g톉4ퟋb㝺\u0007劁'!麕Q궈oW:@X၎z蘻m絙璩귓죉+3柚怫tS捇蒣䝠-擶D[0=퉿8)q0ٟ", "唉\nFA椭穒巯\\䥴䅺鿤S#b迅獘 ﶗ꬘\\?q1qN犠pX꜅^䤊⛤㢌[⬛휖岺q唻ⳡ틍\"㙙Eh@oA賑㗠y必Nꊑᗘ", -2154220236962890773, -3.2442003245397908E18, "Wᄿ筠:瘫퀩?o貸q⊻(᎞KWf宛尨h^残3[U(='橄", -7857990034281549164, 1.44283696979059942E18, null, {"ꫯAw跭喀 ?_9\"Aty背F=9缉ྦྷ@;?^鞀w:uN㘢Rỏ": [ 7.393662029337442E15, 3564680942654233068, [ false, -5253931502642112194, "煉\\辎ೆ罍5⒭1䪁䃑s䎢:[e5}峳ﴱn騎3?腳Hyꏃ膼N潭錖,Yᝋ˜YAၓ㬠bG렣䰣:", true, null, { "⒛'P&%죮|:⫶춞": -3818336746965687085, "钖m<\/0ݎMtF2Pk=瓰୮洽겎.": [[ -8757574841556350607, -3045234949333270161, null, { "Ꮬr輳>⫇9hU##w@귪A\\C 鋺㘓ꖐ梒뒬묹㹻+郸嬏윤'+g<\/碴,}ꙫ>손;情d齆J䬁ຩ撛챝탹/R澡7剌tꤼ?ặ!`⏲睤\u00002똥଴⟏": null, "\u20f2ܹe\\tAꥍư\\x当뿖렉禛;G檳ﯪS૰3~㘠#[J<}{奲 5箉⨔{놁<\/釿抋,嚠/曳m&WaOvT赋皺璑텁": [[ false, null, true, -5.7131445659795661E18, "萭m䓪D5|3婁ఞ>蠇晼6nﴺPp禽羱DS<睓닫屚삏姿", true, [ -8759747687917306831, { ">ⓛ\t,odKr{䘠?b퓸C嶈=DyEᙬ@ᴔ쨺芛髿UT퓻春<\/yꏸ>豚W釺N뜨^?꽴﨟5殺ᗃ翐%>퍂ဿ䄸沂Ea;A_\u0005閹殀W+窊?Ꭼd\u0013P汴G5썓揘": 4.342729067882445E-18, "Q^즾眆@AN\u0011Kb榰냎Y#䝀ꀒᳺ'q暇睵s\"!3#I⊆畼寤@HxJ9": false, "⿾D[)袨㇩i]웪䀤ᛰMvR<蟏㣨": {"v퇓L㪱ꖣ豛톤\\곱#kDTN": [{ "(쾴䡣,寴ph(C\"㳶w\"憳2s馆E!n!&柄<\/0Pꈗſ?㿳Qd鵔": {"娇堰孹L錮h嵅⛤躏顒?CglN束+쨣ﺜ\\MrH": {"獞䎇둃ቲ弭팭^ꄞ踦涟XK錆쳞ឌ`;੶S炥騞ଋ褂B៎{ڒ䭷ᶼ靜pI荗虶K$": [{"◖S~躘蒉꫿輜譝Q㽙闐@ᢗ¥E榁iء5┄^B[絮跉ᰥ遙PWi3wㄾⵀDJ9!w㞣ᄎ{듒ꓓb6\\篴??c⼰鶹⟧\\鮇ꮇ": [[ 654120831325413520, -1.9562073916357608E-19, { "DC(昐衵ἡ긙갵姭|֛[t": 7.6979110359897907E18, "J␅))嫼❳9Xfd飉j7猬ᩉ+⤻眗벎E鰉Zᄊ63zၝ69}ZᶐL崭ᦥ⡦靚⋛ꎨ~i㨃咊ꧭo䰠阀3C(": -3.5844809362512589E17, "p꣑팱쒬ꎑ뛡Ꙩ挴恍胔&7ᔈ묒4Hd硶훐㎖zꢼ豍㿢aሃ=<\/湉鵲EӅ%$F!퍶棌孼{O駍਺geu+": ")\u001b잓kŀX쩫A밁®ڣ癦狢)扔弒p}k縕ꩋ,䃉tࣼi", "ァF肿輸<솄G-䢹䛸ꊏl`Tqꕗ蒞a氷⸅ᴉ蠰]S/{J왲m5{9.uέ~㕚㣹u>x8U讁B덺襪盎QhVS맅킃i识{벂磄Iහ䙅xZy/抍૭Z鲁-霳V据挦ℒ": null, "㯛|Nꐸb7ⵐb?拠O\u0014ކ?-(EꞨ4ꕷᄤYᯕOW瞺~螸\"욿ќe㺰\"'㌢ƐW\u0004瞕>0?V鷵엳": true, "뤥G\\迋䠿[庩'꼡\u001aiᩮV쯁ᳪ䦪Ô;倱ନ뛁誈": null, "쥹䄆䚟Q榁䎐᢭<\/2㕣p}HW蟔|䃏꿈ꚉ锳2Pb7㙑Tⅹᵅ": { "Y?֭$>#cVBꩨ:>eL蒁務": { "86柡0po 䏚&-捑Ћ祌<\/휃-G*㶢הּ쩍s㶟餇c걺yu꽎還5*턧簕Og婥SꝐ": null, "a+葞h٥ࠆ裈嗫ﵢ5輙퀟ᛜ,QDﹼ⟶Y騠锪E_|x죗j侵;m蜫轘趥?븅w5+mi콛L": { ";⯭ﱢ!买F⽍柤鶂n䵣V㫚墱2렾ELEl⣆": [ true, -3.6479311868339015E-18, -7270785619461995400, 3.334081886177621E18, 2.581457786298155E18, -6.605252412954115E-20, -3.9232347037744167E-20, { "B6㊕.k1": null, "ZAꄮJ鮷ᳱo갘硥鈠䠒츼": { "ᕅ}럡}.@y陪鶁r業'援퀉x䉴ﵴl퍘):씭脴ᥞhiꃰblﲂ䡲엕8߇M㶭0燋標挝-?PCwe⾕J碻Ᾱ䬈䈥뷰憵賣뵓痬+": {"a췩v礗X⋈耓ፊf罅靮!㔽YYᣓw澍33⎔芲F|\"䜏T↮輦挑6ᓘL侘?ᅥ]덆1R௯✎餘6ꏽ<\/௨\\?q喷ꁫj~@ulq": {"嗫欆뾔Xꆹ4H㌋F嵧]ࠎ]㠖1ꞤT<$m뫏O i댳0䲝i": {"?෩?\u20cd슮|ꯆjs{?d7?eNs⢚嫥氂䡮쎱:鑵롟2hJꎒﯭ鱢3춲亄:뼣v䊭諱Yj択cVmR䩃㘬T\"N홝*ै%x^F\\_s9보zz4淗?q": [ null, "?", 2941869570821073737, "{5{殇0䝾g6밖퍋臩綹R$䖭j紋釰7sXI繳漪행y", false, "aH磂?뛡#惇d婅?Fe,쐘+늵䍘\"3r瘆唊勐j⳧࠴ꇓ<\/唕윈x⬌讣䋵%拗ᛆⰿ妴᝔M2㳗必꧂淲?ゥ젯檢<8끒MidX䏒3᳻Q▮佐UT|⤪봦靏⊏", [[{ "颉(&뜸귙{y^\"P퟉춝Ჟ䮭D顡9=?}Y誱<$b뱣RvO8cH煉@tk~4ǂ⤧⩝屋SS;J{vV#剤餓ᯅc?#a6D,s": [ -7.8781018564821536E16, true, [ -2.28770899315832371E18, false, -1.0863912140143876E-20, -6282721572097446995, 6767121921199223078, -2545487755405567831, false, null, -9065970397975641765, [ -5.928721243413937E-20, {"6촊\u001a홯kB0w撨燠룉{绎6⳹!턍贑y▾鱧ժ[;7ᨷ∀*땒䪮1x霆Hᩭ☔\"r䝐7毟ᝰr惃3ꉭE+>僒澐": [ "Ta쎩aƝt쵯ⰪVb", [ -5222472249213580702, null, -2851641861541559595, null, 4808804630502809099, 5657671602244269874, "5犲﨣4mᥣ?yf젫꾯|䋬잁$`Iⳉﴷ扳兝,'c", false, [ null, { "DyUIN쎾M仼惀⮥裎岶泭lh扠\u001e礼.tEC癯튻@_Qd4c5S熯A<\/\6U윲蹴Q=%푫汹\\\u20614b[௒C⒥Xe⊇囙b,服3ss땊뢍i~逇PA쇸1": -2.63273619193485312E17, "Mq꺋貘k휕=nK硍뫞輩>㾆~἞ࡹ긐榵l⋙Hw뮢帋M엳뢯v⅃^": 1877913476688465125, "ᶴ뻗`~筗免⚽টW˃⽝b犳䓺Iz篤p;乨A\u20ef쩏?疊m㝀컩뫡b탔鄃ᾈV(遢珳=뎲ିeF仢䆡谨8t0醄7㭧瘵⻰컆r厡궥d)a阄፷Ed&c﯄伮1p": null, "⯁w4曢\"(欷輡": "\"M᭫]䣒頳B\\燧ࠃN㡇j姈g⊸⺌忉ꡥF矉স%^", "㣡Oᄦ昵⫮Y祎S쐐級㭻撥>{I$": -378474210562741663, "䛒掷留Q%쓗1*1J*끓헩ᦢ﫫哉쩧EↅIcꅡ\\?ⴊl귛顮4": false, "寔愆샠5]䗄IH贈=d﯊/偶?ॊn%晥D視N򗘈'᫂⚦|X쵩넽z질tskxDQ莮Aoﱻ뛓": true, "钣xp?&\u001e侉/y䴼~?U篔蘚缣/I畚?Q绊": -3034854258736382234, "꺲໣眀)⿷J暘pИfAV삕쳭Nꯗ4々'唄ⶑ伻㷯騑倭D*Ok꧁3b␽_<\/챣Xm톰ၕ䆄`*fl㭀暮滠毡?": [ "D男p`V뙸擨忝븪9c麺`淂⢦Yw⡢+kzܖ\fY1䬡H歁)벾Z♤溊-혰셢?1<-\u0005;搢Tᐁle\\ᛵߓﭩ榩訝-xJ;巡8깊蠝ﻓU$K": { "Vꕡ諅搓W=斸s︪vﲜ츧$)iꡟ싉e寳?ጭムVથ嵬i楝Fg<\/Z|៪ꩆ-5'@ꃱ80!燱R쇤t糳]罛逇dṌ֣XHiͦ{": true, "Ya矲C멗Q9膲墅携휻c\\딶G甔<\/.齵휴": -1.1456247877031811E-19, "z#.OO￝J": -8263224695871959017, "崍_3夼ᮟ1F븍뽯ᦓ鴭V豈Ь": [{ "N蒬74": null, "yuB?厅vK笗!ᔸcXQ旦컶P-녫mᄉ麟_": "1R@ 톘xa_|﩯遘s槞d!d껀筤⬫薐焵먑D{\\6k共倌☀G~AS_D\"딟쬚뮥馲렓쓠攥WTMܭ8nX㩴䕅檹E\u0007ﭨN 2 ℆涐ꥏ꠵3▙玽|됨_\u2048", "恐A C䧩G": {":M큣5e들\\ꍀ恼ᔄ靸|I﨏$)n": { "|U䬫㟯SKV6ꛤ㗮\bn봻䲄fXT:㾯쳤'笓0b/ೢC쳖?2浓uO.䰴": "ཐ꼋e?``,ᚇ慐^8ꜙNM䂱\u0001IᖙꝧM'vKdꌊH牮r\\O@䊷ᓵ쀆(fy聻i툺\"?<\/峧ࣞ⓺ᤤ쵒߯ꎺ騬?)刦\u2072l慪y꺜ﲖTj+u", "뽫hh䈵w>1ⲏ쐭V[ⅎ\\헑벑F_㖝⠗㫇h恽;῝汰ᱼ瀖J옆9RR셏vsZ柺鶶툤r뢱橾/ꉇ囦FGm\"謗ꉦ⨶쒿⥡%]鵩#ᖣ_蹎 u5|祥?O", null, 2.0150326776036215E-19, null, true, false, true, {"\fa᭶P捤WWc᠟f뚉ᬏ퓗ⳀW睹5:HXH=q7x찙X$)모r뚥ᆟ!Jﳸf": [ -2995806398034583407, [ 6441377066589744683, "Mﶒ醹i)Gἦ廃s6몞 KJ౹礎VZ螺费힀\u0000冺업{谥'꡾뱻:.ꘘ굄奉攼Di᷑K鶲y繈욊阓v㻘}枭캗e矮1c?휐\"4\u0005厑莔뀾墓낝⽴洗ṹ䇃糞@b1\u0016즽Y轹", { "1⽕⌰鉟픏M㤭n⧴ỼD#%鐘⊯쿼稁븣몐紧ᅇ㓕ᛖcw嬀~ഌ㖓(0r⧦Q䑕髍ര铂㓻R儮\"@ꇱm❈௿᦯頌8}㿹犴?xn잆꥽R": 2.07321075750427366E18, "˳b18㗈䃟柵Z曆VTAu7+㛂cb0﯑Wp執<\/臋뭡뚋刼틮荋벲TLP预庰܈G\\O@VD'鱃#乖끺*鑪ꬳ?Mޞdﭹ{␇圯쇜㼞顄︖Y홡g": [{ "0a,FZ": true, "2z̬蝣ꧦ驸\u0006L↛Ḣ4๚뿀'?lcwᄧ㐮!蓚䃦-|7.飑挴.樵*+1ﮊ\u0010ꛌ%貨啺/JdM:똍!FBe?鰴㨗0O财I藻ʔWA᫓G쳛u`<\/I": [{ "$τ5V鴐a뾆両環iZp頻යn븃v": -4869131188151215571, "*즢[⦃b礞R◚nΰꕢH=귰燙[yc誘g䆌?ଜ臛": { "洤湌鲒)⟻\\䥳va}PeAMnN[": "㐳ɪ/(軆lZR,Cp殍ȮN啷\"3B婴?i=r$펽ᤐ쀸", "阄R4㒿㯔ڀ69ZᲦ2癁핌噗P崜#\\-쭍袛&鐑/$4童V꩑_ZHA澢fZ3": {"x;P{긳:G閉:9?活H": [ "繺漮6?z犞焃슳\">ỏ[Ⳛ䌜녏䂹>聵⼶煜Y桥[泥뚩MvK$4jtロ", "E#갶霠좭㦻ୗ먵F+䪀o蝒ba쮎4X㣵 h", -335836610224228782, null, null, [ "r1᫩0>danjY짿bs{", [ -9.594464059325631E-23, 1.0456894622831624E-20, null, 5.803973284253454E-20, -8141787905188892123, true, -4735305442504973382, 9.513150514479281E-20, "7넳$螔忷㶪}䪪l짴\u0007鹁P鰚HF銏ZJﳴ/⍎1ᷓ忉睇ᜋ쓈x뵠m䷐窥Ꮤ^\u0019ᶌ偭#ヂt☆၃pᎍ臶䟱5$䰵&๵分숝]䝈뉍♂坎\u0011<>", "C蒑貑藁lﰰ}X喇몛;t밿O7/᯹f\u0015kI嘦<ዴ㟮ᗎZ`GWퟩ瑹࡮ᅴB꿊칈??R校s脚", { "9珵戬+AU^洘拻ቒy柭床'粙XG鞕᠜繀伪%]hC,$輙?Ut乖Qm떚W8઼}~q⠪rU䤶CQ痗ig@#≲t샌f㈥酧l;y闥ZH斦e⸬]j⸗?ঢ拻퀆滌": null, "畯}㧢J罚帐VX㨑>1ꢶkT⿄蘥㝑o|<嗸層沈挄GEOM@-䞚䧰$만峬輏䠱V✩5宸-揂D'㗪yP掶7b⠟J㕻SfP?d}v㼂Ꮕ'猘": { "陓y잀v>╪": null, "鬿L+7:됑Y=焠U;킻䯌잫!韎ஔ\f": { "駫WmGጶ": { "\\~m6狩K": -2586304199791962143, "ႜࠀ%͑l⿅D.瑢Dk%0紪dḨTI픸%뗜☓s榗኉\"?V籄7w髄♲쟗翛歂E䤓皹t ?)ᄟ鬲鐜6C": { "_췤a圷1\u000eB-XOy缿請∎$`쳌eZ~杁튻/蜞`塣৙\"⪰\"沒l}蕌\\롃荫氌.望wZ|o!)Hn獝qg}": null, "kOSܧ䖨钨:಼鉝ꭝO醧S`십`ꓭ쭁ﯢN&Et㺪馻㍢ⅳ㢺崡ຊ蜚锫\\%ahx켨|ż劻ꎄ㢄쐟A躊᰹p譞綨Ir쿯\u0016ﵚOd럂*僨郀N*b㕷63z": { ":L5r+T㡲": [{ "VK泓돲ᮙRy㓤➙Ⱗ38oi}LJቨ7Ó㹡৘*q)1豢⛃e᫛뙪壥镇枝7G藯g㨛oI䄽 孂L缊ꋕ'EN`": -2148138481412096818, "`⛝ᘑ$(खꊲ⤖ᄁꤒ䦦3=)]Y㢌跨NĴ驳줟秠++d孳>8ᎊ떩EꡣSv룃 쯫أ?#E|᭙㎐?zv:5祉^⋑V": [ -1.4691944435285607E-19, 3.4128661569395795E17, "㐃촗^G9佭龶n募8R厞eEw⺡_ㆱ%⼨D뉄퉠2ꩵᛅⳍ搿L팹Lවn=\"慉념ᛮy>!`g!풲晴[/;?[v겁軇}⤳⤁핏∌T㽲R홓遉㓥", "愰_⮹T䓒妒閤둥?0aB@㈧g焻-#~跬x<\/舁P݄ꐡ=\\׳P\u0015jᳪᢁq;㯏l%᭗;砢觨▝,謁ꍰGy?躤O黩퍋Y㒝a擯\n7覌똟_䔡]fJ晋IAS", 4367930106786121250, -4.9421193149720582E17, null, { ";ᄌ똾柉곟ⰺKpፇ䱻ฺ䖝{o~h!eꁿ઻욄ښ\u0002y?xUd\u207c悜ꌭ": [ 1.6010824122815255E-19, [ "宨︩9앉檥pr쇷?WxLb", "氇9】J玚\u000f옛呲~ 輠1D嬛,*mW3?n휂糊γ虻*ᴫ꾠?q凐趗Ko↦GT铮", "㶢ថmO㍔k'诔栀Z蛟}GZ钹D", false, -6.366995517736813E-20, -4894479530745302899, null, "V%᫡II璅䅛䓎풹ﱢ/pU9se되뛞x梔~C)䨧䩻蜺(g㘚R?/Ự[忓C뾠ࢤc왈邠买?嫥挤풜隊枕", ",v碍喔㌲쟚蔚톬៓ꭶ", 3.9625444752577524E-19, null, [ "kO8란뿒䱕馔b臻⍟隨\"㜮鲣Yq5m퐔K#ꢘug㼈ᝦ=P^6탲@䧔%$CqSw铜랊0&m⟭<\/a逎ym\u0013vᯗ": true, "洫`|XN뤮\u0018詞=紩鴘_sX)㯅鿻Ố싹": 7.168252736947373E-20, "ꛊ饤ﴏ袁(逊+~⽫얢鈮艬O힉7D筗S곯w操I斞᠈븘蓷x": [[[[ -7.3136069426336952E18, -2.13572396712722688E18, { "硢3㇩R:o칢行E<=\u0018ၬYuH!\u00044U%卝炼2>\u001eSi$⓷ꒈ'렢gᙫ番ꯒ㛹럥嶀澈v;葷鄕x蓎\\惩+稘UEᖸﳊ㊈壋N嫿⏾挎,袯苷ኢ\\x|3c": 7540762493381776411, "?!*^ᢏ窯?\u0001ڔꙃw虜돳FgJ?&⨫*uo籤:?}ꃹ=ٴ惨瓜Z媊@ત戹㔏똩Ԛ耦Wt轁\\枒^\\ꩵ}}}ꀣD\\]6M_⌫)H豣:36섘㑜": { ";홗ᰰU஋㙛`D왔ཿЃS회爁\u001b-㢈`봆?盂㛣듿ᦾ蒽_AD~EEຆ㊋(eNwk=Rɠ峭q\"5Ἠ婾^>'ls\n8QAK)- Q䲌mo펹L_칍樖庫9꩝쪹ᘹ䑖瀍aK ?*趤f뭓廝p=磕", "哑z懅ᤏ-ꍹux쀭", [ true, 3998739591332339511, "ጻ㙙?᳸aK<\/囩U`B3袗ﱱ?\"/k鏔䍧2l@쿎VZ쨎/6ꃭ脥|B?31+on颼-ꮧ,O嫚m ࡭`KH葦:粘i]aSU쓙$쐂f+詛頖b", [{"^<9<箝&絡;%i﫡2攑紴\\켉h쓙-柂䚝ven\u20f7浯-Ꮏ\r^훁䓚헬\u000e?\\ㅡֺJ떷VOt": [{ "-௄卶k㘆혐஽y⎱㢬sS઄+^瞥h;ᾷj;抭\u0003밫f<\/5Ⱗ裏_朻%*[-撵䷮彈-芈": { "㩩p3篊G|宮hz䑊o곥j^Co0": [ 653239109285256503, {"궲?|\":N1ۿ氃NZ#깩:쇡o8킗ࡊ[\"됸Po핇1(6鰏$膓}⽐*)渽J'DN<썙긘毦끲Ys칖": { "2Pr?Xjㆠ?搮/?㓦柖馃5뚣Nᦼ|铢r衴㩖\"甝湗ܝ憍": "\"뾯i띇筝牻$珲/4ka $匝휴译zbAᩁꇸ瑅&뵲衯ꎀᆿ7@ꈋ'ᶨH@ᠴl+", "7뢽뚐v?4^ꊥ_⪛.>pởr渲<\/⢕疻c\"g䇘vU剺dஔ鮥꒚(dv祴X⼹\\a8y5坆": true, "o뼄B욞羁hr﷔폘뒚⿛U5pꪴfg!6\\\"爑쏍䢱W<ﶕ\\텣珇oI/BK뺡'谑♟[Ut븷亮g(\"t⡎有?ꬊ躺翁艩nl F⤿蠜": 1695826030502619742, "ۊ깖>ࡹ햹^ⵕ쌾BnN〳2C䌕tʬ]찠?ݾ2饺蹳ぶꌭ訍\"◹ᬁD鯎4e滨T輀ﵣ੃3\u20f3킙D瘮g\\擦+泙ၧ 鬹ﯨַ肋7놷郟lP冝{ߒhড়r5,꓋": null, "ΉN$y{}2\\N﹯ⱙK'8ɜͣwt,.钟廣䎘ꆚk媄_": null, "䎥eᾆᝦ읉,Jުn岪㥐s搖謽䚔5t㯏㰳㱊ZhD䃭f絕s鋡篟a`Q鬃┦鸳n_靂(E4迠_觅뷝_宪D(NL疶hL追V熑%]v肫=惂!㇫5⬒\u001f喺4랪옑": { "2a輍85먙R㮧㚪Sm}E2yꆣꫨrRym㐱膶ᔨ\\t綾A☰.焄뙗9<쫷챻䒵셴᭛䮜.<\/慌꽒9叻Ok䰊Z㥪幸k": [ null, true, {"쌞쐍": { "▟GL K2i뛱iQ\"̠.옛1X$}涺]靎懠ڦ늷?tf灟ݞゟ{": 1.227740268699265E-19, "꒶]퓚%ฬK❅": [{ "(ෛ@Ǯっ䧼䵤[aテൖvEnAdU렖뗈@볓yꈪ,mԴ|꟢캁(而첸죕CX4Y믅": "2⯩㳿ꢚ훀~迯?᪑\\啚;4X\u20c2襏B箹)俣eỻw䇄", "75༂f詳䅫ꐧ鏿 }3\u20b5'∓䝱虀f菼Iq鈆﨤g퍩)BFa왢d0뮪痮M鋡nw∵謊;ꝧf美箈ḋ*\u001c`퇚퐋䳫$!V#N㹲抗ⱉ珎(V嵟鬒_b㳅\u0019": null, "e_m@(i㜀3ꦗ䕯䭰Oc+-련0뭦⢹苿蟰ꂏSV䰭勢덥.ྈ爑Vd,ᕥ=퀍)vz뱊ꈊB_6듯\"?{㒲&㵞뵫疝돡믈%Qw限,?\r枮\"? N~癃ruࡗdn&": null, "㉹&'Pfs䑜공j<\/?|8oc᧨L7\\pXᭁ 9᪘": -2.423073789014103E18, "䝄瑄䢸穊f盈᥸,B뾧푗횵B1쟢f\u001f凄": "魖⚝2儉j꼂긾껢嗎0ࢇ纬xI4](੓`蕞;픬\fC\"斒\")2櫷I﹥迧", "ퟯ詔x悝령+T?Bg⥄섅kOeQ큼㻴*{E靼6氿L缋\u001c둌๶-㥂2==-츫I즃㠐Lg踞ꙂEG貨鞠\"\u0014d'.缗gI-lIb䋱ᎂDy缦?": null, "紝M㦁犿w浴詟棓쵫G:䜁?V2ힽ7N*n&㖊Nd-'ຊ?-樹DIv⊜)g䑜9뉂ㄹ푍阉~ꅐ쵃#R^\u000bB䌎䦾]p.䀳": [{"ϒ爛\"ꄱ︗竒G䃓-ま帳あ.j)qgu扐徣ਁZ鼗A9A鸦甈!k蔁喙:3T%&㠘+,䷞|챽v䚞문H<\/醯r셓㶾\\a볜卺zE䝷_죤ဵ뿰᎟CB": [ 6233512720017661219, null, -1638543730522713294, false, -8901187771615024724, [ 3891351109509829590, true, false, -1.03836679125188032E18, { "j랎:g曞ѕᘼ}链N", -1.1103819473845426E-19, true, [ true, null, -7.9091791735309888E17, true, {"}蔰鋈+ꐨ啵0?g*사%`J?*": [{ "\"2wG?yn,癷BK\\龞䑞x?蠢": -3.7220345009853505E-19, ";饹়❀)皋`噿焒j(3⿏w>偍5X薙婏聿3aFÆÝ": "2,ꓴg?_섦_>Y쪥션钺;=趘F~?D㨫\bX?㹤+>/믟kᠪ멅쬂Uzỵ]$珧`m雁瑊ඖ鯬cꙉ梢f묛bB", "♽n$YjKiXX*GO贩鏃豮祴遞K醞眡}ꗨv嵎꼷0୸+M菋eH徸J꣆:⼐悥B켽迚㯃b諂\u000bjꠜ碱逮m8": [ "푷᣺ﻯd8ﱖ嬇ភH鹎⡱᱅0g:果6$GQ췎{vᷧYy-脕x偹砡館⮸C蓼ꏚ=軄H犠G谖ES詤Z蠂3l봟hᅭ7䦹1GPQG癸숟~[#駥8zQ뛣J소obg,", null, 1513751096373485652, null, -6.851466660824754E-19, {"䩂-⴮2ٰK솖풄꾚ႻP앳1H鷛wmR䗂皎칄?醜<\/&ࠧ㬍X濬䵈K`vJ륒Q/IC묛!;$vϑ": { "@-ꚗxྐྵ@m瘬\u0010U絨ﮌ驐\\켑寛넆T=tQ㭤L연@脸삯e-:⩼u㎳VQ㋱襗ຓ<Ⅶ䌸cML3+\u001e_C)r\\9+Jn\\Pﺔ8蠱檾萅Pq鐳话T䄐I": -1.80683891195530061E18, "ᷭዻU~ཷsgSJ`᪅'%㖔n5픆桪砳峣3獮枾䌷⊰呀": { "Ş੉䓰邟自~X耤pl7间懑徛s첦5ਕXexh⬖鎥᐀nNr(J컗|ૃF\"Q겮葲놔엞^겄+㈆话〾희紐G'E?飕1f❼텬悚泬먐U睬훶Qs": false, "(\u20dag8큽튣>^Y{뤋.袊䂓;_g]S\u202a꽬L;^'#땏bႌ?C緡<䝲䲝断ꏏ6\u001asD7IK5Wxo8\u0006p弊⼂ꯍ扵\u0003`뵂픋%ꄰ⫙됶l囏尛+䗅E쟇\\": [ true, { "\n鱿aK㝡␒㼙2촹f;`쾏qIࡔG}㝷䐍瓰w늮*粅9뒪ㄊCj倡翑閳R渚MiUO~仨䜶RꙀA僈㉋⦋n{㖥0딿벑逦⥻0h薓쯴Ꝼ": [ 5188716534221998369, 2579413015347802508, 9.010794400256652E-21, -6.5327297761238093E17, 1.11635352494065523E18, -6656281618760253655, { "": ")?", "TWKLꑙ裑꺔UE俸塑炌Ũ᜕-o\"徚#": {"M/癟6!oI51ni퐚=댡>xꍨ\u0004 ?": { "皭": {"⢫䋖>u%w잼<䕏꘍P䋵$魋拝U䮎緧皇Y훂&|羋ꋕ잿cJ䨈跓齳5\u001a삱籷I꿾뤔S8㌷繖_Yឯ䲱B턼O歵F\\l醴o_欬6籏=D": [ false, true, {"Mt|ꏞD|F궣MQ뵕T,띺k+?㍵i": [ 7828094884540988137, false, { "!༦鯠,&aﳑ>[euJꏽ綷搐B.h": -7648546591767075632, "-n켧嘰{7挐毄Y,>❏螵煫乌pv醑Q嶚!|⌝責0왾덢ꏅ蛨S\\)竰'舓Q}A釡5#v": 3344849660672723988, "8閪麁V=鈢1녈幬6棉⪮둌\u207d᚛驉ꛃ'r䆉惏ै|bἧﺢᒙ<=穊强s혧eꮿ慩⌡ \\槳W븧J檀C,ᘉ의0俯퀉M;筷ࣴ瓿{늊埂鄧_4揸Nn阼Jੵ˥(社": true, "o뼀vw)4A뢵(a䵢)p姃뛸\u000fK#KiQp\u0005ꅍ芅쏅": null, "砥$ꥸ┇耽u斮Gc{z빔깎밇\\숰\u001e괷各㶇쵿_ᴄ+h穢p촀Ნ䃬z䝁酳ӂ31xꔄ1_砚W렘G#2葊P ": [ -3709692921720865059, null, [ 6669892810652602379, -135535375466621127, "뎴iO}Z? 馢녱稹ᄾ䐩rSt帤넆&7i騏멗畖9誧鄜'w{Ͻ^2窭외b㑎粖i矪ꦨ탪跣)KEㆹ\u0015V8[W?⽉>'kc$䨘ᮛ뉻٬M5", 1.10439588726055846E18, false, -4349729830749729097, null, [ false, "_蠢㠝^䟪/D녒㡋ỎC䒈판\u0006એq@O펢%;鹐쏌o戥~A[ꡉ濽ỳ&虃᩾荣唙藍茨Ig楡꒻M窓冉?", true, 2.17220752996421728E17, -5079714907315156164, -9.960375974658589E-20, "ᾎ戞༒", true, false, [[ "ⶉᖌX⧕홇)g엃⹪x뚐癟\u0002", -5185853871623955469, { "L㜤9ợㇶK鐰⋓V뽋˖!斫as|9"፬䆪?7胜&n薑~": -2.11545634977136992E17, "O8뀩D}캖q萂6༣㏗䈓煮吽ਆᎼDᣘ폛;": false, "YTᡅ^L㗎cbY$pᣞ縿#fh!ꘂb삵玊颟샞ဢ$䁗鼒몁~rkH^:닮먖츸륈⪺쒉砉?㙓扫㆕꣒`R䢱B酂?C뇞<5Iޚ讳騕S瞦z": null, "\\RB?`mG댵鉡幐物䵎有5*e骄T㌓ᛪ琾駒Ku\u001a[柆jUq8⋈5鿋츿myﻗ?雍ux঴?": 5828963951918205428, "n0晅:黯 xu씪^퓞cB㎊ᬍ⺘٤փ~B岚3㥕擄vᲂ~F?C䶖@$m~忔S왖㲚?챴⊟W#벌{'㰝I䝠縁s樘\\X뢻9핡I6菍ㄛ8쯶]wॽ0L\"q": null, "x增줖j⦦t䏢᎙㛿Yf鼘~꫓恄4惊\u209c": "oOhbᤃ᛽z&Bi犑\\3B㩬劇䄑oŁ쨅孥멁ຖacA㖫借㞝vg싰샂㐜#譞⢤@k]鋰嘘䜾L熶塥_<\/⍾屈ﮊ_mY菹t뙺}Ox=w鮮4S1ꐩמּ'巑", "㗓蟵ꂾe蠅匳(JP䗏෸\u0089耀왲": [{ "ᤃ㵥韎뤽\r?挥O쯡⇔㞚3伖\u0005P⋪\"D궣QLn(⚘罩䩢Ŏv䤘尗뼤됛O淽鋋闚r崩a{4箙{煷m6〈": { "l곺1L": { "T'ਤ?砅|੬Km]䄩\"(࿶<\/6U爢䫈倔郴l2㴱^줣k'L浖L鰄Rp今鎗⒗C얨M훁㡧ΘX粜뫈N꤇輊㌻켑#㮮샶-䍗룲蠝癜㱐V>=\\I尬癤t=": 7648082845323511446, "鋞EP:<\/_`ၧe混ㇹBd⯢㮂驋\\q碽饩跓྿ᴜ+j箿렏㗑yK毢宸p謹h䦹乕U媣\\炤": [[ "3", [ true, 3.4058271399411134E-20, true, "揀+憱f逮@먻BpW曉\u001a㣐⎊$n劈D枤㡞좾\u001aᛁ苔౩闝1B䷒Ṋ݋➐ꀞꐃ磍$t੤_:蘺⮼(#N", 697483894874368636, [ "vᘯ锴)0訶}䳅⩚0O壱韈ߜ\u0018*U鍾䏖=䧉뽑单휻ID쿇嘗?ꌸῬ07", -5.4858784319382006E18, 7.5467775182251151E18, -8911128589670029195, -7531052386005780140, null, [ null, true, [[{ "1欯twG<\/Q:0怯押殃탷聫사<ỗꕧ蚨䡁nDꌕ\u001c녬~蓩鲃g儊>ꏡl㻿/⑷*챳6㻜W毤緛ﹺᨪ4\u0013뺚J髬e3쳸䘦伧?恪&{L掾p+꬜M䏊d娘6": { "2p첼양棜h䜢﮶aQ*c扦v︥뮓kC寵횂S銩&ǝ{O*य़iH`U큅ࡓr䩕5ꄸ?`\\᧫?ᮼ?t〟崾훈k薐ì/iy꤃뵰z1<\/AQ#뿩8jJ1z@u䕥": 1.82135747285215155E18, "ZdN &=d년ᅆ'쑏ⅉ:烋5&៏ᄂ汎来L㯄固{钧u\\㊏튚e摑&t嗄ꖄUb❌?m䴘熚9EW": [{ "ଛ{i*a(": -8.0314147546006822E17, "⫾ꃆY\u000e+W`௸ \"M뒶+\\뷐lKE}(NT킶Yj選篒쁶'jNQ硾(똡\\\"逌ⴍy? IRꜘ὞鄬﨧:M\\f⠋Cꚜ쫊ᚴNV^D䕗ㅖἔIao꿬C⍏8": [ 287156137829026547, { "H丞N逕⯲": {"": { "7-;枮阕梒9ᑄZ": [[[[ null, { "": [[[[ -7.365909561486078E-19, 2948694324944243408, null, [ true, "荒\"并孷䂡쵼9o䀘F\u0002龬7⮹Wz%厖/*? a*R枈㌦됾g뒠䤈q딄㺿$쮸tᶎ릑弣^鏎<\/Y鷇驜L鿽<\/춋9Mᲆឨ^<\/庲3'l낢", "c鮦\u001b두\\~?眾ಢu݆綑෪蘛轋◜gȃ<\/ⴃcpkDt誩܅\"Y", [[ null, null, [ 3113744396744005402, true, "v(y", { "AQ幆h쾜O+꺷铀ꛉ練A蚗⼺螔j㌍3꽂楎䥯뎸먩?": null, "蠗渗iz鱖w]擪E": 1.2927828494783804E-17, "튷|䀭n*曎b✿~杤U]Gz鄭kW|㴚#㟗ഠ8u擨": [[ true, null, null, {"⾪壯톽g7?㥜ώQꑐ㦀恃㧽伓\\*᧰閖樧뢇赸N휶䎈pI氇镊maᬠ탷#X?A+kНM ༑᩟؝?5꧎鰜ṚY즫궔 =ঈ;ﳈ?*s|켦蜌wM笙莔": [ null, -3808207793125626469, [ -469910450345251234, 7852761921290328872, -2.7979740127017492E18, 1.4458504352519893E-20, true, "㽙깹?먏䆢:䴎ۻg殠JBTU⇞}ꄹꗣi#I뵣鉍r혯~脀쏃#釯:场:䔁>䰮o'㼽HZ擓௧nd", [ 974441101787238751, null, -2.1647718292441327E-19, 1.03602824249831488E18, [ null, 1.0311977941822604E-17, false, true, { "": -3.7019778830816707E18, "E峾恆茍6xLIm縂0n2视֯J-ᤜz+ᨣ跐mYD豍繹⹺䊓몓ﴀE(@詮(!Y膽#᎙2䟓섣A䈀㟎,囪QbK插wcG湎ꤧtG엝x⥏俎j'A一ᯥ뛙6ㅑ鬀": 8999803005418087004, "よ殳\\zD⧅%Y泥簳Uꈩ*wRL{3#3FYHା[d岀䉯T稉駅䞘礄P:闈W怏ElB㤍喬赔bG䠼U଄Nw鰯闀楈ePsDꥷ꭬⊊": [ 6.77723657904486E-20, null, [ "ཚ_뷎꾑蹝q'㾱ꂓ钚蘞慵렜떆`ⴹ⎼櫯]J?[t9Ⓢ !컶躔I᮸uz>3a㠕i,錃L$氰텰@7녫W㸮?羧W뇧ꃞ,N鋮숪2ɼ콏┍䁲6", "&y?뢶=킕올Za惻HZk>c\u20b58i?ꦶcfBv잉ET9j䡡", "im珊Ճb칧校\\뼾쯀", 9.555715121193197E-20, true, { "<㫚v6腓㨭e1㕔&&V∌ᗈT奄5Lጥ>탤?튣瑦㳆ꉰ!(ᙪ㿬擇_n쌯IMΉ㕨␰櫈ᱷ5풔蟹&L.첽e鰷쯃劼﫭b#ﭶ퓀7뷄Wr㢈๧Tʴશ㶑澕鍍%": -1810142373373748101, "fg晌o?߲ꗄ;>C>?=鑰監侯Kt굅": true, "䫡蓺ꑷ]C蒹㦘\"1ః@呫\u0014NL䏾eg呮፳,r$裢k>/\\?ㄤᇰﻛ쉕1஥'Ċ\" \\_?쨔\"ʾr: 9S䘏禺ᪧꄂ㲄", [[{ "*硙^+E쌺I1䀖ju?:⦈Ꞓl๴竣迃xKC/饉:\fl\"XTFᄄ蟭,芢<\/骡軺띜hꏘ\u001f銿<棔햳▨(궆*=乥b8\\媦䷀뫝}닶ꇭ(Kej䤑M": [{ "1Ꮼ?>옿I╅C<ގ?ꊌ冉SV5A㢊㶆z-๎玶绢2F뵨@㉌뀌o嶔f9-庒茪珓뷳4": null, ";lᰳ": "CbB+肻a䄷苝*/볳+/4fq=㰁h6瘉샴4铢Y骐.⌖@哼猎㦞+'gꋸ㒕ߤ㞑(䶒跲ti⑴a硂#No볔", "t?/jE幸YHT셵⩎K!Eq糦ꗣv刴w\"l$ο:=6:移": { "z]鑪醊嫗J-Xm銌翁絨c里됏炙Ep㣋鏣똼嚌䀓GP﹖cmf4鹭T䅿꣭姧␸wy6ꦶ;S&(}ᎧKxᾂQ|t뻳k\"d6\"|Ml췆hwLt꼼4$&8Պ褵婶鯀9": {"嵃닢ᒯ'd᧫䳳#NXe3-붋鸿ଢ떓%dK\u0013䲎ꖍYV.裸R⍉rR3蟛\\:젯:南ĺLʆ넕>|텩鴷矔ꋅⒹ{t孶㓑4_": [ true, null, [ false, "l怨콈lᏒ", { "0w䲏嬧-:`䉅쉇漧\\܂yㄨb%㽄j7ᦶ涶<": 3.7899452730383747E-19, "ꯛTẀq纤q嶏V⿣?\"g}ი艹(쥯B T騠I=仵및X": {"KX6颠+&ᅃ^f畒y[": { "H?뱜^?꤂-⦲1a㋞&ꍃ精Ii᤾챪咽쬘唂쫷<땡劈훫놡o㥂\\ KⴙD秼F氮[{'좴:례晰Iq+I쭥_T綺砸GO煝䟪ᚪ`↹l羉q쐼D꽁ᜅ훦: vUV": true, "u^yﳍ0㱓#[y뜌앸ꊬL㷩?蕶蘾⻍KӼ": -7931695755102841701, "䤬轉車>\u001c鴵惋\"$쯃྆⇻n뽀G氠S坪]ಲꨍ捇Qxኻ椕駔\\9ࣼ﫻읜磡煮뺪ᶚ볝l㕆t+sζ": [[[ true, false, [ null, 3363739578828074923, true, { "\"鸣詩 볰㑵gL㯦῅춝旫}ED辗ﮈI쀤-ꧤ|㠦Z\"娑ᕸ4爏騍㣐\"]쳝Af]茛⬻싦o蚁k䢯䩐菽3廇喑ޅ": 4.5017999150704666E17, "TYႇ7ʠ值4챳唤~Zo&ݛ": false, "`塄J袛㭆끺㳀N㺣`꽐嶥KﯝSVᶔ∲퀠獾N딂X\"ᤏhNﬨvI": {"\u20bb㭘I䖵䰼?sw䂷쇪](泒f\"~;꼪Fԝsᝦ": {"p,'ꉂ軿=A蚶?bƉ㏵䅰諬'LYKL6B깯⋩겦뎙(ᜭ\u0006噣d꾆㗼Z;䄝䚔cd<情@䞂3苼㸲U{)<6&ꩻ钛\u001au〷N숨囖愙j=BXW욕^x芜堏Ῑ爂뛷꒻t✘Q\b": [[ "籛&ଃ䩹.ꃩ㦔\\C颫#暪&!勹ꇶ놽攺J堬镙~軌C'꾖䣹㮅岃ᙴ鵣", 4.317829988264744E15, 6.013585322002147E-20, false, true, null, null, -3.084633632357326E-20, false, null, { "\"짫愔昻 X\"藣j\"\"먁ཅѻ㘤㬯0晲DU꟒㸃d벀윒l䦾c੻*3": null, "谈Wm陧阦咟ฯ歖擓N喴㋐銭rCCnVࢥ^♼Ⅾ젲씗刊S༝+_t赔\\b䚍뉨ꬫ6펛cL䊘᜼<\/澤pF懽&H": [ null, { "W\"HDUuΌ퀟M'P4࿰H똆ⰱﮯ<\/凐蘲\"C鴫ﭒж}ꭩ쥾t5yd诪ﮡ퍉ⴰ@?氐醳rj4I6Qt": 6.9090159359219891E17, "絛ﳛ⺂": {"諰P㗮聦`ZQ?ꫦh*റcb⧱}埌茥h{棩렛툽o3钛5鮁l7Q榛6_g)ὄ\u0013kj뤬^爖eO4Ⱈ槞鉨ͺ订%qX0T썗嫷$?\\\"봅늆'%": [ -2.348150870600346E-19, [[ true, -6619392047819511778, false, [[ -1.2929189982356161E-20, 1.7417192219309838E-19, {"?嵲2࿐2\u0001啑㷳c縯": [ null, [ false, true, 2578060295690793218, { "?\"殃呎#㑑F": true, "}F炊_殛oU헢兔Ꝉ,赭9703.B数gTz3⏬": { "5&t3,햓Mݸᵣ㴵;꣫䩍↳#@뫷䠅+W-ࣇzᓃ鿕ಔ梭?T䮑ꥬ旴]u뫵막bB讍:왳둛lEh=숾鱠p咐$짏#?g⹷ᗊv㷵.斈u頻\u0018-G.": "뽙m-ouࣤ஫牷\"`Ksꕞ筼3HlȨvC堈\"I]㖡玎r먞#'W賜鴇k'c룼髋䆿飉㗆xg巤9;芔cጐ/ax䊨♢큓r吓㸫೼䢗da᩾\"]屣`", ":M딪<䢥喠\u0013㖅x9蕐㑂XO]f*Q呰瞊吭VP@9,㨣 D\\穎vˤƩs㜂-曱唅L걬/롬j㈹EB8g<\/섩o渀\"u0y&룣": ">氍緩L/䕑돯Ꟙ蕞^aB뒣+0jK⪄瑨痜LXK^힦1qK{淚t츔X:Vm{2r獁B뾄H첚7氥?쉟䨗ꠂv팳圎踁齀\\", "D彤5㢷Gꪻ[lㄆ@὜⓰絳[ଃ獽쮹☒[*0ꑚ㜳": 9022717159376231865, "ҖaV銣tW+$魿\u20c3亜~뫡ᙰ禿쨽㏡fṼzE/h": "5臐㋇Ჯ쮺? 昨탰Wム밎#'\"崲钅U?幫뺀⍾@4kh>騧\\0ҾEV=爐͌U捀%ꉼ 㮋<{j]{R>:gԩL\u001c瀈锌ﯲﳡꚒ'⫿E4暍㌗뵉X\"H᝜", "ᱚגּ;s醒}犍SἿ㦣&{T$jkB\\\tḮ앾䤹o<避(tW": "vb⯽䴪䮢@|)", "⥒퐁껉%惀뗌+녣迺顀q條g⚯i⤭룐M琹j̈́⽜A": -8385214638503106917, "逨ꊶZ<\/W⫟솪㎮ᘇb?ꠔi\"H㧺x෷韒Xꫨฟ|]窽\u001a熑}Agn?Mᶖa9韲4$3Ỵ^=쏍煤ፐ돷2䣃%鷠/eQ9頸쥎", 2398360204813891033, false, 3.2658897259932633E-19, null, "?ꚃ8Nn㞷幵d䲳䱲뀙ꪛQ瑓鎴]䩋-鰾捡䳡??掊", false, -1309779089385483661, "ᦲxu_/yecR.6芏.ᜇ過 ~", -5658779764160586501, "쒌:曠=l썜䢜wk#s蕚\"互㮉m䉤~0듐䋙#G;h숄옥顇෤勹(C7㢅雚㐯L⠅VV簅<", null, -4.664877097240962E18, -4.1931322262828017E18, { ",": { "v㮟麑䄠뤵g{M띮.\u001bzt뢜뵡0Ǥ龍떟Ᾰ怷ϓRT@Lꀌ樂U㏠⾕e扉|bJg(뵒㠶唺~ꂿ(땉x⻫싉쁊;%0鎻V(o\f,N鏊%nk郼螺": -1.73631993428376141E18, "쟧摑繮Q@Rᕾ㭚㾣4隅待㓎3蒟": [ 4971487283312058201, 8973067552274458613, { "`a揙ᣗ\u0015iBo¸": 4.3236479112537999E18, "HW&퉡ぁ圍Y?瑡Qy훍q!帰敏s舠㫸zꚗaS歲v`G株巷Jp6킼 (귶鍔⾏⡈>M汐㞍ቴ꙲dv@i㳓ᇆ?黍": [ null, 4997607199327183467, "E㻎蠫ᐾ高䙟蘬洼旾﫠텛㇛?'M$㣒蔸=A_亀绉앭rN帮", null, [{ "Eᑞ)8餧A5u&㗾q?": [ -1.969987519306507E-19, null, [ 3.42437673373841E-20, true, "e걷M墁\"割P␛퍧厀R䱜3ﻴO퓫r﹉⹊", [ -8164221302779285367, [ true, null, "爘y^-?蘞Ⲽꪓa␅ꍨ}I", 1.4645984996724427E-19, [{ "tY좗⧑mrzﺝ㿥ⴖ᥷j諅\u0000q賋譁Ꞅ⮱S\nࡣB/큃굪3Zɑ复o<\/;롋": null, "彟h浠_|V4䦭Dᙣ♞u쿻=삮㍦\u001e哀鬌": [{"6횣楠,qʎꗇ鎆빙]㱭R굋鈌%栲j分僅ペ䇰w폦p蛃N溈ꡐꏀ?@(GI뉬$ﮄ9誁ꓚ2e甸ڋ[䁺,\u0011\u001cࢃ=\\+衪䷨ᯕ鬸K": [[ "ㅩ拏鈩勥\u000etgWVXs陂規p狵w퓼{뮵_i\u0002ퟑႢ⬐d6鋫F~챿搟\u0096䚼1ۼ칥0꣯儏=鋷牋ⅈꍞ龐", -7283717290969427831, true, [ 4911644391234541055, { "I鈒첽P릜朸W徨觘-Hᎄ퐟⓺>8kr1{겵䍃〛ᬡ̨O귑o䝕'쿡鉕p5": "fv粖RN瞖蛐a?q꤄\u001d⸥}'ꣴ犿ꦼ?뤋?鵆쥴덋䡫s矷̄?ඣ/;괱絢oWfV<\/\u202cC,㖦0䑾%n賹g&T;|lj_欂N4w", "짨䠗;䌕u i+r๏0": [{"9䥁\\఩8\"馇z䇔<\/ႡY3e狚쐡\"ุ6ﰆZ遖c\"Ll:ꮾ疣<\/᭙O◌납୕湞9⡳Und㫜\u0018^4pj1;䧐儂䗷ୗ>@e톬": { "a⑂F鋻Q螰'<퇽Q贝瀧{ᘪ,cP&~䮃Z?gI彃": [ -1.69158726118025933E18, [ "궂z簽㔛㮨瘥⤜䛖Gℤ逆Y⪾j08Sn昞ꘔ캻禀鴚P謦b{ꓮmN靐Mᥙ5\"睏2냑I\u0011.L&=?6ᄠ뻷X鸌t刑\"#z)o꫚n쳟줋", null, 7517598198523963704, "ኑQp襟`uᩄr方]*F48ꔵn俺ሙ9뇒", null, null, 6645782462773449868, 1219168146640438184, null, { ")ယ넌竀Sd䰾zq⫣⏌ʥ\u0010ΐ' |磪&p牢蔑mV蘸૰짬꺵;K": [ -7.539062290108008E-20, [ true, false, null, true, 6574577753576444630, [[ 1.2760162530699766E-19, [ null, [ "顊\\憎zXB,", [{ "㇆{CVC9-MN㜋ઘR눽#{h@ퟨ!鼚׼XOvXS\u0017ᝣ=cS+梽៲綆16s덽휐y屬?ᇳG2ᴭ\u00054쫖y룇nKcW̭炦s/鰘ᬽ?J|퓀髣n勌\u0010홠P>j": false, "箴": [ false, "鍞j\"ꮾ*엇칬瘫xṬ⭽쩁䃳\"-⋵?ᦽ댎Ĝ": true, "Pg帯佃籛n㔠⭹࠳뷏≻࿟3㞱!-쒾!}쭪䃕!籿n涻J5ਲ਼yvy;Rኂ%ᔡጀ裃;M⣼)쵂쑈": 1.80447711803435366E18, "ꈑC⡂ᑆ㤉壂뎃Xub<\/쀆༈憓ق쨐ק\\": [ 7706977185172797197, {"": {"K╥踮砆NWࡆFy韣7ä밥{|紒︧䃀榫rᩛꦡTSy잺iH8}ퟴ,M?Ʂ勺ᴹ@T@~꾂=I㙕뾰_涀쑜嫴曣8IY?ҿo줫fऒ}\\S\"ᦨ뵼#nDX": { "♘k6?଱癫d68?㽚乳䬳-V顷\u0005蝕?\u0018䞊V{邾zじl]雏k臤~ൖH뒐iꢥ]g?.G碄懺䔛pR$䅒X觨l봜A刊8R梒',}u邩퉕?;91Ea䈈믁G⊶芔h袪&廣㺄j;㡏綽\u001bN頸쳘橆": -2272208444812560733, "拑Wﵚj鵼駳Oࣿ)#㾅顂N傓纝y僱栜'Bꐍ-!KF*ꭇK¦?䈴^:啤wG逭w᧯": "xᣱmYe1ۏ@霄F$ě꧘푫O䤕퀐Pq52憬ꀜ兴㑗ᡚ?L鷝ퟐ뭐zJꑙ}╆ᅨJB]\"袌㺲u8䯆f", "꿽၅㔂긱Ǧ?SI": -1669030251960539193, "쇝ɨ`!葎>瞺瘡驷錶❤ﻮ酜=": -6961311505642101651, "?f7♄꫄Jᡔ훮e읇퍾፣䭴KhखT;Qty}O\\|뫁IῒNe(5惁ꥶㆷY9ﮡ\\ oy⭖-䆩婁m#x봉>Y鈕E疣s驇↙ᙰm<": {"퉻:dꂁ&efᅫ쫢[\"돈늖꺙|Ô剐1͖-K:ʚ᭕/;쏖㷛]I痐职4gZ4⍜kเꛘZ⥺\\Bʫᇩ鄨魢弞&幟ᓮ2̊盜", -9006004849098116748, -3118404930403695681, { "_彃Y艘-\"Xx㤩㳷瑃?%2䐡鵛o귵옔夘v*탋职&㳈챗|O钧": [ false, "daꧺdᗹ羞쯧H㍤鄳頳<型孒ン냆㹀f4㹰\u000f|C*ሟ鰠(O<ꨭ峹ipຠ*y೧4VQ蔔hV淬{?ᵌEfrI_", "j;ꗣ밷邍副]ᗓ", -4299029053086432759, -5610837526958786727, [ null, [ -1.3958390678662759E-19, { "lh좈T_믝Y\"伨\u001cꔌG爔겕ꫳ晚踍⿻읐T䯎]~e#฽燇\"5hٔ嶰`泯r;ᗜ쮪Q):/t筑,榄&5懶뎫狝(": [{ "2ፁⓛ]r3C攟וּ9賵s⛔6'ஂ|\"ⵈ鶆䐹禝3\"痰ࢤ霏䵩옆䌀?栕r7O簂Isd?K᫜`^讶}z8?z얰T:X倫⨎ꑹ": -6731128077618251511, "|︦僰~m漿햭\\Y1'Vvخ굇ቍ챢c趖": [null] }], "虌魿閆5⛔煊뎰㞤ᗴꥰF䮥蘦䂪樳-K᝷-(^\u20dd_": 2.11318679791770592E17 } ] ] ]}, "묗E䀳㧯᳀逞GMc\b墹㓄끖Ơ&U??펌鑍 媋k))ᄊ": null, "묥7콽벼諌J_DɯﮪM殴䣏,煚ྼ`Y:씧<\/⩫%yf䦀!1Ჶk춎Q米W∠WC跉鬽*ᛱi㴕L꘻ꀏ쓪\"_g鿄'#t⽙?,Wg㥖|D鑆e⥏쪸僬h鯔咼ඡ;4TK聎졠嫞" } ] ] } ] ] ]}} } ]} }, "뿋뀾淣截䔲踀&XJ펖꙯^Xb訅ꫥgᬐ>棟S\"혧騾밫겁7-": "擹8C憎W\"쵮yR뢩浗絆䠣簿9䏈引Wcy䤶孖ꯥ;퐌]輩䍐3@{叝 뽸0ᡈ쵡Ⲇ\u001dL匁꧐2F~ݕ㪂@W^靽L襒ᦘ~沦zZ棸!꒲栬R" } ] ], "Z:덃൛5Iz찇䅄駠㭧蓡K1": "e8᧤좱U%?ⵇ䯿鿝\u0013縮R∱骒EO\u000fg?幤@֗퉙vU`", "䐃쪈埽້=Ij,쭗쓇చ": false }]}} ] } ]} } ] ] ], "咰긖VM]᝼6䓑쇎琺etDҌ?㞏ꩄ퇫밉gj8蠃\"⩐5䛹1ࣚ㵪": "ക蹊?⎲⧘⾚̀I#\"䈈⦞돷`wo窭戕෱휾䃼)앷嵃꾞稧,Ⴆ윧9S?೗EMk3Მ3+e{⹔Te驨7䵒?타Ulg悳o43" } ], "zQᤚ纂땺6#ٽ﹧v￿#ࠫ휊冟蹧텈ꃊʆ?&a䥯De潝|쿓pt瓞㭻啹^盚2Ꝋf醪,얏T窧\\Di䕎谄nn父ꋊE": -2914269627845628872, "䉩跐|㨻ᷢ㝉B{蓧瞸`I!℄욃힕#ೲᙾ竛ᔺCjk췒늕貭词\u0017署?W딚%(pꍁ⤼띳^=on뺲l䆼bzrﳨ[&j狸䠠=ᜑꦦ\u2061յnj=牲攑)M\\龏": false, "뎕y絬᫡⥮Ϙᯑ㌔/NF*˓.,QEzvK!Iwz?|쥾\"ꩻL꼗Bꔧ賴緜s뉣隤茛>ロ?(?^`>冺飒=噸泥⺭Ᲊ婓鎔븜z^坷裮êⓅ໗jM7ﶕ找\\O": 1.376745434746303E-19 }, "䐛r滖w㏤,|Nዜ": false } ]], "@꿙?薕尬 gd晆(띄5躕ﻫS蔺4)떒錸瓍?~": 1665108992286702624, "w믍nᏠ=`঺ᅥC>'從됐槷䤝眷螄㎻揰扰XᅧC贽uჍ낟jKD03T!lDV쀉Ӊy뢖,袛!终캨G?鉮Q)⑗1쾅庅O4ꁉH7?d\u0010蠈줘월ސ粯Q!낇껉6텝|{": null, "~˷jg쿤촖쉯y": -5.5527605669177098E18, "펅Wᶺzꐆと푭e?4j仪열[D<鈑皶婆䵽ehS?袪;HꍨM뗎ば[(嗏M3q퍟g4y╸鰧茀[Bi盤~﫝唎鋆彺⦊q?B4쉓癚O洙킋툈䶯_?ퟲ": null } ] ]] ]], "꟱Ԕ㍤7曁聯ಃ錐V䷰?v㪃૦~K\"$%请|ꇹn\"k䫛㏨鲨\u2023䄢\u0004[︊VJ?䶟ាꮈ䗱=깘U빩": -4863152493797013264 } ]}]} ] }}} ], "쏷쐲۹퉃~aE唙a챑,9㮹gLHd'䔏|킗㍞䎥&KZYT맵7䥺Nⱳ同莞鿧w\\༌疣n/+ꎥU\"封랾○ퟙAJᭌ?9䛝$?驔9讐짘魡T֯c藳`虉C읇쐦T" } ], "谶개gTR￐>ၵ͚dt晑䉇陏滺}9㉸P漄": -3350307268584339381 }] ] ] ]] ] ], "0y꟭馋X뱔瑇:䌚￐廿jg-懲鸭䷭垤㒬茭u賚찶ಽ+\\mT땱\u20821殑㐄J쩩䭛ꬿNS潔*d\\X,壠뒦e殟%LxG9:摸": 3737064585881894882, "풵O^-⧧ⅶvѪ8廸鉵㈉ר↝Q㿴뺟EႳvNM:磇>w/៻唎뷭୥!냹D䯙i뵱貁C#⼉NH6`柴ʗ#\\!2䂗Ⱨf?諳.P덈-返I꘶6?8ꐘ": -8934657287877777844, "溎-蘍寃i诖ര\"汵\"\ftl,?d⼡쾪⺋h匱[,෩I8MҧF{k瓿PA'橸ꩯ綷퉲翓": null } ] ], "ោ係؁<元": 1.7926963090826924E-18 }}] } ] ]]}] }] ] ] ] ], "ጩV<\"ڸsOᤘ": 2.0527167903723048E-19 }] ]} ] ]], "∳㙰3젴p᧗䱙?`yZA8Ez0,^ᙛ4_0븢\u001ft:~䎼s.bb룦明yNP8弆C偯;⪾짍'蕴뮛": -6976654157771105701, "큵ꦀ\\㇑:nv+뒤燻䀪ﴣ﷍9ᚈ኷K㚊誦撪䚛,ꮪxሲ쳊\u0005HSf?asg昱dqꬌVꙇ㼺'k*'㈈": -5.937042203633044E-20 } ] }], "?}\u20e0],s嶳菋@#2u쒴sQS䩗=ꥮ;烌,|ꘔ䘆": "ᅩ영N璠kZ먕眻?2ቲ芋眑D륟渂⸑ﴃIRE]啗`K'" }}, "쨀jmV賂ﰊ姐䂦玞㬙ᏪM᪟Վ씜~`uOn*ॠ8\u000ef6??\\@/?9見d筜ﳋB|S䝬葫㽁o": true }, "즛ꄤ酳艚␂㺘봿㎨iG৕ࡿ?1\"䘓您\u001fSኝ⺿溏zៀ뻤B\u0019?윐a䳵᭱䉺膷d:<\/": 3935553551038864272 } ] ]} ]] ]] ]} } ] } ]]}}, "᥺3h↛!ꋰy\"攜(ெl䪕oUkc1A㘞ᡲ촾ᣫ<\/䒌E㛝潨i{v?W౾H\\RჅpz蝬R脾;v:碽✘↯삞鷱o㸧瑠jcmK7㶧뾥찲n": true, "ⶸ?x䊺⬝-䰅≁!e쩆2ꎿ准G踌XXᩯ1߁}0?.헀Z馟;稄\baDꟹ{-寪⚈ꉷ鮸_L7ƽᾚ<\u001bጨA䧆송뇵⨔\\礍뗔d设룱㶉cq{HyぱR㥽吢ſtp": -7985372423148569301, "緫#콮IB6<\/=5Eh礹\t8럭@饹韠r㰛斣$甝LV췐a갵'请o0g:^": "䔨(.", "띳℡圤pン௄ĝ倧訜B쁟G䙔\"Sb⓮;$$▏S1J뢙SF|赡g*\"Vu䲌y": "䪈&틐),\\kT鬜1풥;뷴'Zေ䩹@J鞽NぼM?坥eWb6榀ƩZڮ淽⺞삳煳xჿ絯8eⶍ羷V}ჿ쎱䄫R뱃9Z>'\u20f1ⓕ䏜齮" } ] ]]] }} } ] ]}, "펮b.h粔폯2npX詫g錰鷇㇒<쐙S値bBi@?镬矉`剔}c2壧ଭfhY깨R()痩⺃a\\⍔?M&ﯟ<劜꺄멊ᄟA\"_=": null }, "~潹Rqn榢㆓aR鬨侅?䜑亡V_翅㭔(䓷w劸ၳDp䀅<\/ﰎ鶊m䵱팱긽ꆘ긓准D3掱;o:_ќ)껚콥8곤d矦8nP倥ꃸI": null, "뾎/Q㣩㫸벯➡㠦◕挮a鶧⋓偼\u00001뱓fm覞n?㛅\"": 2.8515592202045408E17 }], ",": -5426918750465854828, "2櫫@0柡g䢻/gꆑ6演&D稒肩Y?艘/놘p{f투`飷ᒉ챻돎<늛䘍ﴡ줰쫄": false, "8(鸑嵀⵹ퟡ<9㣎Tߗ┘d슒ل蘯&㠦뮮eࠍk砝g 엻": false, "d-\u208b?0ﳮ嵙'(J`蔿d^踅⤔榥\\J⵲v7": 6.8002426206715341E17, "ཎ耰큓ꐕ㱷\u0013y=詽I\"盈xm{0쾽倻䉚ષso#鰑/8㸴짯%ꀄ떸b츟*\\鲷礬ZQ兩?np㋄椂榨kc᡹醅3": false, "싊j20": false }]] ]], "俛\u0017n緽Tu뫉蜍鼟烬.ꭠIⰓ\"Ἀ᜾uC쎆J@古%ꛍm뻨ᾀ画蛐휃T:錖㑸ዚ9죡$": true } ] ], "㍵⇘ꦖ辈s}㱮慀밒s`\"㞟j:`i픻Z섫^諎0Ok{켿歁෣胰a2﨤[탳뚬쎼嫭뉮m": 409440660915023105, "w墄#*ᢄ峠밮jLa`ㆪ꺊漓Lで끎!Agk'ꁛ뢃㯐岬D#㒦": false, "ଦPGI䕺L몥罭ꃑ궩﮶#⮈ᢓӢ䚬p7웼臧%~S菠␌힀6&t䳙y㪘냏\\*;鉏ᅧ鿵'嗕pa\"oL쇿꬈Cg": "㶽1灸D⟸䴅ᆤ뉎﷛渤csx 䝔цꬃ锚捬?ຽ+x~꘩uI࡞\u0007栲5呚ẓem?袝\")=㥴䨃pac!/揎Y", "ᷱo\\||뎂몷r篙|#X䦜I#딌媸픕叞RD斳X4t⯩夬=[뭲r=绥jh뷱츝⪘%]⚋܈㖴スH텹m(WO曝劉0~K3c柢Ր㏉着逳~": false, "煽_qb[첑\\륌wE❽ZtCNﭝ+餌ᕜOꛭ": "{ﳾ쉌&s惧ᭁⵆ3䢫;䨞팑꒪흘褀࢖Q䠿V5뭀䎂澻%받u5텸oA⮥U㎦;B䳌wz䕙$ឿ\\௅婺돵⪾퐆\\`Kyौꋟ._\u0006L챯l뇠Hi䧈偒5", "艊佁ࣃ롇䱠爬!*;⨣捎慓q靓|儑ᨋL+迥=6㒺딉6弄3辅J-㕎뛄듘SG㆛(\noAzQꝱ䰩X*ぢO퀌%펠낌mo틮a^<\/F&_눊ᾉ㨦ы4\"8H": 2974648459619059400, "鬙@뎣䫳ၮ끡?){y?5K;TA*k溱䫜J汃ꂯ싔썍\u001dA}룖(<\/^,": false, "몏@QꋦFꊩᒐ뎶lXl垨4^郣|ꮇ;䝴ᝓ}쵲z珖": null } ]]]], ":_=닧弗D䙋暨鏛. 㱻붘䂍J儒&ZK/녩䪜r囁⽯D喠죥7⹌䪥c\u001a\u2076￞妈朹oLk菮F౟覛쐧㮏7T;}蛙2{9\"崓bB<\/⡷룀;즮鿹)丒툃୤뷠5W⊢嶜(fb뭳갣": "E{响1WM" }}, "䘨tjJ驳豨?y輊M*᳑梵瞻઻ofQG瑮e": 2.222802939724948E-19, "䮴=❑➶T෋w䞜\"垦ꃼUt\u001dx;B$뵣䙶E↌艣ᡥ!᧟;䱀[䔯k쬃`੍8饙른熏'2_'袻tGf蒭J땟as꯳╖&啒zWࡇᒫYSᏬ\u0014ℑ첥鈤|cG~Pᓮ\">\"": "ႆl\f7V儊㦬nHꄬꨧC{쐢~C⮃⛓嶦vꄎ1w鰠嘩뿠魄&\"_qMⵖ釔녮ꝇ 㝚{糍J哋 cv?-jkﻯྌ鹑L舟r", "龧葆yB✱H盋夔ﶉ?n*0(": "ꧣኆ㢓氥qZZ酒ຜ)鮢樛)X䣆gTSґG텞k.J圬疝롫쯭z L:\\ྤ@w炋塜쿖ᾳy뢀䶃뱝N䥨㚔勇겁#p", "도畎Q娡\"@S/뼋:䵏!P衅촚fVHQs✜ᐫi㻑殡B䜇%믚k*U#濨낄~": "ꍟዕ쳸ꍈ敋&l妏\u0005憡멗瘌uPgᅪm<\/To쯬锩h뒓k" } ] }], "墥홞r绚<\/⸹ⰃB}<躅\\Y;๑@䔸>韫䜲뱀X뗩鿥쩗SI%ﴞ㳕䛇?<\/\u00018x\\&侂9鋙a[LR㋭W胕)⡿8㞙0JF,}?허d1cDMᐃ␛鄝ⱕ%X)!XQ": "ⳍꗳ=橇a;3t⦾꼑仈ူaᚯ⯋ꕃAs鴷N⍕_䎃ꙎAz\u0016䯷\\<࿫>8q{}キ?ᣰ}'0ᴕ펓B┦lF#趤厃T?㕊#撹圂䆲" }, "܋닐龫論c웑": false, "ㇿ/q\"6-co髨휝C큦#\u001b4~?3䐹E삇<<": 7.600917488140322E-20, "䁝E6?㣖ꃁ间t祗*鑠{ḣV(浾h逇큞=W?ૉ?nꇽ8ꅉຉj으쮺@Ꚅ㰤u]Oyr": "v≁᫸_*όAඤԆl)ۓᦇQ}폠z༏q滚", "ソ᥊/넺I": true }]] ] ] ] ]] }, "䭑Ik攑\u0002QV烄:芩.麑㟴㘨≕": true, "坄꿕C쇻풉~崍%碼\\8\"䬦꣙": null, "欌L圬䅘Y8c(♺2?ON}o椳s宥2䉀eJ%闹r冁O^K諭%凞⺉⡻,掜?$ꥉ?略焕찳㯊艼誜4?\"﯎<゛XፈINT:詓 +": -1.0750456770694562E-19, "獒àc뜭싼ﺳ뎤K`]p隨LtE": null, "甙8䵊神EIꩤ鐯ᢀ,ﵮU䝑u疒ử驺䚿≚ഋ梶秓F`覤譐#짾蔀묊4<媍쬦靪_Yzgcࡶ4k紥`kc[Lﮗ簐*I瀑[⾰L殽鑥_mGȠ<\/|囹灠g桰iri": true, "챓ꖙꟻ좝菇ou,嗠0\\jK핻뜠qwQ?ഩ㼕3Y彦b\u009bJ榶N棨f?됦鏖綃6鳵M[OE봨u햏.Ꮁ癜蟳뽲ꩌ뻾rM豈R嗀羫 uDꎚ%": null }, "V傜2<": 7175127699521359521 }], "铫aG切<\/\"ী⊆e<^g࢛)D顝nאַ饼\u008c猪繩嵿ﱚCꡬ㻊g엺A엦\u000f暿_f꿤볝㦕桦`蒦䎔j甬%岝rj 糏": "䚢偎눴Au<4箞7礦Iﱔ坠eȧ䪸u䵁p|逹$嗫쨘ꖾ﷐!胠z寓팢^㨔|u8Nሇe텔ꅦ抷]،鹎㳁#༔繁 ", "낂乕ꃻ볨ϱ-ꇋ㖍fs⿫)zꜦ/K?솞♞ꑌ宭hJ᤭瑥Fu": false, "쟰ぜ魛G\u0003u?`㾕ℾ㣭5螠烶這趩ꖢ:@咕ꐶx뒘느m䰨b痃렐0鳊喵熬딃$摉_~7*ⱦ녯1錾GKhJ惎秴6'H妈Tᧅ窹㺒疄矤铟wላ": null, "쯆q4!3錕㲏ⵆ㇛꘷Z瑩뭆\\◪NH\u001d\\㽰U~㯶<\"쑣낞3ᵤ'峉eꢬ;鬹o꣒木X*長PXᘱu\"䠹n惞": null, "ᅸ祊\"&ꥴCjࢼ﴿?䡉`U效5殼㮞V昽ꏪ#ﺸ\\&t6x꠹盥꣰a[\u001aꪍSpe鎿蠹": -1.1564713893659811E-19 } ]] ] ] ], "羵䥳H,6ⱎ겾|@t\"#햊1|稃 섭)띜=뻔ꡜ???櫎~*ῡ꫌/繣ﻠq": null } ]} ]}, "츤": false }}, "s": 3.7339341963399598E18 } ], "N,I?1+㢓|ࣱ嶃쩥V2\u0012(4EE虪朶$|w颇v步": "~읢~_,Mzr㐫YB溓E淚\"ⅹ䈔ᏺ抙 b,nt5V㐒J檶ꏨ⻔?", "Q껑ꡡ}$넎qH煔惍/ez^!ẳF댙䝌馻剁8": "梲;yt钰$i冄}AL%a j뜐奷걳뚾d꿽*ሬuDY3?뮟鼯뮟w㍪틱V", "o{Q/K O胟㍏zUdꀐm&⨺J舕⾏魸訟㌥[T籨櫉唐킝 aṭ뱫촙莛>碶覆⧬짙쭰ׯdAiH໥벤퐥_恸[ 0e:죃TC弼荎뵁DA:w唵ꣁ": null, "὏樎䵮軧|?౗aWH쩃1 ꅭsu": null } ] }, "勂\\&m鰈J釮=Ⲽ鳋+䂡郑": null, "殣b綊倶5㥗惢⳷萢ᑀ䬄镧M^ﱴ3⣢翣n櫻1㨵}ኯ뗙顖Z.Q➷ꮨ뗇\u0004": "ꔙ䁼>n^[GीA䨟AM琢ᒊS쨲w?d㶣젊嘶纝麓+愣a%気ྞSc됓ᔘ:8bM7Xd8㶑臌]Ꙥ0ꐭ쒙䫣挵C薽Dfⵃ떼᷸", "?紡.셪_෨j\u0013Ox┠$Xᶨ-ᅇo薹-}軫;y毝㪜K㣁?.EV쮱4둽⛻䤜'2盡\u001f60(|e쐰㼎ᦀ㒧-$l@ﻑ坳\u0003䭱响巗WFo5c㧆T턁Y맸♤(": -2.50917882560589088E17 }} ], "侸\\릩.᳠뎠狣살cs项䭩畳H1s瀉븇19?.w骴崖㤊h痠볭㞳㞳䁮Ql怠㦵": "@䟴-=7f", "鹟1x௢+d ;vi䭴FSDS\u0004hꎹ㚍?⒍⦏ў6u,扩@됷Su)Pag휛TᒗV痩!瞏釀ꖞ蘥&ೞ蘐ꭰꞇᝎ": "ah懱Ժ&\u20f7䵅♎඀䞧鿪굛ౕ湚粎蚵ᯋ幌YOE)५襦㊝Y*^\"R+ඈ咷蝶9ꥂ榨艦멎헦閝돶v좛咊E)K㓷ྭr", "搆q쮦4綱켙셁.f4<\/g<籽늷?#蚴픘:fF\u00051㹉뀭.ᰖ풎f֦Hv蔎㧤.!䭽=鞽]음H:?\"-4": 8.740133984938656E-20 }]} } ], "tVKn딩꘥⊾蹓᤹{\u0003lR꼽ᄲQFᅏ傅ﱋ猢⤊ᔁ,E㓒秤nTතv`♛I\u0000]꫔ṞD\"麵c踝杰X&濿또꣹깳౥葂鿎\\aꡨ?": 3900062609292104525 } ], "ਉ샒⊩Lu@S䧰^g": -1.1487677090371648E18, "⎢k⑊꬗yᏫ7^err糎Dt\u000bJ礯확ㆍ沑サꋽe赔㝢^J\u0004笲㿋idra剰-᪉C錇/Ĝ䂾ညS지?~콮gR敉⬹'䧭": 1901472137232418266, "灗k䶥:?촽贍쓉꓈㒸g獘[뵎\\胕?\u0014_榙p.j稶,$`糉妋0>Fᡰly㘽$?": "]ꙛO赎&#㠃돱剳\"<◆>0誉齐_|z|裵씪>ᐌ㼍\"Z[琕}O?G뚇諦cs⠜撺5cu痑U圲\u001c?鴴計l춥/╓哼䄗茏ꮅ뫈댽A돌롖뤫V窗讬sHd&\nOi;_u" } ], "Uﺗ\\Y\\梷䄬~\u0002": null, "k\"Y磓ᗔ휎@U冈<\/w컑)[": false, "曏J蝷⌻덦\u001f㙳s꥓⍟邫P늮쥄c∬ྡྷ舆렮칤Z趣5콡넛A쳨\\뀙骫(棻.*&輛LiIfi{@EA婳KᬰTXT": -4.3088230431977587E17 }]} ] ], "곃㲧<\/dఓꂟs其ࡧ&N葶=?c㠤Ჴ'횠숄臼#\u001a~": false } ] ]}] }] }} ], "2f`⽰E쵟>J笂裭!〛觬囀ۺ쟰#桊l鹛ⲋ|RA_Vx፭gE됓h﵀mfỐ|?juTU档[d⢼⺻p濚7E峿": 5613688852456817133 }, "濘끶g忮7㏵殬W팕Q曁 뫰)惃廊5%-蹚zYZ樭ﴷQ锘쯤崫gg": true, "絥ᇑ⦏쒓븣爚H.㗊߄o蘵貆ꂚ(쎔O᥉ﮓ]姨Wꁓ!RMA|o퉢THx轮7M껁U즨'i뾘舯o": "跥f꜃?" }} ], "鷰鹮K-9k;ﰰ?_ݦѷ-ꅣ䩨Zꥱ\"mꠟ屎/콑Y╘2&鸞脇㏢ꀇ࠺ⰼ拾喭틮L꽩bt俸墶 [l/웄\"꾦\u20d3iও-&+\u000fQ+໱뵞": -1.296494662286671E-19 }, "HX੹/⨇୕붷Uﮘ旧\\쾜͔3l鄈磣糂̖䟎Eᐳw橖b῀_딕hu葰窳闹вU颵|染H죶.fP䗮:j䫢\\b뎖i燕ꜚG⮠W-≚뉗l趕": "ଊ칭Oa᡺$IV㷧L\u0019脴셀붿餲햪$迳向쐯켂PqfT\" ?I屉鴼쿕@硙z^鏕㊵M}㚛T젣쓌-W⩐-g%⺵<뮱~빅╴瑿浂脬\u0005왦燲4Ⴭb|D堧 <\/oEQh", "䘶#㥘੐캔f巋ἡAJ䢚쭈ࣨ뫒*mᇊK,ࣺAꑱ\u000bR<\/A\"1a6鵌㯀bh곿w(\"$ꘁ*rಐ趣.d࿩k/抶면䒎9W⊃9": "漩b挋Sw藎\u0000", "畀e㨼mK꙼HglKb,\"'䤜": null }]}] ] ] }] ]} ] ]} ], "歙>駿ꣂ숰Q`J΋方樛(d鱾뼣(뫖턭\u20f9lচ9歌8o]8윶l얶?镖G摄탗6폋폵+g:䱫홊<멀뀿/س|ꭺs걐跶稚W々c㫣⎖": "㣮蔊깚Cꓔ舊|XRf遻㆚︆'쾉췝\\&言", "殭\"cށɨꝙ䞘:嬮e潽Y펪㳅/\"O@ࠗ겴]췖YǞ(t>R\"N?梳LD恭=n氯T豰2R諸#N}*灧4}㶊G䍣b얚": null, "襞<\/啧 B|싞W瓇)6簭鼡艆lN쩝`|펭佡\\間邝[z릶&쭟愱ꅅ\\T᰽1鯯偐栈4̸s윜R7⒝/똽?치X": "⏊躖Cﱰ2Qẫ脐&இ?%냝悊", ",鰧偵셣싹xᎹ힨᯳EṬH㹖9": -4604276727380542356 } } ]]]], "웺㚑xs}q䭵䪠馯8?LB犯zK'os䚛HZ\"L?셎s^㿧㴘Cv2": null }] ] ] ], "Kd2Kv+|z": 7367845130646124107, "ᦂⶨ?ᝢ 祂些ഷ牢㋇操\"腭䙾㖪\\(y4cE뽺ㆷ쫺ᔖ%zfۻ$ў1柦,㶢9r漢": -3.133230960444846E-20, "琘M焀q%㢟f鸯O⣏蓑맕鯊$O噷|)z褫^㢦⠮ꚯ꫞`毕1qꢚ{ĭ䎀বώT\"뱘3G൴?^^of": null } ], "a8V᯺?:ﺃ/8ꉿBq|9啓댚;*i2": null, "cpT瀇H珰Ừpೃi鎪Rr␣숬-鹸ҩ䠚z脚цGoN8入y%趌I┽2ឪЀiJNcN)槣/▟6S숆牟\"箑X僛G殱娇葱T%杻:J諹昰qV쨰": 8331037591040855245 }], "G5ᩜ䄗巢껳": true } }, "Ồ巢ゕ@_譙A`碫鄐㡥砄㠓(^K": "?܃B혢▦@犑ὺD~T⧁|醁;o=J牌9냚⢽㨘{4觍蚔9#$∺\u0016p囅\\3Xk阖⪚\"UzA穕롬✎➁㭒춺C㣌ဉ\"2瓑员ᅽꝶ뫍}꽚ꞇ鶂舟彺]ꍽJC蝧銉", "␆Ě膝\"b-퉐ACR言J謈53~V튥x䜢?ꃽɄY뮩ꚜ": "K/↾e萃}]Bs⾿q룅鷦-膋?m+死^魊镲6", "粡霦c枋AHퟁo礼Ke?qWcA趸㡔ꂏ?\u000e춂8iতᦜ婪\u0015㢼nﵿꍻ!ᐴ関\u001d5j㨻gfῩUK5Ju丝tかTI'?㓏t>⼟o a>i}ᰗ;뤕ܝ": false, "ꄮ匴껢ꂰ涽+䜨B蛹H䛓-k蕞fu7kL谖,'涃V~챳逋穞cT\"vQ쓕ObaCRQ㓡Ⲯ?轭⫦輢墳?vA餽=h䮇킵n폲퉅喙?\"'1疬V嬗Qd灗'Lự": "6v!s믁㭟㣯獃!磸餠ቂh0C뿯봗F鷭gꖶ~コkK<ᦈTt\\跓w㭣횋钘ᆹ듡䑚W䟾X'ꅔ4FL勉Vܴ邨y)2'〚쭉⽵-鞣E,Q.?块", "?(˧쩯@崟吋歄K": null }, "Gc럃녧>?2DYI鴿\\륨)澔0ᔬlx'觔7젘⤡縷螩%Sv׫묈/]↱&S h\u0006歋ᑛxi̘}ひY蔯_醨鯘煑橾8?䵎쨋z儬ꁏ*@츾:": null } } } ] ] ]} }, "HO츧G": 3.694949578823609E17, "QC\u0012(翻曇Tf㷟bGBJ옉53\\嚇ᛎD/\u001b夾၉4\"핀@祎)쫆yD\"i먎Vn㿿V1W᨝䶀": -6150931500380982286, "Z㓮P翸鍱鉼K䋞꘺튿⭁Y": -7704503411315138850, "]모开ꬖP븣c霤<[3aΠ\"黁䖖䰑뮋ꤦ秽∼㑷冹T+YUt\"싳F↭䖏&鋌": -2.7231911483181824E18, "tꎖ": -4.9517948741799555E-19, "䋘즊.⬅IꬃۣQ챢ꄑ黐|f?C⾺|兕읯sC鬸섾整腨솷V": "旆柩l쪦sᖸMy㦅울썉瘗㎜檵9ꍂ駓ૉᚿ/u3씅徐拉[Z䞸ࡗ1ꆱ&Q풘?ǂ8\u0011BCDY2볨;鸏": null, "幫 n煥s쁇펇 왊-$C\"衝:\u0014㣯舼.3뙗Yl⋇\"K迎멎[꽵s}9鉳UK8쐥\"掄㹖h㙈!얄સ?Ꜳ봺R伕UTD媚I䜘W鏨蔮": -4.150842714188901E-17, "ﺯ^㄄\b죵@fྉkf颡팋Ꞧ{/Pm0V둳⻿/落韒ꊔᚬ@5螺G\\咸a谆⊪ቧ慷绖?财(鷇u錝F=r၍橢ឳn:^iᴵtD볠覅N赴": null }] }] } ] ]} ]}, "謯?w厓奰T李헗聝ឍ貖o⪇弒L!캶$ᆅ": -4299324168507841322, "뺊奉_垐浸延몏孄Z舰2i$q붿좾껇d▵餏\"v暜Ҭ섁m￴g>": -1.60911932510533427E18 } ] } ] ]], "퉝꺔㠦楶Pꅱ": 7517896876489142899, "": false } ]}, "是u&I狻餼|谖j\"7c됮sסּ-踳鉷`䣷쉄_A艣鳞凃*m⯾☦椿q㎭N溔铉tlㆈ^": 1.93547720203604352E18, "kⲨ\\%vr#\u000bⒺY\\t<\/3﬌R訤='﹠8蝤Ꞵ렴曔r": false } ]}, "阨{c?C\u001d~K?鎌Ԭ8烫#뙣P초遗t㭱E­돒䆺}甗[R*1!\\~h㕅᰺@<9JꏏષI䳖栭6綘걹ᅩM\"▯是∔v鬽顭⋊譬": "운ﶁK敂(欖C취پ℄爦賾" } }} }], "鷨赼鸙+\\䭣t圙ڹx᜾ČN<\/踘\"S_맶a鷺漇T彚⎲i㈥LT-xA캔$\u001cUH=a0츺l릦": "溣㣂0濕=鉵氬駘>Pꌢpb솇쬤h힊줎獪㪬CrQ矠a&脍꼬爼M茴/΅\u0017弝轼y#Ꞡc6둴=?R崏뷠麖w?" }, "閕ᘜ]CT)䵞l9z'xZF{:ؐI/躅匽졁:䟇AGF૸\u001cퟗ9)駬慟ꡒꆒRS״툋A<>\u0010\"ꂔ炃7g덚E৏bꅰ輤]o㱏_뷕ܘ暂\"u": "芢+U^+㢩^鱆8*1鈶鮀\u0002뺰9⬳ꪮlL䃣괟,G8\u20a8DF㉪錖0ㄤ瓶8Nଷd?眡GLc陓\\_죌V쁰ल二?c띦捱 \u0019JC\u0011b⤉zẒT볕\"绣蘨뚋cꡉkI\u001e鳴", "ꃣI'{6u^㡃#཰Kq4逹y൒䧠䵮!㱙/n??{L풓ZET㙠퍿X2᩟綳跠葿㚙w཮x캽扳B唕S|尾}촕%N?o䪨": null, "ⰴFjෟ셈[\u0018辷px?椯\\1<ﲻ栘ᣁ봢憠뉴p": -5263694954586507640 } ] ]] ]} ]}] ] ], "?#癘82禩鋆ꊝty?&": -1.9419029518535086E-19 } ] ] ]} ] ] ], "훊榲.|῕戄&.㚏Zꛦ2\"䢥ሆ⤢fV_摕婔?≍Fji冀탆꜕i㏬_ẑKᅢ꫄蔻XWc|饡Siẘ^㲦?羡2ぴ1縁ᙅ?쐉Ou": false }]] ]}}}, "慂뗄卓蓔ᐓ匐嚖/颹蘯/翻ㆼL?뇊,텵<\\獷ごCボ": null }, "p溉ᑟi짣z:䒤棇r^٫%G9缑r砌롧.물农g?0׼ሩ4ƸO㣥㯄쩞ጩ": null, "껎繥YxK\"F젷쨹뤤1wq轫o?鱑뜀瘊?뎃h灑\\ꛣ}K峐^ኖ⤐林ꉓhy": null } ], "᱀n肓ㄛ\"堻2>m殮'1橌%Ꞵ군=Ӳ鯨9耛<\/n據0u彘8㬇៩f᏿诙]嚊": "䋯쪦S럶匏ㅛ#)O`ሀX_鐪渲⛀㨻宅闩➈ꢙஶDR⪍" }, "tA썓龇 ⋥bj왎录r땽✒롰;羋^\\?툳*┎?썀ma䵳넅U䳆૘〹䆀LQ0\b疀U~u$M}(鵸g⳾i抦뛹?䤈땚검.鹆?ꩡtⶥGĒ;!ቹHS峻B츪켏f5≺": 2366175040075384032, "전pJjleb]ួ": -7.5418493141528422E18, "n.鎖ጲ\n?,$䪘": true }, "欈Ar㉣螵᪚茩?O)": null }, "쫸M#x}D秱欐K=侫们丐.KꕾxẠ\u001e㿯䣛F܍캗qq8꟞ṢFD훎⵳簕꭛^鳜\u205c٫~⑟~冫ऊ2쫰<\/戲윱o<\"": true }, "㷝聥/T뱂\u0010锕|内䞇x侁≦㭖:M?iM᣿IJe煜dG࣯尃⚩gPt*辂.{磼럾䝪@a\\袛?}ᓺB珼": true } } ]]}]}}, "tn\"6ꫤ샾䄄;銞^%VBPwu묪`Y僑N.↺Ws?3C⤻9唩S䠮ᐴm;sᇷ냞඘B/;툥B?lB∤)G+O9m裢0kC햪䪤": -4.5941249382502277E18, "ᚔt'\\愫?鵀@\\びꂕP큠<<]煹G-b!S?\nꖽ鼫,ݛ&頺y踦?E揆릱H}햧캡b@手.p탻>췽㣬ꒅ`qe佭P>ᓂ&?u}毚ᜉ蟶頳졪ᎏzl2wO": -2.53561440423275936E17 }]} } ] ]], "潈촒⿂叡": 5495738871964062986 } ]] } ] ]} ]] ]] ]} ] ]}, "ႁq킍蓅R`謈蟐ᦏ儂槐僻ﹶ9婌櫞釈~\"%匹躾ɢ뤥>࢟瀴愅?殕节/냔O✬H鲽엢?ᮈੁ⋧d␽㫐zCe*": 2.15062231586689536E17, "㶵Ui曚珰鋪ᾼ臧P{䍏䷪쨑̟A뼿T渠誈䏚D1!잶<\/㡍7?)2l≣穷᛾稝{:;㡹nemיּ訊`G": null, "䀕\"飕辭p圁f#뫆䶷뛮;⛴ᩍ3灚덏ᰝ쎓⦷詵%᜖Մfs⇫(\u001e~P|ﭗCⲾផv湟W첋(텪બT<บSꏉ੗⋲X婵i ӵ⇮?L䬇|ꈏ?졸": 1.548341247351782E-19 } ] }, "t;:N\u0015q鐦Rt缆{ꮐC?஛㷱敪\\+鲊㉫㓪몗릙竏(氵kYS": "XᰂT?൮ô", "碕飦幑|+ 㚦鏶`镥ꁩ B<\/加륙": -4314053432419755959, "秌孳(p!G?V傫%8ሽ8w;5鲗㦙LI檸\u2098": "zG N볞䆭鎍흘\\ONK3횙<\/樚立圌Q튅k쩎Ff쁋aׂJK銆ઘ즐狩6༥✙䩜篥CzP(聻駇HHퟲ讃%,ά{렍p而刲vy䦅ክ^톺M楒鍢㹳]Mdg2>䤉洞", "踛M젧>忔芿㌜Zk": 2215369545966507819, "씐A`$槭頰퍻^U覒\bG毲aᣴU;8!팲f꜇E⸃_卵{嫏羃X쀳C7뗮m(嚼u N܁谟D劯9]#": true, "ﻩ!뵸-筚P᭛}ἰ履lPh?౮ⶹꆛ穉뎃g萑㑓溢CX뾇G㖬A錟]RKaꄘ]Yo+@䘁's섎襠$^홰}F": null }, "粘ꪒ4HXᕘ蹵.$區\r\u001d묁77pPc^y笲Q<\/ꖶ 訍䃍ᨕG?*": 1.73773035935040224E17 }, "婅拳?bkU;#D矠❴vVN쩆t㜷A풃갮娪a%鮏絪3dAv룒#tm쑬⌛qYwc4|L8KZ;xU⓭㳔밆拓EZ7襨eD|隰ऌ䧼u9Ԣ+]贴P荿": 2.9628516456987075E18 }]}}] ]} }} ]}] ], "|g翉F*湹̶\u0005⏐1脉̀eI쩓ᖂ㫱0碞l䴨ꑅ㵽7AtἈ턧yq䳥塑:z:遀ᄐX눔擉)`N3昛oQ셖y-ڨ⾶恢ꈵq^<\/": null, "菹\\랓G^璬x৴뭸ゆUS겧﮷Bꮤ ┉銜᯻0%N7}~f洋坄Xꔼ<\/4妟Vꄟ9:౟곡t킅冩䧉笭裟炂4봋ⱳ叺怊t+怯涗\"0㖈Hq": false, "졬믟'ﺇফ圪쓬멤m邸QLব䗁愍4jvs翙 ྍ꧀艳H-|": null, "컮襱⣱뗠 R毪/鹙꾀%헳8&": -5770986448525107020 } ], "B䔚bꐻ뙏姓展槰T-똌鷺tc灿᫽^㓟䏀o3o$꘭趙萬I顩)뇭Ἑ䓝\f@{ᣨ`x3蔛": null } ] ] }], "⦖扚vWꃱ꥙㾠壢輓{-⎳鹷贏璿䜑bG倛⋐磎c皇皩7a~ﳫU╣Q࠭ꎉS摅姽OW.홌ೞ.": null, "蚪eVlH献r}ᮏ믠ﰩꔄ@瑄ⲱ": null, "퀭$JWoꩢg역쁍䖔㑺h&ୢtXX愰㱇?㾫I_6 OaB瑈q裿": null, "꽦ﲼLyr纛Zdu珍B絟쬴糔?㕂짹䏵e": "ḱ\u2009cX9멀i䶛簆㳀k" } ]]]], "(_ꏮg່澮?ᩑyM<艷\u001aꪽ\\庼뙭Z맷㰩Vm\\lY筺]3㋲2㌩㄀Eਟ䝵⨄쐨ᔟgङHn鐖⤇놋瓇Q탚單oY\"♆臾jHᶈ征ቄ??uㇰA?#1侓": null }, "觓^~ሢ&iI띆g륎ḱ캀.ᓡꀮ胙鈉": 1.0664523593012836E-19, "y詭Gbᔶऽs댁U:杜⤎ϲ쁗⮼D醄诿q뙰I#즧v蔎xHᵿt᡽[**?崮耖p缫쿃L菝,봬ꤦC쯵#=X1瞻@OZc鱗CQTx": null } ] }}], "剘紁\u0004\\Xn⊠6,တױ;嵣崇}讃iႽ)d1\\䔓": null }, "脨z\"{X,1u찜<'k&@?1}Yn$\u0015Rd輲ーa쮂굄+B$l": true, "諳>*쭮괐䵟Ґ+<箁}빀䅱⡔檏臒hIH脟ꩪC핝ଗP좕\"0i<\/C褻D۞恗+^5?'ꂱ䚫^7}㡠cq6\\쨪ꔞꥢ?纖䫀氮蒫侲빦敶q{A煲G": -6880961710038544266 }}] }, "5s⨲JvಽῶꭂᄢI.a৊": null, "?1q꽏쿻ꛋDR%U娝>DgN乭G": -1.2105047302732358E-19 } ] ]}, "qZz`撋뙹둣j碇쁏\\ꆥ\u0018@藴疰Wz)O{F䶛l᷂绘訥$]뮍夻䢋䩇萿獰樧猵⣭j萶q)$꬚⵷0馢W:Ⱍ!Qoe": -1666634370862219540, "t": "=wp|~碎Q鬳Ӎ\\l-<\/^ﳊhn퐖}䍔t碵ḛ혷?靻䊗", "邙쇡㯇%#=,E4勃驆V繚q[Y댻XV㡸[逹ᰏ葢B@u=JS5?bLRn얮㍉⏅ﰳ?a6[&큟!藈": 1.2722786745736667E-19 }, "X블땨4{ph鵋ꉯ웸 5p簂䦭s_E徔濧d稝~No穔噕뽲)뉈c5M윅>⚋[岦䲟懷恁?鎐꓆ฬ爋獠䜔s{\u001bm鐚儸煛%bﯿXT>ꗘ@8G": 1157841540507770724, "媤娪Q杸\u0011SAyᡈ쿯": true, "灚^ಸ%걁<\/蛯?\"祴坓\\\\'흍": -3.4614808555942579E18, "釴U:O湛㴑䀣렑縓\ta)(j:숾却䗌gCiB뽬Oyuq輥厁/7)?今hY︺Q": null } ] ]]]}] ], "I笔趠Ph!<ཛྷ㸞诘X$畉F\u0005笷菟.Esr릙!W☆䲖뗷莾뒭U\"䀸犜Uo3Gꯌx4r蔇᡹㧪쨢準<䂀%ࡡꟼ瑍8炝Xs0䀝销?fi쥱ꆝલBB": -8571484181158525797, "L⦁o#J|\"⽩-㱢d㌛8d\\㶤傩儻E[Y熯)r噤὘勇 }": "e(濨쓌K䧚僒㘍蠤Vᛸ\"络QJL2,嬓왍伢㋒䴿考澰@(㏾`kX$끑эE斡,蜍&~y", "vj.|统圪ᵮPL?2oŶ`밧\"勃+0ue%⿥绬췈체$6:qa렐Q;~晘3㙘鹑": true, "ශؙ4獄⶿c︋i⚅:ん閝Ⳙ苆籦kw{䙞셕pC췃ꍬ␜꟯ꚓ酄b힝hwk꭭M鬋8B耳쑘WQ\\偙ac'唀x᪌\u2048*h짎#ፇ鮠뾏ឿ뀌": false, "⎀jꄒ牺3Ⓝ컴~?親ꕽぼܓ喏瘘!@<튋㐌꿱⩦{a?Yv%⪧笯Uܱ栅E搚i뚬:ꄃx7䙳ꦋ&䓹vq☶I䁘ᾘ涜\\썉뺌Lr%Bc㍜3?ꝭ砿裞]": null, "⭤뙓z(㡂%亳K䌽꫿AԾ岺㦦㼴輞낚Vꦴw냟鬓㹈뽈+o3譻K1잞": 2091209026076965894, "ㇲ\t⋇轑ꠤ룫X긒\"zoY읇희wj梐쐑l侸`e%s": -9.9240075473576563E17, "啸ꮑ㉰!ᚓ}銏": -4.0694813896301194E18, ">]囋੽EK뇜>_ꀣ緳碖{쐐裔[<ನ\"䇅\"5L?#xTwv#罐\u0005래t应\\N?빗;": "v쮽瞭p뭃" } ]], "斴槾?Z翁\"~慍弞ﻆ=꜡o5鐋dw\"?K蠡i샾ogDﲰ_C*⬟iㇷ4nય蟏[㟉U꽌娛苸 ঢ়操贻洞펻)쿗૊許X⨪VY츚Z䍾㶭~튃ᵦ<\/E臭tve猑x嚢": null, "锡⛩<\/칥ꈙᬙ蝀&Ꚑ籬■865?_>L詏쿨䈌浿弥爫̫lj&zx<\/C쉾?覯n?": null, "꾳鑤/꼩d=ᘈn挫ᑩ䰬ZC": "3錢爋6Ƹ䴗v⪿Wr益G韠[\u0010屗9쁡钁u?殢c䳀蓃樄욂NAq赟c튒瘁렶Aૡɚ捍" } ] ] ]} ] ] }]]]}} ]}], "Ej䗳U<\/Q=灒샎䞦,堰頠@褙g_\u0003ꤾfⶽ?퇋!łB〙ד3CC䌴鈌U:뭔咎(Qો臃䡬荋BO7㢝䟸\"Yb": 2.36010731779814E-20, "逸'0岔j\u000e눘먷翌C츊秦=ꭣ棭ှ;鳸=麱$XP⩉駚橄A\\좱⛌jqv䰞3Ь踌v㳆¹gT┌gvLB賖烡m?@E঳i": null }, "曺v찘ׁ?&绫O័": 9107241066550187880 } ] ], "(e屄\u0019昜훕琖b蓘ᬄ0/۲묇Z蘮ဏ⨏蛘胯뢃@㘉8ሪWᨮ⦬ᅳ䅴HI၇쨳z囕陻엣1赳o": true, ",b刈Z,ၠ晐T솝ŕB⩆ou'퐼≃绗雗d譊": null, "a唥KB\"ﳝ肕$u\n^⅄P䟼냉䞸⩪u윗瀱ꔨ#yşs꒬=1|ﲤ爢`t౐튼쳫_Az(Ṋ擬㦷좕耈6": 2099309172767331582, "?㴸U<\/䢔ꯡ阽扆㐤q鐋?f㔫wM嬙-;UV죫嚔픞G&\"Cᗍ䪏풊Q": "VM7疹+陕枡툩窲}翡䖶8欞čsT뮐}璤:jﺋ鎴}HfA൝⧻Zd#Qu茅J髒皣Y-︴[?-~쉜v딏璮㹚䅊﩯<-#\u000e걀h\u0004u抱﵊㼃U<㱷⊱IC進" }, "숌dee節鏽邺p넱蹓+e罕U": true } ], "b⧴룏??ᔠ3ぱ>%郿劃翐ꏬꠛW瞳᫏누躨狀ໄy੽\"ីuS=㨞馸k乆E": "トz݈^9R䬑<ﮛGRꨳ\u000fTT泠纷꽀MRᴱ纊:㠭볮?%N56%鈕1䗍䜁a䲗j陇=뿻偂衋࿘ᓸ?ᕵZ+<\/}H耢b䀁z^f$&㝒LkꢳI脚뙛u": 5.694374481577558E-20 }] } ]], "obj": {"key": "wrong value"}, "퓲꽪m{㶩/뇿#⼢&᭙硞㪔E嚉c樱㬇1a綑᝖DḾ䝩": null }, "key": "6.908319653520691E8", "z": { "6U閆崬밺뀫颒myj츥휘:$薈mY햚#rz飏+玭V㭢뾿愴YꖚX亥ᮉ푊\u0006垡㐭룝\"厓ᔧḅ^Sqpv媫\"⤽걒\"˽Ἆ?ꇆ䬔未tv{DV鯀Tἆl凸g\\㈭ĭ즿UH㽤": null, "b茤z\\.N": [[ "ZL:ᅣዎ*Y|猫劁櫕荾Oj为1糕쪥泏S룂w࡛Ᏺ⸥蚙)", { "\"䬰ỐwD捾V`邀⠕VD㺝sH6[칑.:醥葹*뻵倻aD\"": true, "e浱up蔽Cr෠JK軵xCʨ<뜡癙Y獩ケ齈X/螗唻?<蘡+뷄㩤쳖3偑犾&\\첊xz坍崦ݻ鍴\"嵥B3㰃詤豺嚼aqJ⑆∥韼@\u000b㢊\u0015L臯.샥": false, "l?Ǩ喳e6㔡$M꼄I,(3᝝縢,䊀疅뉲B㴔傳䂴\u0088㮰钘ꜵ!ᅛ韽>": -5514085325291784739, "o㮚?\"춛㵉<\/﬊ࠃ䃪䝣wp6ἀ䱄[s*S嬈貒pᛥ㰉'돀": [{ "(QP윤懊FI<ꃣ『䕷[\"珒嶮?%Ḭ壍಻䇟0荤!藲끹bd浶tl\u2049#쯀@僞": {"i妾8홫": { ",M맃䞛K5nAㆴVN㒊햬$n꩑&ꎝ椞阫?/ṏ세뉪1x쥼㻤㪙`\"$쟒薟B煌܀쨝ଢ଼2掳7㙟鴙X婢\u0002": "Vዉ菈᧷⦌kﮞఈnz*﷜FM\"荭7ꍀ-VR<\/';䁙E9$䩉\f @s?퍪o3^衴cඎ䧪aK鼟q䆨c{䳠5mᒲՙ蘹ᮩ": { "F㲷JGo⯍P덵x뒳p䘧☔\"+ꨲ吿JfR㔹)4n紬G练Q፞!C|": true, "p^㫮솎oc.೚A㤠??r\u000f)⾽⌲們M2.䴘䩳:⫭胃\\፾@Fᭌ\\K": false, "蟌Tk愙潦伩": { "a<\/@ᾛ慂侇瘎": -7271305752851720826, "艓藬/>၄ṯ,XW~㲆w": {"E痧郶)㜓ha朗!N赻瞉駠uC\u20ad辠x퓮⣫P1ࠫLMMX'M刼唳됤": null, "P쓫晥%k覛ዩIUᇸ滨:噐혲lMR5䋈V梗>%幽u頖\\)쟟": null, "eg+昉~矠䧞难\b?gQ쭷筝\\eꮠNl{ಢ哭|]Mn銌╥zꖘzⱷ⭤ᮜ^": [ -1.30142114406914976E17, -1.7555215491128452E-19, null, "渾㨝ߏ牄귛r?돌?w[⚞ӻ~廩輫㼧/", -4.5737191805302129E18, null, "xy࿑M[oc셒竓Ⓔx?뜓y䊦>-D켍(&&?XKkc꩖ﺸᏋ뵞K伕6ী)딀P朁yW揙?훻魢傎EG碸9類៌g踲C⟌aEX舲:z꒸许", 3808159498143417627, null, {"m試\u20df1{G8&뚈h홯J<\/": { "3ஸ厠zs#1K7:rᥞoꅔꯧ&띇鵼鞫6跜#赿5l'8{7㕳(b/j\"厢aq籀ꏚ\u0015厼稥": [ -2226135764510113982, true, null, { "h%'맞S싅Hs&dl슾W0j鿏MםD놯L~S-㇡R쭬%": null, "⟓咔謡칲\u0000孺ꛭx旑檉㶆?": null, "恇I転;￸B2Y`z\\獓w,놏濐撐埵䂄)!䶢D=ഭ㴟jyY": { "$ࡘt厛毣ൢI芁<겿骫⫦6tr惺a": [ 6.385779736989334E-20, false, true, true, [ -6.891946211462334E-19, null, { "]-\\Ꟑ1/薓❧Ὂ\\l牑\u0007A郃)阜ᇒᓌ-塯`W峬G}SDb㬨Q臉⮻빌O鞟톴첂B㺱<ƈmu챑J㴹㷳픷Oㆩs": { "\"◉B\"pᶉt骔J꩸ᄇᛐi╰栛K쉷㉯鐩!㈐n칍䟅難>盥y铿e୔蒏M貹ヅ8嘋퀯䉶ጥ㏢殊뻳\"絧╿ꉑ䠥?∃蓊{}㣣Gk긔H1哵峱": false, "6.瀫cN䇮F㧺?\\椯=ڈT䘆4␘8qv": -3.5687501019676885E-19, "Q?yऴr혴{஀䳘p惭f1ﹸ䅷䕋贲<ྃᄊ繲hq\\b|#QSTs1c-7(䵢\u2069匏絘ꯉ:l毴汞t戀oෟᵶ뮱፣-醇Jx䙬䐁햢0࣫ᡁgrㄛ": "\u0011_xM/蘇Chv;dhA5.嗀绱V爤ﰦi뵲M", "⏑[\"ugoy^儣횎~U\\섯겜論l2jw஌yD腅̂\u0019": true, "ⵯɇ䐲᫿࢚!㯢l샅笶戮1꣖0Xe": null, "劅f넀識b宁焊E찓橵G!ʱ獓뭔雩괛": [{"p⹣켙[q>燣䍃㞽ᩲx:쓤삘7玑퇼0<\/q璂ᑁ[Z\\3䅵䧳\u0011㤧|妱緒C['췓Yꞟ3Z鳱雼P錻BU씧U`ᢶg蓱>.1ӧ譫'L_5V䏵Ц": [ false, false, {"22䂍盥N霂얢躰e9⑩_뵜斌n@B}$괻Yᐱ@䧋V\"☒-諯cV돯ʠ": true, "Ű螧ᔼ檍鍎땒딜qꄃH뜣<獧ूCY吓⸏>XQ㵡趌o끬k픀빯a(ܵ甏끆୯/6Nᪧ}搚ᆚ짌P牰泱鈷^d꣟#L삀\"㕹襻;k㸊\\f+": true, "쎣\",|⫝̸阊x庿k잣v庅$鈏괎炔k쬪O_": [ "잩AzZGz3v愠ꉈⵎ?㊱}S尳௏p\r2>췝IP䘈M)w|\u000eE", -9222726055990423201, null, [ false, {"´킮'뮤쯽Wx讐V,6ᩪ1紲aႈ\u205czD": [ -930994432421097536, 3157232031581030121, "l貚PY䃛5@䭄귻m㎮琸f": 1.0318894506812084E-19, "࢜⩢Ш䧔1肽씮+༎ᣰ闺馺窃䕨8Mƶq腽xc(៯夐J5굄䕁Qj_훨/~価.䢵慯틠퇱豠㼇Qﵘ$DuSp(8Uญ<\/ಟ룴𥳐ݩ$": 8350772684161555590, "ㆎQ䄾\u001bpᩭ${[諟^^骴᤮b^ㅥI┧T㉇⾞\"绦r䰂f矩'-7䡭桥Dz兔V9谶居㺍ᔊ䩯덲.\u001eL0ὅㅷ釣": [{ "<쯬J卷^숞u࠯䌗艞R9닪g㐾볎a䂈歖意:%鐔|ﵤ|y}>;2,覂⶚啵tb*仛8乒㓶B࿠㯉戩oX 貘5V嗆렽낁߼4h䧛ꍺM空\\b꿋貼": 8478577078537189402, "VD*|吝z~h譺aᯒ": { "YI췢K<\/濳xNne玗rJo쾘3핰鴊\"↱AR:ࢷ\"9?\"臁說)?誚ꊏe)_D翾W?&F6J@뺾ꍰNZ醊Z쾈വH嶿?炫㷱鬰M겈᭨b,⻁鈵P䕡䀠८ⱄ홎鄣": { "@?k2鶖㋮\"Oರ K㨇廪儲\u0017䍾J?);\b*묀㗠섳햭1MC V": null, "UIICP!BUA`ᢈ㋸~袩㗪⾒=fB﮴l1ꡛ죘R辂여ҳ7쮡<䩲`熕8頁": 4481809488267626463, "Y?+8먙ᚔ鋳蜩럶1㥔y璜౩`": [ null, 1.2850335807501874E-19, "~V2", 2035406654801997866, { "<숻1>\"": -8062468865199390827, "M㿣E]}qwG莎Gn᝶(ꔙ\\D⬲iꇲs寢t駇S뀡ꢜ": false, "pꝤ㎏9W%>M;-U璏f(^j1?&RB隧 忓b똊E": "#G?C8.躬ꥯ'?냪#< 渟&헿란zpo왓Kj}鷧XﻘMツb䕖;㪻", "vE풤幉xz뱕쫥Ug㦲aH} ᣟp:鬼YᰟH3镔ᴚ斦\\鏑r*2橱G⼔F/.j": true, "RK좬뎂a홠f*f㱉ᮍ⦋潙㨋Gu곌SGI3I뿐\\F',)t`荁蘯囯ﮉ裲뇟쥼_ገ驪▵撏ᕤV": 1.52738225997956557E18, "^k굲䪿꠹B逤%F㱢漥O披M㽯镞竇霒i꼂焅륓\u00059=皫之눃\u2047娤閍銤唫ၕb<\/w踲䔼u솆맚,䝒ᝳ'/it": "B餹饴is権ꖪ怯ꦂẉဎt\"!凢谵⧿0\\<=(uL䷍刨쑪>俆揓Cy襸Q힆䆭涷<\/ᐱ0ɧ䗾䚹\\ኜ?ꄢᇘ`䴢{囇}᠈䴥X4퓪檄]ꥷ/3謒ሴn+g騍X", "GgG꽬[(嫓몍6\u0004궍宩㙻/>\u0011^辍dT腪hxǑ%ꊇk,8(W⧂結P鬜O": [{ "M㴾c>\\ᓲ\u0019V{>ꤩ혙넪㭪躂TS-痴໸闓⍵/徯O.M㏥ʷD囎⧔쁳휤T??鉬뇙=#ꢫ숣BX䭼<\/d똬졬g榿)eꨋﯪ좇첻\u001a\u0011\";~쓆BH4坋攊7힪", "iT:L闞椕윚*滛gI≀Wਟඊ'ꢆ縺뱹鮚Nꩁ᧬蕼21줧\\䋯``⍐\\㏱鳨": 1927052677739832894, "쮁缦腃g]礿Y㬙 fヺSɪ꾾N㞈": [ null, null, { "!t,灝Y 1䗉罵?c饃호䉂Cᐭ쒘z(즽sZG㬣sഖE4뢜㓕䏞丮Qp簍6EZឪ겛fx'ꩱQ0罣i{k锩*㤴㯞r迎jTⲤ渔m炅肳": [ -3.3325685522591933E18, [{"㓁5]A䢕1룥BC?Ꙍ`r룔Ⳛ䙡u伲+\u0001്o": [ null, 4975309147809803991, null, null, {"T팘8Dﯲ稟MM☻㧚䥧/8ﻥ⥯aXLaH\"顾S☟耲ît7fS෉놁뮔/ꕼ䓈쁺4\\霶䠴ᩢ<\/t4?죵>uD5➶༆쉌럮⢀秙䘥\u20972ETR3濡恆vB? ~鸆\u0005": { "`閖m璝㥉b뜴?Wf;?DV콜\u2020퍉౓擝宏ZMj3mJ먡-傷뱙yח㸷꥿ ໘u=M읝!5吭L4v\\?ǎ7C홫": null, "|": false, "~Ztᛋ䚘\\擭㗝傪W陖+㗶qᵿ蘥ᙄp%䫎)}=⠔6ᮢS湟-螾-mXH?cp": 448751162044282216, "\u209fad놹j檋䇌ᶾ梕㉝bוּ": {"?苴ꩠD䋓帘5騱qﱖPF?☸珗顒yU ᡫcb䫎 S@㥚gꮒ쎘泴멖\\:I鮱TZ듒ᶨQ3+f7캙\"?\f풾\\o杞紟﻽M.⏎靑OP": [ -2.6990368911551596E18, [{"䒖@<᰿<\/⽬tTr腞&G%᳊秩蜰擻f㎳?S㵧\r*k뎾-乢겹隷j軛겷0룁鮁": {")DO0腦:춍逿:1㥨่!蛍樋2": [{ ",ꌣf侴笾m๫ꆽ?1?U?\u0011ꌈꂇ": { "x捗甠nVq䅦w`CD⦂惺嘴0I#vỵ} \\귂S끴D얾?Ԓj溯\"v餄a": { "@翙c⢃趚痋i\u0015OQ⍝lq돆Y0pࢥ3쉨䜩^<8g懥0w)]䊑n洺o5쭝QL댊랖L镈Qnt⪟㒅십q헎鳒⮤眉ᔹ梠@O縠u泌ㄘb榚癸XޔFtj;iC": false, "I&뱋゘|蓔䔕측瓯%6ᗻHW\\N1貇#?僐ᗜgh᭪o'䗈꽹Rc욏/蔳迄༝!0邔䨷푪8疩)[쭶緄㇈୧ፐ": { "B+:ꉰ`s쾭)빼C羍A䫊pMgjdx䐝Hf9᥸W0!C樃'蘿f䫤סи\u0017Jve? 覝f둀⬣퓉Whk\"஼=չﳐ皆笁BIW虨쫓F廰饞": -642906201042308791, "sb,XcZ<\/m㉹ ;䑷@c䵀s奤⬷7`ꘖ蕘戚?Feb#輜}p4nH⬮eKL트}": [ "RK鳗z=袤Pf|[,u욺", "Ẏᏻ罯뉋⺖锅젯㷻{H䰞쬙-쩓D]~\u0013O㳢gb@揶蔉|kᦂ❗!\u001ebM褐sca쨜襒y⺉룓", null, null, true, -1.650777344339075E-19, false, "☑lꄆs힨꤇]'uTന⌳농].1⋔괁沰\"IWഩ\u0019氜8쟇䔻;3衲恋,窌z펏喁횗?4?C넁问?ᥙ橭{稻Ⴗ_썔", "n?]讇빽嗁}1孅9#ꭨ靶v\u0014喈)vw祔}룼쮿I", -2.7033457331882025E18, { ";⚃^㱋x:饬ኡj'꧵T☽O㔬RO婎?향ᒭ搩$渣y4i;(Q>꿘e8q": "j~錘}0g;L萺*;ᕭꄮ0l潛烢5H▄쳂ꏒוֹꙶT犘≫x閦웧v", "~揯\u2018c4職렁E~ᑅቚꈂ?nq뎤.:慹`F햘+%鉎O瀜쟏敛菮⍌浢<\/㮺紿P鳆ࠉ8I-o?#jﮨ7v3Dt赻J9": null, "ࣝW䌈0ꍎqC逖,횅c၃swj;jJS櫍5槗OaB>D踾Y": {"㒰䵝F%?59.㍈cᕨ흕틎ḏ㋩B=9IېⓌ{:9.yw}呰ㆮ肒᎒tI㾴62\"ዃ抡C﹬B<\/촋jo朣", [ -7675533242647793366, {"ᙧ呃:[㒺쳀쌡쏂H稈㢤\u001dᶗGG-{GHྻຊꡃ哸䵬;$?&d\\⥬こN圴됤挨-'ꕮ$PU%?冕눖i魁q騎Q": [ false, [[ 7929823049157504248, [[ true, "Z菙\u0017'eꕤ᱕l,0\\X\u001c[=雿8蠬L<\/낲긯W99g톉4ퟋb㝺\u0007劁'!麕Q궈oW:@X၎z蘻m絙璩귓죉+3柚怫tS捇蒣䝠-擶D[0=퉿8)q0ٟ", "唉\nFA椭穒巯\\䥴䅺鿤S#b迅獘 ﶗ꬘\\?q1qN犠pX꜅^䤊⛤㢌[⬛휖岺q唻ⳡ틍\"㙙Eh@oA賑㗠y必Nꊑᗘ", -2154220236962890773, -3.2442003245397908E18, "Wᄿ筠:瘫퀩?o貸q⊻(᎞KWf宛尨h^残3[U(='橄", -7857990034281549164, 1.44283696979059942E18, null, {"ꫯAw跭喀 ?_9\"Aty背F=9缉ྦྷ@;?^鞀w:uN㘢Rỏ": [ 7.393662029337442E15, 3564680942654233068, [ false, -5253931502642112194, "煉\\辎ೆ罍5⒭1䪁䃑s䎢:[e5}峳ﴱn騎3?腳Hyꏃ膼N潭錖,Yᝋ˜YAၓ㬠bG렣䰣:", true, null, { "⒛'P&%죮|:⫶춞": -3818336746965687085, "钖m<\/0ݎMtF2Pk=瓰୮洽겎.": [[ -8757574841556350607, -3045234949333270161, null, { "Ꮬr輳>⫇9hU##w@귪A\\C 鋺㘓ꖐ梒뒬묹㹻+郸嬏윤'+g<\/碴,}ꙫ>손;情d齆J䬁ຩ撛챝탹/R澡7剌tꤼ?ặ!`⏲睤\u00002똥଴⟏": null, "\u20f2ܹe\\tAꥍư\\x当뿖렉禛;G檳ﯪS૰3~㘠#[J<}{奲 5箉⨔{놁<\/釿抋,嚠/曳m&WaOvT赋皺璑텁": [[ false, null, true, -5.7131445659795661E18, "萭m䓪D5|3婁ఞ>蠇晼6nﴺPp禽羱DS<睓닫屚삏姿", true, [ -8759747687917306831, { ">ⓛ\t,odKr{䘠?b퓸C嶈=DyEᙬ@ᴔ쨺芛髿UT퓻春<\/yꏸ>豚W釺N뜨^?꽴﨟5殺ᗃ翐%>퍂ဿ䄸沂Ea;A_\u0005閹殀W+窊?Ꭼd\u0013P汴G5썓揘": 4.342729067882445E-18, "Q^즾眆@AN\u0011Kb榰냎Y#䝀ꀒᳺ'q暇睵s\"!3#I⊆畼寤@HxJ9": false, "⿾D[)袨㇩i]웪䀤ᛰMvR<蟏㣨": {"v퇓L㪱ꖣ豛톤\\곱#kDTN": [{ "(쾴䡣,寴ph(C\"㳶w\"憳2s馆E!n!&柄<\/0Pꈗſ?㿳Qd鵔": {"娇堰孹L錮h嵅⛤躏顒?CglN束+쨣ﺜ\\MrH": {"獞䎇둃ቲ弭팭^ꄞ踦涟XK錆쳞ឌ`;੶S炥騞ଋ褂B៎{ڒ䭷ᶼ靜pI荗虶K$": [{"◖S~躘蒉꫿輜譝Q㽙闐@ᢗ¥E榁iء5┄^B[絮跉ᰥ遙PWi3wㄾⵀDJ9!w㞣ᄎ{듒ꓓb6\\篴??c⼰鶹⟧\\鮇ꮇ": [[ 654120831325413520, -1.9562073916357608E-19, { "DC(昐衵ἡ긙갵姭|֛[t": 7.6979110359897907E18, "J␅))嫼❳9Xfd飉j7猬ᩉ+⤻眗벎E鰉Zᄊ63zၝ69}ZᶐL崭ᦥ⡦靚⋛ꎨ~i㨃咊ꧭo䰠阀3C(": -3.5844809362512589E17, "p꣑팱쒬ꎑ뛡Ꙩ挴恍胔&7ᔈ묒4Hd硶훐㎖zꢼ豍㿢aሃ=<\/湉鵲EӅ%$F!퍶棌孼{O駍਺geu+": ")\u001b잓kŀX쩫A밁®ڣ癦狢)扔弒p}k縕ꩋ,䃉tࣼi", "ァF肿輸<솄G-䢹䛸ꊏl`Tqꕗ蒞a氷⸅ᴉ蠰]S/{J왲m5{9.uέ~㕚㣹u>x8U讁B덺襪盎QhVS맅킃i识{벂磄Iහ䙅xZy/抍૭Z鲁-霳V据挦ℒ": null, "㯛|Nꐸb7ⵐb?拠O\u0014ކ?-(EꞨ4ꕷᄤYᯕOW瞺~螸\"욿ќe㺰\"'㌢ƐW\u0004瞕>0?V鷵엳": true, "뤥G\\迋䠿[庩'꼡\u001aiᩮV쯁ᳪ䦪Ô;倱ନ뛁誈": null, "쥹䄆䚟Q榁䎐᢭<\/2㕣p}HW蟔|䃏꿈ꚉ锳2Pb7㙑Tⅹᵅ": { "Y?֭$>#cVBꩨ:>eL蒁務": { "86柡0po 䏚&-捑Ћ祌<\/휃-G*㶢הּ쩍s㶟餇c걺yu꽎還5*턧簕Og婥SꝐ": null, "a+葞h٥ࠆ裈嗫ﵢ5輙퀟ᛜ,QDﹼ⟶Y騠锪E_|x죗j侵;m蜫轘趥?븅w5+mi콛L": { ";⯭ﱢ!买F⽍柤鶂n䵣V㫚墱2렾ELEl⣆": [ true, -3.6479311868339015E-18, -7270785619461995400, 3.334081886177621E18, 2.581457786298155E18, -6.605252412954115E-20, -3.9232347037744167E-20, { "B6㊕.k1": null, "ZAꄮJ鮷ᳱo갘硥鈠䠒츼": { "ᕅ}럡}.@y陪鶁r業'援퀉x䉴ﵴl퍘):씭脴ᥞhiꃰblﲂ䡲엕8߇M㶭0燋標挝-?PCwe⾕J碻Ᾱ䬈䈥뷰憵賣뵓痬+": {"a췩v礗X⋈耓ፊf罅靮!㔽YYᣓw澍33⎔芲F|\"䜏T↮輦挑6ᓘL侘?ᅥ]덆1R௯✎餘6ꏽ<\/௨\\?q喷ꁫj~@ulq": {"嗫欆뾔Xꆹ4H㌋F嵧]ࠎ]㠖1ꞤT<$m뫏O i댳0䲝i": {"?෩?\u20cd슮|ꯆjs{?d7?eNs⢚嫥氂䡮쎱:鑵롟2hJꎒﯭ鱢3춲亄:뼣v䊭諱Yj択cVmR䩃㘬T\"N홝*ै%x^F\\_s9보zz4淗?q": [ null, "?", 2941869570821073737, "{5{殇0䝾g6밖퍋臩綹R$䖭j紋釰7sXI繳漪행y", false, "aH磂?뛡#惇d婅?Fe,쐘+늵䍘\"3r瘆唊勐j⳧࠴ꇓ<\/唕윈x⬌讣䋵%拗ᛆⰿ妴᝔M2㳗必꧂淲?ゥ젯檢<8끒MidX䏒3᳻Q▮佐UT|⤪봦靏⊏", [[{ "颉(&뜸귙{y^\"P퟉춝Ჟ䮭D顡9=?}Y誱<$b뱣RvO8cH煉@tk~4ǂ⤧⩝屋SS;J{vV#剤餓ᯅc?#a6D,s": [ -7.8781018564821536E16, true, [ -2.28770899315832371E18, false, -1.0863912140143876E-20, -6282721572097446995, 6767121921199223078, -2545487755405567831, false, null, -9065970397975641765, [ -5.928721243413937E-20, {"6촊\u001a홯kB0w撨燠룉{绎6⳹!턍贑y▾鱧ժ[;7ᨷ∀*땒䪮1x霆Hᩭ☔\"r䝐7毟ᝰr惃3ꉭE+>僒澐": [ "Ta쎩aƝt쵯ⰪVb", [ -5222472249213580702, null, -2851641861541559595, null, 4808804630502809099, 5657671602244269874, "5犲﨣4mᥣ?yf젫꾯|䋬잁$`Iⳉﴷ扳兝,'c", false, [ null, { "DyUIN쎾M仼惀⮥裎岶泭lh扠\u001e礼.tEC癯튻@_Qd4c5S熯A<\/\6U윲蹴Q=%푫汹\\\u20614b[௒C⒥Xe⊇囙b,服3ss땊뢍i~逇PA쇸1": -2.63273619193485312E17, "Mq꺋貘k휕=nK硍뫞輩>㾆~἞ࡹ긐榵l⋙Hw뮢帋M엳뢯v⅃^": 1877913476688465125, "ᶴ뻗`~筗免⚽টW˃⽝b犳䓺Iz篤p;乨A\u20ef쩏?疊m㝀컩뫡b탔鄃ᾈV(遢珳=뎲ିeF仢䆡谨8t0醄7㭧瘵⻰컆r厡궥d)a阄፷Ed&c﯄伮1p": null, "⯁w4曢\"(欷輡": "\"M᭫]䣒頳B\\燧ࠃN㡇j姈g⊸⺌忉ꡥF矉স%^", "㣡Oᄦ昵⫮Y祎S쐐級㭻撥>{I$": -378474210562741663, "䛒掷留Q%쓗1*1J*끓헩ᦢ﫫哉쩧EↅIcꅡ\\?ⴊl귛顮4": false, "寔愆샠5]䗄IH贈=d﯊/偶?ॊn%晥D視N򗘈'᫂⚦|X쵩넽z질tskxDQ莮Aoﱻ뛓": true, "钣xp?&\u001e侉/y䴼~?U篔蘚缣/I畚?Q绊": -3034854258736382234, "꺲໣眀)⿷J暘pИfAV삕쳭Nꯗ4々'唄ⶑ伻㷯騑倭D*Ok꧁3b␽_<\/챣Xm톰ၕ䆄`*fl㭀暮滠毡?": [ "D男p`V뙸擨忝븪9c麺`淂⢦Yw⡢+kzܖ\fY1䬡H歁)벾Z♤溊-혰셢?1<-\u0005;搢Tᐁle\\ᛵߓﭩ榩訝-xJ;巡8깊蠝ﻓU$K": { "Vꕡ諅搓W=斸s︪vﲜ츧$)iꡟ싉e寳?ጭムVથ嵬i楝Fg<\/Z|៪ꩆ-5'@ꃱ80!燱R쇤t糳]罛逇dṌ֣XHiͦ{": true, "Ya矲C멗Q9膲墅携휻c\\딶G甔<\/.齵휴": -1.1456247877031811E-19, "z#.OO￝J": -8263224695871959017, "崍_3夼ᮟ1F븍뽯ᦓ鴭V豈Ь": [{ "N蒬74": null, "yuB?厅vK笗!ᔸcXQ旦컶P-녫mᄉ麟_": "1R@ 톘xa_|﩯遘s槞d!d껀筤⬫薐焵먑D{\\6k共倌☀G~AS_D\"딟쬚뮥馲렓쓠攥WTMܭ8nX㩴䕅檹E\u0007ﭨN 2 ℆涐ꥏ꠵3▙玽|됨_\u2048", "恐A C䧩G": {":M큣5e들\\ꍀ恼ᔄ靸|I﨏$)n": { "|U䬫㟯SKV6ꛤ㗮\bn봻䲄fXT:㾯쳤'笓0b/ೢC쳖?2浓uO.䰴": "ཐ꼋e?``,ᚇ慐^8ꜙNM䂱\u0001IᖙꝧM'vKdꌊH牮r\\O@䊷ᓵ쀆(fy聻i툺\"?<\/峧ࣞ⓺ᤤ쵒߯ꎺ騬?)刦\u2072l慪y꺜ﲖTj+u", "뽫hh䈵w>1ⲏ쐭V[ⅎ\\헑벑F_㖝⠗㫇h恽;῝汰ᱼ瀖J옆9RR셏vsZ柺鶶툤r뢱橾/ꉇ囦FGm\"謗ꉦ⨶쒿⥡%]鵩#ᖣ_蹎 u5|祥?O", null, 2.0150326776036215E-19, null, true, false, true, {"\fa᭶P捤WWc᠟f뚉ᬏ퓗ⳀW睹5:HXH=q7x찙X$)모r뚥ᆟ!Jﳸf": [ -2995806398034583407, [ 6441377066589744683, "Mﶒ醹i)Gἦ廃s6몞 KJ౹礎VZ螺费힀\u0000冺업{谥'꡾뱻:.ꘘ굄奉攼Di᷑K鶲y繈욊阓v㻘}枭캗e矮1c?휐\"4\u0005厑莔뀾墓낝⽴洗ṹ䇃糞@b1\u0016즽Y轹", { "1⽕⌰鉟픏M㤭n⧴ỼD#%鐘⊯쿼稁븣몐紧ᅇ㓕ᛖcw嬀~ഌ㖓(0r⧦Q䑕髍ര铂㓻R儮\"@ꇱm❈௿᦯頌8}㿹犴?xn잆꥽R": 2.07321075750427366E18, "˳b18㗈䃟柵Z曆VTAu7+㛂cb0﯑Wp執<\/臋뭡뚋刼틮荋벲TLP预庰܈G\\O@VD'鱃#乖끺*鑪ꬳ?Mޞdﭹ{␇圯쇜㼞顄︖Y홡g": [{ "0a,FZ": true, "2z̬蝣ꧦ驸\u0006L↛Ḣ4๚뿀'?lcwᄧ㐮!蓚䃦-|7.飑挴.樵*+1ﮊ\u0010ꛌ%貨啺/JdM:똍!FBe?鰴㨗0O财I藻ʔWA᫓G쳛u`<\/I": [{ "$τ5V鴐a뾆両環iZp頻යn븃v": -4869131188151215571, "*즢[⦃b礞R◚nΰꕢH=귰燙[yc誘g䆌?ଜ臛": { "洤湌鲒)⟻\\䥳va}PeAMnN[": "㐳ɪ/(軆lZR,Cp殍ȮN啷\"3B婴?i=r$펽ᤐ쀸", "阄R4㒿㯔ڀ69ZᲦ2癁핌噗P崜#\\-쭍袛&鐑/$4童V꩑_ZHA澢fZ3": {"x;P{긳:G閉:9?活H": [ "繺漮6?z犞焃슳\">ỏ[Ⳛ䌜녏䂹>聵⼶煜Y桥[泥뚩MvK$4jtロ", "E#갶霠좭㦻ୗ먵F+䪀o蝒ba쮎4X㣵 h", -335836610224228782, null, null, [ "r1᫩0>danjY짿bs{", [ -9.594464059325631E-23, 1.0456894622831624E-20, null, 5.803973284253454E-20, -8141787905188892123, true, -4735305442504973382, 9.513150514479281E-20, "7넳$螔忷㶪}䪪l짴\u0007鹁P鰚HF銏ZJﳴ/⍎1ᷓ忉睇ᜋ쓈x뵠m䷐窥Ꮤ^\u0019ᶌ偭#ヂt☆၃pᎍ臶䟱5$䰵&๵分숝]䝈뉍♂坎\u0011<>", "C蒑貑藁lﰰ}X喇몛;t밿O7/᯹f\u0015kI嘦<ዴ㟮ᗎZ`GWퟩ瑹࡮ᅴB꿊칈??R校s脚", { "9珵戬+AU^洘拻ቒy柭床'粙XG鞕᠜繀伪%]hC,$輙?Ut乖Qm떚W8઼}~q⠪rU䤶CQ痗ig@#≲t샌f㈥酧l;y闥ZH斦e⸬]j⸗?ঢ拻퀆滌": null, "畯}㧢J罚帐VX㨑>1ꢶkT⿄蘥㝑o|<嗸層沈挄GEOM@-䞚䧰$만峬輏䠱V✩5宸-揂D'㗪yP掶7b⠟J㕻SfP?d}v㼂Ꮕ'猘": { "陓y잀v>╪": null, "鬿L+7:됑Y=焠U;킻䯌잫!韎ஔ\f": { "駫WmGጶ": { "\\~m6狩K": -2586304199791962143, "ႜࠀ%͑l⿅D.瑢Dk%0紪dḨTI픸%뗜☓s榗኉\"?V籄7w髄♲쟗翛歂E䤓皹t ?)ᄟ鬲鐜6C": { "_췤a圷1\u000eB-XOy缿請∎$`쳌eZ~杁튻/蜞`塣৙\"⪰\"沒l}蕌\\롃荫氌.望wZ|o!)Hn獝qg}": null, "kOSܧ䖨钨:಼鉝ꭝO醧S`십`ꓭ쭁ﯢN&Et㺪馻㍢ⅳ㢺崡ຊ蜚锫\\%ahx켨|ż劻ꎄ㢄쐟A躊᰹p譞綨Ir쿯\u0016ﵚOd럂*僨郀N*b㕷63z": { ":L5r+T㡲": [{ "VK泓돲ᮙRy㓤➙Ⱗ38oi}LJቨ7Ó㹡৘*q)1豢⛃e᫛뙪壥镇枝7G藯g㨛oI䄽 孂L缊ꋕ'EN`": -2148138481412096818, "`⛝ᘑ$(खꊲ⤖ᄁꤒ䦦3=)]Y㢌跨NĴ驳줟秠++d孳>8ᎊ떩EꡣSv룃 쯫أ?#E|᭙㎐?zv:5祉^⋑V": [ -1.4691944435285607E-19, 3.4128661569395795E17, "㐃촗^G9佭龶n募8R厞eEw⺡_ㆱ%⼨D뉄퉠2ꩵᛅⳍ搿L팹Lවn=\"慉념ᛮy>!`g!풲晴[/;?[v겁軇}⤳⤁핏∌T㽲R홓遉㓥", "愰_⮹T䓒妒閤둥?0aB@㈧g焻-#~跬x<\/舁P݄ꐡ=\\׳P\u0015jᳪᢁq;㯏l%᭗;砢觨▝,謁ꍰGy?躤O黩퍋Y㒝a擯\n7覌똟_䔡]fJ晋IAS", 4367930106786121250, -4.9421193149720582E17, null, { ";ᄌ똾柉곟ⰺKpፇ䱻ฺ䖝{o~h!eꁿ઻욄ښ\u0002y?xUd\u207c悜ꌭ": [ 1.6010824122815255E-19, [ "宨︩9앉檥pr쇷?WxLb", "氇9】J玚\u000f옛呲~ 輠1D嬛,*mW3?n휂糊γ虻*ᴫ꾠?q凐趗Ko↦GT铮", "㶢ថmO㍔k'诔栀Z蛟}GZ钹D", false, -6.366995517736813E-20, -4894479530745302899, null, "V%᫡II璅䅛䓎풹ﱢ/pU9se되뛞x梔~C)䨧䩻蜺(g㘚R?/Ự[忓C뾠ࢤc왈邠买?嫥挤풜隊枕", ",v碍喔㌲쟚蔚톬៓ꭶ", 3.9625444752577524E-19, null, [ "kO8란뿒䱕馔b臻⍟隨\"㜮鲣Yq5m퐔K#ꢘug㼈ᝦ=P^6탲@䧔%$CqSw铜랊0&m⟭<\/a逎ym\u0013vᯗ": true, "洫`|XN뤮\u0018詞=紩鴘_sX)㯅鿻Ố싹": 7.168252736947373E-20, "ꛊ饤ﴏ袁(逊+~⽫얢鈮艬O힉7D筗S곯w操I斞᠈븘蓷x": [[[[ -7.3136069426336952E18, -2.13572396712722688E18, { "硢3㇩R:o칢行E<=\u0018ၬYuH!\u00044U%卝炼2>\u001eSi$⓷ꒈ'렢gᙫ番ꯒ㛹럥嶀澈v;葷鄕x蓎\\惩+稘UEᖸﳊ㊈壋N嫿⏾挎,袯苷ኢ\\x|3c": 7540762493381776411, "?!*^ᢏ窯?\u0001ڔꙃw虜돳FgJ?&⨫*uo籤:?}ꃹ=ٴ惨瓜Z媊@ત戹㔏똩Ԛ耦Wt轁\\枒^\\ꩵ}}}ꀣD\\]6M_⌫)H豣:36섘㑜": { ";홗ᰰU஋㙛`D왔ཿЃS회爁\u001b-㢈`봆?盂㛣듿ᦾ蒽_AD~EEຆ㊋(eNwk=Rɠ峭q\"5Ἠ婾^>'ls\n8QAK)- Q䲌mo펹L_칍樖庫9꩝쪹ᘹ䑖瀍aK ?*趤f뭓廝p=磕", "哑z懅ᤏ-ꍹux쀭", [ true, 3998739591332339511, "ጻ㙙?᳸aK<\/囩U`B3袗ﱱ?\"/k鏔䍧2l@쿎VZ쨎/6ꃭ脥|B?31+on颼-ꮧ,O嫚m ࡭`KH葦:粘i]aSU쓙$쐂f+詛頖b", [{"^<9<箝&絡;%i﫡2攑紴\\켉h쓙-柂䚝ven\u20f7浯-Ꮏ\r^훁䓚헬\u000e?\\ㅡֺJ떷VOt": [{ "-௄卶k㘆혐஽y⎱㢬sS઄+^瞥h;ᾷj;抭\u0003밫f<\/5Ⱗ裏_朻%*[-撵䷮彈-芈": { "㩩p3篊G|宮hz䑊o곥j^Co0": [ 653239109285256503, {"궲?|\":N1ۿ氃NZ#깩:쇡o8킗ࡊ[\"됸Po핇1(6鰏$膓}⽐*)渽J'DN<썙긘毦끲Ys칖": { "2Pr?Xjㆠ?搮/?㓦柖馃5뚣Nᦼ|铢r衴㩖\"甝湗ܝ憍": "\"뾯i띇筝牻$珲/4ka $匝휴译zbAᩁꇸ瑅&뵲衯ꎀᆿ7@ꈋ'ᶨH@ᠴl+", "7뢽뚐v?4^ꊥ_⪛.>pởr渲<\/⢕疻c\"g䇘vU剺dஔ鮥꒚(dv祴X⼹\\a8y5坆": true, "o뼄B욞羁hr﷔폘뒚⿛U5pꪴfg!6\\\"爑쏍䢱W<ﶕ\\텣珇oI/BK뺡'谑♟[Ut븷亮g(\"t⡎有?ꬊ躺翁艩nl F⤿蠜": 1695826030502619742, "ۊ깖>ࡹ햹^ⵕ쌾BnN〳2C䌕tʬ]찠?ݾ2饺蹳ぶꌭ訍\"◹ᬁD鯎4e滨T輀ﵣ੃3\u20f3킙D瘮g\\擦+泙ၧ 鬹ﯨַ肋7놷郟lP冝{ߒhড়r5,꓋": null, "ΉN$y{}2\\N﹯ⱙK'8ɜͣwt,.钟廣䎘ꆚk媄_": null, "䎥eᾆᝦ읉,Jުn岪㥐s搖謽䚔5t㯏㰳㱊ZhD䃭f絕s鋡篟a`Q鬃┦鸳n_靂(E4迠_觅뷝_宪D(NL疶hL追V熑%]v肫=惂!㇫5⬒\u001f喺4랪옑": { "2a輍85먙R㮧㚪Sm}E2yꆣꫨrRym㐱膶ᔨ\\t綾A☰.焄뙗9<쫷챻䒵셴᭛䮜.<\/慌꽒9叻Ok䰊Z㥪幸k": [ null, true, {"쌞쐍": { "▟GL K2i뛱iQ\"̠.옛1X$}涺]靎懠ڦ늷?tf灟ݞゟ{": 1.227740268699265E-19, "꒶]퓚%ฬK❅": [{ "(ෛ@Ǯっ䧼䵤[aテൖvEnAdU렖뗈@볓yꈪ,mԴ|꟢캁(而첸죕CX4Y믅": "2⯩㳿ꢚ훀~迯?᪑\\啚;4X\u20c2襏B箹)俣eỻw䇄", "75༂f詳䅫ꐧ鏿 }3\u20b5'∓䝱虀f菼Iq鈆﨤g퍩)BFa왢d0뮪痮M鋡nw∵謊;ꝧf美箈ḋ*\u001c`퇚퐋䳫$!V#N㹲抗ⱉ珎(V嵟鬒_b㳅\u0019": null, "e_m@(i㜀3ꦗ䕯䭰Oc+-련0뭦⢹苿蟰ꂏSV䰭勢덥.ྈ爑Vd,ᕥ=퀍)vz뱊ꈊB_6듯\"?{㒲&㵞뵫疝돡믈%Qw限,?\r枮\"? N~癃ruࡗdn&": null, "㉹&'Pfs䑜공j<\/?|8oc᧨L7\\pXᭁ 9᪘": -2.423073789014103E18, "䝄瑄䢸穊f盈᥸,B뾧푗횵B1쟢f\u001f凄": "魖⚝2儉j꼂긾껢嗎0ࢇ纬xI4](੓`蕞;픬\fC\"斒\")2櫷I﹥迧", "ퟯ詔x悝령+T?Bg⥄섅kOeQ큼㻴*{E靼6氿L缋\u001c둌๶-㥂2==-츫I즃㠐Lg踞ꙂEG貨鞠\"\u0014d'.缗gI-lIb䋱ᎂDy缦?": null, "紝M㦁犿w浴詟棓쵫G:䜁?V2ힽ7N*n&㖊Nd-'ຊ?-樹DIv⊜)g䑜9뉂ㄹ푍阉~ꅐ쵃#R^\u000bB䌎䦾]p.䀳": [{"ϒ爛\"ꄱ︗竒G䃓-ま帳あ.j)qgu扐徣ਁZ鼗A9A鸦甈!k蔁喙:3T%&㠘+,䷞|챽v䚞문H<\/醯r셓㶾\\a볜卺zE䝷_죤ဵ뿰᎟CB": [ 6233512720017661219, null, -1638543730522713294, false, -8901187771615024724, [ 3891351109509829590, true, false, -1.03836679125188032E18, { "j랎:g曞ѕᘼ}链N", -1.1103819473845426E-19, true, [ true, null, -7.9091791735309888E17, true, {"}蔰鋈+ꐨ啵0?g*사%`J?*": [{ "\"2wG?yn,癷BK\\龞䑞x?蠢": -3.7220345009853505E-19, ";饹়❀)皋`噿焒j(3⿏w>偍5X薙婏聿3aFÆÝ": "2,ꓴg?_섦_>Y쪥션钺;=趘F~?D㨫\bX?㹤+>/믟kᠪ멅쬂Uzỵ]$珧`m雁瑊ඖ鯬cꙉ梢f묛bB", "♽n$YjKiXX*GO贩鏃豮祴遞K醞眡}ꗨv嵎꼷0୸+M菋eH徸J꣆:⼐悥B켽迚㯃b諂\u000bjꠜ碱逮m8": [ "푷᣺ﻯd8ﱖ嬇ភH鹎⡱᱅0g:果6$GQ췎{vᷧYy-脕x偹砡館⮸C蓼ꏚ=軄H犠G谖ES詤Z蠂3l봟hᅭ7䦹1GPQG癸숟~[#駥8zQ뛣J소obg,", null, 1513751096373485652, null, -6.851466660824754E-19, {"䩂-⴮2ٰK솖풄꾚ႻP앳1H鷛wmR䗂皎칄?醜<\/&ࠧ㬍X濬䵈K`vJ륒Q/IC묛!;$vϑ": { "@-ꚗxྐྵ@m瘬\u0010U絨ﮌ驐\\켑寛넆T=tQ㭤L연@脸삯e-:⩼u㎳VQ㋱襗ຓ<Ⅶ䌸cML3+\u001e_C)r\\9+Jn\\Pﺔ8蠱檾萅Pq鐳话T䄐I": -1.80683891195530061E18, "ᷭዻU~ཷsgSJ`᪅'%㖔n5픆桪砳峣3獮枾䌷⊰呀": { "Ş੉䓰邟自~X耤pl7间懑徛s첦5ਕXexh⬖鎥᐀nNr(J컗|ૃF\"Q겮葲놔엞^겄+㈆话〾희紐G'E?飕1f❼텬悚泬먐U睬훶Qs": false, "(\u20dag8큽튣>^Y{뤋.袊䂓;_g]S\u202a꽬L;^'#땏bႌ?C緡<䝲䲝断ꏏ6\u001asD7IK5Wxo8\u0006p弊⼂ꯍ扵\u0003`뵂픋%ꄰ⫙됶l囏尛+䗅E쟇\\": [ true, { "\n鱿aK㝡␒㼙2촹f;`쾏qIࡔG}㝷䐍瓰w늮*粅9뒪ㄊCj倡翑閳R渚MiUO~仨䜶RꙀA僈㉋⦋n{㖥0딿벑逦⥻0h薓쯴Ꝼ": [ 5188716534221998369, 2579413015347802508, 9.010794400256652E-21, -6.5327297761238093E17, 1.11635352494065523E18, -6656281618760253655, { "": ")?", "TWKLꑙ裑꺔UE俸塑炌Ũ᜕-o\"徚#": {"M/癟6!oI51ni퐚=댡>xꍨ\u0004 ?": { "皭": {"⢫䋖>u%w잼<䕏꘍P䋵$魋拝U䮎緧皇Y훂&|羋ꋕ잿cJ䨈跓齳5\u001a삱籷I꿾뤔S8㌷繖_Yឯ䲱B턼O歵F\\l醴o_欬6籏=D": [ false, true, {"Mt|ꏞD|F궣MQ뵕T,띺k+?㍵i": [ 7828094884540988137, false, { "!༦鯠,&aﳑ>[euJꏽ綷搐B.h": -7648546591767075632, "-n켧嘰{7挐毄Y,>❏螵煫乌pv醑Q嶚!|⌝責0왾덢ꏅ蛨S\\)竰'舓Q}A釡5#v": 3344849660672723988, "8閪麁V=鈢1녈幬6棉⪮둌\u207d᚛驉ꛃ'r䆉惏ै|bἧﺢᒙ<=穊强s혧eꮿ慩⌡ \\槳W븧J檀C,ᘉ의0俯퀉M;筷ࣴ瓿{늊埂鄧_4揸Nn阼Jੵ˥(社": true, "o뼀vw)4A뢵(a䵢)p姃뛸\u000fK#KiQp\u0005ꅍ芅쏅": null, "砥$ꥸ┇耽u斮Gc{z빔깎밇\\숰\u001e괷各㶇쵿_ᴄ+h穢p촀Ნ䃬z䝁酳ӂ31xꔄ1_砚W렘G#2葊P ": [ -3709692921720865059, null, [ 6669892810652602379, -135535375466621127, "뎴iO}Z? 馢녱稹ᄾ䐩rSt帤넆&7i騏멗畖9誧鄜'w{Ͻ^2窭외b㑎粖i矪ꦨ탪跣)KEㆹ\u0015V8[W?⽉>'kc$䨘ᮛ뉻٬M5", 1.10439588726055846E18, false, -4349729830749729097, null, [ false, "_蠢㠝^䟪/D녒㡋ỎC䒈판\u0006એq@O펢%;鹐쏌o戥~A[ꡉ濽ỳ&虃᩾荣唙藍茨Ig楡꒻M窓冉?", true, 2.17220752996421728E17, -5079714907315156164, -9.960375974658589E-20, "ᾎ戞༒", true, false, [[ "ⶉᖌX⧕홇)g엃⹪x뚐癟\u0002", -5185853871623955469, { "L㜤9ợㇶK鐰⋓V뽋˖!斫as|9"፬䆪?7胜&n薑~": -2.11545634977136992E17, "O8뀩D}캖q萂6༣㏗䈓煮吽ਆᎼDᣘ폛;": false, "YTᡅ^L㗎cbY$pᣞ縿#fh!ꘂb삵玊颟샞ဢ$䁗鼒몁~rkH^:닮먖츸륈⪺쒉砉?㙓扫㆕꣒`R䢱B酂?C뇞<5Iޚ讳騕S瞦z": null, "\\RB?`mG댵鉡幐物䵎有5*e骄T㌓ᛪ琾駒Ku\u001a[柆jUq8⋈5鿋츿myﻗ?雍ux঴?": 5828963951918205428, "n0晅:黯 xu씪^퓞cB㎊ᬍ⺘٤փ~B岚3㥕擄vᲂ~F?C䶖@$m~忔S왖㲚?챴⊟W#벌{'㰝I䝠縁s樘\\X뢻9핡I6菍ㄛ8쯶]wॽ0L\"q": null, "x增줖j⦦t䏢᎙㛿Yf鼘~꫓恄4惊\u209c": "oOhbᤃ᛽z&Bi犑\\3B㩬劇䄑oŁ쨅孥멁ຖacA㖫借㞝vg싰샂㐜#譞⢤@k]鋰嘘䜾L熶塥_<\/⍾屈ﮊ_mY菹t뙺}Ox=w鮮4S1ꐩמּ'巑", "㗓蟵ꂾe蠅匳(JP䗏෸\u0089耀왲": [{ "ᤃ㵥韎뤽\r?挥O쯡⇔㞚3伖\u0005P⋪\"D궣QLn(⚘罩䩢Ŏv䤘尗뼤됛O淽鋋闚r崩a{4箙{煷m6〈": { "l곺1L": { "T'ਤ?砅|੬Km]䄩\"(࿶<\/6U爢䫈倔郴l2㴱^줣k'L浖L鰄Rp今鎗⒗C얨M훁㡧ΘX粜뫈N꤇輊㌻켑#㮮샶-䍗룲蠝癜㱐V>=\\I尬癤t=": 7648082845323511446, "鋞EP:<\/_`ၧe混ㇹBd⯢㮂驋\\q碽饩跓྿ᴜ+j箿렏㗑yK毢宸p謹h䦹乕U媣\\炤": [[ "3", [ true, 3.4058271399411134E-20, true, "揀+憱f逮@먻BpW曉\u001a㣐⎊$n劈D枤㡞좾\u001aᛁ苔౩闝1B䷒Ṋ݋➐ꀞꐃ磍$t੤_:蘺⮼(#N", 697483894874368636, [ "vᘯ锴)0訶}䳅⩚0O壱韈ߜ\u0018*U鍾䏖=䧉뽑单휻ID쿇嘗?ꌸῬ07", -5.4858784319382006E18, 7.5467775182251151E18, -8911128589670029195, -7531052386005780140, null, [ null, true, [[{ "1欯twG<\/Q:0怯押殃탷聫사<ỗꕧ蚨䡁nDꌕ\u001c녬~蓩鲃g儊>ꏡl㻿/⑷*챳6㻜W毤緛ﹺᨪ4\u0013뺚J髬e3쳸䘦伧?恪&{L掾p+꬜M䏊d娘6": { "2p첼양棜h䜢﮶aQ*c扦v︥뮓kC寵횂S銩&ǝ{O*य़iH`U큅ࡓr䩕5ꄸ?`\\᧫?ᮼ?t〟崾훈k薐ì/iy꤃뵰z1<\/AQ#뿩8jJ1z@u䕥": 1.82135747285215155E18, "ZdN &=d년ᅆ'쑏ⅉ:烋5&៏ᄂ汎来L㯄固{钧u\\㊏튚e摑&t嗄ꖄUb❌?m䴘熚9EW": [{ "ଛ{i*a(": -8.0314147546006822E17, "⫾ꃆY\u000e+W`௸ \"M뒶+\\뷐lKE}(NT킶Yj選篒쁶'jNQ硾(똡\\\"逌ⴍy? IRꜘ὞鄬﨧:M\\f⠋Cꚜ쫊ᚴNV^D䕗ㅖἔIao꿬C⍏8": [ 287156137829026547, { "H丞N逕⯲": {"": { "7-;枮阕梒9ᑄZ": [[[[ null, { "": [[[[ -7.365909561486078E-19, 2948694324944243408, null, [ true, "荒\"并孷䂡쵼9o䀘F\u0002龬7⮹Wz%厖/*? a*R枈㌦됾g뒠䤈q딄㺿$쮸tᶎ릑弣^鏎<\/Y鷇驜L鿽<\/춋9Mᲆឨ^<\/庲3'l낢", "c鮦\u001b두\\~?眾ಢu݆綑෪蘛轋◜gȃ<\/ⴃcpkDt誩܅\"Y", [[ null, null, [ 3113744396744005402, true, "v(y", { "AQ幆h쾜O+꺷铀ꛉ練A蚗⼺螔j㌍3꽂楎䥯뎸먩?": null, "蠗渗iz鱖w]擪E": 1.2927828494783804E-17, "튷|䀭n*曎b✿~杤U]Gz鄭kW|㴚#㟗ഠ8u擨": [[ true, null, null, {"⾪壯톽g7?㥜ώQꑐ㦀恃㧽伓\\*᧰閖樧뢇赸N휶䎈pI氇镊maᬠ탷#X?A+kНM ༑᩟؝?5꧎鰜ṚY즫궔 =ঈ;ﳈ?*s|켦蜌wM笙莔": [ null, -3808207793125626469, [ -469910450345251234, 7852761921290328872, -2.7979740127017492E18, 1.4458504352519893E-20, true, "㽙깹?먏䆢:䴎ۻg殠JBTU⇞}ꄹꗣi#I뵣鉍r혯~脀쏃#釯:场:䔁>䰮o'㼽HZ擓௧nd", [ 974441101787238751, null, -2.1647718292441327E-19, 1.03602824249831488E18, [ null, 1.0311977941822604E-17, false, true, { "": -3.7019778830816707E18, "E峾恆茍6xLIm縂0n2视֯J-ᤜz+ᨣ跐mYD豍繹⹺䊓몓ﴀE(@詮(!Y膽#᎙2䟓섣A䈀㟎,囪QbK插wcG湎ꤧtG엝x⥏俎j'A一ᯥ뛙6ㅑ鬀": 8999803005418087004, "よ殳\\zD⧅%Y泥簳Uꈩ*wRL{3#3FYHା[d岀䉯T稉駅䞘礄P:闈W怏ElB㤍喬赔bG䠼U଄Nw鰯闀楈ePsDꥷ꭬⊊": [ 6.77723657904486E-20, null, [ "ཚ_뷎꾑蹝q'㾱ꂓ钚蘞慵렜떆`ⴹ⎼櫯]J?[t9Ⓢ !컶躔I᮸uz>3a㠕i,錃L$氰텰@7녫W㸮?羧W뇧ꃞ,N鋮숪2ɼ콏┍䁲6", "&y?뢶=킕올Za惻HZk>c\u20b58i?ꦶcfBv잉ET9j䡡", "im珊Ճb칧校\\뼾쯀", 9.555715121193197E-20, true, { "<㫚v6腓㨭e1㕔&&V∌ᗈT奄5Lጥ>탤?튣瑦㳆ꉰ!(ᙪ㿬擇_n쌯IMΉ㕨␰櫈ᱷ5풔蟹&L.첽e鰷쯃劼﫭b#ﭶ퓀7뷄Wr㢈๧Tʴશ㶑澕鍍%": -1810142373373748101, "fg晌o?߲ꗄ;>C>?=鑰監侯Kt굅": true, "䫡蓺ꑷ]C蒹㦘\"1ః@呫\u0014NL䏾eg呮፳,r$裢k>/\\?ㄤᇰﻛ쉕1஥'Ċ\" \\_?쨔\"ʾr: 9S䘏禺ᪧꄂ㲄", [[{ "*硙^+E쌺I1䀖ju?:⦈Ꞓl๴竣迃xKC/饉:\fl\"XTFᄄ蟭,芢<\/骡軺띜hꏘ\u001f銿<棔햳▨(궆*=乥b8\\媦䷀뫝}닶ꇭ(Kej䤑M": [{ "1Ꮼ?>옿I╅C<ގ?ꊌ冉SV5A㢊㶆z-๎玶绢2F뵨@㉌뀌o嶔f9-庒茪珓뷳4": null, ";lᰳ": "CbB+肻a䄷苝*/볳+/4fq=㰁h6瘉샴4铢Y骐.⌖@哼猎㦞+'gꋸ㒕ߤ㞑(䶒跲ti⑴a硂#No볔", "t?/jE幸YHT셵⩎K!Eq糦ꗣv刴w\"l$ο:=6:移": { "z]鑪醊嫗J-Xm銌翁絨c里됏炙Ep㣋鏣똼嚌䀓GP﹖cmf4鹭T䅿꣭姧␸wy6ꦶ;S&(}ᎧKxᾂQ|t뻳k\"d6\"|Ml췆hwLt꼼4$&8Պ褵婶鯀9": {"嵃닢ᒯ'd᧫䳳#NXe3-붋鸿ଢ떓%dK\u0013䲎ꖍYV.裸R⍉rR3蟛\\:젯:南ĺLʆ넕>|텩鴷矔ꋅⒹ{t孶㓑4_": [ true, null, [ false, "l怨콈lᏒ", { "0w䲏嬧-:`䉅쉇漧\\܂yㄨb%㽄j7ᦶ涶<": 3.7899452730383747E-19, "ꯛTẀq纤q嶏V⿣?\"g}ი艹(쥯B T騠I=仵및X": {"KX6颠+&ᅃ^f畒y[": { "H?뱜^?꤂-⦲1a㋞&ꍃ精Ii᤾챪咽쬘唂쫷<땡劈훫놡o㥂\\ KⴙD秼F氮[{'좴:례晰Iq+I쭥_T綺砸GO煝䟪ᚪ`↹l羉q쐼D꽁ᜅ훦: vUV": true, "u^yﳍ0㱓#[y뜌앸ꊬL㷩?蕶蘾⻍KӼ": -7931695755102841701, "䤬轉車>\u001c鴵惋\"$쯃྆⇻n뽀G氠S坪]ಲꨍ捇Qxኻ椕駔\\9ࣼ﫻읜磡煮뺪ᶚ볝l㕆t+sζ": [[[ true, false, [ null, 3363739578828074923, true, { "\"鸣詩 볰㑵gL㯦῅춝旫}ED辗ﮈI쀤-ꧤ|㠦Z\"娑ᕸ4爏騍㣐\"]쳝Af]茛⬻싦o蚁k䢯䩐菽3廇喑ޅ": 4.5017999150704666E17, "TYႇ7ʠ值4챳唤~Zo&ݛ": false, "`塄J袛㭆끺㳀N㺣`꽐嶥KﯝSVᶔ∲퀠獾N딂X\"ᤏhNﬨvI": {"\u20bb㭘I䖵䰼?sw䂷쇪](泒f\"~;꼪Fԝsᝦ": {"p,'ꉂ軿=A蚶?bƉ㏵䅰諬'LYKL6B깯⋩겦뎙(ᜭ\u0006噣d꾆㗼Z;䄝䚔cd<情@䞂3苼㸲U{)<6&ꩻ钛\u001au〷N숨囖愙j=BXW욕^x芜堏Ῑ爂뛷꒻t✘Q\b": [[ "籛&ଃ䩹.ꃩ㦔\\C颫#暪&!勹ꇶ놽攺J堬镙~軌C'꾖䣹㮅岃ᙴ鵣", 4.317829988264744E15, 6.013585322002147E-20, false, true, null, null, -3.084633632357326E-20, false, null, { "\"짫愔昻 X\"藣j\"\"먁ཅѻ㘤㬯0晲DU꟒㸃d벀윒l䦾c੻*3": null, "谈Wm陧阦咟ฯ歖擓N喴㋐銭rCCnVࢥ^♼Ⅾ젲씗刊S༝+_t赔\\b䚍뉨ꬫ6펛cL䊘᜼<\/澤pF懽&H": [ null, { "W\"HDUuΌ퀟M'P4࿰H똆ⰱﮯ<\/凐蘲\"C鴫ﭒж}ꭩ쥾t5yd诪ﮡ퍉ⴰ@?氐醳rj4I6Qt": 6.9090159359219891E17, "絛ﳛ⺂": {"諰P㗮聦`ZQ?ꫦh*റcb⧱}埌茥h{棩렛툽o3钛5鮁l7Q榛6_g)ὄ\u0013kj뤬^爖eO4Ⱈ槞鉨ͺ订%qX0T썗嫷$?\\\"봅늆'%": [ -2.348150870600346E-19, [[ true, -6619392047819511778, false, [[ -1.2929189982356161E-20, 1.7417192219309838E-19, {"?嵲2࿐2\u0001啑㷳c縯": [ null, [ false, true, 2578060295690793218, { "?\"殃呎#㑑F": true, "}F炊_殛oU헢兔Ꝉ,赭9703.B数gTz3⏬": { "5&t3,햓Mݸᵣ㴵;꣫䩍↳#@뫷䠅+W-ࣇzᓃ鿕ಔ梭?T䮑ꥬ旴]u뫵막bB讍:왳둛lEh=숾鱠p咐$짏#?g⹷ᗊv㷵.斈u頻\u0018-G.": "뽙m-ouࣤ஫牷\"`Ksꕞ筼3HlȨvC堈\"I]㖡玎r먞#'W賜鴇k'c룼髋䆿飉㗆xg巤9;芔cጐ/ax䊨♢큓r吓㸫೼䢗da᩾\"]屣`", ":M딪<䢥喠\u0013㖅x9蕐㑂XO]f*Q呰瞊吭VP@9,㨣 D\\穎vˤƩs㜂-曱唅L걬/롬j㈹EB8g<\/섩o渀\"u0y&룣": ">氍緩L/䕑돯Ꟙ蕞^aB뒣+0jK⪄瑨痜LXK^힦1qK{淚t츔X:Vm{2r獁B뾄H첚7氥?쉟䨗ꠂv팳圎踁齀\\", "D彤5㢷Gꪻ[lㄆ@὜⓰絳[ଃ獽쮹☒[*0ꑚ㜳": 9022717159376231865, "ҖaV銣tW+$魿\u20c3亜~뫡ᙰ禿쨽㏡fṼzE/h": "5臐㋇Ჯ쮺? 昨탰Wム밎#'\"崲钅U?幫뺀⍾@4kh>騧\\0ҾEV=爐͌U捀%ꉼ 㮋<{j]{R>:gԩL\u001c瀈锌ﯲﳡꚒ'⫿E4暍㌗뵉X\"H᝜", "ᱚגּ;s醒}犍SἿ㦣&{T$jkB\\\tḮ앾䤹o<避(tW": "vb⯽䴪䮢@|)", "⥒퐁껉%惀뗌+녣迺顀q條g⚯i⤭룐M琹j̈́⽜A": -8385214638503106917, "逨ꊶZ<\/W⫟솪㎮ᘇb?ꠔi\"H㧺x෷韒Xꫨฟ|]窽\u001a熑}Agn?Mᶖa9韲4$3Ỵ^=쏍煤ፐ돷2䣃%鷠/eQ9頸쥎", 2398360204813891033, false, 3.2658897259932633E-19, null, "?ꚃ8Nn㞷幵d䲳䱲뀙ꪛQ瑓鎴]䩋-鰾捡䳡??掊", false, -1309779089385483661, "ᦲxu_/yecR.6芏.ᜇ過 ~", -5658779764160586501, "쒌:曠=l썜䢜wk#s蕚\"互㮉m䉤~0듐䋙#G;h숄옥顇෤勹(C7㢅雚㐯L⠅VV簅<", null, -4.664877097240962E18, -4.1931322262828017E18, { ",": { "v㮟麑䄠뤵g{M띮.\u001bzt뢜뵡0Ǥ龍떟Ᾰ怷ϓRT@Lꀌ樂U㏠⾕e扉|bJg(뵒㠶唺~ꂿ(땉x⻫싉쁊;%0鎻V(o\f,N鏊%nk郼螺": -1.73631993428376141E18, "쟧摑繮Q@Rᕾ㭚㾣4隅待㓎3蒟": [ 4971487283312058201, 8973067552274458613, { "`a揙ᣗ\u0015iBo¸": 4.3236479112537999E18, "HW&퉡ぁ圍Y?瑡Qy훍q!帰敏s舠㫸zꚗaS歲v`G株巷Jp6킼 (귶鍔⾏⡈>M汐㞍ቴ꙲dv@i㳓ᇆ?黍": [ null, 4997607199327183467, "E㻎蠫ᐾ高䙟蘬洼旾﫠텛㇛?'M$㣒蔸=A_亀绉앭rN帮", null, [{ "Eᑞ)8餧A5u&㗾q?": [ -1.969987519306507E-19, null, [ 3.42437673373841E-20, true, "e걷M墁\"割P␛퍧厀R䱜3ﻴO퓫r﹉⹊", [ -8164221302779285367, [ true, null, "爘y^-?蘞Ⲽꪓa␅ꍨ}I", 1.4645984996724427E-19, [{ "tY좗⧑mrzﺝ㿥ⴖ᥷j諅\u0000q賋譁Ꞅ⮱S\nࡣB/큃굪3Zɑ复o<\/;롋": null, "彟h浠_|V4䦭Dᙣ♞u쿻=삮㍦\u001e哀鬌": [{"6횣楠,qʎꗇ鎆빙]㱭R굋鈌%栲j分僅ペ䇰w폦p蛃N溈ꡐꏀ?@(GI뉬$ﮄ9誁ꓚ2e甸ڋ[䁺,\u0011\u001cࢃ=\\+衪䷨ᯕ鬸K": [[ "ㅩ拏鈩勥\u000etgWVXs陂規p狵w퓼{뮵_i\u0002ퟑႢ⬐d6鋫F~챿搟\u0096䚼1ۼ칥0꣯儏=鋷牋ⅈꍞ龐", -7283717290969427831, true, [ 4911644391234541055, { "I鈒첽P릜朸W徨觘-Hᎄ퐟⓺>8kr1{겵䍃〛ᬡ̨O귑o䝕'쿡鉕p5": "fv粖RN瞖蛐a?q꤄\u001d⸥}'ꣴ犿ꦼ?뤋?鵆쥴덋䡫s矷̄?ඣ/;괱絢oWfV<\/\u202cC,㖦0䑾%n賹g&T;|lj_欂N4w", "짨䠗;䌕u i+r๏0": [{"9䥁\\఩8\"馇z䇔<\/ႡY3e狚쐡\"ุ6ﰆZ遖c\"Ll:ꮾ疣<\/᭙O◌납୕湞9⡳Und㫜\u0018^4pj1;䧐儂䗷ୗ>@e톬": { "a⑂F鋻Q螰'<퇽Q贝瀧{ᘪ,cP&~䮃Z?gI彃": [ -1.69158726118025933E18, [ "궂z簽㔛㮨瘥⤜䛖Gℤ逆Y⪾j08Sn昞ꘔ캻禀鴚P謦b{ꓮmN靐Mᥙ5\"睏2냑I\u0011.L&=?6ᄠ뻷X鸌t刑\"#z)o꫚n쳟줋", null, 7517598198523963704, "ኑQp襟`uᩄr方]*F48ꔵn俺ሙ9뇒", null, null, 6645782462773449868, 1219168146640438184, null, { ")ယ넌竀Sd䰾zq⫣⏌ʥ\u0010ΐ' |磪&p牢蔑mV蘸૰짬꺵;K": [ -7.539062290108008E-20, [ true, false, null, true, 6574577753576444630, [[ 1.2760162530699766E-19, [ null, [ "顊\\憎zXB,", [{ "㇆{CVC9-MN㜋ઘR눽#{h@ퟨ!鼚׼XOvXS\u0017ᝣ=cS+梽៲綆16s덽휐y屬?ᇳG2ᴭ\u00054쫖y룇nKcW̭炦s/鰘ᬽ?J|퓀髣n勌\u0010홠P>j": false, "箴": [ false, "鍞j\"ꮾ*엇칬瘫xṬ⭽쩁䃳\"-⋵?ᦽ댎Ĝ": true, "Pg帯佃籛n㔠⭹࠳뷏≻࿟3㞱!-쒾!}쭪䃕!籿n涻J5ਲ਼yvy;Rኂ%ᔡጀ裃;M⣼)쵂쑈": 1.80447711803435366E18, "ꈑC⡂ᑆ㤉壂뎃Xub<\/쀆༈憓ق쨐ק\\": [ 7706977185172797197, {"": {"K╥踮砆NWࡆFy韣7ä밥{|紒︧䃀榫rᩛꦡTSy잺iH8}ퟴ,M?Ʂ勺ᴹ@T@~꾂=I㙕뾰_涀쑜嫴曣8IY?ҿo줫fऒ}\\S\"ᦨ뵼#nDX": { "♘k6?଱癫d68?㽚乳䬳-V顷\u0005蝕?\u0018䞊V{邾zじl]雏k臤~ൖH뒐iꢥ]g?.G碄懺䔛pR$䅒X觨l봜A刊8R梒',}u邩퉕?;91Ea䈈믁G⊶芔h袪&廣㺄j;㡏綽\u001bN頸쳘橆": -2272208444812560733, "拑Wﵚj鵼駳Oࣿ)#㾅顂N傓纝y僱栜'Bꐍ-!KF*ꭇK¦?䈴^:啤wG逭w᧯": "xᣱmYe1ۏ@霄F$ě꧘푫O䤕퀐Pq52憬ꀜ兴㑗ᡚ?L鷝ퟐ뭐zJꑙ}╆ᅨJB]\"袌㺲u8䯆f", "꿽၅㔂긱Ǧ?SI": -1669030251960539193, "쇝ɨ`!葎>瞺瘡驷錶❤ﻮ酜=": -6961311505642101651, "?f7♄꫄Jᡔ훮e읇퍾፣䭴KhखT;Qty}O\\|뫁IῒNe(5惁ꥶㆷY9ﮡ\\ oy⭖-䆩婁m#x봉>Y鈕E疣s驇↙ᙰm<": {"퉻:dꂁ&efᅫ쫢[\"돈늖꺙|Ô剐1͖-K:ʚ᭕/;쏖㷛]I痐职4gZ4⍜kเꛘZ⥺\\Bʫᇩ鄨魢弞&幟ᓮ2̊盜", -9006004849098116748, -3118404930403695681, { "_彃Y艘-\"Xx㤩㳷瑃?%2䐡鵛o귵옔夘v*탋职&㳈챗|O钧": [ false, "daꧺdᗹ羞쯧H㍤鄳頳<型孒ン냆㹀f4㹰\u000f|C*ሟ鰠(O<ꨭ峹ipຠ*y೧4VQ蔔hV淬{?ᵌEfrI_", "j;ꗣ밷邍副]ᗓ", -4299029053086432759, -5610837526958786727, [ null, [ -1.3958390678662759E-19, { "lh좈T_믝Y\"伨\u001cꔌG爔겕ꫳ晚踍⿻읐T䯎]~e#฽燇\"5hٔ嶰`泯r;ᗜ쮪Q):/t筑,榄&5懶뎫狝(": [{ "2ፁⓛ]r3C攟וּ9賵s⛔6'ஂ|\"ⵈ鶆䐹禝3\"痰ࢤ霏䵩옆䌀?栕r7O簂Isd?K᫜`^讶}z8?z얰T:X倫⨎ꑹ": -6731128077618251511, "|︦僰~m漿햭\\Y1'Vvخ굇ቍ챢c趖": [null] }], "虌魿閆5⛔煊뎰㞤ᗴꥰF䮥蘦䂪樳-K᝷-(^\u20dd_": 2.11318679791770592E17 } ] ] ]}, "묗E䀳㧯᳀逞GMc\b墹㓄끖Ơ&U??펌鑍 媋k))ᄊ": null, "묥7콽벼諌J_DɯﮪM殴䣏,煚ྼ`Y:씧<\/⩫%yf䦀!1Ჶk춎Q米W∠WC跉鬽*ᛱi㴕L꘻ꀏ쓪\"_g鿄'#t⽙?,Wg㥖|D鑆e⥏쪸僬h鯔咼ඡ;4TK聎졠嫞" } ] ] } ] ] ]}} } ]} }, "뿋뀾淣截䔲踀&XJ펖꙯^Xb訅ꫥgᬐ>棟S\"혧騾밫겁7-": "擹8C憎W\"쵮yR뢩浗絆䠣簿9䏈引Wcy䤶孖ꯥ;퐌]輩䍐3@{叝 뽸0ᡈ쵡Ⲇ\u001dL匁꧐2F~ݕ㪂@W^靽L襒ᦘ~沦zZ棸!꒲栬R" } ] ], "Z:덃൛5Iz찇䅄駠㭧蓡K1": "e8᧤좱U%?ⵇ䯿鿝\u0013縮R∱骒EO\u000fg?幤@֗퉙vU`", "䐃쪈埽້=Ij,쭗쓇చ": false }]}} ] } ]} } ] ] ], "咰긖VM]᝼6䓑쇎琺etDҌ?㞏ꩄ퇫밉gj8蠃\"⩐5䛹1ࣚ㵪": "ക蹊?⎲⧘⾚̀I#\"䈈⦞돷`wo窭戕෱휾䃼)앷嵃꾞稧,Ⴆ윧9S?೗EMk3Მ3+e{⹔Te驨7䵒?타Ulg悳o43" } ], "zQᤚ纂땺6#ٽ﹧v￿#ࠫ휊冟蹧텈ꃊʆ?&a䥯De潝|쿓pt瓞㭻啹^盚2Ꝋf醪,얏T窧\\Di䕎谄nn父ꋊE": -2914269627845628872, "䉩跐|㨻ᷢ㝉B{蓧瞸`I!℄욃힕#ೲᙾ竛ᔺCjk췒늕貭词\u0017署?W딚%(pꍁ⤼띳^=on뺲l䆼bzrﳨ[&j狸䠠=ᜑꦦ\u2061յnj=牲攑)M\\龏": false, "뎕y絬᫡⥮Ϙᯑ㌔/NF*˓.,QEzvK!Iwz?|쥾\"ꩻL꼗Bꔧ賴緜s뉣隤茛>ロ?(?^`>冺飒=噸泥⺭Ᲊ婓鎔븜z^坷裮êⓅ໗jM7ﶕ找\\O": 1.376745434746303E-19 }, "䐛r滖w㏤,|Nዜ": false } ]], "@꿙?薕尬 gd晆(띄5躕ﻫS蔺4)떒錸瓍?~": 1665108992286702624, "w믍nᏠ=`঺ᅥC>'從됐槷䤝眷螄㎻揰扰XᅧC贽uჍ낟jKD03T!lDV쀉Ӊy뢖,袛!终캨G?鉮Q)⑗1쾅庅O4ꁉH7?d\u0010蠈줘월ސ粯Q!낇껉6텝|{": null, "~˷jg쿤촖쉯y": -5.5527605669177098E18, "펅Wᶺzꐆと푭e?4j仪열[D<鈑皶婆䵽ehS?袪;HꍨM뗎ば[(嗏M3q퍟g4y╸鰧茀[Bi盤~﫝唎鋆彺⦊q?B4쉓癚O洙킋툈䶯_?ퟲ": null } ] ]] ]], "꟱Ԕ㍤7曁聯ಃ錐V䷰?v㪃૦~K\"$%请|ꇹn\"k䫛㏨鲨\u2023䄢\u0004[︊VJ?䶟ាꮈ䗱=깘U빩": -4863152493797013264 } ]}]} ] }}} ], "쏷쐲۹퉃~aE唙a챑,9㮹gLHd'䔏|킗㍞䎥&KZYT맵7䥺Nⱳ同莞鿧w\\༌疣n/+ꎥU\"封랾○ퟙAJᭌ?9䛝$?驔9讐짘魡T֯c藳`虉C읇쐦T" } ], "谶개gTR￐>ၵ͚dt晑䉇陏滺}9㉸P漄": -3350307268584339381 }] ] ] ]] ] ], "0y꟭馋X뱔瑇:䌚￐廿jg-懲鸭䷭垤㒬茭u賚찶ಽ+\\mT땱\u20821殑㐄J쩩䭛ꬿNS潔*d\\X,壠뒦e殟%LxG9:摸": 3737064585881894882, "풵O^-⧧ⅶvѪ8廸鉵㈉ר↝Q㿴뺟EႳvNM:磇>w/៻唎뷭୥!냹D䯙i뵱貁C#⼉NH6`柴ʗ#\\!2䂗Ⱨf?諳.P덈-返I꘶6?8ꐘ": -8934657287877777844, "溎-蘍寃i诖ര\"汵\"\ftl,?d⼡쾪⺋h匱[,෩I8MҧF{k瓿PA'橸ꩯ綷퉲翓": null } ] ], "ោ係؁<元": 1.7926963090826924E-18 }}] } ] ]]}] }] ] ] ] ], "ጩV<\"ڸsOᤘ": 2.0527167903723048E-19 }] ]} ] ]], "∳㙰3젴p᧗䱙?`yZA8Ez0,^ᙛ4_0븢\u001ft:~䎼s.bb룦明yNP8弆C偯;⪾짍'蕴뮛": -6976654157771105701, "큵ꦀ\\㇑:nv+뒤燻䀪ﴣ﷍9ᚈ኷K㚊誦撪䚛,ꮪxሲ쳊\u0005HSf?asg昱dqꬌVꙇ㼺'k*'㈈": -5.937042203633044E-20 } ] }], "?}\u20e0],s嶳菋@#2u쒴sQS䩗=ꥮ;烌,|ꘔ䘆": "ᅩ영N璠kZ먕眻?2ቲ芋眑D륟渂⸑ﴃIRE]啗`K'" }}, "쨀jmV賂ﰊ姐䂦玞㬙ᏪM᪟Վ씜~`uOn*ॠ8\u000ef6??\\@/?9見d筜ﳋB|S䝬葫㽁o": true }, "즛ꄤ酳艚␂㺘봿㎨iG৕ࡿ?1\"䘓您\u001fSኝ⺿溏zៀ뻤B\u0019?윐a䳵᭱䉺膷d:<\/": 3935553551038864272 } ] ]} ]] ]] ]} } ] } ]]}}, "᥺3h↛!ꋰy\"攜(ெl䪕oUkc1A㘞ᡲ촾ᣫ<\/䒌E㛝潨i{v?W౾H\\RჅpz蝬R脾;v:碽✘↯삞鷱o㸧瑠jcmK7㶧뾥찲n": true, "ⶸ?x䊺⬝-䰅≁!e쩆2ꎿ准G踌XXᩯ1߁}0?.헀Z馟;稄\baDꟹ{-寪⚈ꉷ鮸_L7ƽᾚ<\u001bጨA䧆송뇵⨔\\礍뗔d设룱㶉cq{HyぱR㥽吢ſtp": -7985372423148569301, "緫#콮IB6<\/=5Eh礹\t8럭@饹韠r㰛斣$甝LV췐a갵'请o0g:^": "䔨(.", "띳℡圤pン௄ĝ倧訜B쁟G䙔\"Sb⓮;$$▏S1J뢙SF|赡g*\"Vu䲌y": "䪈&틐),\\kT鬜1풥;뷴'Zေ䩹@J鞽NぼM?坥eWb6榀ƩZڮ淽⺞삳煳xჿ絯8eⶍ羷V}ჿ쎱䄫R뱃9Z>'\u20f1ⓕ䏜齮" } ] ]]] }} } ] ]}, "펮b.h粔폯2npX詫g錰鷇㇒<쐙S値bBi@?镬矉`剔}c2壧ଭfhY깨R()痩⺃a\\⍔?M&ﯟ<劜꺄멊ᄟA\"_=": null }, "~潹Rqn榢㆓aR鬨侅?䜑亡V_翅㭔(䓷w劸ၳDp䀅<\/ﰎ鶊m䵱팱긽ꆘ긓准D3掱;o:_ќ)껚콥8곤d矦8nP倥ꃸI": null, "뾎/Q㣩㫸벯➡㠦◕挮a鶧⋓偼\u00001뱓fm覞n?㛅\"": 2.8515592202045408E17 }], ",": -5426918750465854828, "2櫫@0柡g䢻/gꆑ6演&D稒肩Y?艘/놘p{f투`飷ᒉ챻돎<늛䘍ﴡ줰쫄": false, "8(鸑嵀⵹ퟡ<9㣎Tߗ┘d슒ل蘯&㠦뮮eࠍk砝g 엻": false, "d-\u208b?0ﳮ嵙'(J`蔿d^踅⤔榥\\J⵲v7": 6.8002426206715341E17, "ཎ耰큓ꐕ㱷\u0013y=詽I\"盈xm{0쾽倻䉚ષso#鰑/8㸴짯%ꀄ떸b츟*\\鲷礬ZQ兩?np㋄椂榨kc᡹醅3": false, "싊j20": false }]] ]], "俛\u0017n緽Tu뫉蜍鼟烬.ꭠIⰓ\"Ἀ᜾uC쎆J@古%ꛍm뻨ᾀ画蛐휃T:錖㑸ዚ9죡$": true } ] ], "㍵⇘ꦖ辈s}㱮慀밒s`\"㞟j:`i픻Z섫^諎0Ok{켿歁෣胰a2﨤[탳뚬쎼嫭뉮m": 409440660915023105, "w墄#*ᢄ峠밮jLa`ㆪ꺊漓Lで끎!Agk'ꁛ뢃㯐岬D#㒦": false, "ଦPGI䕺L몥罭ꃑ궩﮶#⮈ᢓӢ䚬p7웼臧%~S菠␌힀6&t䳙y㪘냏\\*;鉏ᅧ鿵'嗕pa\"oL쇿꬈Cg": "㶽1灸D⟸䴅ᆤ뉎﷛渤csx 䝔цꬃ锚捬?ຽ+x~꘩uI࡞\u0007栲5呚ẓem?袝\")=㥴䨃pac!/揎Y", "ᷱo\\||뎂몷r篙|#X䦜I#딌媸픕叞RD斳X4t⯩夬=[뭲r=绥jh뷱츝⪘%]⚋܈㖴スH텹m(WO曝劉0~K3c柢Ր㏉着逳~": false, "煽_qb[첑\\륌wE❽ZtCNﭝ+餌ᕜOꛭ": "{ﳾ쉌&s惧ᭁⵆ3䢫;䨞팑꒪흘褀࢖Q䠿V5뭀䎂澻%받u5텸oA⮥U㎦;B䳌wz䕙$ឿ\\௅婺돵⪾퐆\\`Kyौꋟ._\u0006L챯l뇠Hi䧈偒5", "艊佁ࣃ롇䱠爬!*;⨣捎慓q靓|儑ᨋL+迥=6㒺딉6弄3辅J-㕎뛄듘SG㆛(\noAzQꝱ䰩X*ぢO퀌%펠낌mo틮a^<\/F&_눊ᾉ㨦ы4\"8H": 2974648459619059400, "鬙@뎣䫳ၮ끡?){y?5K;TA*k溱䫜J汃ꂯ싔썍\u001dA}룖(<\/^,": false, "몏@QꋦFꊩᒐ뎶lXl垨4^郣|ꮇ;䝴ᝓ}쵲z珖": null } ]]]], ":_=닧弗D䙋暨鏛. 㱻붘䂍J儒&ZK/녩䪜r囁⽯D喠죥7⹌䪥c\u001a\u2076￞妈朹oLk菮F౟覛쐧㮏7T;}蛙2{9\"崓bB<\/⡷룀;즮鿹)丒툃୤뷠5W⊢嶜(fb뭳갣": "E{响1WM" }}, "䘨tjJ驳豨?y輊M*᳑梵瞻઻ofQG瑮e": 2.222802939724948E-19, "䮴=❑➶T෋w䞜\"垦ꃼUt\u001dx;B$뵣䙶E↌艣ᡥ!᧟;䱀[䔯k쬃`੍8饙른熏'2_'袻tGf蒭J땟as꯳╖&啒zWࡇᒫYSᏬ\u0014ℑ첥鈤|cG~Pᓮ\">\"": "ႆl\f7V儊㦬nHꄬꨧC{쐢~C⮃⛓嶦vꄎ1w鰠嘩뿠魄&\"_qMⵖ釔녮ꝇ 㝚{糍J哋 cv?-jkﻯྌ鹑L舟r", "龧葆yB✱H盋夔ﶉ?n*0(": "ꧣኆ㢓氥qZZ酒ຜ)鮢樛)X䣆gTSґG텞k.J圬疝롫쯭z L:\\ྤ@w炋塜쿖ᾳy뢀䶃뱝N䥨㚔勇겁#p", "도畎Q娡\"@S/뼋:䵏!P衅촚fVHQs✜ᐫi㻑殡B䜇%믚k*U#濨낄~": "ꍟዕ쳸ꍈ敋&l妏\u0005憡멗瘌uPgᅪm<\/To쯬锩h뒓k" } ] }], "墥홞r绚<\/⸹ⰃB}<躅\\Y;๑@䔸>韫䜲뱀X뗩鿥쩗SI%ﴞ㳕䛇?<\/\u00018x\\&侂9鋙a[LR㋭W胕)⡿8㞙0JF,}?허d1cDMᐃ␛鄝ⱕ%X)!XQ": "ⳍꗳ=橇a;3t⦾꼑仈ူaᚯ⯋ꕃAs鴷N⍕_䎃ꙎAz\u0016䯷\\<࿫>8q{}キ?ᣰ}'0ᴕ펓B┦lF#趤厃T?㕊#撹圂䆲" }, "܋닐龫論c웑": false, "ㇿ/q\"6-co髨휝C큦#\u001b4~?3䐹E삇<<": 7.600917488140322E-20, "䁝E6?㣖ꃁ间t祗*鑠{ḣV(浾h逇큞=W?ૉ?nꇽ8ꅉຉj으쮺@Ꚅ㰤u]Oyr": "v≁᫸_*όAඤԆl)ۓᦇQ}폠z༏q滚", "ソ᥊/넺I": true }]] ] ] ] ]] }, "䭑Ik攑\u0002QV烄:芩.麑㟴㘨≕": true, "坄꿕C쇻풉~崍%碼\\8\"䬦꣙": null, "欌L圬䅘Y8c(♺2?ON}o椳s宥2䉀eJ%闹r冁O^K諭%凞⺉⡻,掜?$ꥉ?略焕찳㯊艼誜4?\"﯎<゛XፈINT:詓 +": -1.0750456770694562E-19, "獒àc뜭싼ﺳ뎤K`]p隨LtE": null, "甙8䵊神EIꩤ鐯ᢀ,ﵮU䝑u疒ử驺䚿≚ഋ梶秓F`覤譐#짾蔀묊4<媍쬦靪_Yzgcࡶ4k紥`kc[Lﮗ簐*I瀑[⾰L殽鑥_mGȠ<\/|囹灠g桰iri": true, "챓ꖙꟻ좝菇ou,嗠0\\jK핻뜠qwQ?ഩ㼕3Y彦b\u009bJ榶N棨f?됦鏖綃6鳵M[OE봨u햏.Ꮁ癜蟳뽲ꩌ뻾rM豈R嗀羫 uDꎚ%": null }, "V傜2<": 7175127699521359521 }], "铫aG切<\/\"ী⊆e<^g࢛)D顝nאַ饼\u008c猪繩嵿ﱚCꡬ㻊g엺A엦\u000f暿_f꿤볝㦕桦`蒦䎔j甬%岝rj 糏": "䚢偎눴Au<4箞7礦Iﱔ坠eȧ䪸u䵁p|逹$嗫쨘ꖾ﷐!胠z寓팢^㨔|u8Nሇe텔ꅦ抷]،鹎㳁#༔繁 ", "낂乕ꃻ볨ϱ-ꇋ㖍fs⿫)zꜦ/K?솞♞ꑌ宭hJ᤭瑥Fu": false, "쟰ぜ魛G\u0003u?`㾕ℾ㣭5螠烶這趩ꖢ:@咕ꐶx뒘느m䰨b痃렐0鳊喵熬딃$摉_~7*ⱦ녯1錾GKhJ惎秴6'H妈Tᧅ窹㺒疄矤铟wላ": null, "쯆q4!3錕㲏ⵆ㇛꘷Z瑩뭆\\◪NH\u001d\\㽰U~㯶<\"쑣낞3ᵤ'峉eꢬ;鬹o꣒木X*長PXᘱu\"䠹n惞": null, "ᅸ祊\"&ꥴCjࢼ﴿?䡉`U效5殼㮞V昽ꏪ#ﺸ\\&t6x꠹盥꣰a[\u001aꪍSpe鎿蠹": -1.1564713893659811E-19 } ]] ] ] ], "羵䥳H,6ⱎ겾|@t\"#햊1|稃 섭)띜=뻔ꡜ???櫎~*ῡ꫌/繣ﻠq": null } ]} ]}, "츤": false }}, "s": 3.7339341963399598E18 } ], "N,I?1+㢓|ࣱ嶃쩥V2\u0012(4EE虪朶$|w颇v步": "~읢~_,Mzr㐫YB溓E淚\"ⅹ䈔ᏺ抙 b,nt5V㐒J檶ꏨ⻔?", "Q껑ꡡ}$넎qH煔惍/ez^!ẳF댙䝌馻剁8": "梲;yt钰$i冄}AL%a j뜐奷걳뚾d꿽*ሬuDY3?뮟鼯뮟w㍪틱V", "o{Q/K O胟㍏zUdꀐm&⨺J舕⾏魸訟㌥[T籨櫉唐킝 aṭ뱫촙莛>碶覆⧬짙쭰ׯdAiH໥벤퐥_恸[ 0e:죃TC弼荎뵁DA:w唵ꣁ": null, "὏樎䵮軧|?౗aWH쩃1 ꅭsu": null } ] }, "勂\\&m鰈J釮=Ⲽ鳋+䂡郑": null, "殣b綊倶5㥗惢⳷萢ᑀ䬄镧M^ﱴ3⣢翣n櫻1㨵}ኯ뗙顖Z.Q➷ꮨ뗇\u0004": "ꔙ䁼>n^[GीA䨟AM琢ᒊS쨲w?d㶣젊嘶纝麓+愣a%気ྞSc됓ᔘ:8bM7Xd8㶑臌]Ꙥ0ꐭ쒙䫣挵C薽Dfⵃ떼᷸", "?紡.셪_෨j\u0013Ox┠$Xᶨ-ᅇo薹-}軫;y毝㪜K㣁?.EV쮱4둽⛻䤜'2盡\u001f60(|e쐰㼎ᦀ㒧-$l@ﻑ坳\u0003䭱响巗WFo5c㧆T턁Y맸♤(": -2.50917882560589088E17 }} ], "侸\\릩.᳠뎠狣살cs项䭩畳H1s瀉븇19?.w骴崖㤊h痠볭㞳㞳䁮Ql怠㦵": "@䟴-=7f", "鹟1x௢+d ;vi䭴FSDS\u0004hꎹ㚍?⒍⦏ў6u,扩@됷Su)Pag휛TᒗV痩!瞏釀ꖞ蘥&ೞ蘐ꭰꞇᝎ": "ah懱Ժ&\u20f7䵅♎඀䞧鿪굛ౕ湚粎蚵ᯋ幌YOE)५襦㊝Y*^\"R+ඈ咷蝶9ꥂ榨艦멎헦閝돶v좛咊E)K㓷ྭr", "搆q쮦4綱켙셁.f4<\/g<籽늷?#蚴픘:fF\u00051㹉뀭.ᰖ풎f֦Hv蔎㧤.!䭽=鞽]음H:?\"-4": 8.740133984938656E-20 }]} } ], "tVKn딩꘥⊾蹓᤹{\u0003lR꼽ᄲQFᅏ傅ﱋ猢⤊ᔁ,E㓒秤nTතv`♛I\u0000]꫔ṞD\"麵c踝杰X&濿또꣹깳౥葂鿎\\aꡨ?": 3900062609292104525 } ], "ਉ샒⊩Lu@S䧰^g": -1.1487677090371648E18, "⎢k⑊꬗yᏫ7^err糎Dt\u000bJ礯확ㆍ沑サꋽe赔㝢^J\u0004笲㿋idra剰-᪉C錇/Ĝ䂾ညS지?~콮gR敉⬹'䧭": 1901472137232418266, "灗k䶥:?촽贍쓉꓈㒸g獘[뵎\\胕?\u0014_榙p.j稶,$`糉妋0>Fᡰly㘽$?": "]ꙛO赎&#㠃돱剳\"<◆>0誉齐_|z|裵씪>ᐌ㼍\"Z[琕}O?G뚇諦cs⠜撺5cu痑U圲\u001c?鴴計l춥/╓哼䄗茏ꮅ뫈댽A돌롖뤫V窗讬sHd&\nOi;_u" } ], "Uﺗ\\Y\\梷䄬~\u0002": null, "k\"Y磓ᗔ휎@U冈<\/w컑)[": false, "曏J蝷⌻덦\u001f㙳s꥓⍟邫P늮쥄c∬ྡྷ舆렮칤Z趣5콡넛A쳨\\뀙骫(棻.*&輛LiIfi{@EA婳KᬰTXT": -4.3088230431977587E17 }]} ] ], "곃㲧<\/dఓꂟs其ࡧ&N葶=?c㠤Ჴ'횠숄臼#\u001a~": false } ] ]}] }] }} ], "2f`⽰E쵟>J笂裭!〛觬囀ۺ쟰#桊l鹛ⲋ|RA_Vx፭gE됓h﵀mfỐ|?juTU档[d⢼⺻p濚7E峿": 5613688852456817133 }, "濘끶g忮7㏵殬W팕Q曁 뫰)惃廊5%-蹚zYZ樭ﴷQ锘쯤崫gg": true, "絥ᇑ⦏쒓븣爚H.㗊߄o蘵貆ꂚ(쎔O᥉ﮓ]姨Wꁓ!RMA|o퉢THx轮7M껁U즨'i뾘舯o": "跥f꜃?" }} ], "鷰鹮K-9k;ﰰ?_ݦѷ-ꅣ䩨Zꥱ\"mꠟ屎/콑Y╘2&鸞脇㏢ꀇ࠺ⰼ拾喭틮L꽩bt俸墶 [l/웄\"꾦\u20d3iও-&+\u000fQ+໱뵞": -1.296494662286671E-19 }, "HX੹/⨇୕붷Uﮘ旧\\쾜͔3l鄈磣糂̖䟎Eᐳw橖b῀_딕hu葰窳闹вU颵|染H죶.fP䗮:j䫢\\b뎖i燕ꜚG⮠W-≚뉗l趕": "ଊ칭Oa᡺$IV㷧L\u0019脴셀붿餲햪$迳向쐯켂PqfT\" ?I屉鴼쿕@硙z^鏕㊵M}㚛T젣쓌-W⩐-g%⺵<뮱~빅╴瑿浂脬\u0005왦燲4Ⴭb|D堧 <\/oEQh", "䘶#㥘੐캔f巋ἡAJ䢚쭈ࣨ뫒*mᇊK,ࣺAꑱ\u000bR<\/A\"1a6鵌㯀bh곿w(\"$ꘁ*rಐ趣.d࿩k/抶면䒎9W⊃9": "漩b挋Sw藎\u0000", "畀e㨼mK꙼HglKb,\"'䤜": null }]}] ] ] }] ]} ] ]} ], "歙>駿ꣂ숰Q`J΋方樛(d鱾뼣(뫖턭\u20f9lচ9歌8o]8윶l얶?镖G摄탗6폋폵+g:䱫홊<멀뀿/س|ꭺs걐跶稚W々c㫣⎖": "㣮蔊깚Cꓔ舊|XRf遻㆚︆'쾉췝\\&言", "殭\"cށɨꝙ䞘:嬮e潽Y펪㳅/\"O@ࠗ겴]췖YǞ(t>R\"N?梳LD恭=n氯T豰2R諸#N}*灧4}㶊G䍣b얚": null, "襞<\/啧 B|싞W瓇)6簭鼡艆lN쩝`|펭佡\\間邝[z릶&쭟愱ꅅ\\T᰽1鯯偐栈4̸s윜R7⒝/똽?치X": "⏊躖Cﱰ2Qẫ脐&இ?%냝悊", ",鰧偵셣싹xᎹ힨᯳EṬH㹖9": -4604276727380542356 } } ]]]], "웺㚑xs}q䭵䪠馯8?LB犯zK'os䚛HZ\"L?셎s^㿧㴘Cv2": null }] ] ] ], "Kd2Kv+|z": 7367845130646124107, "ᦂⶨ?ᝢ 祂些ഷ牢㋇操\"腭䙾㖪\\(y4cE뽺ㆷ쫺ᔖ%zfۻ$ў1柦,㶢9r漢": -3.133230960444846E-20, "琘M焀q%㢟f鸯O⣏蓑맕鯊$O噷|)z褫^㢦⠮ꚯ꫞`毕1qꢚ{ĭ䎀বώT\"뱘3G൴?^^of": null } ], "a8V᯺?:ﺃ/8ꉿBq|9啓댚;*i2": null, "cpT瀇H珰Ừpೃi鎪Rr␣숬-鹸ҩ䠚z脚цGoN8入y%趌I┽2ឪЀiJNcN)槣/▟6S숆牟\"箑X僛G殱娇葱T%杻:J諹昰qV쨰": 8331037591040855245 }], "G5ᩜ䄗巢껳": true } }, "Ồ巢ゕ@_譙A`碫鄐㡥砄㠓(^K": "?܃B혢▦@犑ὺD~T⧁|醁;o=J牌9냚⢽㨘{4觍蚔9#$∺\u0016p囅\\3Xk阖⪚\"UzA穕롬✎➁㭒춺C㣌ဉ\"2瓑员ᅽꝶ뫍}꽚ꞇ鶂舟彺]ꍽJC蝧銉", "␆Ě膝\"b-퉐ACR言J謈53~V튥x䜢?ꃽɄY뮩ꚜ": "K/↾e萃}]Bs⾿q룅鷦-膋?m+死^魊镲6", "粡霦c枋AHퟁo礼Ke?qWcA趸㡔ꂏ?\u000e춂8iতᦜ婪\u0015㢼nﵿꍻ!ᐴ関\u001d5j㨻gfῩUK5Ju丝tかTI'?㓏t>⼟o a>i}ᰗ;뤕ܝ": false, "ꄮ匴껢ꂰ涽+䜨B蛹H䛓-k蕞fu7kL谖,'涃V~챳逋穞cT\"vQ쓕ObaCRQ㓡Ⲯ?轭⫦輢墳?vA餽=h䮇킵n폲퉅喙?\"'1疬V嬗Qd灗'Lự": "6v!s믁㭟㣯獃!磸餠ቂh0C뿯봗F鷭gꖶ~コkK<ᦈTt\\跓w㭣횋钘ᆹ듡䑚W䟾X'ꅔ4FL勉Vܴ邨y)2'〚쭉⽵-鞣E,Q.?块", "?(˧쩯@崟吋歄K": null }, "Gc럃녧>?2DYI鴿\\륨)澔0ᔬlx'觔7젘⤡縷螩%Sv׫묈/]↱&S h\u0006歋ᑛxi̘}ひY蔯_醨鯘煑橾8?䵎쨋z儬ꁏ*@츾:": null } } } ] ] ]} }, "HO츧G": 3.694949578823609E17, "QC\u0012(翻曇Tf㷟bGBJ옉53\\嚇ᛎD/\u001b夾၉4\"핀@祎)쫆yD\"i먎Vn㿿V1W᨝䶀": -6150931500380982286, "Z㓮P翸鍱鉼K䋞꘺튿⭁Y": -7704503411315138850, "]모开ꬖP븣c霤<[3aΠ\"黁䖖䰑뮋ꤦ秽∼㑷冹T+YUt\"싳F↭䖏&鋌": -2.7231911483181824E18, "tꎖ": -4.9517948741799555E-19, "䋘즊.⬅IꬃۣQ챢ꄑ黐|f?C⾺|兕읯sC鬸섾整腨솷V": "旆柩l쪦sᖸMy㦅울썉瘗㎜檵9ꍂ駓ૉᚿ/u3씅徐拉[Z䞸ࡗ1ꆱ&Q풘?ǂ8\u0011BCDY2볨;鸏": null, "幫 n煥s쁇펇 왊-$C\"衝:\u0014㣯舼.3뙗Yl⋇\"K迎멎[꽵s}9鉳UK8쐥\"掄㹖h㙈!얄સ?Ꜳ봺R伕UTD媚I䜘W鏨蔮": -4.150842714188901E-17, "ﺯ^㄄\b죵@fྉkf颡팋Ꞧ{/Pm0V둳⻿/落韒ꊔᚬ@5螺G\\咸a谆⊪ቧ慷绖?财(鷇u錝F=r၍橢ឳn:^iᴵtD볠覅N赴": null }] }] } ] ]} ]}, "謯?w厓奰T李헗聝ឍ貖o⪇弒L!캶$ᆅ": -4299324168507841322, "뺊奉_垐浸延몏孄Z舰2i$q붿좾껇d▵餏\"v暜Ҭ섁m￴g>": -1.60911932510533427E18 } ] } ] ]], "퉝꺔㠦楶Pꅱ": 7517896876489142899, "": false } ]}, "是u&I狻餼|谖j\"7c됮sסּ-踳鉷`䣷쉄_A艣鳞凃*m⯾☦椿q㎭N溔铉tlㆈ^": 1.93547720203604352E18, "kⲨ\\%vr#\u000bⒺY\\t<\/3﬌R訤='﹠8蝤Ꞵ렴曔r": false } ]}, "阨{c?C\u001d~K?鎌Ԭ8烫#뙣P초遗t㭱E­돒䆺}甗[R*1!\\~h㕅᰺@<9JꏏષI䳖栭6綘걹ᅩM\"▯是∔v鬽顭⋊譬": "운ﶁK敂(欖C취پ℄爦賾" } }} }], "鷨赼鸙+\\䭣t圙ڹx᜾ČN<\/踘\"S_맶a鷺漇T彚⎲i㈥LT-xA캔$\u001cUH=a0츺l릦": "溣㣂0濕=鉵氬駘>Pꌢpb솇쬤h힊줎獪㪬CrQ矠a&脍꼬爼M茴/΅\u0017弝轼y#Ꞡc6둴=?R崏뷠麖w?" }, "閕ᘜ]CT)䵞l9z'xZF{:ؐI/躅匽졁:䟇AGF૸\u001cퟗ9)駬慟ꡒꆒRS״툋A<>\u0010\"ꂔ炃7g덚E৏bꅰ輤]o㱏_뷕ܘ暂\"u": "芢+U^+㢩^鱆8*1鈶鮀\u0002뺰9⬳ꪮlL䃣괟,G8\u20a8DF㉪錖0ㄤ瓶8Nଷd?眡GLc陓\\_죌V쁰ल二?c띦捱 \u0019JC\u0011b⤉zẒT볕\"绣蘨뚋cꡉkI\u001e鳴", "ꃣI'{6u^㡃#཰Kq4逹y൒䧠䵮!㱙/n??{L풓ZET㙠퍿X2᩟綳跠葿㚙w཮x캽扳B唕S|尾}촕%N?o䪨": null, "ⰴFjෟ셈[\u0018辷px?椯\\1<ﲻ栘ᣁ봢憠뉴p": -5263694954586507640 } ] ]] ]} ]}] ] ], "?#癘82禩鋆ꊝty?&": -1.9419029518535086E-19 } ] ] ]} ] ] ], "훊榲.|῕戄&.㚏Zꛦ2\"䢥ሆ⤢fV_摕婔?≍Fji冀탆꜕i㏬_ẑKᅢ꫄蔻XWc|饡Siẘ^㲦?羡2ぴ1縁ᙅ?쐉Ou": false }]] ]}}}, "慂뗄卓蓔ᐓ匐嚖/颹蘯/翻ㆼL?뇊,텵<\\獷ごCボ": null }, "p溉ᑟi짣z:䒤棇r^٫%G9缑r砌롧.물农g?0׼ሩ4ƸO㣥㯄쩞ጩ": null, "껎繥YxK\"F젷쨹뤤1wq轫o?鱑뜀瘊?뎃h灑\\ꛣ}K峐^ኖ⤐林ꉓhy": null } ], "᱀n肓ㄛ\"堻2>m殮'1橌%Ꞵ군=Ӳ鯨9耛<\/n據0u彘8㬇៩f᏿诙]嚊": "䋯쪦S럶匏ㅛ#)O`ሀX_鐪渲⛀㨻宅闩➈ꢙஶDR⪍" }, "tA썓龇 ⋥bj왎录r땽✒롰;羋^\\?툳*┎?썀ma䵳넅U䳆૘〹䆀LQ0\b疀U~u$M}(鵸g⳾i抦뛹?䤈땚검.鹆?ꩡtⶥGĒ;!ቹHS峻B츪켏f5≺": 2366175040075384032, "전pJjleb]ួ": -7.5418493141528422E18, "n.鎖ጲ\n?,$䪘": true }, "欈Ar㉣螵᪚茩?O)": null }, "쫸M#x}D秱欐K=侫们丐.KꕾxẠ\u001e㿯䣛F܍캗qq8꟞ṢFD훎⵳簕꭛^鳜\u205c٫~⑟~冫ऊ2쫰<\/戲윱o<\"": true }, "㷝聥/T뱂\u0010锕|内䞇x侁≦㭖:M?iM᣿IJe煜dG࣯尃⚩gPt*辂.{磼럾䝪@a\\袛?}ᓺB珼": true } } ]]}]}}, "tn\"6ꫤ샾䄄;銞^%VBPwu묪`Y僑N.↺Ws?3C⤻9唩S䠮ᐴm;sᇷ냞඘B/;툥B?lB∤)G+O9m裢0kC햪䪤": -4.5941249382502277E18, "ᚔt'\\愫?鵀@\\びꂕP큠<<]煹G-b!S?\nꖽ鼫,ݛ&頺y踦?E揆릱H}햧캡b@手.p탻>췽㣬ꒅ`qe佭P>ᓂ&?u}毚ᜉ蟶頳졪ᎏzl2wO": -2.53561440423275936E17 }]} } ] ]], "潈촒⿂叡": 5495738871964062986 } ]] } ] ]} ]] ]] ]} ] ]}, "ႁq킍蓅R`謈蟐ᦏ儂槐僻ﹶ9婌櫞釈~\"%匹躾ɢ뤥>࢟瀴愅?殕节/냔O✬H鲽엢?ᮈੁ⋧d␽㫐zCe*": 2.15062231586689536E17, "㶵Ui曚珰鋪ᾼ臧P{䍏䷪쨑̟A뼿T渠誈䏚D1!잶<\/㡍7?)2l≣穷᛾稝{:;㡹nemיּ訊`G": null, "䀕\"飕辭p圁f#뫆䶷뛮;⛴ᩍ3灚덏ᰝ쎓⦷詵%᜖Մfs⇫(\u001e~P|ﭗCⲾផv湟W첋(텪બT<บSꏉ੗⋲X婵i ӵ⇮?L䬇|ꈏ?졸": 1.548341247351782E-19 } ] }, "t;:N\u0015q鐦Rt缆{ꮐC?஛㷱敪\\+鲊㉫㓪몗릙竏(氵kYS": "XᰂT?൮ô", "碕飦幑|+ 㚦鏶`镥ꁩ B<\/加륙": -4314053432419755959, "秌孳(p!G?V傫%8ሽ8w;5鲗㦙LI檸\u2098": "zG N볞䆭鎍흘\\ONK3횙<\/樚立圌Q튅k쩎Ff쁋aׂJK銆ઘ즐狩6༥✙䩜篥CzP(聻駇HHퟲ讃%,ά{렍p而刲vy䦅ክ^톺M楒鍢㹳]Mdg2>䤉洞", "踛M젧>忔芿㌜Zk": 2215369545966507819, "씐A`$槭頰퍻^U覒\bG毲aᣴU;8!팲f꜇E⸃_卵{嫏羃X쀳C7뗮m(嚼u N܁谟D劯9]#": true, "ﻩ!뵸-筚P᭛}ἰ履lPh?౮ⶹꆛ穉뎃g萑㑓溢CX뾇G㖬A錟]RKaꄘ]Yo+@䘁's섎襠$^홰}F": null }, "粘ꪒ4HXᕘ蹵.$區\r\u001d묁77pPc^y笲Q<\/ꖶ 訍䃍ᨕG?*": 1.73773035935040224E17 }, "婅拳?bkU;#D矠❴vVN쩆t㜷A풃갮娪a%鮏絪3dAv룒#tm쑬⌛qYwc4|L8KZ;xU⓭㳔밆拓EZ7襨eD|隰ऌ䧼u9Ԣ+]贴P荿": 2.9628516456987075E18 }]}}] ]} }} ]}] ], "|g翉F*湹̶\u0005⏐1脉̀eI쩓ᖂ㫱0碞l䴨ꑅ㵽7AtἈ턧yq䳥塑:z:遀ᄐX눔擉)`N3昛oQ셖y-ڨ⾶恢ꈵq^<\/": null, "菹\\랓G^璬x৴뭸ゆUS겧﮷Bꮤ ┉銜᯻0%N7}~f洋坄Xꔼ<\/4妟Vꄟ9:౟곡t킅冩䧉笭裟炂4봋ⱳ叺怊t+怯涗\"0㖈Hq": false, "졬믟'ﺇফ圪쓬멤m邸QLব䗁愍4jvs翙 ྍ꧀艳H-|": null, "컮襱⣱뗠 R毪/鹙꾀%헳8&": -5770986448525107020 } ], "B䔚bꐻ뙏姓展槰T-똌鷺tc灿᫽^㓟䏀o3o$꘭趙萬I顩)뇭Ἑ䓝\f@{ᣨ`x3蔛": null } ] ] }], "⦖扚vWꃱ꥙㾠壢輓{-⎳鹷贏璿䜑bG倛⋐磎c皇皩7a~ﳫU╣Q࠭ꎉS摅姽OW.홌ೞ.": null, "蚪eVlH献r}ᮏ믠ﰩꔄ@瑄ⲱ": null, "퀭$JWoꩢg역쁍䖔㑺h&ୢtXX愰㱇?㾫I_6 OaB瑈q裿": null, "꽦ﲼLyr纛Zdu珍B絟쬴糔?㕂짹䏵e": "ḱ\u2009cX9멀i䶛簆㳀k" } ]]]], "(_ꏮg່澮?ᩑyM<艷\u001aꪽ\\庼뙭Z맷㰩Vm\\lY筺]3㋲2㌩㄀Eਟ䝵⨄쐨ᔟgङHn鐖⤇놋瓇Q탚單oY\"♆臾jHᶈ征ቄ??uㇰA?#1侓": null }, "觓^~ሢ&iI띆g륎ḱ캀.ᓡꀮ胙鈉": 1.0664523593012836E-19, "y詭Gbᔶऽs댁U:杜⤎ϲ쁗⮼D醄诿q뙰I#즧v蔎xHᵿt᡽[**?崮耖p缫쿃L菝,봬ꤦC쯵#=X1瞻@OZc鱗CQTx": null } ] }}], "剘紁\u0004\\Xn⊠6,တױ;嵣崇}讃iႽ)d1\\䔓": null }, "脨z\"{X,1u찜<'k&@?1}Yn$\u0015Rd輲ーa쮂굄+B$l": true, "諳>*쭮괐䵟Ґ+<箁}빀䅱⡔檏臒hIH脟ꩪC핝ଗP좕\"0i<\/C褻D۞恗+^5?'ꂱ䚫^7}㡠cq6\\쨪ꔞꥢ?纖䫀氮蒫侲빦敶q{A煲G": -6880961710038544266 }}] }, "5s⨲JvಽῶꭂᄢI.a৊": null, "?1q꽏쿻ꛋDR%U娝>DgN乭G": -1.2105047302732358E-19 } ] ]}, "qZz`撋뙹둣j碇쁏\\ꆥ\u0018@藴疰Wz)O{F䶛l᷂绘訥$]뮍夻䢋䩇萿獰樧猵⣭j萶q)$꬚⵷0馢W:Ⱍ!Qoe": -1666634370862219540, "t": "=wp|~碎Q鬳Ӎ\\l-<\/^ﳊhn퐖}䍔t碵ḛ혷?靻䊗", "邙쇡㯇%#=,E4勃驆V繚q[Y댻XV㡸[逹ᰏ葢B@u=JS5?bLRn얮㍉⏅ﰳ?a6[&큟!藈": 1.2722786745736667E-19 }, "X블땨4{ph鵋ꉯ웸 5p簂䦭s_E徔濧d稝~No穔噕뽲)뉈c5M윅>⚋[岦䲟懷恁?鎐꓆ฬ爋獠䜔s{\u001bm鐚儸煛%bﯿXT>ꗘ@8G": 1157841540507770724, "媤娪Q杸\u0011SAyᡈ쿯": true, "灚^ಸ%걁<\/蛯?\"祴坓\\\\'흍": -3.4614808555942579E18, "釴U:O湛㴑䀣렑縓\ta)(j:숾却䗌gCiB뽬Oyuq輥厁/7)?今hY︺Q": null } ] ]]]}] ], "I笔趠Ph!<ཛྷ㸞诘X$畉F\u0005笷菟.Esr릙!W☆䲖뗷莾뒭U\"䀸犜Uo3Gꯌx4r蔇᡹㧪쨢準<䂀%ࡡꟼ瑍8炝Xs0䀝销?fi쥱ꆝલBB": -8571484181158525797, "L⦁o#J|\"⽩-㱢d㌛8d\\㶤傩儻E[Y熯)r噤὘勇 }": "e(濨쓌K䧚僒㘍蠤Vᛸ\"络QJL2,嬓왍伢㋒䴿考澰@(㏾`kX$끑эE斡,蜍&~y", "vj.|统圪ᵮPL?2oŶ`밧\"勃+0ue%⿥绬췈체$6:qa렐Q;~晘3㙘鹑": true, "ශؙ4獄⶿c︋i⚅:ん閝Ⳙ苆籦kw{䙞셕pC췃ꍬ␜꟯ꚓ酄b힝hwk꭭M鬋8B耳쑘WQ\\偙ac'唀x᪌\u2048*h짎#ፇ鮠뾏ឿ뀌": false, "⎀jꄒ牺3Ⓝ컴~?親ꕽぼܓ喏瘘!@<튋㐌꿱⩦{a?Yv%⪧笯Uܱ栅E搚i뚬:ꄃx7䙳ꦋ&䓹vq☶I䁘ᾘ涜\\썉뺌Lr%Bc㍜3?ꝭ砿裞]": null, "⭤뙓z(㡂%亳K䌽꫿AԾ岺㦦㼴輞낚Vꦴw냟鬓㹈뽈+o3譻K1잞": 2091209026076965894, "ㇲ\t⋇轑ꠤ룫X긒\"zoY읇희wj梐쐑l侸`e%s": -9.9240075473576563E17, "啸ꮑ㉰!ᚓ}銏": -4.0694813896301194E18, ">]囋੽EK뇜>_ꀣ緳碖{쐐裔[<ನ\"䇅\"5L?#xTwv#罐\u0005래t应\\N?빗;": "v쮽瞭p뭃" } ]], "斴槾?Z翁\"~慍弞ﻆ=꜡o5鐋dw\"?K蠡i샾ogDﲰ_C*⬟iㇷ4nય蟏[㟉U꽌娛苸 ঢ়操贻洞펻)쿗૊許X⨪VY츚Z䍾㶭~튃ᵦ<\/E臭tve猑x嚢": null, "锡⛩<\/칥ꈙᬙ蝀&Ꚑ籬■865?_>L詏쿨䈌浿弥爫̫lj&zx<\/C쉾?覯n?": null, "꾳鑤/꼩d=ᘈn挫ᑩ䰬ZC": "3錢爋6Ƹ䴗v⪿Wr益G韠[\u0010屗9쁡钁u?殢c䳀蓃樄욂NAq赟c튒瘁렶Aૡɚ捍" } ] ] ]} ] ] }]]]}} ]}], "Ej䗳U<\/Q=灒샎䞦,堰頠@褙g_\u0003ꤾfⶽ?퇋!łB〙ד3CC䌴鈌U:뭔咎(Qો臃䡬荋BO7㢝䟸\"Yb": 2.36010731779814E-20, "逸'0岔j\u000e눘먷翌C츊秦=ꭣ棭ှ;鳸=麱$XP⩉駚橄A\\좱⛌jqv䰞3Ь踌v㳆¹gT┌gvLB賖烡m?@E঳i": null }, "曺v찘ׁ?&绫O័": 9107241066550187880 } ] ], "(e屄\u0019昜훕琖b蓘ᬄ0/۲묇Z蘮ဏ⨏蛘胯뢃@㘉8ሪWᨮ⦬ᅳ䅴HI၇쨳z囕陻엣1赳o": true, ",b刈Z,ၠ晐T솝ŕB⩆ou'퐼≃绗雗d譊": null, "a唥KB\"ﳝ肕$u\n^⅄P䟼냉䞸⩪u윗瀱ꔨ#yşs꒬=1|ﲤ爢`t౐튼쳫_Az(Ṋ擬㦷좕耈6": 2099309172767331582, "?㴸U<\/䢔ꯡ阽扆㐤q鐋?f㔫wM嬙-;UV죫嚔픞G&\"Cᗍ䪏풊Q": "VM7疹+陕枡툩窲}翡䖶8欞čsT뮐}璤:jﺋ鎴}HfA൝⧻Zd#Qu茅J髒皣Y-︴[?-~쉜v딏璮㹚䅊﩯<-#\u000e걀h\u0004u抱﵊㼃U<㱷⊱IC進" }, "숌dee節鏽邺p넱蹓+e罕U": true } ], "b⧴룏??ᔠ3ぱ>%郿劃翐ꏬꠛW瞳᫏누躨狀ໄy੽\"ីuS=㨞馸k乆E": "トz݈^9R䬑<ﮛGRꨳ\u000fTT泠纷꽀MRᴱ纊:㠭볮?%N56%鈕1䗍䜁a䲗j陇=뿻偂衋࿘ᓸ?ᕵZ+<\/}H耢b䀁z^f$&㝒LkꢳI脚뙛u": 5.694374481577558E-20 }] } ]], "obj": {"key": "wrong value"}, "퓲꽪m{㶩/뇿#⼢&᭙硞㪔E嚉c樱㬇1a綑᝖DḾ䝩": null } }yajl-ruby-1.4.3/spec/parsing/fixtures/pass.codepoints_from_unicode_org.json0000644000004100000410000000004114246427314027344 0ustar www-datawww-data"\u004d\u0430\u4e8c\ud800\udf02" yajl-ruby-1.4.3/spec/parsing/fixtures/pass.difficult_json_c_test_case_with_comments.json0000644000004100000410000000103614246427314032100 0ustar www-datawww-data{ "glossary": { /* you */ "title": /**/ "example glossary", /*should*/"GlossDiv": { "title": /*never*/"S", /*ever*/"GlossList": [ { "ID": "SGML", "SortAs": "SGML", "GlossTerm": "Standard Generalized Markup Language", "Acronym": "SGML", "Abbrev": "ISO 8879:1986", "GlossDef": "A meta-markup language, used to create markup languages such as DocBook.", /*see*/"GlossSeeAlso"/*this*/:/*coming*/[/*out*/"GML"/*of*/,/*the*/"XML"/*parser!*/, "markup"] /*hey*/}/*ho*/]/*hey*/}/*ho*/} } // and the parser won't even get this far, so chill. /* hah! yajl-ruby-1.4.3/spec/parsing/fixtures/pass.db1000.xml.json0000644000004100000410000047617414246427314023312 0ustar www-datawww-data{"table":{"row":[{"id":{"$":"0000"},"firstname":{"$":"Al"},"lastname":{"$":"Aranow"},"street":{"$":"1 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0001"},"firstname":{"$":"Bob"},"lastname":{"$":"Aranow"},"street":{"$":"2 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0002"},"firstname":{"$":"Charles"},"lastname":{"$":"Aranow"},"street":{"$":"3 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0003"},"firstname":{"$":"David"},"lastname":{"$":"Aranow"},"street":{"$":"4 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0004"},"firstname":{"$":"Egon"},"lastname":{"$":"Aranow"},"street":{"$":"5 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0005"},"firstname":{"$":"Farbood"},"lastname":{"$":"Aranow"},"street":{"$":"6 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0006"},"firstname":{"$":"George"},"lastname":{"$":"Aranow"},"street":{"$":"7 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0007"},"firstname":{"$":"Hank"},"lastname":{"$":"Aranow"},"street":{"$":"8 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0008"},"firstname":{"$":"Inki"},"lastname":{"$":"Aranow"},"street":{"$":"9 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0009"},"firstname":{"$":"James"},"lastname":{"$":"Aranow"},"street":{"$":"10 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0010"},"firstname":{"$":"Al"},"lastname":{"$":"Barker"},"street":{"$":"11 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0011"},"firstname":{"$":"Bob"},"lastname":{"$":"Barker"},"street":{"$":"12 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0012"},"firstname":{"$":"Charles"},"lastname":{"$":"Barker"},"street":{"$":"13 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0013"},"firstname":{"$":"David"},"lastname":{"$":"Barker"},"street":{"$":"14 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0014"},"firstname":{"$":"Egon"},"lastname":{"$":"Barker"},"street":{"$":"15 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0015"},"firstname":{"$":"Farbood"},"lastname":{"$":"Barker"},"street":{"$":"16 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0016"},"firstname":{"$":"George"},"lastname":{"$":"Barker"},"street":{"$":"17 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0017"},"firstname":{"$":"Hank"},"lastname":{"$":"Barker"},"street":{"$":"18 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0018"},"firstname":{"$":"Inki"},"lastname":{"$":"Barker"},"street":{"$":"19 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0019"},"firstname":{"$":"James"},"lastname":{"$":"Barker"},"street":{"$":"20 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0020"},"firstname":{"$":"Al"},"lastname":{"$":"Corsetti"},"street":{"$":"21 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0021"},"firstname":{"$":"Bob"},"lastname":{"$":"Corsetti"},"street":{"$":"22 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0022"},"firstname":{"$":"Charles"},"lastname":{"$":"Corsetti"},"street":{"$":"23 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0023"},"firstname":{"$":"David"},"lastname":{"$":"Corsetti"},"street":{"$":"24 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0024"},"firstname":{"$":"Egon"},"lastname":{"$":"Corsetti"},"street":{"$":"25 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0025"},"firstname":{"$":"Farbood"},"lastname":{"$":"Corsetti"},"street":{"$":"26 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0026"},"firstname":{"$":"George"},"lastname":{"$":"Corsetti"},"street":{"$":"27 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0027"},"firstname":{"$":"Hank"},"lastname":{"$":"Corsetti"},"street":{"$":"28 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0028"},"firstname":{"$":"Inki"},"lastname":{"$":"Corsetti"},"street":{"$":"29 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0029"},"firstname":{"$":"James"},"lastname":{"$":"Corsetti"},"street":{"$":"30 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0030"},"firstname":{"$":"Al"},"lastname":{"$":"Dershowitz"},"street":{"$":"31 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0031"},"firstname":{"$":"Bob"},"lastname":{"$":"Dershowitz"},"street":{"$":"32 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0032"},"firstname":{"$":"Charles"},"lastname":{"$":"Dershowitz"},"street":{"$":"33 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0033"},"firstname":{"$":"David"},"lastname":{"$":"Dershowitz"},"street":{"$":"34 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0034"},"firstname":{"$":"Egon"},"lastname":{"$":"Dershowitz"},"street":{"$":"35 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0035"},"firstname":{"$":"Farbood"},"lastname":{"$":"Dershowitz"},"street":{"$":"36 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0036"},"firstname":{"$":"George"},"lastname":{"$":"Dershowitz"},"street":{"$":"37 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0037"},"firstname":{"$":"Hank"},"lastname":{"$":"Dershowitz"},"street":{"$":"38 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0038"},"firstname":{"$":"Inki"},"lastname":{"$":"Dershowitz"},"street":{"$":"39 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0039"},"firstname":{"$":"James"},"lastname":{"$":"Dershowitz"},"street":{"$":"40 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0040"},"firstname":{"$":"Al"},"lastname":{"$":"Engleman"},"street":{"$":"41 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0041"},"firstname":{"$":"Bob"},"lastname":{"$":"Engleman"},"street":{"$":"42 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0042"},"firstname":{"$":"Charles"},"lastname":{"$":"Engleman"},"street":{"$":"43 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0043"},"firstname":{"$":"David"},"lastname":{"$":"Engleman"},"street":{"$":"44 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0044"},"firstname":{"$":"Egon"},"lastname":{"$":"Engleman"},"street":{"$":"45 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0045"},"firstname":{"$":"Farbood"},"lastname":{"$":"Engleman"},"street":{"$":"46 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0046"},"firstname":{"$":"George"},"lastname":{"$":"Engleman"},"street":{"$":"47 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0047"},"firstname":{"$":"Hank"},"lastname":{"$":"Engleman"},"street":{"$":"48 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0048"},"firstname":{"$":"Inki"},"lastname":{"$":"Engleman"},"street":{"$":"49 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0049"},"firstname":{"$":"James"},"lastname":{"$":"Engleman"},"street":{"$":"50 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0050"},"firstname":{"$":"Al"},"lastname":{"$":"Franklin"},"street":{"$":"51 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0051"},"firstname":{"$":"Bob"},"lastname":{"$":"Franklin"},"street":{"$":"52 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0052"},"firstname":{"$":"Charles"},"lastname":{"$":"Franklin"},"street":{"$":"53 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0053"},"firstname":{"$":"David"},"lastname":{"$":"Franklin"},"street":{"$":"54 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0054"},"firstname":{"$":"Egon"},"lastname":{"$":"Franklin"},"street":{"$":"55 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0055"},"firstname":{"$":"Farbood"},"lastname":{"$":"Franklin"},"street":{"$":"56 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0056"},"firstname":{"$":"George"},"lastname":{"$":"Franklin"},"street":{"$":"57 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0057"},"firstname":{"$":"Hank"},"lastname":{"$":"Franklin"},"street":{"$":"58 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0058"},"firstname":{"$":"Inki"},"lastname":{"$":"Franklin"},"street":{"$":"59 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0059"},"firstname":{"$":"James"},"lastname":{"$":"Franklin"},"street":{"$":"60 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0060"},"firstname":{"$":"Al"},"lastname":{"$":"Grice"},"street":{"$":"61 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0061"},"firstname":{"$":"Bob"},"lastname":{"$":"Grice"},"street":{"$":"62 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0062"},"firstname":{"$":"Charles"},"lastname":{"$":"Grice"},"street":{"$":"63 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0063"},"firstname":{"$":"David"},"lastname":{"$":"Grice"},"street":{"$":"64 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0064"},"firstname":{"$":"Egon"},"lastname":{"$":"Grice"},"street":{"$":"65 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0065"},"firstname":{"$":"Farbood"},"lastname":{"$":"Grice"},"street":{"$":"66 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0066"},"firstname":{"$":"George"},"lastname":{"$":"Grice"},"street":{"$":"67 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0067"},"firstname":{"$":"Hank"},"lastname":{"$":"Grice"},"street":{"$":"68 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0068"},"firstname":{"$":"Inki"},"lastname":{"$":"Grice"},"street":{"$":"69 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0069"},"firstname":{"$":"James"},"lastname":{"$":"Grice"},"street":{"$":"70 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0070"},"firstname":{"$":"Al"},"lastname":{"$":"Haverford"},"street":{"$":"71 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0071"},"firstname":{"$":"Bob"},"lastname":{"$":"Haverford"},"street":{"$":"72 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0072"},"firstname":{"$":"Charles"},"lastname":{"$":"Haverford"},"street":{"$":"73 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0073"},"firstname":{"$":"David"},"lastname":{"$":"Haverford"},"street":{"$":"74 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0074"},"firstname":{"$":"Egon"},"lastname":{"$":"Haverford"},"street":{"$":"75 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0075"},"firstname":{"$":"Farbood"},"lastname":{"$":"Haverford"},"street":{"$":"76 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0076"},"firstname":{"$":"George"},"lastname":{"$":"Haverford"},"street":{"$":"77 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0077"},"firstname":{"$":"Hank"},"lastname":{"$":"Haverford"},"street":{"$":"78 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0078"},"firstname":{"$":"Inki"},"lastname":{"$":"Haverford"},"street":{"$":"79 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0079"},"firstname":{"$":"James"},"lastname":{"$":"Haverford"},"street":{"$":"80 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0080"},"firstname":{"$":"Al"},"lastname":{"$":"Ilvedson"},"street":{"$":"81 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0081"},"firstname":{"$":"Bob"},"lastname":{"$":"Ilvedson"},"street":{"$":"82 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0082"},"firstname":{"$":"Charles"},"lastname":{"$":"Ilvedson"},"street":{"$":"83 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0083"},"firstname":{"$":"David"},"lastname":{"$":"Ilvedson"},"street":{"$":"84 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0084"},"firstname":{"$":"Egon"},"lastname":{"$":"Ilvedson"},"street":{"$":"85 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0085"},"firstname":{"$":"Farbood"},"lastname":{"$":"Ilvedson"},"street":{"$":"86 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0086"},"firstname":{"$":"George"},"lastname":{"$":"Ilvedson"},"street":{"$":"87 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0087"},"firstname":{"$":"Hank"},"lastname":{"$":"Ilvedson"},"street":{"$":"88 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0088"},"firstname":{"$":"Inki"},"lastname":{"$":"Ilvedson"},"street":{"$":"89 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0089"},"firstname":{"$":"James"},"lastname":{"$":"Ilvedson"},"street":{"$":"90 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0090"},"firstname":{"$":"Al"},"lastname":{"$":"Jones"},"street":{"$":"91 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0091"},"firstname":{"$":"Bob"},"lastname":{"$":"Jones"},"street":{"$":"92 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0092"},"firstname":{"$":"Charles"},"lastname":{"$":"Jones"},"street":{"$":"93 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0093"},"firstname":{"$":"David"},"lastname":{"$":"Jones"},"street":{"$":"94 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0094"},"firstname":{"$":"Egon"},"lastname":{"$":"Jones"},"street":{"$":"95 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0095"},"firstname":{"$":"Farbood"},"lastname":{"$":"Jones"},"street":{"$":"96 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0096"},"firstname":{"$":"George"},"lastname":{"$":"Jones"},"street":{"$":"97 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0097"},"firstname":{"$":"Hank"},"lastname":{"$":"Jones"},"street":{"$":"98 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0098"},"firstname":{"$":"Inki"},"lastname":{"$":"Jones"},"street":{"$":"99 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0099"},"firstname":{"$":"James"},"lastname":{"$":"Jones"},"street":{"$":"100 Any St."},"city":{"$":"Anytown"},"state":{"$":"AL"},"zip":{"$":"22000"}},{"id":{"$":"0100"},"firstname":{"$":"Al"},"lastname":{"$":"Aranow"},"street":{"$":"1 Any St."},"city":{"$":"Anytown"},"state":{"$":"AK"},"zip":{"$":"22000"}},{"id":{"$":"0101"},"firstname":{"$":"Bob"},"lastname":{"$":"Aranow"},"street":{"$":"2 Any St."},"city":{"$":"Anytown"},"state":{"$":"AK"},"zip":{"$":"22000"}},{"id":{"$":"0102"},"firstname":{"$":"Charles"},"lastname":{"$":"Aranow"},"street":{"$":"3 Any St."},"city":{"$":"Anytown"},"state":{"$":"AK"},"zip":{"$":"22000"}},{"id":{"$":"0103"},"firstname":{"$":"David"},"lastname":{"$":"Aranow"},"street":{"$":"4 Any St."},"city":{"$":"Anytown"},"state":{"$":"AK"},"zip":{"$":"22000"}},{"id":{"$":"0104"},"firstname":{"$":"Egon"},"lastname":{"$":"Aranow"},"street":{"$":"5 Any St."},"city":{"$":"Anytown"},"state":{"$":"AK"},"zip":{"$":"22000"}},{"id":{"$":"0105"},"firstname":{"$":"Farbood"},"lastname":{"$":"Aranow"},"street":{"$":"6 Any St."},"city":{"$":"Anytown"},"state":{"$":"AK"},"zip":{"$":"22000"}},{"id":{"$":"0106"},"firstname":{"$":"George"},"lastname":{"$":"Aranow"},"street":{"$":"7 Any St."},"city":{"$":"Anytown"},"state":{"$":"AK"},"zip":{"$":"22000"}},{"id":{"$":"0107"},"firstname":{"$":"Hank"},"lastname":{"$":"Aranow"},"street":{"$":"8 Any St."},"city":{"$":"Anytown"},"state":{"$":"AK"},"zip":{"$":"22000"}},{"id":{"$":"0108"},"firstname":{"$":"Inki"},"lastname":{"$":"Aranow"},"street":{"$":"9 Any St."},"city":{"$":"Anytown"},"state":{"$":"AK"},"zip":{"$":"22000"}},{"id":{"$":"0109"},"firstname":{"$":"James"},"lastname":{"$":"Aranow"},"street":{"$":"10 Any St."},"city":{"$":"Anytown"},"state":{"$":"AK"},"zip":{"$":"22000"}},{"id":{"$":"0110"},"firstname":{"$":"Al"},"lastname":{"$":"Barker"},"street":{"$":"11 Any St."},"city":{"$":"Anytown"},"state":{"$":"AK"},"zip":{"$":"22000"}},{"id":{"$":"0111"},"firstname":{"$":"Bob"},"lastname":{"$":"Barker"},"street":{"$":"12 Any St."},"city":{"$":"Anytown"},"state":{"$":"AK"},"zip":{"$":"22000"}},{"id":{"$":"0112"},"firstname":{"$":"Charles"},"lastname":{"$":"Barker"},"street":{"$":"13 Any St."},"city":{"$":"Anytown"},"state":{"$":"AK"},"zip":{"$":"22000"}},{"id":{"$":"0113"},"firstname":{"$":"David"},"lastname":{"$":"Barker"},"street":{"$":"14 Any St."},"city":{"$":"Anytown"},"state":{"$":"AK"},"zip":{"$":"22000"}},{"id":{"$":"0114"},"firstname":{"$":"Egon"},"lastname":{"$":"Barker"},"street":{"$":"15 Any St."},"city":{"$":"Anytown"},"state":{"$":"AK"},"zip":{"$":"22000"}},{"id":{"$":"0115"},"firstname":{"$":"Farbood"},"lastname":{"$":"Barker"},"street":{"$":"16 Any St."},"city":{"$":"Anytown"},"state":{"$":"AK"},"zip":{"$":"22000"}},{"id":{"$":"0116"},"firstname":{"$":"George"},"lastname":{"$":"Barker"},"street":{"$":"17 Any St."},"city":{"$":"Anytown"},"state":{"$":"AK"},"zip":{"$":"22000"}},{"id":{"$":"0117"},"firstname":{"$":"Hank"},"lastname":{"$":"Barker"},"street":{"$":"18 Any St."},"city":{"$":"Anytown"},"state":{"$":"AK"},"zip":{"$":"22000"}},{"id":{"$":"0118"},"firstname":{"$":"Inki"},"lastname":{"$":"Barker"},"street":{"$":"19 Any St."},"city":{"$":"Anytown"},"state":{"$":"AK"},"zip":{"$":"22000"}},{"id":{"$":"0119"},"firstname":{"$":"James"},"lastname":{"$":"Barker"},"street":{"$":"20 Any St."},"city":{"$":"Anytown"},"state":{"$":"AK"},"zip":{"$":"22000"}},{"id":{"$":"0120"},"firstname":{"$":"Al"},"lastname":{"$":"Corsetti"},"street":{"$":"21 Any St."},"city":{"$":"Anytown"},"state":{"$":"AK"},"zip":{"$":"22000"}},{"id":{"$":"0121"},"firstname":{"$":"Bob"},"lastname":{"$":"Corsetti"},"street":{"$":"22 Any St."},"city":{"$":"Anytown"},"state":{"$":"AK"},"zip":{"$":"22000"}},{"id":{"$":"0122"},"firstname":{"$":"Charles"},"lastname":{"$":"Corsetti"},"street":{"$":"23 Any St."},"city":{"$":"Anytown"},"state":{"$":"AK"},"zip":{"$":"22000"}},{"id":{"$":"0123"},"firstname":{"$":"David"},"lastname":{"$":"Corsetti"},"street":{"$":"24 Any St."},"city":{"$":"Anytown"},"state":{"$":"AK"},"zip":{"$":"22000"}},{"id":{"$":"0124"},"firstname":{"$":"Egon"},"lastname":{"$":"Corsetti"},"street":{"$":"25 Any St."},"city":{"$":"Anytown"},"state":{"$":"AK"},"zip":{"$":"22000"}},{"id":{"$":"0125"},"firstname":{"$":"Farbood"},"lastname":{"$":"Corsetti"},"street":{"$":"26 Any St."},"city":{"$":"Anytown"},"state":{"$":"AK"},"zip":{"$":"22000"}},{"id":{"$":"0126"},"firstname":{"$":"George"},"lastname":{"$":"Corsetti"},"street":{"$":"27 Any St."},"city":{"$":"Anytown"},"state":{"$":"AK"},"zip":{"$":"22000"}},{"id":{"$":"0127"},"firstname":{"$":"Hank"},"lastname":{"$":"Corsetti"},"street":{"$":"28 Any St."},"city":{"$":"Anytown"},"state":{"$":"AK"},"zip":{"$":"22000"}},{"id":{"$":"0128"},"firstname":{"$":"Inki"},"lastname":{"$":"Corsetti"},"street":{"$":"29 Any St."},"city":{"$":"Anytown"},"state":{"$":"AK"},"zip":{"$":"22000"}},{"id":{"$":"0129"},"firstname":{"$":"James"},"lastname":{"$":"Corsetti"},"street":{"$":"30 Any St."},"city":{"$":"Anytown"},"state":{"$":"AK"},"zip":{"$":"22000"}},{"id":{"$":"0130"},"firstname":{"$":"Al"},"lastname":{"$":"Dershowitz"},"street":{"$":"31 Any St."},"city":{"$":"Anytown"},"state":{"$":"AK"},"zip":{"$":"22000"}},{"id":{"$":"0131"},"firstname":{"$":"Bob"},"lastname":{"$":"Dershowitz"},"street":{"$":"32 Any St."},"city":{"$":"Anytown"},"state":{"$":"AK"},"zip":{"$":"22000"}},{"id":{"$":"0132"},"firstname":{"$":"Charles"},"lastname":{"$":"Dershowitz"},"street":{"$":"33 Any St."},"city":{"$":"Anytown"},"state":{"$":"AK"},"zip":{"$":"22000"}},{"id":{"$":"0133"},"firstname":{"$":"David"},"lastname":{"$":"Dershowitz"},"street":{"$":"34 Any St."},"city":{"$":"Anytown"},"state":{"$":"AK"},"zip":{"$":"22000"}},{"id":{"$":"0134"},"firstname":{"$":"Egon"},"lastname":{"$":"Dershowitz"},"street":{"$":"35 Any St."},"city":{"$":"Anytown"},"state":{"$":"AK"},"zip":{"$":"22000"}},{"id":{"$":"0135"},"firstname":{"$":"Farbood"},"lastname":{"$":"Dershowitz"},"street":{"$":"36 Any St."},"city":{"$":"Anytown"},"state":{"$":"AK"},"zip":{"$":"22000"}},{"id":{"$":"0136"},"firstname":{"$":"George"},"lastname":{"$":"Dershowitz"},"street":{"$":"37 Any St."},"city":{"$":"Anytown"},"state":{"$":"AK"},"zip":{"$":"22000"}},{"id":{"$":"0137"},"firstname":{"$":"Hank"},"lastname":{"$":"Dershowitz"},"street":{"$":"38 Any St."},"city":{"$":"Anytown"},"state":{"$":"AK"},"zip":{"$":"22000"}},{"id":{"$":"0138"},"firstname":{"$":"Inki"},"lastname":{"$":"Dershowitz"},"street":{"$":"39 Any St."},"city":{"$":"Anytown"},"state":{"$":"AK"},"zip":{"$":"22000"}},{"id":{"$":"0139"},"firstname":{"$":"James"},"lastname":{"$":"Dershowitz"},"street":{"$":"40 Any St."},"city":{"$":"Anytown"},"state":{"$":"AK"},"zip":{"$":"22000"}},{"id":{"$":"0140"},"firstname":{"$":"Al"},"lastname":{"$":"Engleman"},"street":{"$":"41 Any St."},"city":{"$":"Anytown"},"state":{"$":"AK"},"zip":{"$":"22000"}},{"id":{"$":"0141"},"firstname":{"$":"Bob"},"lastname":{"$":"Engleman"},"street":{"$":"42 Any St."},"city":{"$":"Anytown"},"state":{"$":"AK"},"zip":{"$":"22000"}},{"id":{"$":"0142"},"firstname":{"$":"Charles"},"lastname":{"$":"Engleman"},"street":{"$":"43 Any St."},"city":{"$":"Anytown"},"state":{"$":"AK"},"zip":{"$":"22000"}},{"id":{"$":"0143"},"firstname":{"$":"David"},"lastname":{"$":"Engleman"},"street":{"$":"44 Any St."},"city":{"$":"Anytown"},"state":{"$":"AK"},"zip":{"$":"22000"}},{"id":{"$":"0144"},"firstname":{"$":"Egon"},"lastname":{"$":"Engleman"},"street":{"$":"45 Any St."},"city":{"$":"Anytown"},"state":{"$":"AK"},"zip":{"$":"22000"}},{"id":{"$":"0145"},"firstname":{"$":"Farbood"},"lastname":{"$":"Engleman"},"street":{"$":"46 Any St."},"city":{"$":"Anytown"},"state":{"$":"AK"},"zip":{"$":"22000"}},{"id":{"$":"0146"},"firstname":{"$":"George"},"lastname":{"$":"Engleman"},"street":{"$":"47 Any St."},"city":{"$":"Anytown"},"state":{"$":"AK"},"zip":{"$":"22000"}},{"id":{"$":"0147"},"firstname":{"$":"Hank"},"lastname":{"$":"Engleman"},"street":{"$":"48 Any St."},"city":{"$":"Anytown"},"state":{"$":"AK"},"zip":{"$":"22000"}},{"id":{"$":"0148"},"firstname":{"$":"Inki"},"lastname":{"$":"Engleman"},"street":{"$":"49 Any St."},"city":{"$":"Anytown"},"state":{"$":"AK"},"zip":{"$":"22000"}},{"id":{"$":"0149"},"firstname":{"$":"James"},"lastname":{"$":"Engleman"},"street":{"$":"50 Any St."},"city":{"$":"Anytown"},"state":{"$":"AK"},"zip":{"$":"22000"}},{"id":{"$":"0150"},"firstname":{"$":"Al"},"lastname":{"$":"Franklin"},"street":{"$":"51 Any St."},"city":{"$":"Anytown"},"state":{"$":"AK"},"zip":{"$":"22000"}},{"id":{"$":"0151"},"firstname":{"$":"Bob"},"lastname":{"$":"Franklin"},"street":{"$":"52 Any St."},"city":{"$":"Anytown"},"state":{"$":"AK"},"zip":{"$":"22000"}},{"id":{"$":"0152"},"firstname":{"$":"Charles"},"lastname":{"$":"Franklin"},"street":{"$":"53 Any St."},"city":{"$":"Anytown"},"state":{"$":"AK"},"zip":{"$":"22000"}},{"id":{"$":"0153"},"firstname":{"$":"David"},"lastname":{"$":"Franklin"},"street":{"$":"54 Any St."},"city":{"$":"Anytown"},"state":{"$":"AK"},"zip":{"$":"22000"}},{"id":{"$":"0154"},"firstname":{"$":"Egon"},"lastname":{"$":"Franklin"},"street":{"$":"55 Any St."},"city":{"$":"Anytown"},"state":{"$":"AK"},"zip":{"$":"22000"}},{"id":{"$":"0155"},"firstname":{"$":"Farbood"},"lastname":{"$":"Franklin"},"street":{"$":"56 Any St."},"city":{"$":"Anytown"},"state":{"$":"AK"},"zip":{"$":"22000"}},{"id":{"$":"0156"},"firstname":{"$":"George"},"lastname":{"$":"Franklin"},"street":{"$":"57 Any St."},"city":{"$":"Anytown"},"state":{"$":"AK"},"zip":{"$":"22000"}},{"id":{"$":"0157"},"firstname":{"$":"Hank"},"lastname":{"$":"Franklin"},"street":{"$":"58 Any St."},"city":{"$":"Anytown"},"state":{"$":"AK"},"zip":{"$":"22000"}},{"id":{"$":"0158"},"firstname":{"$":"Inki"},"lastname":{"$":"Franklin"},"street":{"$":"59 Any St."},"city":{"$":"Anytown"},"state":{"$":"AK"},"zip":{"$":"22000"}},{"id":{"$":"0159"},"firstname":{"$":"James"},"lastname":{"$":"Franklin"},"street":{"$":"60 Any St."},"city":{"$":"Anytown"},"state":{"$":"AK"},"zip":{"$":"22000"}},{"id":{"$":"0160"},"firstname":{"$":"Al"},"lastname":{"$":"Grice"},"street":{"$":"61 Any St."},"city":{"$":"Anytown"},"state":{"$":"AK"},"zip":{"$":"22000"}},{"id":{"$":"0161"},"firstname":{"$":"Bob"},"lastname":{"$":"Grice"},"street":{"$":"62 Any St."},"city":{"$":"Anytown"},"state":{"$":"AK"},"zip":{"$":"22000"}},{"id":{"$":"0162"},"firstname":{"$":"Charles"},"lastname":{"$":"Grice"},"street":{"$":"63 Any St."},"city":{"$":"Anytown"},"state":{"$":"AK"},"zip":{"$":"22000"}},{"id":{"$":"0163"},"firstname":{"$":"David"},"lastname":{"$":"Grice"},"street":{"$":"64 Any St."},"city":{"$":"Anytown"},"state":{"$":"AK"},"zip":{"$":"22000"}},{"id":{"$":"0164"},"firstname":{"$":"Egon"},"lastname":{"$":"Grice"},"street":{"$":"65 Any St."},"city":{"$":"Anytown"},"state":{"$":"AK"},"zip":{"$":"22000"}},{"id":{"$":"0165"},"firstname":{"$":"Farbood"},"lastname":{"$":"Grice"},"street":{"$":"66 Any St."},"city":{"$":"Anytown"},"state":{"$":"AK"},"zip":{"$":"22000"}},{"id":{"$":"0166"},"firstname":{"$":"George"},"lastname":{"$":"Grice"},"street":{"$":"67 Any St."},"city":{"$":"Anytown"},"state":{"$":"AK"},"zip":{"$":"22000"}},{"id":{"$":"0167"},"firstname":{"$":"Hank"},"lastname":{"$":"Grice"},"street":{"$":"68 Any St."},"city":{"$":"Anytown"},"state":{"$":"AK"},"zip":{"$":"22000"}},{"id":{"$":"0168"},"firstname":{"$":"Inki"},"lastname":{"$":"Grice"},"street":{"$":"69 Any St."},"city":{"$":"Anytown"},"state":{"$":"AK"},"zip":{"$":"22000"}},{"id":{"$":"0169"},"firstname":{"$":"James"},"lastname":{"$":"Grice"},"street":{"$":"70 Any St."},"city":{"$":"Anytown"},"state":{"$":"AK"},"zip":{"$":"22000"}},{"id":{"$":"0170"},"firstname":{"$":"Al"},"lastname":{"$":"Haverford"},"street":{"$":"71 Any St."},"city":{"$":"Anytown"},"state":{"$":"AK"},"zip":{"$":"22000"}},{"id":{"$":"0171"},"firstname":{"$":"Bob"},"lastname":{"$":"Haverford"},"street":{"$":"72 Any St."},"city":{"$":"Anytown"},"state":{"$":"AK"},"zip":{"$":"22000"}},{"id":{"$":"0172"},"firstname":{"$":"Charles"},"lastname":{"$":"Haverford"},"street":{"$":"73 Any St."},"city":{"$":"Anytown"},"state":{"$":"AK"},"zip":{"$":"22000"}},{"id":{"$":"0173"},"firstname":{"$":"David"},"lastname":{"$":"Haverford"},"street":{"$":"74 Any St."},"city":{"$":"Anytown"},"state":{"$":"AK"},"zip":{"$":"22000"}},{"id":{"$":"0174"},"firstname":{"$":"Egon"},"lastname":{"$":"Haverford"},"street":{"$":"75 Any St."},"city":{"$":"Anytown"},"state":{"$":"AK"},"zip":{"$":"22000"}},{"id":{"$":"0175"},"firstname":{"$":"Farbood"},"lastname":{"$":"Haverford"},"street":{"$":"76 Any St."},"city":{"$":"Anytown"},"state":{"$":"AK"},"zip":{"$":"22000"}},{"id":{"$":"0176"},"firstname":{"$":"George"},"lastname":{"$":"Haverford"},"street":{"$":"77 Any St."},"city":{"$":"Anytown"},"state":{"$":"AK"},"zip":{"$":"22000"}},{"id":{"$":"0177"},"firstname":{"$":"Hank"},"lastname":{"$":"Haverford"},"street":{"$":"78 Any St."},"city":{"$":"Anytown"},"state":{"$":"AK"},"zip":{"$":"22000"}},{"id":{"$":"0178"},"firstname":{"$":"Inki"},"lastname":{"$":"Haverford"},"street":{"$":"79 Any St."},"city":{"$":"Anytown"},"state":{"$":"AK"},"zip":{"$":"22000"}},{"id":{"$":"0179"},"firstname":{"$":"James"},"lastname":{"$":"Haverford"},"street":{"$":"80 Any St."},"city":{"$":"Anytown"},"state":{"$":"AK"},"zip":{"$":"22000"}},{"id":{"$":"0180"},"firstname":{"$":"Al"},"lastname":{"$":"Ilvedson"},"street":{"$":"81 Any St."},"city":{"$":"Anytown"},"state":{"$":"AK"},"zip":{"$":"22000"}},{"id":{"$":"0181"},"firstname":{"$":"Bob"},"lastname":{"$":"Ilvedson"},"street":{"$":"82 Any St."},"city":{"$":"Anytown"},"state":{"$":"AK"},"zip":{"$":"22000"}},{"id":{"$":"0182"},"firstname":{"$":"Charles"},"lastname":{"$":"Ilvedson"},"street":{"$":"83 Any St."},"city":{"$":"Anytown"},"state":{"$":"AK"},"zip":{"$":"22000"}},{"id":{"$":"0183"},"firstname":{"$":"David"},"lastname":{"$":"Ilvedson"},"street":{"$":"84 Any St."},"city":{"$":"Anytown"},"state":{"$":"AK"},"zip":{"$":"22000"}},{"id":{"$":"0184"},"firstname":{"$":"Egon"},"lastname":{"$":"Ilvedson"},"street":{"$":"85 Any St."},"city":{"$":"Anytown"},"state":{"$":"AK"},"zip":{"$":"22000"}},{"id":{"$":"0185"},"firstname":{"$":"Farbood"},"lastname":{"$":"Ilvedson"},"street":{"$":"86 Any St."},"city":{"$":"Anytown"},"state":{"$":"AK"},"zip":{"$":"22000"}},{"id":{"$":"0186"},"firstname":{"$":"George"},"lastname":{"$":"Ilvedson"},"street":{"$":"87 Any St."},"city":{"$":"Anytown"},"state":{"$":"AK"},"zip":{"$":"22000"}},{"id":{"$":"0187"},"firstname":{"$":"Hank"},"lastname":{"$":"Ilvedson"},"street":{"$":"88 Any St."},"city":{"$":"Anytown"},"state":{"$":"AK"},"zip":{"$":"22000"}},{"id":{"$":"0188"},"firstname":{"$":"Inki"},"lastname":{"$":"Ilvedson"},"street":{"$":"89 Any St."},"city":{"$":"Anytown"},"state":{"$":"AK"},"zip":{"$":"22000"}},{"id":{"$":"0189"},"firstname":{"$":"James"},"lastname":{"$":"Ilvedson"},"street":{"$":"90 Any St."},"city":{"$":"Anytown"},"state":{"$":"AK"},"zip":{"$":"22000"}},{"id":{"$":"0190"},"firstname":{"$":"Al"},"lastname":{"$":"Jones"},"street":{"$":"91 Any St."},"city":{"$":"Anytown"},"state":{"$":"AK"},"zip":{"$":"22000"}},{"id":{"$":"0191"},"firstname":{"$":"Bob"},"lastname":{"$":"Jones"},"street":{"$":"92 Any St."},"city":{"$":"Anytown"},"state":{"$":"AK"},"zip":{"$":"22000"}},{"id":{"$":"0192"},"firstname":{"$":"Charles"},"lastname":{"$":"Jones"},"street":{"$":"93 Any St."},"city":{"$":"Anytown"},"state":{"$":"AK"},"zip":{"$":"22000"}},{"id":{"$":"0193"},"firstname":{"$":"David"},"lastname":{"$":"Jones"},"street":{"$":"94 Any St."},"city":{"$":"Anytown"},"state":{"$":"AK"},"zip":{"$":"22000"}},{"id":{"$":"0194"},"firstname":{"$":"Egon"},"lastname":{"$":"Jones"},"street":{"$":"95 Any St."},"city":{"$":"Anytown"},"state":{"$":"AK"},"zip":{"$":"22000"}},{"id":{"$":"0195"},"firstname":{"$":"Farbood"},"lastname":{"$":"Jones"},"street":{"$":"96 Any St."},"city":{"$":"Anytown"},"state":{"$":"AK"},"zip":{"$":"22000"}},{"id":{"$":"0196"},"firstname":{"$":"George"},"lastname":{"$":"Jones"},"street":{"$":"97 Any St."},"city":{"$":"Anytown"},"state":{"$":"AK"},"zip":{"$":"22000"}},{"id":{"$":"0197"},"firstname":{"$":"Hank"},"lastname":{"$":"Jones"},"street":{"$":"98 Any St."},"city":{"$":"Anytown"},"state":{"$":"AK"},"zip":{"$":"22000"}},{"id":{"$":"0198"},"firstname":{"$":"Inki"},"lastname":{"$":"Jones"},"street":{"$":"99 Any St."},"city":{"$":"Anytown"},"state":{"$":"AK"},"zip":{"$":"22000"}},{"id":{"$":"0199"},"firstname":{"$":"James"},"lastname":{"$":"Jones"},"street":{"$":"100 Any St."},"city":{"$":"Anytown"},"state":{"$":"AK"},"zip":{"$":"22000"}},{"id":{"$":"0200"},"firstname":{"$":"Al"},"lastname":{"$":"Aranow"},"street":{"$":"1 Any St."},"city":{"$":"Anytown"},"state":{"$":"AZ"},"zip":{"$":"22000"}},{"id":{"$":"0201"},"firstname":{"$":"Bob"},"lastname":{"$":"Aranow"},"street":{"$":"2 Any St."},"city":{"$":"Anytown"},"state":{"$":"AZ"},"zip":{"$":"22000"}},{"id":{"$":"0202"},"firstname":{"$":"Charles"},"lastname":{"$":"Aranow"},"street":{"$":"3 Any St."},"city":{"$":"Anytown"},"state":{"$":"AZ"},"zip":{"$":"22000"}},{"id":{"$":"0203"},"firstname":{"$":"David"},"lastname":{"$":"Aranow"},"street":{"$":"4 Any St."},"city":{"$":"Anytown"},"state":{"$":"AZ"},"zip":{"$":"22000"}},{"id":{"$":"0204"},"firstname":{"$":"Egon"},"lastname":{"$":"Aranow"},"street":{"$":"5 Any St."},"city":{"$":"Anytown"},"state":{"$":"AZ"},"zip":{"$":"22000"}},{"id":{"$":"0205"},"firstname":{"$":"Farbood"},"lastname":{"$":"Aranow"},"street":{"$":"6 Any St."},"city":{"$":"Anytown"},"state":{"$":"AZ"},"zip":{"$":"22000"}},{"id":{"$":"0206"},"firstname":{"$":"George"},"lastname":{"$":"Aranow"},"street":{"$":"7 Any St."},"city":{"$":"Anytown"},"state":{"$":"AZ"},"zip":{"$":"22000"}},{"id":{"$":"0207"},"firstname":{"$":"Hank"},"lastname":{"$":"Aranow"},"street":{"$":"8 Any St."},"city":{"$":"Anytown"},"state":{"$":"AZ"},"zip":{"$":"22000"}},{"id":{"$":"0208"},"firstname":{"$":"Inki"},"lastname":{"$":"Aranow"},"street":{"$":"9 Any St."},"city":{"$":"Anytown"},"state":{"$":"AZ"},"zip":{"$":"22000"}},{"id":{"$":"0209"},"firstname":{"$":"James"},"lastname":{"$":"Aranow"},"street":{"$":"10 Any St."},"city":{"$":"Anytown"},"state":{"$":"AZ"},"zip":{"$":"22000"}},{"id":{"$":"0210"},"firstname":{"$":"Al"},"lastname":{"$":"Barker"},"street":{"$":"11 Any St."},"city":{"$":"Anytown"},"state":{"$":"AZ"},"zip":{"$":"22000"}},{"id":{"$":"0211"},"firstname":{"$":"Bob"},"lastname":{"$":"Barker"},"street":{"$":"12 Any St."},"city":{"$":"Anytown"},"state":{"$":"AZ"},"zip":{"$":"22000"}},{"id":{"$":"0212"},"firstname":{"$":"Charles"},"lastname":{"$":"Barker"},"street":{"$":"13 Any St."},"city":{"$":"Anytown"},"state":{"$":"AZ"},"zip":{"$":"22000"}},{"id":{"$":"0213"},"firstname":{"$":"David"},"lastname":{"$":"Barker"},"street":{"$":"14 Any St."},"city":{"$":"Anytown"},"state":{"$":"AZ"},"zip":{"$":"22000"}},{"id":{"$":"0214"},"firstname":{"$":"Egon"},"lastname":{"$":"Barker"},"street":{"$":"15 Any St."},"city":{"$":"Anytown"},"state":{"$":"AZ"},"zip":{"$":"22000"}},{"id":{"$":"0215"},"firstname":{"$":"Farbood"},"lastname":{"$":"Barker"},"street":{"$":"16 Any St."},"city":{"$":"Anytown"},"state":{"$":"AZ"},"zip":{"$":"22000"}},{"id":{"$":"0216"},"firstname":{"$":"George"},"lastname":{"$":"Barker"},"street":{"$":"17 Any St."},"city":{"$":"Anytown"},"state":{"$":"AZ"},"zip":{"$":"22000"}},{"id":{"$":"0217"},"firstname":{"$":"Hank"},"lastname":{"$":"Barker"},"street":{"$":"18 Any St."},"city":{"$":"Anytown"},"state":{"$":"AZ"},"zip":{"$":"22000"}},{"id":{"$":"0218"},"firstname":{"$":"Inki"},"lastname":{"$":"Barker"},"street":{"$":"19 Any St."},"city":{"$":"Anytown"},"state":{"$":"AZ"},"zip":{"$":"22000"}},{"id":{"$":"0219"},"firstname":{"$":"James"},"lastname":{"$":"Barker"},"street":{"$":"20 Any St."},"city":{"$":"Anytown"},"state":{"$":"AZ"},"zip":{"$":"22000"}},{"id":{"$":"0220"},"firstname":{"$":"Al"},"lastname":{"$":"Corsetti"},"street":{"$":"21 Any St."},"city":{"$":"Anytown"},"state":{"$":"AZ"},"zip":{"$":"22000"}},{"id":{"$":"0221"},"firstname":{"$":"Bob"},"lastname":{"$":"Corsetti"},"street":{"$":"22 Any St."},"city":{"$":"Anytown"},"state":{"$":"AZ"},"zip":{"$":"22000"}},{"id":{"$":"0222"},"firstname":{"$":"Charles"},"lastname":{"$":"Corsetti"},"street":{"$":"23 Any St."},"city":{"$":"Anytown"},"state":{"$":"AZ"},"zip":{"$":"22000"}},{"id":{"$":"0223"},"firstname":{"$":"David"},"lastname":{"$":"Corsetti"},"street":{"$":"24 Any St."},"city":{"$":"Anytown"},"state":{"$":"AZ"},"zip":{"$":"22000"}},{"id":{"$":"0224"},"firstname":{"$":"Egon"},"lastname":{"$":"Corsetti"},"street":{"$":"25 Any St."},"city":{"$":"Anytown"},"state":{"$":"AZ"},"zip":{"$":"22000"}},{"id":{"$":"0225"},"firstname":{"$":"Farbood"},"lastname":{"$":"Corsetti"},"street":{"$":"26 Any St."},"city":{"$":"Anytown"},"state":{"$":"AZ"},"zip":{"$":"22000"}},{"id":{"$":"0226"},"firstname":{"$":"George"},"lastname":{"$":"Corsetti"},"street":{"$":"27 Any St."},"city":{"$":"Anytown"},"state":{"$":"AZ"},"zip":{"$":"22000"}},{"id":{"$":"0227"},"firstname":{"$":"Hank"},"lastname":{"$":"Corsetti"},"street":{"$":"28 Any St."},"city":{"$":"Anytown"},"state":{"$":"AZ"},"zip":{"$":"22000"}},{"id":{"$":"0228"},"firstname":{"$":"Inki"},"lastname":{"$":"Corsetti"},"street":{"$":"29 Any St."},"city":{"$":"Anytown"},"state":{"$":"AZ"},"zip":{"$":"22000"}},{"id":{"$":"0229"},"firstname":{"$":"James"},"lastname":{"$":"Corsetti"},"street":{"$":"30 Any St."},"city":{"$":"Anytown"},"state":{"$":"AZ"},"zip":{"$":"22000"}},{"id":{"$":"0230"},"firstname":{"$":"Al"},"lastname":{"$":"Dershowitz"},"street":{"$":"31 Any St."},"city":{"$":"Anytown"},"state":{"$":"AZ"},"zip":{"$":"22000"}},{"id":{"$":"0231"},"firstname":{"$":"Bob"},"lastname":{"$":"Dershowitz"},"street":{"$":"32 Any St."},"city":{"$":"Anytown"},"state":{"$":"AZ"},"zip":{"$":"22000"}},{"id":{"$":"0232"},"firstname":{"$":"Charles"},"lastname":{"$":"Dershowitz"},"street":{"$":"33 Any St."},"city":{"$":"Anytown"},"state":{"$":"AZ"},"zip":{"$":"22000"}},{"id":{"$":"0233"},"firstname":{"$":"David"},"lastname":{"$":"Dershowitz"},"street":{"$":"34 Any St."},"city":{"$":"Anytown"},"state":{"$":"AZ"},"zip":{"$":"22000"}},{"id":{"$":"0234"},"firstname":{"$":"Egon"},"lastname":{"$":"Dershowitz"},"street":{"$":"35 Any St."},"city":{"$":"Anytown"},"state":{"$":"AZ"},"zip":{"$":"22000"}},{"id":{"$":"0235"},"firstname":{"$":"Farbood"},"lastname":{"$":"Dershowitz"},"street":{"$":"36 Any St."},"city":{"$":"Anytown"},"state":{"$":"AZ"},"zip":{"$":"22000"}},{"id":{"$":"0236"},"firstname":{"$":"George"},"lastname":{"$":"Dershowitz"},"street":{"$":"37 Any St."},"city":{"$":"Anytown"},"state":{"$":"AZ"},"zip":{"$":"22000"}},{"id":{"$":"0237"},"firstname":{"$":"Hank"},"lastname":{"$":"Dershowitz"},"street":{"$":"38 Any St."},"city":{"$":"Anytown"},"state":{"$":"AZ"},"zip":{"$":"22000"}},{"id":{"$":"0238"},"firstname":{"$":"Inki"},"lastname":{"$":"Dershowitz"},"street":{"$":"39 Any St."},"city":{"$":"Anytown"},"state":{"$":"AZ"},"zip":{"$":"22000"}},{"id":{"$":"0239"},"firstname":{"$":"James"},"lastname":{"$":"Dershowitz"},"street":{"$":"40 Any St."},"city":{"$":"Anytown"},"state":{"$":"AZ"},"zip":{"$":"22000"}},{"id":{"$":"0240"},"firstname":{"$":"Al"},"lastname":{"$":"Engleman"},"street":{"$":"41 Any St."},"city":{"$":"Anytown"},"state":{"$":"AZ"},"zip":{"$":"22000"}},{"id":{"$":"0241"},"firstname":{"$":"Bob"},"lastname":{"$":"Engleman"},"street":{"$":"42 Any St."},"city":{"$":"Anytown"},"state":{"$":"AZ"},"zip":{"$":"22000"}},{"id":{"$":"0242"},"firstname":{"$":"Charles"},"lastname":{"$":"Engleman"},"street":{"$":"43 Any St."},"city":{"$":"Anytown"},"state":{"$":"AZ"},"zip":{"$":"22000"}},{"id":{"$":"0243"},"firstname":{"$":"David"},"lastname":{"$":"Engleman"},"street":{"$":"44 Any St."},"city":{"$":"Anytown"},"state":{"$":"AZ"},"zip":{"$":"22000"}},{"id":{"$":"0244"},"firstname":{"$":"Egon"},"lastname":{"$":"Engleman"},"street":{"$":"45 Any St."},"city":{"$":"Anytown"},"state":{"$":"AZ"},"zip":{"$":"22000"}},{"id":{"$":"0245"},"firstname":{"$":"Farbood"},"lastname":{"$":"Engleman"},"street":{"$":"46 Any St."},"city":{"$":"Anytown"},"state":{"$":"AZ"},"zip":{"$":"22000"}},{"id":{"$":"0246"},"firstname":{"$":"George"},"lastname":{"$":"Engleman"},"street":{"$":"47 Any St."},"city":{"$":"Anytown"},"state":{"$":"AZ"},"zip":{"$":"22000"}},{"id":{"$":"0247"},"firstname":{"$":"Hank"},"lastname":{"$":"Engleman"},"street":{"$":"48 Any St."},"city":{"$":"Anytown"},"state":{"$":"AZ"},"zip":{"$":"22000"}},{"id":{"$":"0248"},"firstname":{"$":"Inki"},"lastname":{"$":"Engleman"},"street":{"$":"49 Any St."},"city":{"$":"Anytown"},"state":{"$":"AZ"},"zip":{"$":"22000"}},{"id":{"$":"0249"},"firstname":{"$":"James"},"lastname":{"$":"Engleman"},"street":{"$":"50 Any St."},"city":{"$":"Anytown"},"state":{"$":"AZ"},"zip":{"$":"22000"}},{"id":{"$":"0250"},"firstname":{"$":"Al"},"lastname":{"$":"Franklin"},"street":{"$":"51 Any St."},"city":{"$":"Anytown"},"state":{"$":"AZ"},"zip":{"$":"22000"}},{"id":{"$":"0251"},"firstname":{"$":"Bob"},"lastname":{"$":"Franklin"},"street":{"$":"52 Any St."},"city":{"$":"Anytown"},"state":{"$":"AZ"},"zip":{"$":"22000"}},{"id":{"$":"0252"},"firstname":{"$":"Charles"},"lastname":{"$":"Franklin"},"street":{"$":"53 Any St."},"city":{"$":"Anytown"},"state":{"$":"AZ"},"zip":{"$":"22000"}},{"id":{"$":"0253"},"firstname":{"$":"David"},"lastname":{"$":"Franklin"},"street":{"$":"54 Any St."},"city":{"$":"Anytown"},"state":{"$":"AZ"},"zip":{"$":"22000"}},{"id":{"$":"0254"},"firstname":{"$":"Egon"},"lastname":{"$":"Franklin"},"street":{"$":"55 Any St."},"city":{"$":"Anytown"},"state":{"$":"AZ"},"zip":{"$":"22000"}},{"id":{"$":"0255"},"firstname":{"$":"Farbood"},"lastname":{"$":"Franklin"},"street":{"$":"56 Any St."},"city":{"$":"Anytown"},"state":{"$":"AZ"},"zip":{"$":"22000"}},{"id":{"$":"0256"},"firstname":{"$":"George"},"lastname":{"$":"Franklin"},"street":{"$":"57 Any St."},"city":{"$":"Anytown"},"state":{"$":"AZ"},"zip":{"$":"22000"}},{"id":{"$":"0257"},"firstname":{"$":"Hank"},"lastname":{"$":"Franklin"},"street":{"$":"58 Any St."},"city":{"$":"Anytown"},"state":{"$":"AZ"},"zip":{"$":"22000"}},{"id":{"$":"0258"},"firstname":{"$":"Inki"},"lastname":{"$":"Franklin"},"street":{"$":"59 Any St."},"city":{"$":"Anytown"},"state":{"$":"AZ"},"zip":{"$":"22000"}},{"id":{"$":"0259"},"firstname":{"$":"James"},"lastname":{"$":"Franklin"},"street":{"$":"60 Any St."},"city":{"$":"Anytown"},"state":{"$":"AZ"},"zip":{"$":"22000"}},{"id":{"$":"0260"},"firstname":{"$":"Al"},"lastname":{"$":"Grice"},"street":{"$":"61 Any St."},"city":{"$":"Anytown"},"state":{"$":"AZ"},"zip":{"$":"22000"}},{"id":{"$":"0261"},"firstname":{"$":"Bob"},"lastname":{"$":"Grice"},"street":{"$":"62 Any St."},"city":{"$":"Anytown"},"state":{"$":"AZ"},"zip":{"$":"22000"}},{"id":{"$":"0262"},"firstname":{"$":"Charles"},"lastname":{"$":"Grice"},"street":{"$":"63 Any St."},"city":{"$":"Anytown"},"state":{"$":"AZ"},"zip":{"$":"22000"}},{"id":{"$":"0263"},"firstname":{"$":"David"},"lastname":{"$":"Grice"},"street":{"$":"64 Any St."},"city":{"$":"Anytown"},"state":{"$":"AZ"},"zip":{"$":"22000"}},{"id":{"$":"0264"},"firstname":{"$":"Egon"},"lastname":{"$":"Grice"},"street":{"$":"65 Any St."},"city":{"$":"Anytown"},"state":{"$":"AZ"},"zip":{"$":"22000"}},{"id":{"$":"0265"},"firstname":{"$":"Farbood"},"lastname":{"$":"Grice"},"street":{"$":"66 Any St."},"city":{"$":"Anytown"},"state":{"$":"AZ"},"zip":{"$":"22000"}},{"id":{"$":"0266"},"firstname":{"$":"George"},"lastname":{"$":"Grice"},"street":{"$":"67 Any St."},"city":{"$":"Anytown"},"state":{"$":"AZ"},"zip":{"$":"22000"}},{"id":{"$":"0267"},"firstname":{"$":"Hank"},"lastname":{"$":"Grice"},"street":{"$":"68 Any St."},"city":{"$":"Anytown"},"state":{"$":"AZ"},"zip":{"$":"22000"}},{"id":{"$":"0268"},"firstname":{"$":"Inki"},"lastname":{"$":"Grice"},"street":{"$":"69 Any St."},"city":{"$":"Anytown"},"state":{"$":"AZ"},"zip":{"$":"22000"}},{"id":{"$":"0269"},"firstname":{"$":"James"},"lastname":{"$":"Grice"},"street":{"$":"70 Any St."},"city":{"$":"Anytown"},"state":{"$":"AZ"},"zip":{"$":"22000"}},{"id":{"$":"0270"},"firstname":{"$":"Al"},"lastname":{"$":"Haverford"},"street":{"$":"71 Any St."},"city":{"$":"Anytown"},"state":{"$":"AZ"},"zip":{"$":"22000"}},{"id":{"$":"0271"},"firstname":{"$":"Bob"},"lastname":{"$":"Haverford"},"street":{"$":"72 Any St."},"city":{"$":"Anytown"},"state":{"$":"AZ"},"zip":{"$":"22000"}},{"id":{"$":"0272"},"firstname":{"$":"Charles"},"lastname":{"$":"Haverford"},"street":{"$":"73 Any St."},"city":{"$":"Anytown"},"state":{"$":"AZ"},"zip":{"$":"22000"}},{"id":{"$":"0273"},"firstname":{"$":"David"},"lastname":{"$":"Haverford"},"street":{"$":"74 Any St."},"city":{"$":"Anytown"},"state":{"$":"AZ"},"zip":{"$":"22000"}},{"id":{"$":"0274"},"firstname":{"$":"Egon"},"lastname":{"$":"Haverford"},"street":{"$":"75 Any St."},"city":{"$":"Anytown"},"state":{"$":"AZ"},"zip":{"$":"22000"}},{"id":{"$":"0275"},"firstname":{"$":"Farbood"},"lastname":{"$":"Haverford"},"street":{"$":"76 Any St."},"city":{"$":"Anytown"},"state":{"$":"AZ"},"zip":{"$":"22000"}},{"id":{"$":"0276"},"firstname":{"$":"George"},"lastname":{"$":"Haverford"},"street":{"$":"77 Any St."},"city":{"$":"Anytown"},"state":{"$":"AZ"},"zip":{"$":"22000"}},{"id":{"$":"0277"},"firstname":{"$":"Hank"},"lastname":{"$":"Haverford"},"street":{"$":"78 Any St."},"city":{"$":"Anytown"},"state":{"$":"AZ"},"zip":{"$":"22000"}},{"id":{"$":"0278"},"firstname":{"$":"Inki"},"lastname":{"$":"Haverford"},"street":{"$":"79 Any St."},"city":{"$":"Anytown"},"state":{"$":"AZ"},"zip":{"$":"22000"}},{"id":{"$":"0279"},"firstname":{"$":"James"},"lastname":{"$":"Haverford"},"street":{"$":"80 Any St."},"city":{"$":"Anytown"},"state":{"$":"AZ"},"zip":{"$":"22000"}},{"id":{"$":"0280"},"firstname":{"$":"Al"},"lastname":{"$":"Ilvedson"},"street":{"$":"81 Any St."},"city":{"$":"Anytown"},"state":{"$":"AZ"},"zip":{"$":"22000"}},{"id":{"$":"0281"},"firstname":{"$":"Bob"},"lastname":{"$":"Ilvedson"},"street":{"$":"82 Any St."},"city":{"$":"Anytown"},"state":{"$":"AZ"},"zip":{"$":"22000"}},{"id":{"$":"0282"},"firstname":{"$":"Charles"},"lastname":{"$":"Ilvedson"},"street":{"$":"83 Any St."},"city":{"$":"Anytown"},"state":{"$":"AZ"},"zip":{"$":"22000"}},{"id":{"$":"0283"},"firstname":{"$":"David"},"lastname":{"$":"Ilvedson"},"street":{"$":"84 Any St."},"city":{"$":"Anytown"},"state":{"$":"AZ"},"zip":{"$":"22000"}},{"id":{"$":"0284"},"firstname":{"$":"Egon"},"lastname":{"$":"Ilvedson"},"street":{"$":"85 Any St."},"city":{"$":"Anytown"},"state":{"$":"AZ"},"zip":{"$":"22000"}},{"id":{"$":"0285"},"firstname":{"$":"Farbood"},"lastname":{"$":"Ilvedson"},"street":{"$":"86 Any St."},"city":{"$":"Anytown"},"state":{"$":"AZ"},"zip":{"$":"22000"}},{"id":{"$":"0286"},"firstname":{"$":"George"},"lastname":{"$":"Ilvedson"},"street":{"$":"87 Any St."},"city":{"$":"Anytown"},"state":{"$":"AZ"},"zip":{"$":"22000"}},{"id":{"$":"0287"},"firstname":{"$":"Hank"},"lastname":{"$":"Ilvedson"},"street":{"$":"88 Any St."},"city":{"$":"Anytown"},"state":{"$":"AZ"},"zip":{"$":"22000"}},{"id":{"$":"0288"},"firstname":{"$":"Inki"},"lastname":{"$":"Ilvedson"},"street":{"$":"89 Any St."},"city":{"$":"Anytown"},"state":{"$":"AZ"},"zip":{"$":"22000"}},{"id":{"$":"0289"},"firstname":{"$":"James"},"lastname":{"$":"Ilvedson"},"street":{"$":"90 Any St."},"city":{"$":"Anytown"},"state":{"$":"AZ"},"zip":{"$":"22000"}},{"id":{"$":"0290"},"firstname":{"$":"Al"},"lastname":{"$":"Jones"},"street":{"$":"91 Any St."},"city":{"$":"Anytown"},"state":{"$":"AZ"},"zip":{"$":"22000"}},{"id":{"$":"0291"},"firstname":{"$":"Bob"},"lastname":{"$":"Jones"},"street":{"$":"92 Any St."},"city":{"$":"Anytown"},"state":{"$":"AZ"},"zip":{"$":"22000"}},{"id":{"$":"0292"},"firstname":{"$":"Charles"},"lastname":{"$":"Jones"},"street":{"$":"93 Any St."},"city":{"$":"Anytown"},"state":{"$":"AZ"},"zip":{"$":"22000"}},{"id":{"$":"0293"},"firstname":{"$":"David"},"lastname":{"$":"Jones"},"street":{"$":"94 Any St."},"city":{"$":"Anytown"},"state":{"$":"AZ"},"zip":{"$":"22000"}},{"id":{"$":"0294"},"firstname":{"$":"Egon"},"lastname":{"$":"Jones"},"street":{"$":"95 Any St."},"city":{"$":"Anytown"},"state":{"$":"AZ"},"zip":{"$":"22000"}},{"id":{"$":"0295"},"firstname":{"$":"Farbood"},"lastname":{"$":"Jones"},"street":{"$":"96 Any St."},"city":{"$":"Anytown"},"state":{"$":"AZ"},"zip":{"$":"22000"}},{"id":{"$":"0296"},"firstname":{"$":"George"},"lastname":{"$":"Jones"},"street":{"$":"97 Any St."},"city":{"$":"Anytown"},"state":{"$":"AZ"},"zip":{"$":"22000"}},{"id":{"$":"0297"},"firstname":{"$":"Hank"},"lastname":{"$":"Jones"},"street":{"$":"98 Any St."},"city":{"$":"Anytown"},"state":{"$":"AZ"},"zip":{"$":"22000"}},{"id":{"$":"0298"},"firstname":{"$":"Inki"},"lastname":{"$":"Jones"},"street":{"$":"99 Any St."},"city":{"$":"Anytown"},"state":{"$":"AZ"},"zip":{"$":"22000"}},{"id":{"$":"0299"},"firstname":{"$":"James"},"lastname":{"$":"Jones"},"street":{"$":"100 Any St."},"city":{"$":"Anytown"},"state":{"$":"AZ"},"zip":{"$":"22000"}},{"id":{"$":"0300"},"firstname":{"$":"Al"},"lastname":{"$":"Aranow"},"street":{"$":"1 Any St."},"city":{"$":"Anytown"},"state":{"$":"AR"},"zip":{"$":"22000"}},{"id":{"$":"0301"},"firstname":{"$":"Bob"},"lastname":{"$":"Aranow"},"street":{"$":"2 Any St."},"city":{"$":"Anytown"},"state":{"$":"AR"},"zip":{"$":"22000"}},{"id":{"$":"0302"},"firstname":{"$":"Charles"},"lastname":{"$":"Aranow"},"street":{"$":"3 Any St."},"city":{"$":"Anytown"},"state":{"$":"AR"},"zip":{"$":"22000"}},{"id":{"$":"0303"},"firstname":{"$":"David"},"lastname":{"$":"Aranow"},"street":{"$":"4 Any St."},"city":{"$":"Anytown"},"state":{"$":"AR"},"zip":{"$":"22000"}},{"id":{"$":"0304"},"firstname":{"$":"Egon"},"lastname":{"$":"Aranow"},"street":{"$":"5 Any St."},"city":{"$":"Anytown"},"state":{"$":"AR"},"zip":{"$":"22000"}},{"id":{"$":"0305"},"firstname":{"$":"Farbood"},"lastname":{"$":"Aranow"},"street":{"$":"6 Any St."},"city":{"$":"Anytown"},"state":{"$":"AR"},"zip":{"$":"22000"}},{"id":{"$":"0306"},"firstname":{"$":"George"},"lastname":{"$":"Aranow"},"street":{"$":"7 Any St."},"city":{"$":"Anytown"},"state":{"$":"AR"},"zip":{"$":"22000"}},{"id":{"$":"0307"},"firstname":{"$":"Hank"},"lastname":{"$":"Aranow"},"street":{"$":"8 Any St."},"city":{"$":"Anytown"},"state":{"$":"AR"},"zip":{"$":"22000"}},{"id":{"$":"0308"},"firstname":{"$":"Inki"},"lastname":{"$":"Aranow"},"street":{"$":"9 Any St."},"city":{"$":"Anytown"},"state":{"$":"AR"},"zip":{"$":"22000"}},{"id":{"$":"0309"},"firstname":{"$":"James"},"lastname":{"$":"Aranow"},"street":{"$":"10 Any St."},"city":{"$":"Anytown"},"state":{"$":"AR"},"zip":{"$":"22000"}},{"id":{"$":"0310"},"firstname":{"$":"Al"},"lastname":{"$":"Barker"},"street":{"$":"11 Any St."},"city":{"$":"Anytown"},"state":{"$":"AR"},"zip":{"$":"22000"}},{"id":{"$":"0311"},"firstname":{"$":"Bob"},"lastname":{"$":"Barker"},"street":{"$":"12 Any St."},"city":{"$":"Anytown"},"state":{"$":"AR"},"zip":{"$":"22000"}},{"id":{"$":"0312"},"firstname":{"$":"Charles"},"lastname":{"$":"Barker"},"street":{"$":"13 Any St."},"city":{"$":"Anytown"},"state":{"$":"AR"},"zip":{"$":"22000"}},{"id":{"$":"0313"},"firstname":{"$":"David"},"lastname":{"$":"Barker"},"street":{"$":"14 Any St."},"city":{"$":"Anytown"},"state":{"$":"AR"},"zip":{"$":"22000"}},{"id":{"$":"0314"},"firstname":{"$":"Egon"},"lastname":{"$":"Barker"},"street":{"$":"15 Any St."},"city":{"$":"Anytown"},"state":{"$":"AR"},"zip":{"$":"22000"}},{"id":{"$":"0315"},"firstname":{"$":"Farbood"},"lastname":{"$":"Barker"},"street":{"$":"16 Any St."},"city":{"$":"Anytown"},"state":{"$":"AR"},"zip":{"$":"22000"}},{"id":{"$":"0316"},"firstname":{"$":"George"},"lastname":{"$":"Barker"},"street":{"$":"17 Any St."},"city":{"$":"Anytown"},"state":{"$":"AR"},"zip":{"$":"22000"}},{"id":{"$":"0317"},"firstname":{"$":"Hank"},"lastname":{"$":"Barker"},"street":{"$":"18 Any St."},"city":{"$":"Anytown"},"state":{"$":"AR"},"zip":{"$":"22000"}},{"id":{"$":"0318"},"firstname":{"$":"Inki"},"lastname":{"$":"Barker"},"street":{"$":"19 Any St."},"city":{"$":"Anytown"},"state":{"$":"AR"},"zip":{"$":"22000"}},{"id":{"$":"0319"},"firstname":{"$":"James"},"lastname":{"$":"Barker"},"street":{"$":"20 Any St."},"city":{"$":"Anytown"},"state":{"$":"AR"},"zip":{"$":"22000"}},{"id":{"$":"0320"},"firstname":{"$":"Al"},"lastname":{"$":"Corsetti"},"street":{"$":"21 Any St."},"city":{"$":"Anytown"},"state":{"$":"AR"},"zip":{"$":"22000"}},{"id":{"$":"0321"},"firstname":{"$":"Bob"},"lastname":{"$":"Corsetti"},"street":{"$":"22 Any St."},"city":{"$":"Anytown"},"state":{"$":"AR"},"zip":{"$":"22000"}},{"id":{"$":"0322"},"firstname":{"$":"Charles"},"lastname":{"$":"Corsetti"},"street":{"$":"23 Any St."},"city":{"$":"Anytown"},"state":{"$":"AR"},"zip":{"$":"22000"}},{"id":{"$":"0323"},"firstname":{"$":"David"},"lastname":{"$":"Corsetti"},"street":{"$":"24 Any St."},"city":{"$":"Anytown"},"state":{"$":"AR"},"zip":{"$":"22000"}},{"id":{"$":"0324"},"firstname":{"$":"Egon"},"lastname":{"$":"Corsetti"},"street":{"$":"25 Any St."},"city":{"$":"Anytown"},"state":{"$":"AR"},"zip":{"$":"22000"}},{"id":{"$":"0325"},"firstname":{"$":"Farbood"},"lastname":{"$":"Corsetti"},"street":{"$":"26 Any St."},"city":{"$":"Anytown"},"state":{"$":"AR"},"zip":{"$":"22000"}},{"id":{"$":"0326"},"firstname":{"$":"George"},"lastname":{"$":"Corsetti"},"street":{"$":"27 Any St."},"city":{"$":"Anytown"},"state":{"$":"AR"},"zip":{"$":"22000"}},{"id":{"$":"0327"},"firstname":{"$":"Hank"},"lastname":{"$":"Corsetti"},"street":{"$":"28 Any St."},"city":{"$":"Anytown"},"state":{"$":"AR"},"zip":{"$":"22000"}},{"id":{"$":"0328"},"firstname":{"$":"Inki"},"lastname":{"$":"Corsetti"},"street":{"$":"29 Any St."},"city":{"$":"Anytown"},"state":{"$":"AR"},"zip":{"$":"22000"}},{"id":{"$":"0329"},"firstname":{"$":"James"},"lastname":{"$":"Corsetti"},"street":{"$":"30 Any St."},"city":{"$":"Anytown"},"state":{"$":"AR"},"zip":{"$":"22000"}},{"id":{"$":"0330"},"firstname":{"$":"Al"},"lastname":{"$":"Dershowitz"},"street":{"$":"31 Any St."},"city":{"$":"Anytown"},"state":{"$":"AR"},"zip":{"$":"22000"}},{"id":{"$":"0331"},"firstname":{"$":"Bob"},"lastname":{"$":"Dershowitz"},"street":{"$":"32 Any St."},"city":{"$":"Anytown"},"state":{"$":"AR"},"zip":{"$":"22000"}},{"id":{"$":"0332"},"firstname":{"$":"Charles"},"lastname":{"$":"Dershowitz"},"street":{"$":"33 Any St."},"city":{"$":"Anytown"},"state":{"$":"AR"},"zip":{"$":"22000"}},{"id":{"$":"0333"},"firstname":{"$":"David"},"lastname":{"$":"Dershowitz"},"street":{"$":"34 Any St."},"city":{"$":"Anytown"},"state":{"$":"AR"},"zip":{"$":"22000"}},{"id":{"$":"0334"},"firstname":{"$":"Egon"},"lastname":{"$":"Dershowitz"},"street":{"$":"35 Any St."},"city":{"$":"Anytown"},"state":{"$":"AR"},"zip":{"$":"22000"}},{"id":{"$":"0335"},"firstname":{"$":"Farbood"},"lastname":{"$":"Dershowitz"},"street":{"$":"36 Any St."},"city":{"$":"Anytown"},"state":{"$":"AR"},"zip":{"$":"22000"}},{"id":{"$":"0336"},"firstname":{"$":"George"},"lastname":{"$":"Dershowitz"},"street":{"$":"37 Any St."},"city":{"$":"Anytown"},"state":{"$":"AR"},"zip":{"$":"22000"}},{"id":{"$":"0337"},"firstname":{"$":"Hank"},"lastname":{"$":"Dershowitz"},"street":{"$":"38 Any St."},"city":{"$":"Anytown"},"state":{"$":"AR"},"zip":{"$":"22000"}},{"id":{"$":"0338"},"firstname":{"$":"Inki"},"lastname":{"$":"Dershowitz"},"street":{"$":"39 Any St."},"city":{"$":"Anytown"},"state":{"$":"AR"},"zip":{"$":"22000"}},{"id":{"$":"0339"},"firstname":{"$":"James"},"lastname":{"$":"Dershowitz"},"street":{"$":"40 Any St."},"city":{"$":"Anytown"},"state":{"$":"AR"},"zip":{"$":"22000"}},{"id":{"$":"0340"},"firstname":{"$":"Al"},"lastname":{"$":"Engleman"},"street":{"$":"41 Any St."},"city":{"$":"Anytown"},"state":{"$":"AR"},"zip":{"$":"22000"}},{"id":{"$":"0341"},"firstname":{"$":"Bob"},"lastname":{"$":"Engleman"},"street":{"$":"42 Any St."},"city":{"$":"Anytown"},"state":{"$":"AR"},"zip":{"$":"22000"}},{"id":{"$":"0342"},"firstname":{"$":"Charles"},"lastname":{"$":"Engleman"},"street":{"$":"43 Any St."},"city":{"$":"Anytown"},"state":{"$":"AR"},"zip":{"$":"22000"}},{"id":{"$":"0343"},"firstname":{"$":"David"},"lastname":{"$":"Engleman"},"street":{"$":"44 Any St."},"city":{"$":"Anytown"},"state":{"$":"AR"},"zip":{"$":"22000"}},{"id":{"$":"0344"},"firstname":{"$":"Egon"},"lastname":{"$":"Engleman"},"street":{"$":"45 Any St."},"city":{"$":"Anytown"},"state":{"$":"AR"},"zip":{"$":"22000"}},{"id":{"$":"0345"},"firstname":{"$":"Farbood"},"lastname":{"$":"Engleman"},"street":{"$":"46 Any St."},"city":{"$":"Anytown"},"state":{"$":"AR"},"zip":{"$":"22000"}},{"id":{"$":"0346"},"firstname":{"$":"George"},"lastname":{"$":"Engleman"},"street":{"$":"47 Any St."},"city":{"$":"Anytown"},"state":{"$":"AR"},"zip":{"$":"22000"}},{"id":{"$":"0347"},"firstname":{"$":"Hank"},"lastname":{"$":"Engleman"},"street":{"$":"48 Any St."},"city":{"$":"Anytown"},"state":{"$":"AR"},"zip":{"$":"22000"}},{"id":{"$":"0348"},"firstname":{"$":"Inki"},"lastname":{"$":"Engleman"},"street":{"$":"49 Any St."},"city":{"$":"Anytown"},"state":{"$":"AR"},"zip":{"$":"22000"}},{"id":{"$":"0349"},"firstname":{"$":"James"},"lastname":{"$":"Engleman"},"street":{"$":"50 Any St."},"city":{"$":"Anytown"},"state":{"$":"AR"},"zip":{"$":"22000"}},{"id":{"$":"0350"},"firstname":{"$":"Al"},"lastname":{"$":"Franklin"},"street":{"$":"51 Any St."},"city":{"$":"Anytown"},"state":{"$":"AR"},"zip":{"$":"22000"}},{"id":{"$":"0351"},"firstname":{"$":"Bob"},"lastname":{"$":"Franklin"},"street":{"$":"52 Any St."},"city":{"$":"Anytown"},"state":{"$":"AR"},"zip":{"$":"22000"}},{"id":{"$":"0352"},"firstname":{"$":"Charles"},"lastname":{"$":"Franklin"},"street":{"$":"53 Any St."},"city":{"$":"Anytown"},"state":{"$":"AR"},"zip":{"$":"22000"}},{"id":{"$":"0353"},"firstname":{"$":"David"},"lastname":{"$":"Franklin"},"street":{"$":"54 Any St."},"city":{"$":"Anytown"},"state":{"$":"AR"},"zip":{"$":"22000"}},{"id":{"$":"0354"},"firstname":{"$":"Egon"},"lastname":{"$":"Franklin"},"street":{"$":"55 Any St."},"city":{"$":"Anytown"},"state":{"$":"AR"},"zip":{"$":"22000"}},{"id":{"$":"0355"},"firstname":{"$":"Farbood"},"lastname":{"$":"Franklin"},"street":{"$":"56 Any St."},"city":{"$":"Anytown"},"state":{"$":"AR"},"zip":{"$":"22000"}},{"id":{"$":"0356"},"firstname":{"$":"George"},"lastname":{"$":"Franklin"},"street":{"$":"57 Any St."},"city":{"$":"Anytown"},"state":{"$":"AR"},"zip":{"$":"22000"}},{"id":{"$":"0357"},"firstname":{"$":"Hank"},"lastname":{"$":"Franklin"},"street":{"$":"58 Any St."},"city":{"$":"Anytown"},"state":{"$":"AR"},"zip":{"$":"22000"}},{"id":{"$":"0358"},"firstname":{"$":"Inki"},"lastname":{"$":"Franklin"},"street":{"$":"59 Any St."},"city":{"$":"Anytown"},"state":{"$":"AR"},"zip":{"$":"22000"}},{"id":{"$":"0359"},"firstname":{"$":"James"},"lastname":{"$":"Franklin"},"street":{"$":"60 Any St."},"city":{"$":"Anytown"},"state":{"$":"AR"},"zip":{"$":"22000"}},{"id":{"$":"0360"},"firstname":{"$":"Al"},"lastname":{"$":"Grice"},"street":{"$":"61 Any St."},"city":{"$":"Anytown"},"state":{"$":"AR"},"zip":{"$":"22000"}},{"id":{"$":"0361"},"firstname":{"$":"Bob"},"lastname":{"$":"Grice"},"street":{"$":"62 Any St."},"city":{"$":"Anytown"},"state":{"$":"AR"},"zip":{"$":"22000"}},{"id":{"$":"0362"},"firstname":{"$":"Charles"},"lastname":{"$":"Grice"},"street":{"$":"63 Any St."},"city":{"$":"Anytown"},"state":{"$":"AR"},"zip":{"$":"22000"}},{"id":{"$":"0363"},"firstname":{"$":"David"},"lastname":{"$":"Grice"},"street":{"$":"64 Any St."},"city":{"$":"Anytown"},"state":{"$":"AR"},"zip":{"$":"22000"}},{"id":{"$":"0364"},"firstname":{"$":"Egon"},"lastname":{"$":"Grice"},"street":{"$":"65 Any St."},"city":{"$":"Anytown"},"state":{"$":"AR"},"zip":{"$":"22000"}},{"id":{"$":"0365"},"firstname":{"$":"Farbood"},"lastname":{"$":"Grice"},"street":{"$":"66 Any St."},"city":{"$":"Anytown"},"state":{"$":"AR"},"zip":{"$":"22000"}},{"id":{"$":"0366"},"firstname":{"$":"George"},"lastname":{"$":"Grice"},"street":{"$":"67 Any St."},"city":{"$":"Anytown"},"state":{"$":"AR"},"zip":{"$":"22000"}},{"id":{"$":"0367"},"firstname":{"$":"Hank"},"lastname":{"$":"Grice"},"street":{"$":"68 Any St."},"city":{"$":"Anytown"},"state":{"$":"AR"},"zip":{"$":"22000"}},{"id":{"$":"0368"},"firstname":{"$":"Inki"},"lastname":{"$":"Grice"},"street":{"$":"69 Any St."},"city":{"$":"Anytown"},"state":{"$":"AR"},"zip":{"$":"22000"}},{"id":{"$":"0369"},"firstname":{"$":"James"},"lastname":{"$":"Grice"},"street":{"$":"70 Any St."},"city":{"$":"Anytown"},"state":{"$":"AR"},"zip":{"$":"22000"}},{"id":{"$":"0370"},"firstname":{"$":"Al"},"lastname":{"$":"Haverford"},"street":{"$":"71 Any St."},"city":{"$":"Anytown"},"state":{"$":"AR"},"zip":{"$":"22000"}},{"id":{"$":"0371"},"firstname":{"$":"Bob"},"lastname":{"$":"Haverford"},"street":{"$":"72 Any St."},"city":{"$":"Anytown"},"state":{"$":"AR"},"zip":{"$":"22000"}},{"id":{"$":"0372"},"firstname":{"$":"Charles"},"lastname":{"$":"Haverford"},"street":{"$":"73 Any St."},"city":{"$":"Anytown"},"state":{"$":"AR"},"zip":{"$":"22000"}},{"id":{"$":"0373"},"firstname":{"$":"David"},"lastname":{"$":"Haverford"},"street":{"$":"74 Any St."},"city":{"$":"Anytown"},"state":{"$":"AR"},"zip":{"$":"22000"}},{"id":{"$":"0374"},"firstname":{"$":"Egon"},"lastname":{"$":"Haverford"},"street":{"$":"75 Any St."},"city":{"$":"Anytown"},"state":{"$":"AR"},"zip":{"$":"22000"}},{"id":{"$":"0375"},"firstname":{"$":"Farbood"},"lastname":{"$":"Haverford"},"street":{"$":"76 Any St."},"city":{"$":"Anytown"},"state":{"$":"AR"},"zip":{"$":"22000"}},{"id":{"$":"0376"},"firstname":{"$":"George"},"lastname":{"$":"Haverford"},"street":{"$":"77 Any St."},"city":{"$":"Anytown"},"state":{"$":"AR"},"zip":{"$":"22000"}},{"id":{"$":"0377"},"firstname":{"$":"Hank"},"lastname":{"$":"Haverford"},"street":{"$":"78 Any St."},"city":{"$":"Anytown"},"state":{"$":"AR"},"zip":{"$":"22000"}},{"id":{"$":"0378"},"firstname":{"$":"Inki"},"lastname":{"$":"Haverford"},"street":{"$":"79 Any St."},"city":{"$":"Anytown"},"state":{"$":"AR"},"zip":{"$":"22000"}},{"id":{"$":"0379"},"firstname":{"$":"James"},"lastname":{"$":"Haverford"},"street":{"$":"80 Any St."},"city":{"$":"Anytown"},"state":{"$":"AR"},"zip":{"$":"22000"}},{"id":{"$":"0380"},"firstname":{"$":"Al"},"lastname":{"$":"Ilvedson"},"street":{"$":"81 Any St."},"city":{"$":"Anytown"},"state":{"$":"AR"},"zip":{"$":"22000"}},{"id":{"$":"0381"},"firstname":{"$":"Bob"},"lastname":{"$":"Ilvedson"},"street":{"$":"82 Any St."},"city":{"$":"Anytown"},"state":{"$":"AR"},"zip":{"$":"22000"}},{"id":{"$":"0382"},"firstname":{"$":"Charles"},"lastname":{"$":"Ilvedson"},"street":{"$":"83 Any St."},"city":{"$":"Anytown"},"state":{"$":"AR"},"zip":{"$":"22000"}},{"id":{"$":"0383"},"firstname":{"$":"David"},"lastname":{"$":"Ilvedson"},"street":{"$":"84 Any St."},"city":{"$":"Anytown"},"state":{"$":"AR"},"zip":{"$":"22000"}},{"id":{"$":"0384"},"firstname":{"$":"Egon"},"lastname":{"$":"Ilvedson"},"street":{"$":"85 Any St."},"city":{"$":"Anytown"},"state":{"$":"AR"},"zip":{"$":"22000"}},{"id":{"$":"0385"},"firstname":{"$":"Farbood"},"lastname":{"$":"Ilvedson"},"street":{"$":"86 Any St."},"city":{"$":"Anytown"},"state":{"$":"AR"},"zip":{"$":"22000"}},{"id":{"$":"0386"},"firstname":{"$":"George"},"lastname":{"$":"Ilvedson"},"street":{"$":"87 Any St."},"city":{"$":"Anytown"},"state":{"$":"AR"},"zip":{"$":"22000"}},{"id":{"$":"0387"},"firstname":{"$":"Hank"},"lastname":{"$":"Ilvedson"},"street":{"$":"88 Any St."},"city":{"$":"Anytown"},"state":{"$":"AR"},"zip":{"$":"22000"}},{"id":{"$":"0388"},"firstname":{"$":"Inki"},"lastname":{"$":"Ilvedson"},"street":{"$":"89 Any St."},"city":{"$":"Anytown"},"state":{"$":"AR"},"zip":{"$":"22000"}},{"id":{"$":"0389"},"firstname":{"$":"James"},"lastname":{"$":"Ilvedson"},"street":{"$":"90 Any St."},"city":{"$":"Anytown"},"state":{"$":"AR"},"zip":{"$":"22000"}},{"id":{"$":"0390"},"firstname":{"$":"Al"},"lastname":{"$":"Jones"},"street":{"$":"91 Any St."},"city":{"$":"Anytown"},"state":{"$":"AR"},"zip":{"$":"22000"}},{"id":{"$":"0391"},"firstname":{"$":"Bob"},"lastname":{"$":"Jones"},"street":{"$":"92 Any St."},"city":{"$":"Anytown"},"state":{"$":"AR"},"zip":{"$":"22000"}},{"id":{"$":"0392"},"firstname":{"$":"Charles"},"lastname":{"$":"Jones"},"street":{"$":"93 Any St."},"city":{"$":"Anytown"},"state":{"$":"AR"},"zip":{"$":"22000"}},{"id":{"$":"0393"},"firstname":{"$":"David"},"lastname":{"$":"Jones"},"street":{"$":"94 Any St."},"city":{"$":"Anytown"},"state":{"$":"AR"},"zip":{"$":"22000"}},{"id":{"$":"0394"},"firstname":{"$":"Egon"},"lastname":{"$":"Jones"},"street":{"$":"95 Any St."},"city":{"$":"Anytown"},"state":{"$":"AR"},"zip":{"$":"22000"}},{"id":{"$":"0395"},"firstname":{"$":"Farbood"},"lastname":{"$":"Jones"},"street":{"$":"96 Any St."},"city":{"$":"Anytown"},"state":{"$":"AR"},"zip":{"$":"22000"}},{"id":{"$":"0396"},"firstname":{"$":"George"},"lastname":{"$":"Jones"},"street":{"$":"97 Any St."},"city":{"$":"Anytown"},"state":{"$":"AR"},"zip":{"$":"22000"}},{"id":{"$":"0397"},"firstname":{"$":"Hank"},"lastname":{"$":"Jones"},"street":{"$":"98 Any St."},"city":{"$":"Anytown"},"state":{"$":"AR"},"zip":{"$":"22000"}},{"id":{"$":"0398"},"firstname":{"$":"Inki"},"lastname":{"$":"Jones"},"street":{"$":"99 Any St."},"city":{"$":"Anytown"},"state":{"$":"AR"},"zip":{"$":"22000"}},{"id":{"$":"0399"},"firstname":{"$":"James"},"lastname":{"$":"Jones"},"street":{"$":"100 Any St."},"city":{"$":"Anytown"},"state":{"$":"AR"},"zip":{"$":"22000"}},{"id":{"$":"0400"},"firstname":{"$":"Al"},"lastname":{"$":"Aranow"},"street":{"$":"1 Any St."},"city":{"$":"Anytown"},"state":{"$":"CA"},"zip":{"$":"22000"}},{"id":{"$":"0401"},"firstname":{"$":"Bob"},"lastname":{"$":"Aranow"},"street":{"$":"2 Any St."},"city":{"$":"Anytown"},"state":{"$":"CA"},"zip":{"$":"22000"}},{"id":{"$":"0402"},"firstname":{"$":"Charles"},"lastname":{"$":"Aranow"},"street":{"$":"3 Any St."},"city":{"$":"Anytown"},"state":{"$":"CA"},"zip":{"$":"22000"}},{"id":{"$":"0403"},"firstname":{"$":"David"},"lastname":{"$":"Aranow"},"street":{"$":"4 Any St."},"city":{"$":"Anytown"},"state":{"$":"CA"},"zip":{"$":"22000"}},{"id":{"$":"0404"},"firstname":{"$":"Egon"},"lastname":{"$":"Aranow"},"street":{"$":"5 Any St."},"city":{"$":"Anytown"},"state":{"$":"CA"},"zip":{"$":"22000"}},{"id":{"$":"0405"},"firstname":{"$":"Farbood"},"lastname":{"$":"Aranow"},"street":{"$":"6 Any St."},"city":{"$":"Anytown"},"state":{"$":"CA"},"zip":{"$":"22000"}},{"id":{"$":"0406"},"firstname":{"$":"George"},"lastname":{"$":"Aranow"},"street":{"$":"7 Any St."},"city":{"$":"Anytown"},"state":{"$":"CA"},"zip":{"$":"22000"}},{"id":{"$":"0407"},"firstname":{"$":"Hank"},"lastname":{"$":"Aranow"},"street":{"$":"8 Any St."},"city":{"$":"Anytown"},"state":{"$":"CA"},"zip":{"$":"22000"}},{"id":{"$":"0408"},"firstname":{"$":"Inki"},"lastname":{"$":"Aranow"},"street":{"$":"9 Any St."},"city":{"$":"Anytown"},"state":{"$":"CA"},"zip":{"$":"22000"}},{"id":{"$":"0409"},"firstname":{"$":"James"},"lastname":{"$":"Aranow"},"street":{"$":"10 Any St."},"city":{"$":"Anytown"},"state":{"$":"CA"},"zip":{"$":"22000"}},{"id":{"$":"0410"},"firstname":{"$":"Al"},"lastname":{"$":"Barker"},"street":{"$":"11 Any St."},"city":{"$":"Anytown"},"state":{"$":"CA"},"zip":{"$":"22000"}},{"id":{"$":"0411"},"firstname":{"$":"Bob"},"lastname":{"$":"Barker"},"street":{"$":"12 Any St."},"city":{"$":"Anytown"},"state":{"$":"CA"},"zip":{"$":"22000"}},{"id":{"$":"0412"},"firstname":{"$":"Charles"},"lastname":{"$":"Barker"},"street":{"$":"13 Any St."},"city":{"$":"Anytown"},"state":{"$":"CA"},"zip":{"$":"22000"}},{"id":{"$":"0413"},"firstname":{"$":"David"},"lastname":{"$":"Barker"},"street":{"$":"14 Any St."},"city":{"$":"Anytown"},"state":{"$":"CA"},"zip":{"$":"22000"}},{"id":{"$":"0414"},"firstname":{"$":"Egon"},"lastname":{"$":"Barker"},"street":{"$":"15 Any St."},"city":{"$":"Anytown"},"state":{"$":"CA"},"zip":{"$":"22000"}},{"id":{"$":"0415"},"firstname":{"$":"Farbood"},"lastname":{"$":"Barker"},"street":{"$":"16 Any St."},"city":{"$":"Anytown"},"state":{"$":"CA"},"zip":{"$":"22000"}},{"id":{"$":"0416"},"firstname":{"$":"George"},"lastname":{"$":"Barker"},"street":{"$":"17 Any St."},"city":{"$":"Anytown"},"state":{"$":"CA"},"zip":{"$":"22000"}},{"id":{"$":"0417"},"firstname":{"$":"Hank"},"lastname":{"$":"Barker"},"street":{"$":"18 Any St."},"city":{"$":"Anytown"},"state":{"$":"CA"},"zip":{"$":"22000"}},{"id":{"$":"0418"},"firstname":{"$":"Inki"},"lastname":{"$":"Barker"},"street":{"$":"19 Any St."},"city":{"$":"Anytown"},"state":{"$":"CA"},"zip":{"$":"22000"}},{"id":{"$":"0419"},"firstname":{"$":"James"},"lastname":{"$":"Barker"},"street":{"$":"20 Any St."},"city":{"$":"Anytown"},"state":{"$":"CA"},"zip":{"$":"22000"}},{"id":{"$":"0420"},"firstname":{"$":"Al"},"lastname":{"$":"Corsetti"},"street":{"$":"21 Any St."},"city":{"$":"Anytown"},"state":{"$":"CA"},"zip":{"$":"22000"}},{"id":{"$":"0421"},"firstname":{"$":"Bob"},"lastname":{"$":"Corsetti"},"street":{"$":"22 Any St."},"city":{"$":"Anytown"},"state":{"$":"CA"},"zip":{"$":"22000"}},{"id":{"$":"0422"},"firstname":{"$":"Charles"},"lastname":{"$":"Corsetti"},"street":{"$":"23 Any St."},"city":{"$":"Anytown"},"state":{"$":"CA"},"zip":{"$":"22000"}},{"id":{"$":"0423"},"firstname":{"$":"David"},"lastname":{"$":"Corsetti"},"street":{"$":"24 Any St."},"city":{"$":"Anytown"},"state":{"$":"CA"},"zip":{"$":"22000"}},{"id":{"$":"0424"},"firstname":{"$":"Egon"},"lastname":{"$":"Corsetti"},"street":{"$":"25 Any St."},"city":{"$":"Anytown"},"state":{"$":"CA"},"zip":{"$":"22000"}},{"id":{"$":"0425"},"firstname":{"$":"Farbood"},"lastname":{"$":"Corsetti"},"street":{"$":"26 Any St."},"city":{"$":"Anytown"},"state":{"$":"CA"},"zip":{"$":"22000"}},{"id":{"$":"0426"},"firstname":{"$":"George"},"lastname":{"$":"Corsetti"},"street":{"$":"27 Any St."},"city":{"$":"Anytown"},"state":{"$":"CA"},"zip":{"$":"22000"}},{"id":{"$":"0427"},"firstname":{"$":"Hank"},"lastname":{"$":"Corsetti"},"street":{"$":"28 Any St."},"city":{"$":"Anytown"},"state":{"$":"CA"},"zip":{"$":"22000"}},{"id":{"$":"0428"},"firstname":{"$":"Inki"},"lastname":{"$":"Corsetti"},"street":{"$":"29 Any St."},"city":{"$":"Anytown"},"state":{"$":"CA"},"zip":{"$":"22000"}},{"id":{"$":"0429"},"firstname":{"$":"James"},"lastname":{"$":"Corsetti"},"street":{"$":"30 Any St."},"city":{"$":"Anytown"},"state":{"$":"CA"},"zip":{"$":"22000"}},{"id":{"$":"0430"},"firstname":{"$":"Al"},"lastname":{"$":"Dershowitz"},"street":{"$":"31 Any St."},"city":{"$":"Anytown"},"state":{"$":"CA"},"zip":{"$":"22000"}},{"id":{"$":"0431"},"firstname":{"$":"Bob"},"lastname":{"$":"Dershowitz"},"street":{"$":"32 Any St."},"city":{"$":"Anytown"},"state":{"$":"CA"},"zip":{"$":"22000"}},{"id":{"$":"0432"},"firstname":{"$":"Charles"},"lastname":{"$":"Dershowitz"},"street":{"$":"33 Any St."},"city":{"$":"Anytown"},"state":{"$":"CA"},"zip":{"$":"22000"}},{"id":{"$":"0433"},"firstname":{"$":"David"},"lastname":{"$":"Dershowitz"},"street":{"$":"34 Any St."},"city":{"$":"Anytown"},"state":{"$":"CA"},"zip":{"$":"22000"}},{"id":{"$":"0434"},"firstname":{"$":"Egon"},"lastname":{"$":"Dershowitz"},"street":{"$":"35 Any St."},"city":{"$":"Anytown"},"state":{"$":"CA"},"zip":{"$":"22000"}},{"id":{"$":"0435"},"firstname":{"$":"Farbood"},"lastname":{"$":"Dershowitz"},"street":{"$":"36 Any St."},"city":{"$":"Anytown"},"state":{"$":"CA"},"zip":{"$":"22000"}},{"id":{"$":"0436"},"firstname":{"$":"George"},"lastname":{"$":"Dershowitz"},"street":{"$":"37 Any St."},"city":{"$":"Anytown"},"state":{"$":"CA"},"zip":{"$":"22000"}},{"id":{"$":"0437"},"firstname":{"$":"Hank"},"lastname":{"$":"Dershowitz"},"street":{"$":"38 Any St."},"city":{"$":"Anytown"},"state":{"$":"CA"},"zip":{"$":"22000"}},{"id":{"$":"0438"},"firstname":{"$":"Inki"},"lastname":{"$":"Dershowitz"},"street":{"$":"39 Any St."},"city":{"$":"Anytown"},"state":{"$":"CA"},"zip":{"$":"22000"}},{"id":{"$":"0439"},"firstname":{"$":"James"},"lastname":{"$":"Dershowitz"},"street":{"$":"40 Any St."},"city":{"$":"Anytown"},"state":{"$":"CA"},"zip":{"$":"22000"}},{"id":{"$":"0440"},"firstname":{"$":"Al"},"lastname":{"$":"Engleman"},"street":{"$":"41 Any St."},"city":{"$":"Anytown"},"state":{"$":"CA"},"zip":{"$":"22000"}},{"id":{"$":"0441"},"firstname":{"$":"Bob"},"lastname":{"$":"Engleman"},"street":{"$":"42 Any St."},"city":{"$":"Anytown"},"state":{"$":"CA"},"zip":{"$":"22000"}},{"id":{"$":"0442"},"firstname":{"$":"Charles"},"lastname":{"$":"Engleman"},"street":{"$":"43 Any St."},"city":{"$":"Anytown"},"state":{"$":"CA"},"zip":{"$":"22000"}},{"id":{"$":"0443"},"firstname":{"$":"David"},"lastname":{"$":"Engleman"},"street":{"$":"44 Any St."},"city":{"$":"Anytown"},"state":{"$":"CA"},"zip":{"$":"22000"}},{"id":{"$":"0444"},"firstname":{"$":"Egon"},"lastname":{"$":"Engleman"},"street":{"$":"45 Any St."},"city":{"$":"Anytown"},"state":{"$":"CA"},"zip":{"$":"22000"}},{"id":{"$":"0445"},"firstname":{"$":"Farbood"},"lastname":{"$":"Engleman"},"street":{"$":"46 Any St."},"city":{"$":"Anytown"},"state":{"$":"CA"},"zip":{"$":"22000"}},{"id":{"$":"0446"},"firstname":{"$":"George"},"lastname":{"$":"Engleman"},"street":{"$":"47 Any St."},"city":{"$":"Anytown"},"state":{"$":"CA"},"zip":{"$":"22000"}},{"id":{"$":"0447"},"firstname":{"$":"Hank"},"lastname":{"$":"Engleman"},"street":{"$":"48 Any St."},"city":{"$":"Anytown"},"state":{"$":"CA"},"zip":{"$":"22000"}},{"id":{"$":"0448"},"firstname":{"$":"Inki"},"lastname":{"$":"Engleman"},"street":{"$":"49 Any St."},"city":{"$":"Anytown"},"state":{"$":"CA"},"zip":{"$":"22000"}},{"id":{"$":"0449"},"firstname":{"$":"James"},"lastname":{"$":"Engleman"},"street":{"$":"50 Any St."},"city":{"$":"Anytown"},"state":{"$":"CA"},"zip":{"$":"22000"}},{"id":{"$":"0450"},"firstname":{"$":"Al"},"lastname":{"$":"Franklin"},"street":{"$":"51 Any St."},"city":{"$":"Anytown"},"state":{"$":"CA"},"zip":{"$":"22000"}},{"id":{"$":"0451"},"firstname":{"$":"Bob"},"lastname":{"$":"Franklin"},"street":{"$":"52 Any St."},"city":{"$":"Anytown"},"state":{"$":"CA"},"zip":{"$":"22000"}},{"id":{"$":"0452"},"firstname":{"$":"Charles"},"lastname":{"$":"Franklin"},"street":{"$":"53 Any St."},"city":{"$":"Anytown"},"state":{"$":"CA"},"zip":{"$":"22000"}},{"id":{"$":"0453"},"firstname":{"$":"David"},"lastname":{"$":"Franklin"},"street":{"$":"54 Any St."},"city":{"$":"Anytown"},"state":{"$":"CA"},"zip":{"$":"22000"}},{"id":{"$":"0454"},"firstname":{"$":"Egon"},"lastname":{"$":"Franklin"},"street":{"$":"55 Any St."},"city":{"$":"Anytown"},"state":{"$":"CA"},"zip":{"$":"22000"}},{"id":{"$":"0455"},"firstname":{"$":"Farbood"},"lastname":{"$":"Franklin"},"street":{"$":"56 Any St."},"city":{"$":"Anytown"},"state":{"$":"CA"},"zip":{"$":"22000"}},{"id":{"$":"0456"},"firstname":{"$":"George"},"lastname":{"$":"Franklin"},"street":{"$":"57 Any St."},"city":{"$":"Anytown"},"state":{"$":"CA"},"zip":{"$":"22000"}},{"id":{"$":"0457"},"firstname":{"$":"Hank"},"lastname":{"$":"Franklin"},"street":{"$":"58 Any St."},"city":{"$":"Anytown"},"state":{"$":"CA"},"zip":{"$":"22000"}},{"id":{"$":"0458"},"firstname":{"$":"Inki"},"lastname":{"$":"Franklin"},"street":{"$":"59 Any St."},"city":{"$":"Anytown"},"state":{"$":"CA"},"zip":{"$":"22000"}},{"id":{"$":"0459"},"firstname":{"$":"James"},"lastname":{"$":"Franklin"},"street":{"$":"60 Any St."},"city":{"$":"Anytown"},"state":{"$":"CA"},"zip":{"$":"22000"}},{"id":{"$":"0460"},"firstname":{"$":"Al"},"lastname":{"$":"Grice"},"street":{"$":"61 Any St."},"city":{"$":"Anytown"},"state":{"$":"CA"},"zip":{"$":"22000"}},{"id":{"$":"0461"},"firstname":{"$":"Bob"},"lastname":{"$":"Grice"},"street":{"$":"62 Any St."},"city":{"$":"Anytown"},"state":{"$":"CA"},"zip":{"$":"22000"}},{"id":{"$":"0462"},"firstname":{"$":"Charles"},"lastname":{"$":"Grice"},"street":{"$":"63 Any St."},"city":{"$":"Anytown"},"state":{"$":"CA"},"zip":{"$":"22000"}},{"id":{"$":"0463"},"firstname":{"$":"David"},"lastname":{"$":"Grice"},"street":{"$":"64 Any St."},"city":{"$":"Anytown"},"state":{"$":"CA"},"zip":{"$":"22000"}},{"id":{"$":"0464"},"firstname":{"$":"Egon"},"lastname":{"$":"Grice"},"street":{"$":"65 Any St."},"city":{"$":"Anytown"},"state":{"$":"CA"},"zip":{"$":"22000"}},{"id":{"$":"0465"},"firstname":{"$":"Farbood"},"lastname":{"$":"Grice"},"street":{"$":"66 Any St."},"city":{"$":"Anytown"},"state":{"$":"CA"},"zip":{"$":"22000"}},{"id":{"$":"0466"},"firstname":{"$":"George"},"lastname":{"$":"Grice"},"street":{"$":"67 Any St."},"city":{"$":"Anytown"},"state":{"$":"CA"},"zip":{"$":"22000"}},{"id":{"$":"0467"},"firstname":{"$":"Hank"},"lastname":{"$":"Grice"},"street":{"$":"68 Any St."},"city":{"$":"Anytown"},"state":{"$":"CA"},"zip":{"$":"22000"}},{"id":{"$":"0468"},"firstname":{"$":"Inki"},"lastname":{"$":"Grice"},"street":{"$":"69 Any St."},"city":{"$":"Anytown"},"state":{"$":"CA"},"zip":{"$":"22000"}},{"id":{"$":"0469"},"firstname":{"$":"James"},"lastname":{"$":"Grice"},"street":{"$":"70 Any St."},"city":{"$":"Anytown"},"state":{"$":"CA"},"zip":{"$":"22000"}},{"id":{"$":"0470"},"firstname":{"$":"Al"},"lastname":{"$":"Haverford"},"street":{"$":"71 Any St."},"city":{"$":"Anytown"},"state":{"$":"CA"},"zip":{"$":"22000"}},{"id":{"$":"0471"},"firstname":{"$":"Bob"},"lastname":{"$":"Haverford"},"street":{"$":"72 Any St."},"city":{"$":"Anytown"},"state":{"$":"CA"},"zip":{"$":"22000"}},{"id":{"$":"0472"},"firstname":{"$":"Charles"},"lastname":{"$":"Haverford"},"street":{"$":"73 Any St."},"city":{"$":"Anytown"},"state":{"$":"CA"},"zip":{"$":"22000"}},{"id":{"$":"0473"},"firstname":{"$":"David"},"lastname":{"$":"Haverford"},"street":{"$":"74 Any St."},"city":{"$":"Anytown"},"state":{"$":"CA"},"zip":{"$":"22000"}},{"id":{"$":"0474"},"firstname":{"$":"Egon"},"lastname":{"$":"Haverford"},"street":{"$":"75 Any St."},"city":{"$":"Anytown"},"state":{"$":"CA"},"zip":{"$":"22000"}},{"id":{"$":"0475"},"firstname":{"$":"Farbood"},"lastname":{"$":"Haverford"},"street":{"$":"76 Any St."},"city":{"$":"Anytown"},"state":{"$":"CA"},"zip":{"$":"22000"}},{"id":{"$":"0476"},"firstname":{"$":"George"},"lastname":{"$":"Haverford"},"street":{"$":"77 Any St."},"city":{"$":"Anytown"},"state":{"$":"CA"},"zip":{"$":"22000"}},{"id":{"$":"0477"},"firstname":{"$":"Hank"},"lastname":{"$":"Haverford"},"street":{"$":"78 Any St."},"city":{"$":"Anytown"},"state":{"$":"CA"},"zip":{"$":"22000"}},{"id":{"$":"0478"},"firstname":{"$":"Inki"},"lastname":{"$":"Haverford"},"street":{"$":"79 Any St."},"city":{"$":"Anytown"},"state":{"$":"CA"},"zip":{"$":"22000"}},{"id":{"$":"0479"},"firstname":{"$":"James"},"lastname":{"$":"Haverford"},"street":{"$":"80 Any St."},"city":{"$":"Anytown"},"state":{"$":"CA"},"zip":{"$":"22000"}},{"id":{"$":"0480"},"firstname":{"$":"Al"},"lastname":{"$":"Ilvedson"},"street":{"$":"81 Any St."},"city":{"$":"Anytown"},"state":{"$":"CA"},"zip":{"$":"22000"}},{"id":{"$":"0481"},"firstname":{"$":"Bob"},"lastname":{"$":"Ilvedson"},"street":{"$":"82 Any St."},"city":{"$":"Anytown"},"state":{"$":"CA"},"zip":{"$":"22000"}},{"id":{"$":"0482"},"firstname":{"$":"Charles"},"lastname":{"$":"Ilvedson"},"street":{"$":"83 Any St."},"city":{"$":"Anytown"},"state":{"$":"CA"},"zip":{"$":"22000"}},{"id":{"$":"0483"},"firstname":{"$":"David"},"lastname":{"$":"Ilvedson"},"street":{"$":"84 Any St."},"city":{"$":"Anytown"},"state":{"$":"CA"},"zip":{"$":"22000"}},{"id":{"$":"0484"},"firstname":{"$":"Egon"},"lastname":{"$":"Ilvedson"},"street":{"$":"85 Any St."},"city":{"$":"Anytown"},"state":{"$":"CA"},"zip":{"$":"22000"}},{"id":{"$":"0485"},"firstname":{"$":"Farbood"},"lastname":{"$":"Ilvedson"},"street":{"$":"86 Any St."},"city":{"$":"Anytown"},"state":{"$":"CA"},"zip":{"$":"22000"}},{"id":{"$":"0486"},"firstname":{"$":"George"},"lastname":{"$":"Ilvedson"},"street":{"$":"87 Any St."},"city":{"$":"Anytown"},"state":{"$":"CA"},"zip":{"$":"22000"}},{"id":{"$":"0487"},"firstname":{"$":"Hank"},"lastname":{"$":"Ilvedson"},"street":{"$":"88 Any St."},"city":{"$":"Anytown"},"state":{"$":"CA"},"zip":{"$":"22000"}},{"id":{"$":"0488"},"firstname":{"$":"Inki"},"lastname":{"$":"Ilvedson"},"street":{"$":"89 Any St."},"city":{"$":"Anytown"},"state":{"$":"CA"},"zip":{"$":"22000"}},{"id":{"$":"0489"},"firstname":{"$":"James"},"lastname":{"$":"Ilvedson"},"street":{"$":"90 Any St."},"city":{"$":"Anytown"},"state":{"$":"CA"},"zip":{"$":"22000"}},{"id":{"$":"0490"},"firstname":{"$":"Al"},"lastname":{"$":"Jones"},"street":{"$":"91 Any St."},"city":{"$":"Anytown"},"state":{"$":"CA"},"zip":{"$":"22000"}},{"id":{"$":"0491"},"firstname":{"$":"Bob"},"lastname":{"$":"Jones"},"street":{"$":"92 Any St."},"city":{"$":"Anytown"},"state":{"$":"CA"},"zip":{"$":"22000"}},{"id":{"$":"0492"},"firstname":{"$":"Charles"},"lastname":{"$":"Jones"},"street":{"$":"93 Any St."},"city":{"$":"Anytown"},"state":{"$":"CA"},"zip":{"$":"22000"}},{"id":{"$":"0493"},"firstname":{"$":"David"},"lastname":{"$":"Jones"},"street":{"$":"94 Any St."},"city":{"$":"Anytown"},"state":{"$":"CA"},"zip":{"$":"22000"}},{"id":{"$":"0494"},"firstname":{"$":"Egon"},"lastname":{"$":"Jones"},"street":{"$":"95 Any St."},"city":{"$":"Anytown"},"state":{"$":"CA"},"zip":{"$":"22000"}},{"id":{"$":"0495"},"firstname":{"$":"Farbood"},"lastname":{"$":"Jones"},"street":{"$":"96 Any St."},"city":{"$":"Anytown"},"state":{"$":"CA"},"zip":{"$":"22000"}},{"id":{"$":"0496"},"firstname":{"$":"George"},"lastname":{"$":"Jones"},"street":{"$":"97 Any St."},"city":{"$":"Anytown"},"state":{"$":"CA"},"zip":{"$":"22000"}},{"id":{"$":"0497"},"firstname":{"$":"Hank"},"lastname":{"$":"Jones"},"street":{"$":"98 Any St."},"city":{"$":"Anytown"},"state":{"$":"CA"},"zip":{"$":"22000"}},{"id":{"$":"0498"},"firstname":{"$":"Inki"},"lastname":{"$":"Jones"},"street":{"$":"99 Any St."},"city":{"$":"Anytown"},"state":{"$":"CA"},"zip":{"$":"22000"}},{"id":{"$":"0499"},"firstname":{"$":"James"},"lastname":{"$":"Jones"},"street":{"$":"100 Any St."},"city":{"$":"Anytown"},"state":{"$":"CA"},"zip":{"$":"22000"}},{"id":{"$":"0500"},"firstname":{"$":"Al"},"lastname":{"$":"Aranow"},"street":{"$":"1 Any St."},"city":{"$":"Anytown"},"state":{"$":"CO"},"zip":{"$":"22000"}},{"id":{"$":"0501"},"firstname":{"$":"Bob"},"lastname":{"$":"Aranow"},"street":{"$":"2 Any St."},"city":{"$":"Anytown"},"state":{"$":"CO"},"zip":{"$":"22000"}},{"id":{"$":"0502"},"firstname":{"$":"Charles"},"lastname":{"$":"Aranow"},"street":{"$":"3 Any St."},"city":{"$":"Anytown"},"state":{"$":"CO"},"zip":{"$":"22000"}},{"id":{"$":"0503"},"firstname":{"$":"David"},"lastname":{"$":"Aranow"},"street":{"$":"4 Any St."},"city":{"$":"Anytown"},"state":{"$":"CO"},"zip":{"$":"22000"}},{"id":{"$":"0504"},"firstname":{"$":"Egon"},"lastname":{"$":"Aranow"},"street":{"$":"5 Any St."},"city":{"$":"Anytown"},"state":{"$":"CO"},"zip":{"$":"22000"}},{"id":{"$":"0505"},"firstname":{"$":"Farbood"},"lastname":{"$":"Aranow"},"street":{"$":"6 Any St."},"city":{"$":"Anytown"},"state":{"$":"CO"},"zip":{"$":"22000"}},{"id":{"$":"0506"},"firstname":{"$":"George"},"lastname":{"$":"Aranow"},"street":{"$":"7 Any St."},"city":{"$":"Anytown"},"state":{"$":"CO"},"zip":{"$":"22000"}},{"id":{"$":"0507"},"firstname":{"$":"Hank"},"lastname":{"$":"Aranow"},"street":{"$":"8 Any St."},"city":{"$":"Anytown"},"state":{"$":"CO"},"zip":{"$":"22000"}},{"id":{"$":"0508"},"firstname":{"$":"Inki"},"lastname":{"$":"Aranow"},"street":{"$":"9 Any St."},"city":{"$":"Anytown"},"state":{"$":"CO"},"zip":{"$":"22000"}},{"id":{"$":"0509"},"firstname":{"$":"James"},"lastname":{"$":"Aranow"},"street":{"$":"10 Any St."},"city":{"$":"Anytown"},"state":{"$":"CO"},"zip":{"$":"22000"}},{"id":{"$":"0510"},"firstname":{"$":"Al"},"lastname":{"$":"Barker"},"street":{"$":"11 Any St."},"city":{"$":"Anytown"},"state":{"$":"CO"},"zip":{"$":"22000"}},{"id":{"$":"0511"},"firstname":{"$":"Bob"},"lastname":{"$":"Barker"},"street":{"$":"12 Any St."},"city":{"$":"Anytown"},"state":{"$":"CO"},"zip":{"$":"22000"}},{"id":{"$":"0512"},"firstname":{"$":"Charles"},"lastname":{"$":"Barker"},"street":{"$":"13 Any St."},"city":{"$":"Anytown"},"state":{"$":"CO"},"zip":{"$":"22000"}},{"id":{"$":"0513"},"firstname":{"$":"David"},"lastname":{"$":"Barker"},"street":{"$":"14 Any St."},"city":{"$":"Anytown"},"state":{"$":"CO"},"zip":{"$":"22000"}},{"id":{"$":"0514"},"firstname":{"$":"Egon"},"lastname":{"$":"Barker"},"street":{"$":"15 Any St."},"city":{"$":"Anytown"},"state":{"$":"CO"},"zip":{"$":"22000"}},{"id":{"$":"0515"},"firstname":{"$":"Farbood"},"lastname":{"$":"Barker"},"street":{"$":"16 Any St."},"city":{"$":"Anytown"},"state":{"$":"CO"},"zip":{"$":"22000"}},{"id":{"$":"0516"},"firstname":{"$":"George"},"lastname":{"$":"Barker"},"street":{"$":"17 Any St."},"city":{"$":"Anytown"},"state":{"$":"CO"},"zip":{"$":"22000"}},{"id":{"$":"0517"},"firstname":{"$":"Hank"},"lastname":{"$":"Barker"},"street":{"$":"18 Any St."},"city":{"$":"Anytown"},"state":{"$":"CO"},"zip":{"$":"22000"}},{"id":{"$":"0518"},"firstname":{"$":"Inki"},"lastname":{"$":"Barker"},"street":{"$":"19 Any St."},"city":{"$":"Anytown"},"state":{"$":"CO"},"zip":{"$":"22000"}},{"id":{"$":"0519"},"firstname":{"$":"James"},"lastname":{"$":"Barker"},"street":{"$":"20 Any St."},"city":{"$":"Anytown"},"state":{"$":"CO"},"zip":{"$":"22000"}},{"id":{"$":"0520"},"firstname":{"$":"Al"},"lastname":{"$":"Corsetti"},"street":{"$":"21 Any St."},"city":{"$":"Anytown"},"state":{"$":"CO"},"zip":{"$":"22000"}},{"id":{"$":"0521"},"firstname":{"$":"Bob"},"lastname":{"$":"Corsetti"},"street":{"$":"22 Any St."},"city":{"$":"Anytown"},"state":{"$":"CO"},"zip":{"$":"22000"}},{"id":{"$":"0522"},"firstname":{"$":"Charles"},"lastname":{"$":"Corsetti"},"street":{"$":"23 Any St."},"city":{"$":"Anytown"},"state":{"$":"CO"},"zip":{"$":"22000"}},{"id":{"$":"0523"},"firstname":{"$":"David"},"lastname":{"$":"Corsetti"},"street":{"$":"24 Any St."},"city":{"$":"Anytown"},"state":{"$":"CO"},"zip":{"$":"22000"}},{"id":{"$":"0524"},"firstname":{"$":"Egon"},"lastname":{"$":"Corsetti"},"street":{"$":"25 Any St."},"city":{"$":"Anytown"},"state":{"$":"CO"},"zip":{"$":"22000"}},{"id":{"$":"0525"},"firstname":{"$":"Farbood"},"lastname":{"$":"Corsetti"},"street":{"$":"26 Any St."},"city":{"$":"Anytown"},"state":{"$":"CO"},"zip":{"$":"22000"}},{"id":{"$":"0526"},"firstname":{"$":"George"},"lastname":{"$":"Corsetti"},"street":{"$":"27 Any St."},"city":{"$":"Anytown"},"state":{"$":"CO"},"zip":{"$":"22000"}},{"id":{"$":"0527"},"firstname":{"$":"Hank"},"lastname":{"$":"Corsetti"},"street":{"$":"28 Any St."},"city":{"$":"Anytown"},"state":{"$":"CO"},"zip":{"$":"22000"}},{"id":{"$":"0528"},"firstname":{"$":"Inki"},"lastname":{"$":"Corsetti"},"street":{"$":"29 Any St."},"city":{"$":"Anytown"},"state":{"$":"CO"},"zip":{"$":"22000"}},{"id":{"$":"0529"},"firstname":{"$":"James"},"lastname":{"$":"Corsetti"},"street":{"$":"30 Any St."},"city":{"$":"Anytown"},"state":{"$":"CO"},"zip":{"$":"22000"}},{"id":{"$":"0530"},"firstname":{"$":"Al"},"lastname":{"$":"Dershowitz"},"street":{"$":"31 Any St."},"city":{"$":"Anytown"},"state":{"$":"CO"},"zip":{"$":"22000"}},{"id":{"$":"0531"},"firstname":{"$":"Bob"},"lastname":{"$":"Dershowitz"},"street":{"$":"32 Any St."},"city":{"$":"Anytown"},"state":{"$":"CO"},"zip":{"$":"22000"}},{"id":{"$":"0532"},"firstname":{"$":"Charles"},"lastname":{"$":"Dershowitz"},"street":{"$":"33 Any St."},"city":{"$":"Anytown"},"state":{"$":"CO"},"zip":{"$":"22000"}},{"id":{"$":"0533"},"firstname":{"$":"David"},"lastname":{"$":"Dershowitz"},"street":{"$":"34 Any St."},"city":{"$":"Anytown"},"state":{"$":"CO"},"zip":{"$":"22000"}},{"id":{"$":"0534"},"firstname":{"$":"Egon"},"lastname":{"$":"Dershowitz"},"street":{"$":"35 Any St."},"city":{"$":"Anytown"},"state":{"$":"CO"},"zip":{"$":"22000"}},{"id":{"$":"0535"},"firstname":{"$":"Farbood"},"lastname":{"$":"Dershowitz"},"street":{"$":"36 Any St."},"city":{"$":"Anytown"},"state":{"$":"CO"},"zip":{"$":"22000"}},{"id":{"$":"0536"},"firstname":{"$":"George"},"lastname":{"$":"Dershowitz"},"street":{"$":"37 Any St."},"city":{"$":"Anytown"},"state":{"$":"CO"},"zip":{"$":"22000"}},{"id":{"$":"0537"},"firstname":{"$":"Hank"},"lastname":{"$":"Dershowitz"},"street":{"$":"38 Any St."},"city":{"$":"Anytown"},"state":{"$":"CO"},"zip":{"$":"22000"}},{"id":{"$":"0538"},"firstname":{"$":"Inki"},"lastname":{"$":"Dershowitz"},"street":{"$":"39 Any St."},"city":{"$":"Anytown"},"state":{"$":"CO"},"zip":{"$":"22000"}},{"id":{"$":"0539"},"firstname":{"$":"James"},"lastname":{"$":"Dershowitz"},"street":{"$":"40 Any St."},"city":{"$":"Anytown"},"state":{"$":"CO"},"zip":{"$":"22000"}},{"id":{"$":"0540"},"firstname":{"$":"Al"},"lastname":{"$":"Engleman"},"street":{"$":"41 Any St."},"city":{"$":"Anytown"},"state":{"$":"CO"},"zip":{"$":"22000"}},{"id":{"$":"0541"},"firstname":{"$":"Bob"},"lastname":{"$":"Engleman"},"street":{"$":"42 Any St."},"city":{"$":"Anytown"},"state":{"$":"CO"},"zip":{"$":"22000"}},{"id":{"$":"0542"},"firstname":{"$":"Charles"},"lastname":{"$":"Engleman"},"street":{"$":"43 Any St."},"city":{"$":"Anytown"},"state":{"$":"CO"},"zip":{"$":"22000"}},{"id":{"$":"0543"},"firstname":{"$":"David"},"lastname":{"$":"Engleman"},"street":{"$":"44 Any St."},"city":{"$":"Anytown"},"state":{"$":"CO"},"zip":{"$":"22000"}},{"id":{"$":"0544"},"firstname":{"$":"Egon"},"lastname":{"$":"Engleman"},"street":{"$":"45 Any St."},"city":{"$":"Anytown"},"state":{"$":"CO"},"zip":{"$":"22000"}},{"id":{"$":"0545"},"firstname":{"$":"Farbood"},"lastname":{"$":"Engleman"},"street":{"$":"46 Any St."},"city":{"$":"Anytown"},"state":{"$":"CO"},"zip":{"$":"22000"}},{"id":{"$":"0546"},"firstname":{"$":"George"},"lastname":{"$":"Engleman"},"street":{"$":"47 Any St."},"city":{"$":"Anytown"},"state":{"$":"CO"},"zip":{"$":"22000"}},{"id":{"$":"0547"},"firstname":{"$":"Hank"},"lastname":{"$":"Engleman"},"street":{"$":"48 Any St."},"city":{"$":"Anytown"},"state":{"$":"CO"},"zip":{"$":"22000"}},{"id":{"$":"0548"},"firstname":{"$":"Inki"},"lastname":{"$":"Engleman"},"street":{"$":"49 Any St."},"city":{"$":"Anytown"},"state":{"$":"CO"},"zip":{"$":"22000"}},{"id":{"$":"0549"},"firstname":{"$":"James"},"lastname":{"$":"Engleman"},"street":{"$":"50 Any St."},"city":{"$":"Anytown"},"state":{"$":"CO"},"zip":{"$":"22000"}},{"id":{"$":"0550"},"firstname":{"$":"Al"},"lastname":{"$":"Franklin"},"street":{"$":"51 Any St."},"city":{"$":"Anytown"},"state":{"$":"CO"},"zip":{"$":"22000"}},{"id":{"$":"0551"},"firstname":{"$":"Bob"},"lastname":{"$":"Franklin"},"street":{"$":"52 Any St."},"city":{"$":"Anytown"},"state":{"$":"CO"},"zip":{"$":"22000"}},{"id":{"$":"0552"},"firstname":{"$":"Charles"},"lastname":{"$":"Franklin"},"street":{"$":"53 Any St."},"city":{"$":"Anytown"},"state":{"$":"CO"},"zip":{"$":"22000"}},{"id":{"$":"0553"},"firstname":{"$":"David"},"lastname":{"$":"Franklin"},"street":{"$":"54 Any St."},"city":{"$":"Anytown"},"state":{"$":"CO"},"zip":{"$":"22000"}},{"id":{"$":"0554"},"firstname":{"$":"Egon"},"lastname":{"$":"Franklin"},"street":{"$":"55 Any St."},"city":{"$":"Anytown"},"state":{"$":"CO"},"zip":{"$":"22000"}},{"id":{"$":"0555"},"firstname":{"$":"Farbood"},"lastname":{"$":"Franklin"},"street":{"$":"56 Any St."},"city":{"$":"Anytown"},"state":{"$":"CO"},"zip":{"$":"22000"}},{"id":{"$":"0556"},"firstname":{"$":"George"},"lastname":{"$":"Franklin"},"street":{"$":"57 Any St."},"city":{"$":"Anytown"},"state":{"$":"CO"},"zip":{"$":"22000"}},{"id":{"$":"0557"},"firstname":{"$":"Hank"},"lastname":{"$":"Franklin"},"street":{"$":"58 Any St."},"city":{"$":"Anytown"},"state":{"$":"CO"},"zip":{"$":"22000"}},{"id":{"$":"0558"},"firstname":{"$":"Inki"},"lastname":{"$":"Franklin"},"street":{"$":"59 Any St."},"city":{"$":"Anytown"},"state":{"$":"CO"},"zip":{"$":"22000"}},{"id":{"$":"0559"},"firstname":{"$":"James"},"lastname":{"$":"Franklin"},"street":{"$":"60 Any St."},"city":{"$":"Anytown"},"state":{"$":"CO"},"zip":{"$":"22000"}},{"id":{"$":"0560"},"firstname":{"$":"Al"},"lastname":{"$":"Grice"},"street":{"$":"61 Any St."},"city":{"$":"Anytown"},"state":{"$":"CO"},"zip":{"$":"22000"}},{"id":{"$":"0561"},"firstname":{"$":"Bob"},"lastname":{"$":"Grice"},"street":{"$":"62 Any St."},"city":{"$":"Anytown"},"state":{"$":"CO"},"zip":{"$":"22000"}},{"id":{"$":"0562"},"firstname":{"$":"Charles"},"lastname":{"$":"Grice"},"street":{"$":"63 Any St."},"city":{"$":"Anytown"},"state":{"$":"CO"},"zip":{"$":"22000"}},{"id":{"$":"0563"},"firstname":{"$":"David"},"lastname":{"$":"Grice"},"street":{"$":"64 Any St."},"city":{"$":"Anytown"},"state":{"$":"CO"},"zip":{"$":"22000"}},{"id":{"$":"0564"},"firstname":{"$":"Egon"},"lastname":{"$":"Grice"},"street":{"$":"65 Any St."},"city":{"$":"Anytown"},"state":{"$":"CO"},"zip":{"$":"22000"}},{"id":{"$":"0565"},"firstname":{"$":"Farbood"},"lastname":{"$":"Grice"},"street":{"$":"66 Any St."},"city":{"$":"Anytown"},"state":{"$":"CO"},"zip":{"$":"22000"}},{"id":{"$":"0566"},"firstname":{"$":"George"},"lastname":{"$":"Grice"},"street":{"$":"67 Any St."},"city":{"$":"Anytown"},"state":{"$":"CO"},"zip":{"$":"22000"}},{"id":{"$":"0567"},"firstname":{"$":"Hank"},"lastname":{"$":"Grice"},"street":{"$":"68 Any St."},"city":{"$":"Anytown"},"state":{"$":"CO"},"zip":{"$":"22000"}},{"id":{"$":"0568"},"firstname":{"$":"Inki"},"lastname":{"$":"Grice"},"street":{"$":"69 Any St."},"city":{"$":"Anytown"},"state":{"$":"CO"},"zip":{"$":"22000"}},{"id":{"$":"0569"},"firstname":{"$":"James"},"lastname":{"$":"Grice"},"street":{"$":"70 Any St."},"city":{"$":"Anytown"},"state":{"$":"CO"},"zip":{"$":"22000"}},{"id":{"$":"0570"},"firstname":{"$":"Al"},"lastname":{"$":"Haverford"},"street":{"$":"71 Any St."},"city":{"$":"Anytown"},"state":{"$":"CO"},"zip":{"$":"22000"}},{"id":{"$":"0571"},"firstname":{"$":"Bob"},"lastname":{"$":"Haverford"},"street":{"$":"72 Any St."},"city":{"$":"Anytown"},"state":{"$":"CO"},"zip":{"$":"22000"}},{"id":{"$":"0572"},"firstname":{"$":"Charles"},"lastname":{"$":"Haverford"},"street":{"$":"73 Any St."},"city":{"$":"Anytown"},"state":{"$":"CO"},"zip":{"$":"22000"}},{"id":{"$":"0573"},"firstname":{"$":"David"},"lastname":{"$":"Haverford"},"street":{"$":"74 Any St."},"city":{"$":"Anytown"},"state":{"$":"CO"},"zip":{"$":"22000"}},{"id":{"$":"0574"},"firstname":{"$":"Egon"},"lastname":{"$":"Haverford"},"street":{"$":"75 Any St."},"city":{"$":"Anytown"},"state":{"$":"CO"},"zip":{"$":"22000"}},{"id":{"$":"0575"},"firstname":{"$":"Farbood"},"lastname":{"$":"Haverford"},"street":{"$":"76 Any St."},"city":{"$":"Anytown"},"state":{"$":"CO"},"zip":{"$":"22000"}},{"id":{"$":"0576"},"firstname":{"$":"George"},"lastname":{"$":"Haverford"},"street":{"$":"77 Any St."},"city":{"$":"Anytown"},"state":{"$":"CO"},"zip":{"$":"22000"}},{"id":{"$":"0577"},"firstname":{"$":"Hank"},"lastname":{"$":"Haverford"},"street":{"$":"78 Any St."},"city":{"$":"Anytown"},"state":{"$":"CO"},"zip":{"$":"22000"}},{"id":{"$":"0578"},"firstname":{"$":"Inki"},"lastname":{"$":"Haverford"},"street":{"$":"79 Any St."},"city":{"$":"Anytown"},"state":{"$":"CO"},"zip":{"$":"22000"}},{"id":{"$":"0579"},"firstname":{"$":"James"},"lastname":{"$":"Haverford"},"street":{"$":"80 Any St."},"city":{"$":"Anytown"},"state":{"$":"CO"},"zip":{"$":"22000"}},{"id":{"$":"0580"},"firstname":{"$":"Al"},"lastname":{"$":"Ilvedson"},"street":{"$":"81 Any St."},"city":{"$":"Anytown"},"state":{"$":"CO"},"zip":{"$":"22000"}},{"id":{"$":"0581"},"firstname":{"$":"Bob"},"lastname":{"$":"Ilvedson"},"street":{"$":"82 Any St."},"city":{"$":"Anytown"},"state":{"$":"CO"},"zip":{"$":"22000"}},{"id":{"$":"0582"},"firstname":{"$":"Charles"},"lastname":{"$":"Ilvedson"},"street":{"$":"83 Any St."},"city":{"$":"Anytown"},"state":{"$":"CO"},"zip":{"$":"22000"}},{"id":{"$":"0583"},"firstname":{"$":"David"},"lastname":{"$":"Ilvedson"},"street":{"$":"84 Any St."},"city":{"$":"Anytown"},"state":{"$":"CO"},"zip":{"$":"22000"}},{"id":{"$":"0584"},"firstname":{"$":"Egon"},"lastname":{"$":"Ilvedson"},"street":{"$":"85 Any St."},"city":{"$":"Anytown"},"state":{"$":"CO"},"zip":{"$":"22000"}},{"id":{"$":"0585"},"firstname":{"$":"Farbood"},"lastname":{"$":"Ilvedson"},"street":{"$":"86 Any St."},"city":{"$":"Anytown"},"state":{"$":"CO"},"zip":{"$":"22000"}},{"id":{"$":"0586"},"firstname":{"$":"George"},"lastname":{"$":"Ilvedson"},"street":{"$":"87 Any St."},"city":{"$":"Anytown"},"state":{"$":"CO"},"zip":{"$":"22000"}},{"id":{"$":"0587"},"firstname":{"$":"Hank"},"lastname":{"$":"Ilvedson"},"street":{"$":"88 Any St."},"city":{"$":"Anytown"},"state":{"$":"CO"},"zip":{"$":"22000"}},{"id":{"$":"0588"},"firstname":{"$":"Inki"},"lastname":{"$":"Ilvedson"},"street":{"$":"89 Any St."},"city":{"$":"Anytown"},"state":{"$":"CO"},"zip":{"$":"22000"}},{"id":{"$":"0589"},"firstname":{"$":"James"},"lastname":{"$":"Ilvedson"},"street":{"$":"90 Any St."},"city":{"$":"Anytown"},"state":{"$":"CO"},"zip":{"$":"22000"}},{"id":{"$":"0590"},"firstname":{"$":"Al"},"lastname":{"$":"Jones"},"street":{"$":"91 Any St."},"city":{"$":"Anytown"},"state":{"$":"CO"},"zip":{"$":"22000"}},{"id":{"$":"0591"},"firstname":{"$":"Bob"},"lastname":{"$":"Jones"},"street":{"$":"92 Any St."},"city":{"$":"Anytown"},"state":{"$":"CO"},"zip":{"$":"22000"}},{"id":{"$":"0592"},"firstname":{"$":"Charles"},"lastname":{"$":"Jones"},"street":{"$":"93 Any St."},"city":{"$":"Anytown"},"state":{"$":"CO"},"zip":{"$":"22000"}},{"id":{"$":"0593"},"firstname":{"$":"David"},"lastname":{"$":"Jones"},"street":{"$":"94 Any St."},"city":{"$":"Anytown"},"state":{"$":"CO"},"zip":{"$":"22000"}},{"id":{"$":"0594"},"firstname":{"$":"Egon"},"lastname":{"$":"Jones"},"street":{"$":"95 Any St."},"city":{"$":"Anytown"},"state":{"$":"CO"},"zip":{"$":"22000"}},{"id":{"$":"0595"},"firstname":{"$":"Farbood"},"lastname":{"$":"Jones"},"street":{"$":"96 Any St."},"city":{"$":"Anytown"},"state":{"$":"CO"},"zip":{"$":"22000"}},{"id":{"$":"0596"},"firstname":{"$":"George"},"lastname":{"$":"Jones"},"street":{"$":"97 Any St."},"city":{"$":"Anytown"},"state":{"$":"CO"},"zip":{"$":"22000"}},{"id":{"$":"0597"},"firstname":{"$":"Hank"},"lastname":{"$":"Jones"},"street":{"$":"98 Any St."},"city":{"$":"Anytown"},"state":{"$":"CO"},"zip":{"$":"22000"}},{"id":{"$":"0598"},"firstname":{"$":"Inki"},"lastname":{"$":"Jones"},"street":{"$":"99 Any St."},"city":{"$":"Anytown"},"state":{"$":"CO"},"zip":{"$":"22000"}},{"id":{"$":"0599"},"firstname":{"$":"James"},"lastname":{"$":"Jones"},"street":{"$":"100 Any St."},"city":{"$":"Anytown"},"state":{"$":"CO"},"zip":{"$":"22000"}},{"id":{"$":"0600"},"firstname":{"$":"Al"},"lastname":{"$":"Aranow"},"street":{"$":"1 Any St."},"city":{"$":"Anytown"},"state":{"$":"CT"},"zip":{"$":"22000"}},{"id":{"$":"0601"},"firstname":{"$":"Bob"},"lastname":{"$":"Aranow"},"street":{"$":"2 Any St."},"city":{"$":"Anytown"},"state":{"$":"CT"},"zip":{"$":"22000"}},{"id":{"$":"0602"},"firstname":{"$":"Charles"},"lastname":{"$":"Aranow"},"street":{"$":"3 Any St."},"city":{"$":"Anytown"},"state":{"$":"CT"},"zip":{"$":"22000"}},{"id":{"$":"0603"},"firstname":{"$":"David"},"lastname":{"$":"Aranow"},"street":{"$":"4 Any St."},"city":{"$":"Anytown"},"state":{"$":"CT"},"zip":{"$":"22000"}},{"id":{"$":"0604"},"firstname":{"$":"Egon"},"lastname":{"$":"Aranow"},"street":{"$":"5 Any St."},"city":{"$":"Anytown"},"state":{"$":"CT"},"zip":{"$":"22000"}},{"id":{"$":"0605"},"firstname":{"$":"Farbood"},"lastname":{"$":"Aranow"},"street":{"$":"6 Any St."},"city":{"$":"Anytown"},"state":{"$":"CT"},"zip":{"$":"22000"}},{"id":{"$":"0606"},"firstname":{"$":"George"},"lastname":{"$":"Aranow"},"street":{"$":"7 Any St."},"city":{"$":"Anytown"},"state":{"$":"CT"},"zip":{"$":"22000"}},{"id":{"$":"0607"},"firstname":{"$":"Hank"},"lastname":{"$":"Aranow"},"street":{"$":"8 Any St."},"city":{"$":"Anytown"},"state":{"$":"CT"},"zip":{"$":"22000"}},{"id":{"$":"0608"},"firstname":{"$":"Inki"},"lastname":{"$":"Aranow"},"street":{"$":"9 Any St."},"city":{"$":"Anytown"},"state":{"$":"CT"},"zip":{"$":"22000"}},{"id":{"$":"0609"},"firstname":{"$":"James"},"lastname":{"$":"Aranow"},"street":{"$":"10 Any St."},"city":{"$":"Anytown"},"state":{"$":"CT"},"zip":{"$":"22000"}},{"id":{"$":"0610"},"firstname":{"$":"Al"},"lastname":{"$":"Barker"},"street":{"$":"11 Any St."},"city":{"$":"Anytown"},"state":{"$":"CT"},"zip":{"$":"22000"}},{"id":{"$":"0611"},"firstname":{"$":"Bob"},"lastname":{"$":"Barker"},"street":{"$":"12 Any St."},"city":{"$":"Anytown"},"state":{"$":"CT"},"zip":{"$":"22000"}},{"id":{"$":"0612"},"firstname":{"$":"Charles"},"lastname":{"$":"Barker"},"street":{"$":"13 Any St."},"city":{"$":"Anytown"},"state":{"$":"CT"},"zip":{"$":"22000"}},{"id":{"$":"0613"},"firstname":{"$":"David"},"lastname":{"$":"Barker"},"street":{"$":"14 Any St."},"city":{"$":"Anytown"},"state":{"$":"CT"},"zip":{"$":"22000"}},{"id":{"$":"0614"},"firstname":{"$":"Egon"},"lastname":{"$":"Barker"},"street":{"$":"15 Any St."},"city":{"$":"Anytown"},"state":{"$":"CT"},"zip":{"$":"22000"}},{"id":{"$":"0615"},"firstname":{"$":"Farbood"},"lastname":{"$":"Barker"},"street":{"$":"16 Any St."},"city":{"$":"Anytown"},"state":{"$":"CT"},"zip":{"$":"22000"}},{"id":{"$":"0616"},"firstname":{"$":"George"},"lastname":{"$":"Barker"},"street":{"$":"17 Any St."},"city":{"$":"Anytown"},"state":{"$":"CT"},"zip":{"$":"22000"}},{"id":{"$":"0617"},"firstname":{"$":"Hank"},"lastname":{"$":"Barker"},"street":{"$":"18 Any St."},"city":{"$":"Anytown"},"state":{"$":"CT"},"zip":{"$":"22000"}},{"id":{"$":"0618"},"firstname":{"$":"Inki"},"lastname":{"$":"Barker"},"street":{"$":"19 Any St."},"city":{"$":"Anytown"},"state":{"$":"CT"},"zip":{"$":"22000"}},{"id":{"$":"0619"},"firstname":{"$":"James"},"lastname":{"$":"Barker"},"street":{"$":"20 Any St."},"city":{"$":"Anytown"},"state":{"$":"CT"},"zip":{"$":"22000"}},{"id":{"$":"0620"},"firstname":{"$":"Al"},"lastname":{"$":"Corsetti"},"street":{"$":"21 Any St."},"city":{"$":"Anytown"},"state":{"$":"CT"},"zip":{"$":"22000"}},{"id":{"$":"0621"},"firstname":{"$":"Bob"},"lastname":{"$":"Corsetti"},"street":{"$":"22 Any St."},"city":{"$":"Anytown"},"state":{"$":"CT"},"zip":{"$":"22000"}},{"id":{"$":"0622"},"firstname":{"$":"Charles"},"lastname":{"$":"Corsetti"},"street":{"$":"23 Any St."},"city":{"$":"Anytown"},"state":{"$":"CT"},"zip":{"$":"22000"}},{"id":{"$":"0623"},"firstname":{"$":"David"},"lastname":{"$":"Corsetti"},"street":{"$":"24 Any St."},"city":{"$":"Anytown"},"state":{"$":"CT"},"zip":{"$":"22000"}},{"id":{"$":"0624"},"firstname":{"$":"Egon"},"lastname":{"$":"Corsetti"},"street":{"$":"25 Any St."},"city":{"$":"Anytown"},"state":{"$":"CT"},"zip":{"$":"22000"}},{"id":{"$":"0625"},"firstname":{"$":"Farbood"},"lastname":{"$":"Corsetti"},"street":{"$":"26 Any St."},"city":{"$":"Anytown"},"state":{"$":"CT"},"zip":{"$":"22000"}},{"id":{"$":"0626"},"firstname":{"$":"George"},"lastname":{"$":"Corsetti"},"street":{"$":"27 Any St."},"city":{"$":"Anytown"},"state":{"$":"CT"},"zip":{"$":"22000"}},{"id":{"$":"0627"},"firstname":{"$":"Hank"},"lastname":{"$":"Corsetti"},"street":{"$":"28 Any St."},"city":{"$":"Anytown"},"state":{"$":"CT"},"zip":{"$":"22000"}},{"id":{"$":"0628"},"firstname":{"$":"Inki"},"lastname":{"$":"Corsetti"},"street":{"$":"29 Any St."},"city":{"$":"Anytown"},"state":{"$":"CT"},"zip":{"$":"22000"}},{"id":{"$":"0629"},"firstname":{"$":"James"},"lastname":{"$":"Corsetti"},"street":{"$":"30 Any St."},"city":{"$":"Anytown"},"state":{"$":"CT"},"zip":{"$":"22000"}},{"id":{"$":"0630"},"firstname":{"$":"Al"},"lastname":{"$":"Dershowitz"},"street":{"$":"31 Any St."},"city":{"$":"Anytown"},"state":{"$":"CT"},"zip":{"$":"22000"}},{"id":{"$":"0631"},"firstname":{"$":"Bob"},"lastname":{"$":"Dershowitz"},"street":{"$":"32 Any St."},"city":{"$":"Anytown"},"state":{"$":"CT"},"zip":{"$":"22000"}},{"id":{"$":"0632"},"firstname":{"$":"Charles"},"lastname":{"$":"Dershowitz"},"street":{"$":"33 Any St."},"city":{"$":"Anytown"},"state":{"$":"CT"},"zip":{"$":"22000"}},{"id":{"$":"0633"},"firstname":{"$":"David"},"lastname":{"$":"Dershowitz"},"street":{"$":"34 Any St."},"city":{"$":"Anytown"},"state":{"$":"CT"},"zip":{"$":"22000"}},{"id":{"$":"0634"},"firstname":{"$":"Egon"},"lastname":{"$":"Dershowitz"},"street":{"$":"35 Any St."},"city":{"$":"Anytown"},"state":{"$":"CT"},"zip":{"$":"22000"}},{"id":{"$":"0635"},"firstname":{"$":"Farbood"},"lastname":{"$":"Dershowitz"},"street":{"$":"36 Any St."},"city":{"$":"Anytown"},"state":{"$":"CT"},"zip":{"$":"22000"}},{"id":{"$":"0636"},"firstname":{"$":"George"},"lastname":{"$":"Dershowitz"},"street":{"$":"37 Any St."},"city":{"$":"Anytown"},"state":{"$":"CT"},"zip":{"$":"22000"}},{"id":{"$":"0637"},"firstname":{"$":"Hank"},"lastname":{"$":"Dershowitz"},"street":{"$":"38 Any St."},"city":{"$":"Anytown"},"state":{"$":"CT"},"zip":{"$":"22000"}},{"id":{"$":"0638"},"firstname":{"$":"Inki"},"lastname":{"$":"Dershowitz"},"street":{"$":"39 Any St."},"city":{"$":"Anytown"},"state":{"$":"CT"},"zip":{"$":"22000"}},{"id":{"$":"0639"},"firstname":{"$":"James"},"lastname":{"$":"Dershowitz"},"street":{"$":"40 Any St."},"city":{"$":"Anytown"},"state":{"$":"CT"},"zip":{"$":"22000"}},{"id":{"$":"0640"},"firstname":{"$":"Al"},"lastname":{"$":"Engleman"},"street":{"$":"41 Any St."},"city":{"$":"Anytown"},"state":{"$":"CT"},"zip":{"$":"22000"}},{"id":{"$":"0641"},"firstname":{"$":"Bob"},"lastname":{"$":"Engleman"},"street":{"$":"42 Any St."},"city":{"$":"Anytown"},"state":{"$":"CT"},"zip":{"$":"22000"}},{"id":{"$":"0642"},"firstname":{"$":"Charles"},"lastname":{"$":"Engleman"},"street":{"$":"43 Any St."},"city":{"$":"Anytown"},"state":{"$":"CT"},"zip":{"$":"22000"}},{"id":{"$":"0643"},"firstname":{"$":"David"},"lastname":{"$":"Engleman"},"street":{"$":"44 Any St."},"city":{"$":"Anytown"},"state":{"$":"CT"},"zip":{"$":"22000"}},{"id":{"$":"0644"},"firstname":{"$":"Egon"},"lastname":{"$":"Engleman"},"street":{"$":"45 Any St."},"city":{"$":"Anytown"},"state":{"$":"CT"},"zip":{"$":"22000"}},{"id":{"$":"0645"},"firstname":{"$":"Farbood"},"lastname":{"$":"Engleman"},"street":{"$":"46 Any St."},"city":{"$":"Anytown"},"state":{"$":"CT"},"zip":{"$":"22000"}},{"id":{"$":"0646"},"firstname":{"$":"George"},"lastname":{"$":"Engleman"},"street":{"$":"47 Any St."},"city":{"$":"Anytown"},"state":{"$":"CT"},"zip":{"$":"22000"}},{"id":{"$":"0647"},"firstname":{"$":"Hank"},"lastname":{"$":"Engleman"},"street":{"$":"48 Any St."},"city":{"$":"Anytown"},"state":{"$":"CT"},"zip":{"$":"22000"}},{"id":{"$":"0648"},"firstname":{"$":"Inki"},"lastname":{"$":"Engleman"},"street":{"$":"49 Any St."},"city":{"$":"Anytown"},"state":{"$":"CT"},"zip":{"$":"22000"}},{"id":{"$":"0649"},"firstname":{"$":"James"},"lastname":{"$":"Engleman"},"street":{"$":"50 Any St."},"city":{"$":"Anytown"},"state":{"$":"CT"},"zip":{"$":"22000"}},{"id":{"$":"0650"},"firstname":{"$":"Al"},"lastname":{"$":"Franklin"},"street":{"$":"51 Any St."},"city":{"$":"Anytown"},"state":{"$":"CT"},"zip":{"$":"22000"}},{"id":{"$":"0651"},"firstname":{"$":"Bob"},"lastname":{"$":"Franklin"},"street":{"$":"52 Any St."},"city":{"$":"Anytown"},"state":{"$":"CT"},"zip":{"$":"22000"}},{"id":{"$":"0652"},"firstname":{"$":"Charles"},"lastname":{"$":"Franklin"},"street":{"$":"53 Any St."},"city":{"$":"Anytown"},"state":{"$":"CT"},"zip":{"$":"22000"}},{"id":{"$":"0653"},"firstname":{"$":"David"},"lastname":{"$":"Franklin"},"street":{"$":"54 Any St."},"city":{"$":"Anytown"},"state":{"$":"CT"},"zip":{"$":"22000"}},{"id":{"$":"0654"},"firstname":{"$":"Egon"},"lastname":{"$":"Franklin"},"street":{"$":"55 Any St."},"city":{"$":"Anytown"},"state":{"$":"CT"},"zip":{"$":"22000"}},{"id":{"$":"0655"},"firstname":{"$":"Farbood"},"lastname":{"$":"Franklin"},"street":{"$":"56 Any St."},"city":{"$":"Anytown"},"state":{"$":"CT"},"zip":{"$":"22000"}},{"id":{"$":"0656"},"firstname":{"$":"George"},"lastname":{"$":"Franklin"},"street":{"$":"57 Any St."},"city":{"$":"Anytown"},"state":{"$":"CT"},"zip":{"$":"22000"}},{"id":{"$":"0657"},"firstname":{"$":"Hank"},"lastname":{"$":"Franklin"},"street":{"$":"58 Any St."},"city":{"$":"Anytown"},"state":{"$":"CT"},"zip":{"$":"22000"}},{"id":{"$":"0658"},"firstname":{"$":"Inki"},"lastname":{"$":"Franklin"},"street":{"$":"59 Any St."},"city":{"$":"Anytown"},"state":{"$":"CT"},"zip":{"$":"22000"}},{"id":{"$":"0659"},"firstname":{"$":"James"},"lastname":{"$":"Franklin"},"street":{"$":"60 Any St."},"city":{"$":"Anytown"},"state":{"$":"CT"},"zip":{"$":"22000"}},{"id":{"$":"0660"},"firstname":{"$":"Al"},"lastname":{"$":"Grice"},"street":{"$":"61 Any St."},"city":{"$":"Anytown"},"state":{"$":"CT"},"zip":{"$":"22000"}},{"id":{"$":"0661"},"firstname":{"$":"Bob"},"lastname":{"$":"Grice"},"street":{"$":"62 Any St."},"city":{"$":"Anytown"},"state":{"$":"CT"},"zip":{"$":"22000"}},{"id":{"$":"0662"},"firstname":{"$":"Charles"},"lastname":{"$":"Grice"},"street":{"$":"63 Any St."},"city":{"$":"Anytown"},"state":{"$":"CT"},"zip":{"$":"22000"}},{"id":{"$":"0663"},"firstname":{"$":"David"},"lastname":{"$":"Grice"},"street":{"$":"64 Any St."},"city":{"$":"Anytown"},"state":{"$":"CT"},"zip":{"$":"22000"}},{"id":{"$":"0664"},"firstname":{"$":"Egon"},"lastname":{"$":"Grice"},"street":{"$":"65 Any St."},"city":{"$":"Anytown"},"state":{"$":"CT"},"zip":{"$":"22000"}},{"id":{"$":"0665"},"firstname":{"$":"Farbood"},"lastname":{"$":"Grice"},"street":{"$":"66 Any St."},"city":{"$":"Anytown"},"state":{"$":"CT"},"zip":{"$":"22000"}},{"id":{"$":"0666"},"firstname":{"$":"George"},"lastname":{"$":"Grice"},"street":{"$":"67 Any St."},"city":{"$":"Anytown"},"state":{"$":"CT"},"zip":{"$":"22000"}},{"id":{"$":"0667"},"firstname":{"$":"Hank"},"lastname":{"$":"Grice"},"street":{"$":"68 Any St."},"city":{"$":"Anytown"},"state":{"$":"CT"},"zip":{"$":"22000"}},{"id":{"$":"0668"},"firstname":{"$":"Inki"},"lastname":{"$":"Grice"},"street":{"$":"69 Any St."},"city":{"$":"Anytown"},"state":{"$":"CT"},"zip":{"$":"22000"}},{"id":{"$":"0669"},"firstname":{"$":"James"},"lastname":{"$":"Grice"},"street":{"$":"70 Any St."},"city":{"$":"Anytown"},"state":{"$":"CT"},"zip":{"$":"22000"}},{"id":{"$":"0670"},"firstname":{"$":"Al"},"lastname":{"$":"Haverford"},"street":{"$":"71 Any St."},"city":{"$":"Anytown"},"state":{"$":"CT"},"zip":{"$":"22000"}},{"id":{"$":"0671"},"firstname":{"$":"Bob"},"lastname":{"$":"Haverford"},"street":{"$":"72 Any St."},"city":{"$":"Anytown"},"state":{"$":"CT"},"zip":{"$":"22000"}},{"id":{"$":"0672"},"firstname":{"$":"Charles"},"lastname":{"$":"Haverford"},"street":{"$":"73 Any St."},"city":{"$":"Anytown"},"state":{"$":"CT"},"zip":{"$":"22000"}},{"id":{"$":"0673"},"firstname":{"$":"David"},"lastname":{"$":"Haverford"},"street":{"$":"74 Any St."},"city":{"$":"Anytown"},"state":{"$":"CT"},"zip":{"$":"22000"}},{"id":{"$":"0674"},"firstname":{"$":"Egon"},"lastname":{"$":"Haverford"},"street":{"$":"75 Any St."},"city":{"$":"Anytown"},"state":{"$":"CT"},"zip":{"$":"22000"}},{"id":{"$":"0675"},"firstname":{"$":"Farbood"},"lastname":{"$":"Haverford"},"street":{"$":"76 Any St."},"city":{"$":"Anytown"},"state":{"$":"CT"},"zip":{"$":"22000"}},{"id":{"$":"0676"},"firstname":{"$":"George"},"lastname":{"$":"Haverford"},"street":{"$":"77 Any St."},"city":{"$":"Anytown"},"state":{"$":"CT"},"zip":{"$":"22000"}},{"id":{"$":"0677"},"firstname":{"$":"Hank"},"lastname":{"$":"Haverford"},"street":{"$":"78 Any St."},"city":{"$":"Anytown"},"state":{"$":"CT"},"zip":{"$":"22000"}},{"id":{"$":"0678"},"firstname":{"$":"Inki"},"lastname":{"$":"Haverford"},"street":{"$":"79 Any St."},"city":{"$":"Anytown"},"state":{"$":"CT"},"zip":{"$":"22000"}},{"id":{"$":"0679"},"firstname":{"$":"James"},"lastname":{"$":"Haverford"},"street":{"$":"80 Any St."},"city":{"$":"Anytown"},"state":{"$":"CT"},"zip":{"$":"22000"}},{"id":{"$":"0680"},"firstname":{"$":"Al"},"lastname":{"$":"Ilvedson"},"street":{"$":"81 Any St."},"city":{"$":"Anytown"},"state":{"$":"CT"},"zip":{"$":"22000"}},{"id":{"$":"0681"},"firstname":{"$":"Bob"},"lastname":{"$":"Ilvedson"},"street":{"$":"82 Any St."},"city":{"$":"Anytown"},"state":{"$":"CT"},"zip":{"$":"22000"}},{"id":{"$":"0682"},"firstname":{"$":"Charles"},"lastname":{"$":"Ilvedson"},"street":{"$":"83 Any St."},"city":{"$":"Anytown"},"state":{"$":"CT"},"zip":{"$":"22000"}},{"id":{"$":"0683"},"firstname":{"$":"David"},"lastname":{"$":"Ilvedson"},"street":{"$":"84 Any St."},"city":{"$":"Anytown"},"state":{"$":"CT"},"zip":{"$":"22000"}},{"id":{"$":"0684"},"firstname":{"$":"Egon"},"lastname":{"$":"Ilvedson"},"street":{"$":"85 Any St."},"city":{"$":"Anytown"},"state":{"$":"CT"},"zip":{"$":"22000"}},{"id":{"$":"0685"},"firstname":{"$":"Farbood"},"lastname":{"$":"Ilvedson"},"street":{"$":"86 Any St."},"city":{"$":"Anytown"},"state":{"$":"CT"},"zip":{"$":"22000"}},{"id":{"$":"0686"},"firstname":{"$":"George"},"lastname":{"$":"Ilvedson"},"street":{"$":"87 Any St."},"city":{"$":"Anytown"},"state":{"$":"CT"},"zip":{"$":"22000"}},{"id":{"$":"0687"},"firstname":{"$":"Hank"},"lastname":{"$":"Ilvedson"},"street":{"$":"88 Any St."},"city":{"$":"Anytown"},"state":{"$":"CT"},"zip":{"$":"22000"}},{"id":{"$":"0688"},"firstname":{"$":"Inki"},"lastname":{"$":"Ilvedson"},"street":{"$":"89 Any St."},"city":{"$":"Anytown"},"state":{"$":"CT"},"zip":{"$":"22000"}},{"id":{"$":"0689"},"firstname":{"$":"James"},"lastname":{"$":"Ilvedson"},"street":{"$":"90 Any St."},"city":{"$":"Anytown"},"state":{"$":"CT"},"zip":{"$":"22000"}},{"id":{"$":"0690"},"firstname":{"$":"Al"},"lastname":{"$":"Jones"},"street":{"$":"91 Any St."},"city":{"$":"Anytown"},"state":{"$":"CT"},"zip":{"$":"22000"}},{"id":{"$":"0691"},"firstname":{"$":"Bob"},"lastname":{"$":"Jones"},"street":{"$":"92 Any St."},"city":{"$":"Anytown"},"state":{"$":"CT"},"zip":{"$":"22000"}},{"id":{"$":"0692"},"firstname":{"$":"Charles"},"lastname":{"$":"Jones"},"street":{"$":"93 Any St."},"city":{"$":"Anytown"},"state":{"$":"CT"},"zip":{"$":"22000"}},{"id":{"$":"0693"},"firstname":{"$":"David"},"lastname":{"$":"Jones"},"street":{"$":"94 Any St."},"city":{"$":"Anytown"},"state":{"$":"CT"},"zip":{"$":"22000"}},{"id":{"$":"0694"},"firstname":{"$":"Egon"},"lastname":{"$":"Jones"},"street":{"$":"95 Any St."},"city":{"$":"Anytown"},"state":{"$":"CT"},"zip":{"$":"22000"}},{"id":{"$":"0695"},"firstname":{"$":"Farbood"},"lastname":{"$":"Jones"},"street":{"$":"96 Any St."},"city":{"$":"Anytown"},"state":{"$":"CT"},"zip":{"$":"22000"}},{"id":{"$":"0696"},"firstname":{"$":"George"},"lastname":{"$":"Jones"},"street":{"$":"97 Any St."},"city":{"$":"Anytown"},"state":{"$":"CT"},"zip":{"$":"22000"}},{"id":{"$":"0697"},"firstname":{"$":"Hank"},"lastname":{"$":"Jones"},"street":{"$":"98 Any St."},"city":{"$":"Anytown"},"state":{"$":"CT"},"zip":{"$":"22000"}},{"id":{"$":"0698"},"firstname":{"$":"Inki"},"lastname":{"$":"Jones"},"street":{"$":"99 Any St."},"city":{"$":"Anytown"},"state":{"$":"CT"},"zip":{"$":"22000"}},{"id":{"$":"0699"},"firstname":{"$":"James"},"lastname":{"$":"Jones"},"street":{"$":"100 Any St."},"city":{"$":"Anytown"},"state":{"$":"CT"},"zip":{"$":"22000"}},{"id":{"$":"0700"},"firstname":{"$":"Al"},"lastname":{"$":"Aranow"},"street":{"$":"1 Any St."},"city":{"$":"Anytown"},"state":{"$":"DE"},"zip":{"$":"22000"}},{"id":{"$":"0701"},"firstname":{"$":"Bob"},"lastname":{"$":"Aranow"},"street":{"$":"2 Any St."},"city":{"$":"Anytown"},"state":{"$":"DE"},"zip":{"$":"22000"}},{"id":{"$":"0702"},"firstname":{"$":"Charles"},"lastname":{"$":"Aranow"},"street":{"$":"3 Any St."},"city":{"$":"Anytown"},"state":{"$":"DE"},"zip":{"$":"22000"}},{"id":{"$":"0703"},"firstname":{"$":"David"},"lastname":{"$":"Aranow"},"street":{"$":"4 Any St."},"city":{"$":"Anytown"},"state":{"$":"DE"},"zip":{"$":"22000"}},{"id":{"$":"0704"},"firstname":{"$":"Egon"},"lastname":{"$":"Aranow"},"street":{"$":"5 Any St."},"city":{"$":"Anytown"},"state":{"$":"DE"},"zip":{"$":"22000"}},{"id":{"$":"0705"},"firstname":{"$":"Farbood"},"lastname":{"$":"Aranow"},"street":{"$":"6 Any St."},"city":{"$":"Anytown"},"state":{"$":"DE"},"zip":{"$":"22000"}},{"id":{"$":"0706"},"firstname":{"$":"George"},"lastname":{"$":"Aranow"},"street":{"$":"7 Any St."},"city":{"$":"Anytown"},"state":{"$":"DE"},"zip":{"$":"22000"}},{"id":{"$":"0707"},"firstname":{"$":"Hank"},"lastname":{"$":"Aranow"},"street":{"$":"8 Any St."},"city":{"$":"Anytown"},"state":{"$":"DE"},"zip":{"$":"22000"}},{"id":{"$":"0708"},"firstname":{"$":"Inki"},"lastname":{"$":"Aranow"},"street":{"$":"9 Any St."},"city":{"$":"Anytown"},"state":{"$":"DE"},"zip":{"$":"22000"}},{"id":{"$":"0709"},"firstname":{"$":"James"},"lastname":{"$":"Aranow"},"street":{"$":"10 Any St."},"city":{"$":"Anytown"},"state":{"$":"DE"},"zip":{"$":"22000"}},{"id":{"$":"0710"},"firstname":{"$":"Al"},"lastname":{"$":"Barker"},"street":{"$":"11 Any St."},"city":{"$":"Anytown"},"state":{"$":"DE"},"zip":{"$":"22000"}},{"id":{"$":"0711"},"firstname":{"$":"Bob"},"lastname":{"$":"Barker"},"street":{"$":"12 Any St."},"city":{"$":"Anytown"},"state":{"$":"DE"},"zip":{"$":"22000"}},{"id":{"$":"0712"},"firstname":{"$":"Charles"},"lastname":{"$":"Barker"},"street":{"$":"13 Any St."},"city":{"$":"Anytown"},"state":{"$":"DE"},"zip":{"$":"22000"}},{"id":{"$":"0713"},"firstname":{"$":"David"},"lastname":{"$":"Barker"},"street":{"$":"14 Any St."},"city":{"$":"Anytown"},"state":{"$":"DE"},"zip":{"$":"22000"}},{"id":{"$":"0714"},"firstname":{"$":"Egon"},"lastname":{"$":"Barker"},"street":{"$":"15 Any St."},"city":{"$":"Anytown"},"state":{"$":"DE"},"zip":{"$":"22000"}},{"id":{"$":"0715"},"firstname":{"$":"Farbood"},"lastname":{"$":"Barker"},"street":{"$":"16 Any St."},"city":{"$":"Anytown"},"state":{"$":"DE"},"zip":{"$":"22000"}},{"id":{"$":"0716"},"firstname":{"$":"George"},"lastname":{"$":"Barker"},"street":{"$":"17 Any St."},"city":{"$":"Anytown"},"state":{"$":"DE"},"zip":{"$":"22000"}},{"id":{"$":"0717"},"firstname":{"$":"Hank"},"lastname":{"$":"Barker"},"street":{"$":"18 Any St."},"city":{"$":"Anytown"},"state":{"$":"DE"},"zip":{"$":"22000"}},{"id":{"$":"0718"},"firstname":{"$":"Inki"},"lastname":{"$":"Barker"},"street":{"$":"19 Any St."},"city":{"$":"Anytown"},"state":{"$":"DE"},"zip":{"$":"22000"}},{"id":{"$":"0719"},"firstname":{"$":"James"},"lastname":{"$":"Barker"},"street":{"$":"20 Any St."},"city":{"$":"Anytown"},"state":{"$":"DE"},"zip":{"$":"22000"}},{"id":{"$":"0720"},"firstname":{"$":"Al"},"lastname":{"$":"Corsetti"},"street":{"$":"21 Any St."},"city":{"$":"Anytown"},"state":{"$":"DE"},"zip":{"$":"22000"}},{"id":{"$":"0721"},"firstname":{"$":"Bob"},"lastname":{"$":"Corsetti"},"street":{"$":"22 Any St."},"city":{"$":"Anytown"},"state":{"$":"DE"},"zip":{"$":"22000"}},{"id":{"$":"0722"},"firstname":{"$":"Charles"},"lastname":{"$":"Corsetti"},"street":{"$":"23 Any St."},"city":{"$":"Anytown"},"state":{"$":"DE"},"zip":{"$":"22000"}},{"id":{"$":"0723"},"firstname":{"$":"David"},"lastname":{"$":"Corsetti"},"street":{"$":"24 Any St."},"city":{"$":"Anytown"},"state":{"$":"DE"},"zip":{"$":"22000"}},{"id":{"$":"0724"},"firstname":{"$":"Egon"},"lastname":{"$":"Corsetti"},"street":{"$":"25 Any St."},"city":{"$":"Anytown"},"state":{"$":"DE"},"zip":{"$":"22000"}},{"id":{"$":"0725"},"firstname":{"$":"Farbood"},"lastname":{"$":"Corsetti"},"street":{"$":"26 Any St."},"city":{"$":"Anytown"},"state":{"$":"DE"},"zip":{"$":"22000"}},{"id":{"$":"0726"},"firstname":{"$":"George"},"lastname":{"$":"Corsetti"},"street":{"$":"27 Any St."},"city":{"$":"Anytown"},"state":{"$":"DE"},"zip":{"$":"22000"}},{"id":{"$":"0727"},"firstname":{"$":"Hank"},"lastname":{"$":"Corsetti"},"street":{"$":"28 Any St."},"city":{"$":"Anytown"},"state":{"$":"DE"},"zip":{"$":"22000"}},{"id":{"$":"0728"},"firstname":{"$":"Inki"},"lastname":{"$":"Corsetti"},"street":{"$":"29 Any St."},"city":{"$":"Anytown"},"state":{"$":"DE"},"zip":{"$":"22000"}},{"id":{"$":"0729"},"firstname":{"$":"James"},"lastname":{"$":"Corsetti"},"street":{"$":"30 Any St."},"city":{"$":"Anytown"},"state":{"$":"DE"},"zip":{"$":"22000"}},{"id":{"$":"0730"},"firstname":{"$":"Al"},"lastname":{"$":"Dershowitz"},"street":{"$":"31 Any St."},"city":{"$":"Anytown"},"state":{"$":"DE"},"zip":{"$":"22000"}},{"id":{"$":"0731"},"firstname":{"$":"Bob"},"lastname":{"$":"Dershowitz"},"street":{"$":"32 Any St."},"city":{"$":"Anytown"},"state":{"$":"DE"},"zip":{"$":"22000"}},{"id":{"$":"0732"},"firstname":{"$":"Charles"},"lastname":{"$":"Dershowitz"},"street":{"$":"33 Any St."},"city":{"$":"Anytown"},"state":{"$":"DE"},"zip":{"$":"22000"}},{"id":{"$":"0733"},"firstname":{"$":"David"},"lastname":{"$":"Dershowitz"},"street":{"$":"34 Any St."},"city":{"$":"Anytown"},"state":{"$":"DE"},"zip":{"$":"22000"}},{"id":{"$":"0734"},"firstname":{"$":"Egon"},"lastname":{"$":"Dershowitz"},"street":{"$":"35 Any St."},"city":{"$":"Anytown"},"state":{"$":"DE"},"zip":{"$":"22000"}},{"id":{"$":"0735"},"firstname":{"$":"Farbood"},"lastname":{"$":"Dershowitz"},"street":{"$":"36 Any St."},"city":{"$":"Anytown"},"state":{"$":"DE"},"zip":{"$":"22000"}},{"id":{"$":"0736"},"firstname":{"$":"George"},"lastname":{"$":"Dershowitz"},"street":{"$":"37 Any St."},"city":{"$":"Anytown"},"state":{"$":"DE"},"zip":{"$":"22000"}},{"id":{"$":"0737"},"firstname":{"$":"Hank"},"lastname":{"$":"Dershowitz"},"street":{"$":"38 Any St."},"city":{"$":"Anytown"},"state":{"$":"DE"},"zip":{"$":"22000"}},{"id":{"$":"0738"},"firstname":{"$":"Inki"},"lastname":{"$":"Dershowitz"},"street":{"$":"39 Any St."},"city":{"$":"Anytown"},"state":{"$":"DE"},"zip":{"$":"22000"}},{"id":{"$":"0739"},"firstname":{"$":"James"},"lastname":{"$":"Dershowitz"},"street":{"$":"40 Any St."},"city":{"$":"Anytown"},"state":{"$":"DE"},"zip":{"$":"22000"}},{"id":{"$":"0740"},"firstname":{"$":"Al"},"lastname":{"$":"Engleman"},"street":{"$":"41 Any St."},"city":{"$":"Anytown"},"state":{"$":"DE"},"zip":{"$":"22000"}},{"id":{"$":"0741"},"firstname":{"$":"Bob"},"lastname":{"$":"Engleman"},"street":{"$":"42 Any St."},"city":{"$":"Anytown"},"state":{"$":"DE"},"zip":{"$":"22000"}},{"id":{"$":"0742"},"firstname":{"$":"Charles"},"lastname":{"$":"Engleman"},"street":{"$":"43 Any St."},"city":{"$":"Anytown"},"state":{"$":"DE"},"zip":{"$":"22000"}},{"id":{"$":"0743"},"firstname":{"$":"David"},"lastname":{"$":"Engleman"},"street":{"$":"44 Any St."},"city":{"$":"Anytown"},"state":{"$":"DE"},"zip":{"$":"22000"}},{"id":{"$":"0744"},"firstname":{"$":"Egon"},"lastname":{"$":"Engleman"},"street":{"$":"45 Any St."},"city":{"$":"Anytown"},"state":{"$":"DE"},"zip":{"$":"22000"}},{"id":{"$":"0745"},"firstname":{"$":"Farbood"},"lastname":{"$":"Engleman"},"street":{"$":"46 Any St."},"city":{"$":"Anytown"},"state":{"$":"DE"},"zip":{"$":"22000"}},{"id":{"$":"0746"},"firstname":{"$":"George"},"lastname":{"$":"Engleman"},"street":{"$":"47 Any St."},"city":{"$":"Anytown"},"state":{"$":"DE"},"zip":{"$":"22000"}},{"id":{"$":"0747"},"firstname":{"$":"Hank"},"lastname":{"$":"Engleman"},"street":{"$":"48 Any St."},"city":{"$":"Anytown"},"state":{"$":"DE"},"zip":{"$":"22000"}},{"id":{"$":"0748"},"firstname":{"$":"Inki"},"lastname":{"$":"Engleman"},"street":{"$":"49 Any St."},"city":{"$":"Anytown"},"state":{"$":"DE"},"zip":{"$":"22000"}},{"id":{"$":"0749"},"firstname":{"$":"James"},"lastname":{"$":"Engleman"},"street":{"$":"50 Any St."},"city":{"$":"Anytown"},"state":{"$":"DE"},"zip":{"$":"22000"}},{"id":{"$":"0750"},"firstname":{"$":"Al"},"lastname":{"$":"Franklin"},"street":{"$":"51 Any St."},"city":{"$":"Anytown"},"state":{"$":"DE"},"zip":{"$":"22000"}},{"id":{"$":"0751"},"firstname":{"$":"Bob"},"lastname":{"$":"Franklin"},"street":{"$":"52 Any St."},"city":{"$":"Anytown"},"state":{"$":"DE"},"zip":{"$":"22000"}},{"id":{"$":"0752"},"firstname":{"$":"Charles"},"lastname":{"$":"Franklin"},"street":{"$":"53 Any St."},"city":{"$":"Anytown"},"state":{"$":"DE"},"zip":{"$":"22000"}},{"id":{"$":"0753"},"firstname":{"$":"David"},"lastname":{"$":"Franklin"},"street":{"$":"54 Any St."},"city":{"$":"Anytown"},"state":{"$":"DE"},"zip":{"$":"22000"}},{"id":{"$":"0754"},"firstname":{"$":"Egon"},"lastname":{"$":"Franklin"},"street":{"$":"55 Any St."},"city":{"$":"Anytown"},"state":{"$":"DE"},"zip":{"$":"22000"}},{"id":{"$":"0755"},"firstname":{"$":"Farbood"},"lastname":{"$":"Franklin"},"street":{"$":"56 Any St."},"city":{"$":"Anytown"},"state":{"$":"DE"},"zip":{"$":"22000"}},{"id":{"$":"0756"},"firstname":{"$":"George"},"lastname":{"$":"Franklin"},"street":{"$":"57 Any St."},"city":{"$":"Anytown"},"state":{"$":"DE"},"zip":{"$":"22000"}},{"id":{"$":"0757"},"firstname":{"$":"Hank"},"lastname":{"$":"Franklin"},"street":{"$":"58 Any St."},"city":{"$":"Anytown"},"state":{"$":"DE"},"zip":{"$":"22000"}},{"id":{"$":"0758"},"firstname":{"$":"Inki"},"lastname":{"$":"Franklin"},"street":{"$":"59 Any St."},"city":{"$":"Anytown"},"state":{"$":"DE"},"zip":{"$":"22000"}},{"id":{"$":"0759"},"firstname":{"$":"James"},"lastname":{"$":"Franklin"},"street":{"$":"60 Any St."},"city":{"$":"Anytown"},"state":{"$":"DE"},"zip":{"$":"22000"}},{"id":{"$":"0760"},"firstname":{"$":"Al"},"lastname":{"$":"Grice"},"street":{"$":"61 Any St."},"city":{"$":"Anytown"},"state":{"$":"DE"},"zip":{"$":"22000"}},{"id":{"$":"0761"},"firstname":{"$":"Bob"},"lastname":{"$":"Grice"},"street":{"$":"62 Any St."},"city":{"$":"Anytown"},"state":{"$":"DE"},"zip":{"$":"22000"}},{"id":{"$":"0762"},"firstname":{"$":"Charles"},"lastname":{"$":"Grice"},"street":{"$":"63 Any St."},"city":{"$":"Anytown"},"state":{"$":"DE"},"zip":{"$":"22000"}},{"id":{"$":"0763"},"firstname":{"$":"David"},"lastname":{"$":"Grice"},"street":{"$":"64 Any St."},"city":{"$":"Anytown"},"state":{"$":"DE"},"zip":{"$":"22000"}},{"id":{"$":"0764"},"firstname":{"$":"Egon"},"lastname":{"$":"Grice"},"street":{"$":"65 Any St."},"city":{"$":"Anytown"},"state":{"$":"DE"},"zip":{"$":"22000"}},{"id":{"$":"0765"},"firstname":{"$":"Farbood"},"lastname":{"$":"Grice"},"street":{"$":"66 Any St."},"city":{"$":"Anytown"},"state":{"$":"DE"},"zip":{"$":"22000"}},{"id":{"$":"0766"},"firstname":{"$":"George"},"lastname":{"$":"Grice"},"street":{"$":"67 Any St."},"city":{"$":"Anytown"},"state":{"$":"DE"},"zip":{"$":"22000"}},{"id":{"$":"0767"},"firstname":{"$":"Hank"},"lastname":{"$":"Grice"},"street":{"$":"68 Any St."},"city":{"$":"Anytown"},"state":{"$":"DE"},"zip":{"$":"22000"}},{"id":{"$":"0768"},"firstname":{"$":"Inki"},"lastname":{"$":"Grice"},"street":{"$":"69 Any St."},"city":{"$":"Anytown"},"state":{"$":"DE"},"zip":{"$":"22000"}},{"id":{"$":"0769"},"firstname":{"$":"James"},"lastname":{"$":"Grice"},"street":{"$":"70 Any St."},"city":{"$":"Anytown"},"state":{"$":"DE"},"zip":{"$":"22000"}},{"id":{"$":"0770"},"firstname":{"$":"Al"},"lastname":{"$":"Haverford"},"street":{"$":"71 Any St."},"city":{"$":"Anytown"},"state":{"$":"DE"},"zip":{"$":"22000"}},{"id":{"$":"0771"},"firstname":{"$":"Bob"},"lastname":{"$":"Haverford"},"street":{"$":"72 Any St."},"city":{"$":"Anytown"},"state":{"$":"DE"},"zip":{"$":"22000"}},{"id":{"$":"0772"},"firstname":{"$":"Charles"},"lastname":{"$":"Haverford"},"street":{"$":"73 Any St."},"city":{"$":"Anytown"},"state":{"$":"DE"},"zip":{"$":"22000"}},{"id":{"$":"0773"},"firstname":{"$":"David"},"lastname":{"$":"Haverford"},"street":{"$":"74 Any St."},"city":{"$":"Anytown"},"state":{"$":"DE"},"zip":{"$":"22000"}},{"id":{"$":"0774"},"firstname":{"$":"Egon"},"lastname":{"$":"Haverford"},"street":{"$":"75 Any St."},"city":{"$":"Anytown"},"state":{"$":"DE"},"zip":{"$":"22000"}},{"id":{"$":"0775"},"firstname":{"$":"Farbood"},"lastname":{"$":"Haverford"},"street":{"$":"76 Any St."},"city":{"$":"Anytown"},"state":{"$":"DE"},"zip":{"$":"22000"}},{"id":{"$":"0776"},"firstname":{"$":"George"},"lastname":{"$":"Haverford"},"street":{"$":"77 Any St."},"city":{"$":"Anytown"},"state":{"$":"DE"},"zip":{"$":"22000"}},{"id":{"$":"0777"},"firstname":{"$":"Hank"},"lastname":{"$":"Haverford"},"street":{"$":"78 Any St."},"city":{"$":"Anytown"},"state":{"$":"DE"},"zip":{"$":"22000"}},{"id":{"$":"0778"},"firstname":{"$":"Inki"},"lastname":{"$":"Haverford"},"street":{"$":"79 Any St."},"city":{"$":"Anytown"},"state":{"$":"DE"},"zip":{"$":"22000"}},{"id":{"$":"0779"},"firstname":{"$":"James"},"lastname":{"$":"Haverford"},"street":{"$":"80 Any St."},"city":{"$":"Anytown"},"state":{"$":"DE"},"zip":{"$":"22000"}},{"id":{"$":"0780"},"firstname":{"$":"Al"},"lastname":{"$":"Ilvedson"},"street":{"$":"81 Any St."},"city":{"$":"Anytown"},"state":{"$":"DE"},"zip":{"$":"22000"}},{"id":{"$":"0781"},"firstname":{"$":"Bob"},"lastname":{"$":"Ilvedson"},"street":{"$":"82 Any St."},"city":{"$":"Anytown"},"state":{"$":"DE"},"zip":{"$":"22000"}},{"id":{"$":"0782"},"firstname":{"$":"Charles"},"lastname":{"$":"Ilvedson"},"street":{"$":"83 Any St."},"city":{"$":"Anytown"},"state":{"$":"DE"},"zip":{"$":"22000"}},{"id":{"$":"0783"},"firstname":{"$":"David"},"lastname":{"$":"Ilvedson"},"street":{"$":"84 Any St."},"city":{"$":"Anytown"},"state":{"$":"DE"},"zip":{"$":"22000"}},{"id":{"$":"0784"},"firstname":{"$":"Egon"},"lastname":{"$":"Ilvedson"},"street":{"$":"85 Any St."},"city":{"$":"Anytown"},"state":{"$":"DE"},"zip":{"$":"22000"}},{"id":{"$":"0785"},"firstname":{"$":"Farbood"},"lastname":{"$":"Ilvedson"},"street":{"$":"86 Any St."},"city":{"$":"Anytown"},"state":{"$":"DE"},"zip":{"$":"22000"}},{"id":{"$":"0786"},"firstname":{"$":"George"},"lastname":{"$":"Ilvedson"},"street":{"$":"87 Any St."},"city":{"$":"Anytown"},"state":{"$":"DE"},"zip":{"$":"22000"}},{"id":{"$":"0787"},"firstname":{"$":"Hank"},"lastname":{"$":"Ilvedson"},"street":{"$":"88 Any St."},"city":{"$":"Anytown"},"state":{"$":"DE"},"zip":{"$":"22000"}},{"id":{"$":"0788"},"firstname":{"$":"Inki"},"lastname":{"$":"Ilvedson"},"street":{"$":"89 Any St."},"city":{"$":"Anytown"},"state":{"$":"DE"},"zip":{"$":"22000"}},{"id":{"$":"0789"},"firstname":{"$":"James"},"lastname":{"$":"Ilvedson"},"street":{"$":"90 Any St."},"city":{"$":"Anytown"},"state":{"$":"DE"},"zip":{"$":"22000"}},{"id":{"$":"0790"},"firstname":{"$":"Al"},"lastname":{"$":"Jones"},"street":{"$":"91 Any St."},"city":{"$":"Anytown"},"state":{"$":"DE"},"zip":{"$":"22000"}},{"id":{"$":"0791"},"firstname":{"$":"Bob"},"lastname":{"$":"Jones"},"street":{"$":"92 Any St."},"city":{"$":"Anytown"},"state":{"$":"DE"},"zip":{"$":"22000"}},{"id":{"$":"0792"},"firstname":{"$":"Charles"},"lastname":{"$":"Jones"},"street":{"$":"93 Any St."},"city":{"$":"Anytown"},"state":{"$":"DE"},"zip":{"$":"22000"}},{"id":{"$":"0793"},"firstname":{"$":"David"},"lastname":{"$":"Jones"},"street":{"$":"94 Any St."},"city":{"$":"Anytown"},"state":{"$":"DE"},"zip":{"$":"22000"}},{"id":{"$":"0794"},"firstname":{"$":"Egon"},"lastname":{"$":"Jones"},"street":{"$":"95 Any St."},"city":{"$":"Anytown"},"state":{"$":"DE"},"zip":{"$":"22000"}},{"id":{"$":"0795"},"firstname":{"$":"Farbood"},"lastname":{"$":"Jones"},"street":{"$":"96 Any St."},"city":{"$":"Anytown"},"state":{"$":"DE"},"zip":{"$":"22000"}},{"id":{"$":"0796"},"firstname":{"$":"George"},"lastname":{"$":"Jones"},"street":{"$":"97 Any St."},"city":{"$":"Anytown"},"state":{"$":"DE"},"zip":{"$":"22000"}},{"id":{"$":"0797"},"firstname":{"$":"Hank"},"lastname":{"$":"Jones"},"street":{"$":"98 Any St."},"city":{"$":"Anytown"},"state":{"$":"DE"},"zip":{"$":"22000"}},{"id":{"$":"0798"},"firstname":{"$":"Inki"},"lastname":{"$":"Jones"},"street":{"$":"99 Any St."},"city":{"$":"Anytown"},"state":{"$":"DE"},"zip":{"$":"22000"}},{"id":{"$":"0799"},"firstname":{"$":"James"},"lastname":{"$":"Jones"},"street":{"$":"100 Any St."},"city":{"$":"Anytown"},"state":{"$":"DE"},"zip":{"$":"22000"}},{"id":{"$":"0800"},"firstname":{"$":"Al"},"lastname":{"$":"Aranow"},"street":{"$":"1 Any St."},"city":{"$":"Anytown"},"state":{"$":"FL"},"zip":{"$":"22000"}},{"id":{"$":"0801"},"firstname":{"$":"Bob"},"lastname":{"$":"Aranow"},"street":{"$":"2 Any St."},"city":{"$":"Anytown"},"state":{"$":"FL"},"zip":{"$":"22000"}},{"id":{"$":"0802"},"firstname":{"$":"Charles"},"lastname":{"$":"Aranow"},"street":{"$":"3 Any St."},"city":{"$":"Anytown"},"state":{"$":"FL"},"zip":{"$":"22000"}},{"id":{"$":"0803"},"firstname":{"$":"David"},"lastname":{"$":"Aranow"},"street":{"$":"4 Any St."},"city":{"$":"Anytown"},"state":{"$":"FL"},"zip":{"$":"22000"}},{"id":{"$":"0804"},"firstname":{"$":"Egon"},"lastname":{"$":"Aranow"},"street":{"$":"5 Any St."},"city":{"$":"Anytown"},"state":{"$":"FL"},"zip":{"$":"22000"}},{"id":{"$":"0805"},"firstname":{"$":"Farbood"},"lastname":{"$":"Aranow"},"street":{"$":"6 Any St."},"city":{"$":"Anytown"},"state":{"$":"FL"},"zip":{"$":"22000"}},{"id":{"$":"0806"},"firstname":{"$":"George"},"lastname":{"$":"Aranow"},"street":{"$":"7 Any St."},"city":{"$":"Anytown"},"state":{"$":"FL"},"zip":{"$":"22000"}},{"id":{"$":"0807"},"firstname":{"$":"Hank"},"lastname":{"$":"Aranow"},"street":{"$":"8 Any St."},"city":{"$":"Anytown"},"state":{"$":"FL"},"zip":{"$":"22000"}},{"id":{"$":"0808"},"firstname":{"$":"Inki"},"lastname":{"$":"Aranow"},"street":{"$":"9 Any St."},"city":{"$":"Anytown"},"state":{"$":"FL"},"zip":{"$":"22000"}},{"id":{"$":"0809"},"firstname":{"$":"James"},"lastname":{"$":"Aranow"},"street":{"$":"10 Any St."},"city":{"$":"Anytown"},"state":{"$":"FL"},"zip":{"$":"22000"}},{"id":{"$":"0810"},"firstname":{"$":"Al"},"lastname":{"$":"Barker"},"street":{"$":"11 Any St."},"city":{"$":"Anytown"},"state":{"$":"FL"},"zip":{"$":"22000"}},{"id":{"$":"0811"},"firstname":{"$":"Bob"},"lastname":{"$":"Barker"},"street":{"$":"12 Any St."},"city":{"$":"Anytown"},"state":{"$":"FL"},"zip":{"$":"22000"}},{"id":{"$":"0812"},"firstname":{"$":"Charles"},"lastname":{"$":"Barker"},"street":{"$":"13 Any St."},"city":{"$":"Anytown"},"state":{"$":"FL"},"zip":{"$":"22000"}},{"id":{"$":"0813"},"firstname":{"$":"David"},"lastname":{"$":"Barker"},"street":{"$":"14 Any St."},"city":{"$":"Anytown"},"state":{"$":"FL"},"zip":{"$":"22000"}},{"id":{"$":"0814"},"firstname":{"$":"Egon"},"lastname":{"$":"Barker"},"street":{"$":"15 Any St."},"city":{"$":"Anytown"},"state":{"$":"FL"},"zip":{"$":"22000"}},{"id":{"$":"0815"},"firstname":{"$":"Farbood"},"lastname":{"$":"Barker"},"street":{"$":"16 Any St."},"city":{"$":"Anytown"},"state":{"$":"FL"},"zip":{"$":"22000"}},{"id":{"$":"0816"},"firstname":{"$":"George"},"lastname":{"$":"Barker"},"street":{"$":"17 Any St."},"city":{"$":"Anytown"},"state":{"$":"FL"},"zip":{"$":"22000"}},{"id":{"$":"0817"},"firstname":{"$":"Hank"},"lastname":{"$":"Barker"},"street":{"$":"18 Any St."},"city":{"$":"Anytown"},"state":{"$":"FL"},"zip":{"$":"22000"}},{"id":{"$":"0818"},"firstname":{"$":"Inki"},"lastname":{"$":"Barker"},"street":{"$":"19 Any St."},"city":{"$":"Anytown"},"state":{"$":"FL"},"zip":{"$":"22000"}},{"id":{"$":"0819"},"firstname":{"$":"James"},"lastname":{"$":"Barker"},"street":{"$":"20 Any St."},"city":{"$":"Anytown"},"state":{"$":"FL"},"zip":{"$":"22000"}},{"id":{"$":"0820"},"firstname":{"$":"Al"},"lastname":{"$":"Corsetti"},"street":{"$":"21 Any St."},"city":{"$":"Anytown"},"state":{"$":"FL"},"zip":{"$":"22000"}},{"id":{"$":"0821"},"firstname":{"$":"Bob"},"lastname":{"$":"Corsetti"},"street":{"$":"22 Any St."},"city":{"$":"Anytown"},"state":{"$":"FL"},"zip":{"$":"22000"}},{"id":{"$":"0822"},"firstname":{"$":"Charles"},"lastname":{"$":"Corsetti"},"street":{"$":"23 Any St."},"city":{"$":"Anytown"},"state":{"$":"FL"},"zip":{"$":"22000"}},{"id":{"$":"0823"},"firstname":{"$":"David"},"lastname":{"$":"Corsetti"},"street":{"$":"24 Any St."},"city":{"$":"Anytown"},"state":{"$":"FL"},"zip":{"$":"22000"}},{"id":{"$":"0824"},"firstname":{"$":"Egon"},"lastname":{"$":"Corsetti"},"street":{"$":"25 Any St."},"city":{"$":"Anytown"},"state":{"$":"FL"},"zip":{"$":"22000"}},{"id":{"$":"0825"},"firstname":{"$":"Farbood"},"lastname":{"$":"Corsetti"},"street":{"$":"26 Any St."},"city":{"$":"Anytown"},"state":{"$":"FL"},"zip":{"$":"22000"}},{"id":{"$":"0826"},"firstname":{"$":"George"},"lastname":{"$":"Corsetti"},"street":{"$":"27 Any St."},"city":{"$":"Anytown"},"state":{"$":"FL"},"zip":{"$":"22000"}},{"id":{"$":"0827"},"firstname":{"$":"Hank"},"lastname":{"$":"Corsetti"},"street":{"$":"28 Any St."},"city":{"$":"Anytown"},"state":{"$":"FL"},"zip":{"$":"22000"}},{"id":{"$":"0828"},"firstname":{"$":"Inki"},"lastname":{"$":"Corsetti"},"street":{"$":"29 Any St."},"city":{"$":"Anytown"},"state":{"$":"FL"},"zip":{"$":"22000"}},{"id":{"$":"0829"},"firstname":{"$":"James"},"lastname":{"$":"Corsetti"},"street":{"$":"30 Any St."},"city":{"$":"Anytown"},"state":{"$":"FL"},"zip":{"$":"22000"}},{"id":{"$":"0830"},"firstname":{"$":"Al"},"lastname":{"$":"Dershowitz"},"street":{"$":"31 Any St."},"city":{"$":"Anytown"},"state":{"$":"FL"},"zip":{"$":"22000"}},{"id":{"$":"0831"},"firstname":{"$":"Bob"},"lastname":{"$":"Dershowitz"},"street":{"$":"32 Any St."},"city":{"$":"Anytown"},"state":{"$":"FL"},"zip":{"$":"22000"}},{"id":{"$":"0832"},"firstname":{"$":"Charles"},"lastname":{"$":"Dershowitz"},"street":{"$":"33 Any St."},"city":{"$":"Anytown"},"state":{"$":"FL"},"zip":{"$":"22000"}},{"id":{"$":"0833"},"firstname":{"$":"David"},"lastname":{"$":"Dershowitz"},"street":{"$":"34 Any St."},"city":{"$":"Anytown"},"state":{"$":"FL"},"zip":{"$":"22000"}},{"id":{"$":"0834"},"firstname":{"$":"Egon"},"lastname":{"$":"Dershowitz"},"street":{"$":"35 Any St."},"city":{"$":"Anytown"},"state":{"$":"FL"},"zip":{"$":"22000"}},{"id":{"$":"0835"},"firstname":{"$":"Farbood"},"lastname":{"$":"Dershowitz"},"street":{"$":"36 Any St."},"city":{"$":"Anytown"},"state":{"$":"FL"},"zip":{"$":"22000"}},{"id":{"$":"0836"},"firstname":{"$":"George"},"lastname":{"$":"Dershowitz"},"street":{"$":"37 Any St."},"city":{"$":"Anytown"},"state":{"$":"FL"},"zip":{"$":"22000"}},{"id":{"$":"0837"},"firstname":{"$":"Hank"},"lastname":{"$":"Dershowitz"},"street":{"$":"38 Any St."},"city":{"$":"Anytown"},"state":{"$":"FL"},"zip":{"$":"22000"}},{"id":{"$":"0838"},"firstname":{"$":"Inki"},"lastname":{"$":"Dershowitz"},"street":{"$":"39 Any St."},"city":{"$":"Anytown"},"state":{"$":"FL"},"zip":{"$":"22000"}},{"id":{"$":"0839"},"firstname":{"$":"James"},"lastname":{"$":"Dershowitz"},"street":{"$":"40 Any St."},"city":{"$":"Anytown"},"state":{"$":"FL"},"zip":{"$":"22000"}},{"id":{"$":"0840"},"firstname":{"$":"Al"},"lastname":{"$":"Engleman"},"street":{"$":"41 Any St."},"city":{"$":"Anytown"},"state":{"$":"FL"},"zip":{"$":"22000"}},{"id":{"$":"0841"},"firstname":{"$":"Bob"},"lastname":{"$":"Engleman"},"street":{"$":"42 Any St."},"city":{"$":"Anytown"},"state":{"$":"FL"},"zip":{"$":"22000"}},{"id":{"$":"0842"},"firstname":{"$":"Charles"},"lastname":{"$":"Engleman"},"street":{"$":"43 Any St."},"city":{"$":"Anytown"},"state":{"$":"FL"},"zip":{"$":"22000"}},{"id":{"$":"0843"},"firstname":{"$":"David"},"lastname":{"$":"Engleman"},"street":{"$":"44 Any St."},"city":{"$":"Anytown"},"state":{"$":"FL"},"zip":{"$":"22000"}},{"id":{"$":"0844"},"firstname":{"$":"Egon"},"lastname":{"$":"Engleman"},"street":{"$":"45 Any St."},"city":{"$":"Anytown"},"state":{"$":"FL"},"zip":{"$":"22000"}},{"id":{"$":"0845"},"firstname":{"$":"Farbood"},"lastname":{"$":"Engleman"},"street":{"$":"46 Any St."},"city":{"$":"Anytown"},"state":{"$":"FL"},"zip":{"$":"22000"}},{"id":{"$":"0846"},"firstname":{"$":"George"},"lastname":{"$":"Engleman"},"street":{"$":"47 Any St."},"city":{"$":"Anytown"},"state":{"$":"FL"},"zip":{"$":"22000"}},{"id":{"$":"0847"},"firstname":{"$":"Hank"},"lastname":{"$":"Engleman"},"street":{"$":"48 Any St."},"city":{"$":"Anytown"},"state":{"$":"FL"},"zip":{"$":"22000"}},{"id":{"$":"0848"},"firstname":{"$":"Inki"},"lastname":{"$":"Engleman"},"street":{"$":"49 Any St."},"city":{"$":"Anytown"},"state":{"$":"FL"},"zip":{"$":"22000"}},{"id":{"$":"0849"},"firstname":{"$":"James"},"lastname":{"$":"Engleman"},"street":{"$":"50 Any St."},"city":{"$":"Anytown"},"state":{"$":"FL"},"zip":{"$":"22000"}},{"id":{"$":"0850"},"firstname":{"$":"Al"},"lastname":{"$":"Franklin"},"street":{"$":"51 Any St."},"city":{"$":"Anytown"},"state":{"$":"FL"},"zip":{"$":"22000"}},{"id":{"$":"0851"},"firstname":{"$":"Bob"},"lastname":{"$":"Franklin"},"street":{"$":"52 Any St."},"city":{"$":"Anytown"},"state":{"$":"FL"},"zip":{"$":"22000"}},{"id":{"$":"0852"},"firstname":{"$":"Charles"},"lastname":{"$":"Franklin"},"street":{"$":"53 Any St."},"city":{"$":"Anytown"},"state":{"$":"FL"},"zip":{"$":"22000"}},{"id":{"$":"0853"},"firstname":{"$":"David"},"lastname":{"$":"Franklin"},"street":{"$":"54 Any St."},"city":{"$":"Anytown"},"state":{"$":"FL"},"zip":{"$":"22000"}},{"id":{"$":"0854"},"firstname":{"$":"Egon"},"lastname":{"$":"Franklin"},"street":{"$":"55 Any St."},"city":{"$":"Anytown"},"state":{"$":"FL"},"zip":{"$":"22000"}},{"id":{"$":"0855"},"firstname":{"$":"Farbood"},"lastname":{"$":"Franklin"},"street":{"$":"56 Any St."},"city":{"$":"Anytown"},"state":{"$":"FL"},"zip":{"$":"22000"}},{"id":{"$":"0856"},"firstname":{"$":"George"},"lastname":{"$":"Franklin"},"street":{"$":"57 Any St."},"city":{"$":"Anytown"},"state":{"$":"FL"},"zip":{"$":"22000"}},{"id":{"$":"0857"},"firstname":{"$":"Hank"},"lastname":{"$":"Franklin"},"street":{"$":"58 Any St."},"city":{"$":"Anytown"},"state":{"$":"FL"},"zip":{"$":"22000"}},{"id":{"$":"0858"},"firstname":{"$":"Inki"},"lastname":{"$":"Franklin"},"street":{"$":"59 Any St."},"city":{"$":"Anytown"},"state":{"$":"FL"},"zip":{"$":"22000"}},{"id":{"$":"0859"},"firstname":{"$":"James"},"lastname":{"$":"Franklin"},"street":{"$":"60 Any St."},"city":{"$":"Anytown"},"state":{"$":"FL"},"zip":{"$":"22000"}},{"id":{"$":"0860"},"firstname":{"$":"Al"},"lastname":{"$":"Grice"},"street":{"$":"61 Any St."},"city":{"$":"Anytown"},"state":{"$":"FL"},"zip":{"$":"22000"}},{"id":{"$":"0861"},"firstname":{"$":"Bob"},"lastname":{"$":"Grice"},"street":{"$":"62 Any St."},"city":{"$":"Anytown"},"state":{"$":"FL"},"zip":{"$":"22000"}},{"id":{"$":"0862"},"firstname":{"$":"Charles"},"lastname":{"$":"Grice"},"street":{"$":"63 Any St."},"city":{"$":"Anytown"},"state":{"$":"FL"},"zip":{"$":"22000"}},{"id":{"$":"0863"},"firstname":{"$":"David"},"lastname":{"$":"Grice"},"street":{"$":"64 Any St."},"city":{"$":"Anytown"},"state":{"$":"FL"},"zip":{"$":"22000"}},{"id":{"$":"0864"},"firstname":{"$":"Egon"},"lastname":{"$":"Grice"},"street":{"$":"65 Any St."},"city":{"$":"Anytown"},"state":{"$":"FL"},"zip":{"$":"22000"}},{"id":{"$":"0865"},"firstname":{"$":"Farbood"},"lastname":{"$":"Grice"},"street":{"$":"66 Any St."},"city":{"$":"Anytown"},"state":{"$":"FL"},"zip":{"$":"22000"}},{"id":{"$":"0866"},"firstname":{"$":"George"},"lastname":{"$":"Grice"},"street":{"$":"67 Any St."},"city":{"$":"Anytown"},"state":{"$":"FL"},"zip":{"$":"22000"}},{"id":{"$":"0867"},"firstname":{"$":"Hank"},"lastname":{"$":"Grice"},"street":{"$":"68 Any St."},"city":{"$":"Anytown"},"state":{"$":"FL"},"zip":{"$":"22000"}},{"id":{"$":"0868"},"firstname":{"$":"Inki"},"lastname":{"$":"Grice"},"street":{"$":"69 Any St."},"city":{"$":"Anytown"},"state":{"$":"FL"},"zip":{"$":"22000"}},{"id":{"$":"0869"},"firstname":{"$":"James"},"lastname":{"$":"Grice"},"street":{"$":"70 Any St."},"city":{"$":"Anytown"},"state":{"$":"FL"},"zip":{"$":"22000"}},{"id":{"$":"0870"},"firstname":{"$":"Al"},"lastname":{"$":"Haverford"},"street":{"$":"71 Any St."},"city":{"$":"Anytown"},"state":{"$":"FL"},"zip":{"$":"22000"}},{"id":{"$":"0871"},"firstname":{"$":"Bob"},"lastname":{"$":"Haverford"},"street":{"$":"72 Any St."},"city":{"$":"Anytown"},"state":{"$":"FL"},"zip":{"$":"22000"}},{"id":{"$":"0872"},"firstname":{"$":"Charles"},"lastname":{"$":"Haverford"},"street":{"$":"73 Any St."},"city":{"$":"Anytown"},"state":{"$":"FL"},"zip":{"$":"22000"}},{"id":{"$":"0873"},"firstname":{"$":"David"},"lastname":{"$":"Haverford"},"street":{"$":"74 Any St."},"city":{"$":"Anytown"},"state":{"$":"FL"},"zip":{"$":"22000"}},{"id":{"$":"0874"},"firstname":{"$":"Egon"},"lastname":{"$":"Haverford"},"street":{"$":"75 Any St."},"city":{"$":"Anytown"},"state":{"$":"FL"},"zip":{"$":"22000"}},{"id":{"$":"0875"},"firstname":{"$":"Farbood"},"lastname":{"$":"Haverford"},"street":{"$":"76 Any St."},"city":{"$":"Anytown"},"state":{"$":"FL"},"zip":{"$":"22000"}},{"id":{"$":"0876"},"firstname":{"$":"George"},"lastname":{"$":"Haverford"},"street":{"$":"77 Any St."},"city":{"$":"Anytown"},"state":{"$":"FL"},"zip":{"$":"22000"}},{"id":{"$":"0877"},"firstname":{"$":"Hank"},"lastname":{"$":"Haverford"},"street":{"$":"78 Any St."},"city":{"$":"Anytown"},"state":{"$":"FL"},"zip":{"$":"22000"}},{"id":{"$":"0878"},"firstname":{"$":"Inki"},"lastname":{"$":"Haverford"},"street":{"$":"79 Any St."},"city":{"$":"Anytown"},"state":{"$":"FL"},"zip":{"$":"22000"}},{"id":{"$":"0879"},"firstname":{"$":"James"},"lastname":{"$":"Haverford"},"street":{"$":"80 Any St."},"city":{"$":"Anytown"},"state":{"$":"FL"},"zip":{"$":"22000"}},{"id":{"$":"0880"},"firstname":{"$":"Al"},"lastname":{"$":"Ilvedson"},"street":{"$":"81 Any St."},"city":{"$":"Anytown"},"state":{"$":"FL"},"zip":{"$":"22000"}},{"id":{"$":"0881"},"firstname":{"$":"Bob"},"lastname":{"$":"Ilvedson"},"street":{"$":"82 Any St."},"city":{"$":"Anytown"},"state":{"$":"FL"},"zip":{"$":"22000"}},{"id":{"$":"0882"},"firstname":{"$":"Charles"},"lastname":{"$":"Ilvedson"},"street":{"$":"83 Any St."},"city":{"$":"Anytown"},"state":{"$":"FL"},"zip":{"$":"22000"}},{"id":{"$":"0883"},"firstname":{"$":"David"},"lastname":{"$":"Ilvedson"},"street":{"$":"84 Any St."},"city":{"$":"Anytown"},"state":{"$":"FL"},"zip":{"$":"22000"}},{"id":{"$":"0884"},"firstname":{"$":"Egon"},"lastname":{"$":"Ilvedson"},"street":{"$":"85 Any St."},"city":{"$":"Anytown"},"state":{"$":"FL"},"zip":{"$":"22000"}},{"id":{"$":"0885"},"firstname":{"$":"Farbood"},"lastname":{"$":"Ilvedson"},"street":{"$":"86 Any St."},"city":{"$":"Anytown"},"state":{"$":"FL"},"zip":{"$":"22000"}},{"id":{"$":"0886"},"firstname":{"$":"George"},"lastname":{"$":"Ilvedson"},"street":{"$":"87 Any St."},"city":{"$":"Anytown"},"state":{"$":"FL"},"zip":{"$":"22000"}},{"id":{"$":"0887"},"firstname":{"$":"Hank"},"lastname":{"$":"Ilvedson"},"street":{"$":"88 Any St."},"city":{"$":"Anytown"},"state":{"$":"FL"},"zip":{"$":"22000"}},{"id":{"$":"0888"},"firstname":{"$":"Inki"},"lastname":{"$":"Ilvedson"},"street":{"$":"89 Any St."},"city":{"$":"Anytown"},"state":{"$":"FL"},"zip":{"$":"22000"}},{"id":{"$":"0889"},"firstname":{"$":"James"},"lastname":{"$":"Ilvedson"},"street":{"$":"90 Any St."},"city":{"$":"Anytown"},"state":{"$":"FL"},"zip":{"$":"22000"}},{"id":{"$":"0890"},"firstname":{"$":"Al"},"lastname":{"$":"Jones"},"street":{"$":"91 Any St."},"city":{"$":"Anytown"},"state":{"$":"FL"},"zip":{"$":"22000"}},{"id":{"$":"0891"},"firstname":{"$":"Bob"},"lastname":{"$":"Jones"},"street":{"$":"92 Any St."},"city":{"$":"Anytown"},"state":{"$":"FL"},"zip":{"$":"22000"}},{"id":{"$":"0892"},"firstname":{"$":"Charles"},"lastname":{"$":"Jones"},"street":{"$":"93 Any St."},"city":{"$":"Anytown"},"state":{"$":"FL"},"zip":{"$":"22000"}},{"id":{"$":"0893"},"firstname":{"$":"David"},"lastname":{"$":"Jones"},"street":{"$":"94 Any St."},"city":{"$":"Anytown"},"state":{"$":"FL"},"zip":{"$":"22000"}},{"id":{"$":"0894"},"firstname":{"$":"Egon"},"lastname":{"$":"Jones"},"street":{"$":"95 Any St."},"city":{"$":"Anytown"},"state":{"$":"FL"},"zip":{"$":"22000"}},{"id":{"$":"0895"},"firstname":{"$":"Farbood"},"lastname":{"$":"Jones"},"street":{"$":"96 Any St."},"city":{"$":"Anytown"},"state":{"$":"FL"},"zip":{"$":"22000"}},{"id":{"$":"0896"},"firstname":{"$":"George"},"lastname":{"$":"Jones"},"street":{"$":"97 Any St."},"city":{"$":"Anytown"},"state":{"$":"FL"},"zip":{"$":"22000"}},{"id":{"$":"0897"},"firstname":{"$":"Hank"},"lastname":{"$":"Jones"},"street":{"$":"98 Any St."},"city":{"$":"Anytown"},"state":{"$":"FL"},"zip":{"$":"22000"}},{"id":{"$":"0898"},"firstname":{"$":"Inki"},"lastname":{"$":"Jones"},"street":{"$":"99 Any St."},"city":{"$":"Anytown"},"state":{"$":"FL"},"zip":{"$":"22000"}},{"id":{"$":"0899"},"firstname":{"$":"James"},"lastname":{"$":"Jones"},"street":{"$":"100 Any St."},"city":{"$":"Anytown"},"state":{"$":"FL"},"zip":{"$":"22000"}},{"id":{"$":"0900"},"firstname":{"$":"Al"},"lastname":{"$":"Aranow"},"street":{"$":"1 Any St."},"city":{"$":"Anytown"},"state":{"$":"GA"},"zip":{"$":"22000"}},{"id":{"$":"0901"},"firstname":{"$":"Bob"},"lastname":{"$":"Aranow"},"street":{"$":"2 Any St."},"city":{"$":"Anytown"},"state":{"$":"GA"},"zip":{"$":"22000"}},{"id":{"$":"0902"},"firstname":{"$":"Charles"},"lastname":{"$":"Aranow"},"street":{"$":"3 Any St."},"city":{"$":"Anytown"},"state":{"$":"GA"},"zip":{"$":"22000"}},{"id":{"$":"0903"},"firstname":{"$":"David"},"lastname":{"$":"Aranow"},"street":{"$":"4 Any St."},"city":{"$":"Anytown"},"state":{"$":"GA"},"zip":{"$":"22000"}},{"id":{"$":"0904"},"firstname":{"$":"Egon"},"lastname":{"$":"Aranow"},"street":{"$":"5 Any St."},"city":{"$":"Anytown"},"state":{"$":"GA"},"zip":{"$":"22000"}},{"id":{"$":"0905"},"firstname":{"$":"Farbood"},"lastname":{"$":"Aranow"},"street":{"$":"6 Any St."},"city":{"$":"Anytown"},"state":{"$":"GA"},"zip":{"$":"22000"}},{"id":{"$":"0906"},"firstname":{"$":"George"},"lastname":{"$":"Aranow"},"street":{"$":"7 Any St."},"city":{"$":"Anytown"},"state":{"$":"GA"},"zip":{"$":"22000"}},{"id":{"$":"0907"},"firstname":{"$":"Hank"},"lastname":{"$":"Aranow"},"street":{"$":"8 Any St."},"city":{"$":"Anytown"},"state":{"$":"GA"},"zip":{"$":"22000"}},{"id":{"$":"0908"},"firstname":{"$":"Inki"},"lastname":{"$":"Aranow"},"street":{"$":"9 Any St."},"city":{"$":"Anytown"},"state":{"$":"GA"},"zip":{"$":"22000"}},{"id":{"$":"0909"},"firstname":{"$":"James"},"lastname":{"$":"Aranow"},"street":{"$":"10 Any St."},"city":{"$":"Anytown"},"state":{"$":"GA"},"zip":{"$":"22000"}},{"id":{"$":"0910"},"firstname":{"$":"Al"},"lastname":{"$":"Barker"},"street":{"$":"11 Any St."},"city":{"$":"Anytown"},"state":{"$":"GA"},"zip":{"$":"22000"}},{"id":{"$":"0911"},"firstname":{"$":"Bob"},"lastname":{"$":"Barker"},"street":{"$":"12 Any St."},"city":{"$":"Anytown"},"state":{"$":"GA"},"zip":{"$":"22000"}},{"id":{"$":"0912"},"firstname":{"$":"Charles"},"lastname":{"$":"Barker"},"street":{"$":"13 Any St."},"city":{"$":"Anytown"},"state":{"$":"GA"},"zip":{"$":"22000"}},{"id":{"$":"0913"},"firstname":{"$":"David"},"lastname":{"$":"Barker"},"street":{"$":"14 Any St."},"city":{"$":"Anytown"},"state":{"$":"GA"},"zip":{"$":"22000"}},{"id":{"$":"0914"},"firstname":{"$":"Egon"},"lastname":{"$":"Barker"},"street":{"$":"15 Any St."},"city":{"$":"Anytown"},"state":{"$":"GA"},"zip":{"$":"22000"}},{"id":{"$":"0915"},"firstname":{"$":"Farbood"},"lastname":{"$":"Barker"},"street":{"$":"16 Any St."},"city":{"$":"Anytown"},"state":{"$":"GA"},"zip":{"$":"22000"}},{"id":{"$":"0916"},"firstname":{"$":"George"},"lastname":{"$":"Barker"},"street":{"$":"17 Any St."},"city":{"$":"Anytown"},"state":{"$":"GA"},"zip":{"$":"22000"}},{"id":{"$":"0917"},"firstname":{"$":"Hank"},"lastname":{"$":"Barker"},"street":{"$":"18 Any St."},"city":{"$":"Anytown"},"state":{"$":"GA"},"zip":{"$":"22000"}},{"id":{"$":"0918"},"firstname":{"$":"Inki"},"lastname":{"$":"Barker"},"street":{"$":"19 Any St."},"city":{"$":"Anytown"},"state":{"$":"GA"},"zip":{"$":"22000"}},{"id":{"$":"0919"},"firstname":{"$":"James"},"lastname":{"$":"Barker"},"street":{"$":"20 Any St."},"city":{"$":"Anytown"},"state":{"$":"GA"},"zip":{"$":"22000"}},{"id":{"$":"0920"},"firstname":{"$":"Al"},"lastname":{"$":"Corsetti"},"street":{"$":"21 Any St."},"city":{"$":"Anytown"},"state":{"$":"GA"},"zip":{"$":"22000"}},{"id":{"$":"0921"},"firstname":{"$":"Bob"},"lastname":{"$":"Corsetti"},"street":{"$":"22 Any St."},"city":{"$":"Anytown"},"state":{"$":"GA"},"zip":{"$":"22000"}},{"id":{"$":"0922"},"firstname":{"$":"Charles"},"lastname":{"$":"Corsetti"},"street":{"$":"23 Any St."},"city":{"$":"Anytown"},"state":{"$":"GA"},"zip":{"$":"22000"}},{"id":{"$":"0923"},"firstname":{"$":"David"},"lastname":{"$":"Corsetti"},"street":{"$":"24 Any St."},"city":{"$":"Anytown"},"state":{"$":"GA"},"zip":{"$":"22000"}},{"id":{"$":"0924"},"firstname":{"$":"Egon"},"lastname":{"$":"Corsetti"},"street":{"$":"25 Any St."},"city":{"$":"Anytown"},"state":{"$":"GA"},"zip":{"$":"22000"}},{"id":{"$":"0925"},"firstname":{"$":"Farbood"},"lastname":{"$":"Corsetti"},"street":{"$":"26 Any St."},"city":{"$":"Anytown"},"state":{"$":"GA"},"zip":{"$":"22000"}},{"id":{"$":"0926"},"firstname":{"$":"George"},"lastname":{"$":"Corsetti"},"street":{"$":"27 Any St."},"city":{"$":"Anytown"},"state":{"$":"GA"},"zip":{"$":"22000"}},{"id":{"$":"0927"},"firstname":{"$":"Hank"},"lastname":{"$":"Corsetti"},"street":{"$":"28 Any St."},"city":{"$":"Anytown"},"state":{"$":"GA"},"zip":{"$":"22000"}},{"id":{"$":"0928"},"firstname":{"$":"Inki"},"lastname":{"$":"Corsetti"},"street":{"$":"29 Any St."},"city":{"$":"Anytown"},"state":{"$":"GA"},"zip":{"$":"22000"}},{"id":{"$":"0929"},"firstname":{"$":"James"},"lastname":{"$":"Corsetti"},"street":{"$":"30 Any St."},"city":{"$":"Anytown"},"state":{"$":"GA"},"zip":{"$":"22000"}},{"id":{"$":"0930"},"firstname":{"$":"Al"},"lastname":{"$":"Dershowitz"},"street":{"$":"31 Any St."},"city":{"$":"Anytown"},"state":{"$":"GA"},"zip":{"$":"22000"}},{"id":{"$":"0931"},"firstname":{"$":"Bob"},"lastname":{"$":"Dershowitz"},"street":{"$":"32 Any St."},"city":{"$":"Anytown"},"state":{"$":"GA"},"zip":{"$":"22000"}},{"id":{"$":"0932"},"firstname":{"$":"Charles"},"lastname":{"$":"Dershowitz"},"street":{"$":"33 Any St."},"city":{"$":"Anytown"},"state":{"$":"GA"},"zip":{"$":"22000"}},{"id":{"$":"0933"},"firstname":{"$":"David"},"lastname":{"$":"Dershowitz"},"street":{"$":"34 Any St."},"city":{"$":"Anytown"},"state":{"$":"GA"},"zip":{"$":"22000"}},{"id":{"$":"0934"},"firstname":{"$":"Egon"},"lastname":{"$":"Dershowitz"},"street":{"$":"35 Any St."},"city":{"$":"Anytown"},"state":{"$":"GA"},"zip":{"$":"22000"}},{"id":{"$":"0935"},"firstname":{"$":"Farbood"},"lastname":{"$":"Dershowitz"},"street":{"$":"36 Any St."},"city":{"$":"Anytown"},"state":{"$":"GA"},"zip":{"$":"22000"}},{"id":{"$":"0936"},"firstname":{"$":"George"},"lastname":{"$":"Dershowitz"},"street":{"$":"37 Any St."},"city":{"$":"Anytown"},"state":{"$":"GA"},"zip":{"$":"22000"}},{"id":{"$":"0937"},"firstname":{"$":"Hank"},"lastname":{"$":"Dershowitz"},"street":{"$":"38 Any St."},"city":{"$":"Anytown"},"state":{"$":"GA"},"zip":{"$":"22000"}},{"id":{"$":"0938"},"firstname":{"$":"Inki"},"lastname":{"$":"Dershowitz"},"street":{"$":"39 Any St."},"city":{"$":"Anytown"},"state":{"$":"GA"},"zip":{"$":"22000"}},{"id":{"$":"0939"},"firstname":{"$":"James"},"lastname":{"$":"Dershowitz"},"street":{"$":"40 Any St."},"city":{"$":"Anytown"},"state":{"$":"GA"},"zip":{"$":"22000"}},{"id":{"$":"0940"},"firstname":{"$":"Al"},"lastname":{"$":"Engleman"},"street":{"$":"41 Any St."},"city":{"$":"Anytown"},"state":{"$":"GA"},"zip":{"$":"22000"}},{"id":{"$":"0941"},"firstname":{"$":"Bob"},"lastname":{"$":"Engleman"},"street":{"$":"42 Any St."},"city":{"$":"Anytown"},"state":{"$":"GA"},"zip":{"$":"22000"}},{"id":{"$":"0942"},"firstname":{"$":"Charles"},"lastname":{"$":"Engleman"},"street":{"$":"43 Any St."},"city":{"$":"Anytown"},"state":{"$":"GA"},"zip":{"$":"22000"}},{"id":{"$":"0943"},"firstname":{"$":"David"},"lastname":{"$":"Engleman"},"street":{"$":"44 Any St."},"city":{"$":"Anytown"},"state":{"$":"GA"},"zip":{"$":"22000"}},{"id":{"$":"0944"},"firstname":{"$":"Egon"},"lastname":{"$":"Engleman"},"street":{"$":"45 Any St."},"city":{"$":"Anytown"},"state":{"$":"GA"},"zip":{"$":"22000"}},{"id":{"$":"0945"},"firstname":{"$":"Farbood"},"lastname":{"$":"Engleman"},"street":{"$":"46 Any St."},"city":{"$":"Anytown"},"state":{"$":"GA"},"zip":{"$":"22000"}},{"id":{"$":"0946"},"firstname":{"$":"George"},"lastname":{"$":"Engleman"},"street":{"$":"47 Any St."},"city":{"$":"Anytown"},"state":{"$":"GA"},"zip":{"$":"22000"}},{"id":{"$":"0947"},"firstname":{"$":"Hank"},"lastname":{"$":"Engleman"},"street":{"$":"48 Any St."},"city":{"$":"Anytown"},"state":{"$":"GA"},"zip":{"$":"22000"}},{"id":{"$":"0948"},"firstname":{"$":"Inki"},"lastname":{"$":"Engleman"},"street":{"$":"49 Any St."},"city":{"$":"Anytown"},"state":{"$":"GA"},"zip":{"$":"22000"}},{"id":{"$":"0949"},"firstname":{"$":"James"},"lastname":{"$":"Engleman"},"street":{"$":"50 Any St."},"city":{"$":"Anytown"},"state":{"$":"GA"},"zip":{"$":"22000"}},{"id":{"$":"0950"},"firstname":{"$":"Al"},"lastname":{"$":"Franklin"},"street":{"$":"51 Any St."},"city":{"$":"Anytown"},"state":{"$":"GA"},"zip":{"$":"22000"}},{"id":{"$":"0951"},"firstname":{"$":"Bob"},"lastname":{"$":"Franklin"},"street":{"$":"52 Any St."},"city":{"$":"Anytown"},"state":{"$":"GA"},"zip":{"$":"22000"}},{"id":{"$":"0952"},"firstname":{"$":"Charles"},"lastname":{"$":"Franklin"},"street":{"$":"53 Any St."},"city":{"$":"Anytown"},"state":{"$":"GA"},"zip":{"$":"22000"}},{"id":{"$":"0953"},"firstname":{"$":"David"},"lastname":{"$":"Franklin"},"street":{"$":"54 Any St."},"city":{"$":"Anytown"},"state":{"$":"GA"},"zip":{"$":"22000"}},{"id":{"$":"0954"},"firstname":{"$":"Egon"},"lastname":{"$":"Franklin"},"street":{"$":"55 Any St."},"city":{"$":"Anytown"},"state":{"$":"GA"},"zip":{"$":"22000"}},{"id":{"$":"0955"},"firstname":{"$":"Farbood"},"lastname":{"$":"Franklin"},"street":{"$":"56 Any St."},"city":{"$":"Anytown"},"state":{"$":"GA"},"zip":{"$":"22000"}},{"id":{"$":"0956"},"firstname":{"$":"George"},"lastname":{"$":"Franklin"},"street":{"$":"57 Any St."},"city":{"$":"Anytown"},"state":{"$":"GA"},"zip":{"$":"22000"}},{"id":{"$":"0957"},"firstname":{"$":"Hank"},"lastname":{"$":"Franklin"},"street":{"$":"58 Any St."},"city":{"$":"Anytown"},"state":{"$":"GA"},"zip":{"$":"22000"}},{"id":{"$":"0958"},"firstname":{"$":"Inki"},"lastname":{"$":"Franklin"},"street":{"$":"59 Any St."},"city":{"$":"Anytown"},"state":{"$":"GA"},"zip":{"$":"22000"}},{"id":{"$":"0959"},"firstname":{"$":"James"},"lastname":{"$":"Franklin"},"street":{"$":"60 Any St."},"city":{"$":"Anytown"},"state":{"$":"GA"},"zip":{"$":"22000"}},{"id":{"$":"0960"},"firstname":{"$":"Al"},"lastname":{"$":"Grice"},"street":{"$":"61 Any St."},"city":{"$":"Anytown"},"state":{"$":"GA"},"zip":{"$":"22000"}},{"id":{"$":"0961"},"firstname":{"$":"Bob"},"lastname":{"$":"Grice"},"street":{"$":"62 Any St."},"city":{"$":"Anytown"},"state":{"$":"GA"},"zip":{"$":"22000"}},{"id":{"$":"0962"},"firstname":{"$":"Charles"},"lastname":{"$":"Grice"},"street":{"$":"63 Any St."},"city":{"$":"Anytown"},"state":{"$":"GA"},"zip":{"$":"22000"}},{"id":{"$":"0963"},"firstname":{"$":"David"},"lastname":{"$":"Grice"},"street":{"$":"64 Any St."},"city":{"$":"Anytown"},"state":{"$":"GA"},"zip":{"$":"22000"}},{"id":{"$":"0964"},"firstname":{"$":"Egon"},"lastname":{"$":"Grice"},"street":{"$":"65 Any St."},"city":{"$":"Anytown"},"state":{"$":"GA"},"zip":{"$":"22000"}},{"id":{"$":"0965"},"firstname":{"$":"Farbood"},"lastname":{"$":"Grice"},"street":{"$":"66 Any St."},"city":{"$":"Anytown"},"state":{"$":"GA"},"zip":{"$":"22000"}},{"id":{"$":"0966"},"firstname":{"$":"George"},"lastname":{"$":"Grice"},"street":{"$":"67 Any St."},"city":{"$":"Anytown"},"state":{"$":"GA"},"zip":{"$":"22000"}},{"id":{"$":"0967"},"firstname":{"$":"Hank"},"lastname":{"$":"Grice"},"street":{"$":"68 Any St."},"city":{"$":"Anytown"},"state":{"$":"GA"},"zip":{"$":"22000"}},{"id":{"$":"0968"},"firstname":{"$":"Inki"},"lastname":{"$":"Grice"},"street":{"$":"69 Any St."},"city":{"$":"Anytown"},"state":{"$":"GA"},"zip":{"$":"22000"}},{"id":{"$":"0969"},"firstname":{"$":"James"},"lastname":{"$":"Grice"},"street":{"$":"70 Any St."},"city":{"$":"Anytown"},"state":{"$":"GA"},"zip":{"$":"22000"}},{"id":{"$":"0970"},"firstname":{"$":"Al"},"lastname":{"$":"Haverford"},"street":{"$":"71 Any St."},"city":{"$":"Anytown"},"state":{"$":"GA"},"zip":{"$":"22000"}},{"id":{"$":"0971"},"firstname":{"$":"Bob"},"lastname":{"$":"Haverford"},"street":{"$":"72 Any St."},"city":{"$":"Anytown"},"state":{"$":"GA"},"zip":{"$":"22000"}},{"id":{"$":"0972"},"firstname":{"$":"Charles"},"lastname":{"$":"Haverford"},"street":{"$":"73 Any St."},"city":{"$":"Anytown"},"state":{"$":"GA"},"zip":{"$":"22000"}},{"id":{"$":"0973"},"firstname":{"$":"David"},"lastname":{"$":"Haverford"},"street":{"$":"74 Any St."},"city":{"$":"Anytown"},"state":{"$":"GA"},"zip":{"$":"22000"}},{"id":{"$":"0974"},"firstname":{"$":"Egon"},"lastname":{"$":"Haverford"},"street":{"$":"75 Any St."},"city":{"$":"Anytown"},"state":{"$":"GA"},"zip":{"$":"22000"}},{"id":{"$":"0975"},"firstname":{"$":"Farbood"},"lastname":{"$":"Haverford"},"street":{"$":"76 Any St."},"city":{"$":"Anytown"},"state":{"$":"GA"},"zip":{"$":"22000"}},{"id":{"$":"0976"},"firstname":{"$":"George"},"lastname":{"$":"Haverford"},"street":{"$":"77 Any St."},"city":{"$":"Anytown"},"state":{"$":"GA"},"zip":{"$":"22000"}},{"id":{"$":"0977"},"firstname":{"$":"Hank"},"lastname":{"$":"Haverford"},"street":{"$":"78 Any St."},"city":{"$":"Anytown"},"state":{"$":"GA"},"zip":{"$":"22000"}},{"id":{"$":"0978"},"firstname":{"$":"Inki"},"lastname":{"$":"Haverford"},"street":{"$":"79 Any St."},"city":{"$":"Anytown"},"state":{"$":"GA"},"zip":{"$":"22000"}},{"id":{"$":"0979"},"firstname":{"$":"James"},"lastname":{"$":"Haverford"},"street":{"$":"80 Any St."},"city":{"$":"Anytown"},"state":{"$":"GA"},"zip":{"$":"22000"}},{"id":{"$":"0980"},"firstname":{"$":"Al"},"lastname":{"$":"Ilvedson"},"street":{"$":"81 Any St."},"city":{"$":"Anytown"},"state":{"$":"GA"},"zip":{"$":"22000"}},{"id":{"$":"0981"},"firstname":{"$":"Bob"},"lastname":{"$":"Ilvedson"},"street":{"$":"82 Any St."},"city":{"$":"Anytown"},"state":{"$":"GA"},"zip":{"$":"22000"}},{"id":{"$":"0982"},"firstname":{"$":"Charles"},"lastname":{"$":"Ilvedson"},"street":{"$":"83 Any St."},"city":{"$":"Anytown"},"state":{"$":"GA"},"zip":{"$":"22000"}},{"id":{"$":"0983"},"firstname":{"$":"David"},"lastname":{"$":"Ilvedson"},"street":{"$":"84 Any St."},"city":{"$":"Anytown"},"state":{"$":"GA"},"zip":{"$":"22000"}},{"id":{"$":"0984"},"firstname":{"$":"Egon"},"lastname":{"$":"Ilvedson"},"street":{"$":"85 Any St."},"city":{"$":"Anytown"},"state":{"$":"GA"},"zip":{"$":"22000"}},{"id":{"$":"0985"},"firstname":{"$":"Farbood"},"lastname":{"$":"Ilvedson"},"street":{"$":"86 Any St."},"city":{"$":"Anytown"},"state":{"$":"GA"},"zip":{"$":"22000"}},{"id":{"$":"0986"},"firstname":{"$":"George"},"lastname":{"$":"Ilvedson"},"street":{"$":"87 Any St."},"city":{"$":"Anytown"},"state":{"$":"GA"},"zip":{"$":"22000"}},{"id":{"$":"0987"},"firstname":{"$":"Hank"},"lastname":{"$":"Ilvedson"},"street":{"$":"88 Any St."},"city":{"$":"Anytown"},"state":{"$":"GA"},"zip":{"$":"22000"}},{"id":{"$":"0988"},"firstname":{"$":"Inki"},"lastname":{"$":"Ilvedson"},"street":{"$":"89 Any St."},"city":{"$":"Anytown"},"state":{"$":"GA"},"zip":{"$":"22000"}},{"id":{"$":"0989"},"firstname":{"$":"James"},"lastname":{"$":"Ilvedson"},"street":{"$":"90 Any St."},"city":{"$":"Anytown"},"state":{"$":"GA"},"zip":{"$":"22000"}},{"id":{"$":"0990"},"firstname":{"$":"Al"},"lastname":{"$":"Jones"},"street":{"$":"91 Any St."},"city":{"$":"Anytown"},"state":{"$":"GA"},"zip":{"$":"22000"}},{"id":{"$":"0991"},"firstname":{"$":"Bob"},"lastname":{"$":"Jones"},"street":{"$":"92 Any St."},"city":{"$":"Anytown"},"state":{"$":"GA"},"zip":{"$":"22000"}},{"id":{"$":"0992"},"firstname":{"$":"Charles"},"lastname":{"$":"Jones"},"street":{"$":"93 Any St."},"city":{"$":"Anytown"},"state":{"$":"GA"},"zip":{"$":"22000"}},{"id":{"$":"0993"},"firstname":{"$":"David"},"lastname":{"$":"Jones"},"street":{"$":"94 Any St."},"city":{"$":"Anytown"},"state":{"$":"GA"},"zip":{"$":"22000"}},{"id":{"$":"0994"},"firstname":{"$":"Egon"},"lastname":{"$":"Jones"},"street":{"$":"95 Any St."},"city":{"$":"Anytown"},"state":{"$":"GA"},"zip":{"$":"22000"}},{"id":{"$":"0995"},"firstname":{"$":"Farbood"},"lastname":{"$":"Jones"},"street":{"$":"96 Any St."},"city":{"$":"Anytown"},"state":{"$":"GA"},"zip":{"$":"22000"}},{"id":{"$":"0996"},"firstname":{"$":"George"},"lastname":{"$":"Jones"},"street":{"$":"97 Any St."},"city":{"$":"Anytown"},"state":{"$":"GA"},"zip":{"$":"22000"}},{"id":{"$":"0997"},"firstname":{"$":"Hank"},"lastname":{"$":"Jones"},"street":{"$":"98 Any St."},"city":{"$":"Anytown"},"state":{"$":"GA"},"zip":{"$":"22000"}},{"id":{"$":"0998"},"firstname":{"$":"Inki"},"lastname":{"$":"Jones"},"street":{"$":"99 Any St."},"city":{"$":"Anytown"},"state":{"$":"GA"},"zip":{"$":"22000"}},{"id":{"$":"0999"},"firstname":{"$":"James"},"lastname":{"$":"Jones"},"street":{"$":"100 Any St."},"city":{"$":"Anytown"},"state":{"$":"GA"},"zip":{"$":"22000"}}]}} yajl-ruby-1.4.3/spec/parsing/fixtures/pass.array.json0000644000004100000410000000013314246427314022715 0ustar www-datawww-data["foo", "bar", "baz", true,false,null,{"key":"value"}, [null,null,null,[]], "\n\r\\" ] yajl-ruby-1.4.3/spec/parsing/fixtures/pass.ns-soap.xml.json0000644000004100000410000242044714246427314023776 0ustar www-datawww-data{"soapenv:Envelope":{"soapenv:Body":{"ns1:reverseResponse":{"reverseReturn":{"@href":"#id0","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","ns1":"urn:axis.sosnoski.com"}},"@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","ns1":"urn:axis.sosnoski.com"}},"multiRef":[{"routes":{"item":[{"@href":"#id1","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","ns2":"http:\/\/flightsraw","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns3":"urn:axis.sosnoski.com"}},{"@href":"#id2","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","ns2":"http:\/\/flightsraw","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns3":"urn:axis.sosnoski.com"}},{"@href":"#id3","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","ns2":"http:\/\/flightsraw","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns3":"urn:axis.sosnoski.com"}},{"@href":"#id4","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","ns2":"http:\/\/flightsraw","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns3":"urn:axis.sosnoski.com"}},{"@href":"#id5","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","ns2":"http:\/\/flightsraw","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns3":"urn:axis.sosnoski.com"}},{"@href":"#id6","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","ns2":"http:\/\/flightsraw","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns3":"urn:axis.sosnoski.com"}},{"@href":"#id7","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","ns2":"http:\/\/flightsraw","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns3":"urn:axis.sosnoski.com"}},{"@href":"#id8","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","ns2":"http:\/\/flightsraw","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns3":"urn:axis.sosnoski.com"}},{"@href":"#id9","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","ns2":"http:\/\/flightsraw","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns3":"urn:axis.sosnoski.com"}},{"@href":"#id10","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","ns2":"http:\/\/flightsraw","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns3":"urn:axis.sosnoski.com"}},{"@href":"#id11","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","ns2":"http:\/\/flightsraw","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns3":"urn:axis.sosnoski.com"}},{"@href":"#id12","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","ns2":"http:\/\/flightsraw","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns3":"urn:axis.sosnoski.com"}},{"@href":"#id13","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","ns2":"http:\/\/flightsraw","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns3":"urn:axis.sosnoski.com"}},{"@href":"#id14","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","ns2":"http:\/\/flightsraw","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns3":"urn:axis.sosnoski.com"}},{"@href":"#id15","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","ns2":"http:\/\/flightsraw","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns3":"urn:axis.sosnoski.com"}},{"@href":"#id16","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","ns2":"http:\/\/flightsraw","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns3":"urn:axis.sosnoski.com"}},{"@href":"#id17","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","ns2":"http:\/\/flightsraw","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns3":"urn:axis.sosnoski.com"}},{"@href":"#id18","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","ns2":"http:\/\/flightsraw","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns3":"urn:axis.sosnoski.com"}},{"@href":"#id19","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","ns2":"http:\/\/flightsraw","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns3":"urn:axis.sosnoski.com"}},{"@href":"#id20","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","ns2":"http:\/\/flightsraw","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns3":"urn:axis.sosnoski.com"}},{"@href":"#id21","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","ns2":"http:\/\/flightsraw","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns3":"urn:axis.sosnoski.com"}},{"@href":"#id22","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","ns2":"http:\/\/flightsraw","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns3":"urn:axis.sosnoski.com"}},{"@href":"#id23","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","ns2":"http:\/\/flightsraw","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns3":"urn:axis.sosnoski.com"}},{"@href":"#id24","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","ns2":"http:\/\/flightsraw","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns3":"urn:axis.sosnoski.com"}},{"@href":"#id25","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","ns2":"http:\/\/flightsraw","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns3":"urn:axis.sosnoski.com"}},{"@href":"#id26","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","ns2":"http:\/\/flightsraw","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns3":"urn:axis.sosnoski.com"}},{"@href":"#id27","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","ns2":"http:\/\/flightsraw","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns3":"urn:axis.sosnoski.com"}},{"@href":"#id28","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","ns2":"http:\/\/flightsraw","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns3":"urn:axis.sosnoski.com"}},{"@href":"#id29","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","ns2":"http:\/\/flightsraw","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns3":"urn:axis.sosnoski.com"}},{"@href":"#id30","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","ns2":"http:\/\/flightsraw","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns3":"urn:axis.sosnoski.com"}},{"@href":"#id31","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","ns2":"http:\/\/flightsraw","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns3":"urn:axis.sosnoski.com"}},{"@href":"#id32","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","ns2":"http:\/\/flightsraw","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns3":"urn:axis.sosnoski.com"}},{"@href":"#id33","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","ns2":"http:\/\/flightsraw","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns3":"urn:axis.sosnoski.com"}},{"@href":"#id34","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","ns2":"http:\/\/flightsraw","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns3":"urn:axis.sosnoski.com"}},{"@href":"#id35","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","ns2":"http:\/\/flightsraw","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns3":"urn:axis.sosnoski.com"}},{"@href":"#id36","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","ns2":"http:\/\/flightsraw","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns3":"urn:axis.sosnoski.com"}},{"@href":"#id37","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","ns2":"http:\/\/flightsraw","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns3":"urn:axis.sosnoski.com"}},{"@href":"#id38","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","ns2":"http:\/\/flightsraw","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns3":"urn:axis.sosnoski.com"}},{"@href":"#id39","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","ns2":"http:\/\/flightsraw","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns3":"urn:axis.sosnoski.com"}},{"@href":"#id40","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","ns2":"http:\/\/flightsraw","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns3":"urn:axis.sosnoski.com"}},{"@href":"#id41","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","ns2":"http:\/\/flightsraw","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns3":"urn:axis.sosnoski.com"}},{"@href":"#id42","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","ns2":"http:\/\/flightsraw","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns3":"urn:axis.sosnoski.com"}},{"@href":"#id43","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","ns2":"http:\/\/flightsraw","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns3":"urn:axis.sosnoski.com"}},{"@href":"#id44","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","ns2":"http:\/\/flightsraw","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns3":"urn:axis.sosnoski.com"}},{"@href":"#id45","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","ns2":"http:\/\/flightsraw","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns3":"urn:axis.sosnoski.com"}},{"@href":"#id46","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","ns2":"http:\/\/flightsraw","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns3":"urn:axis.sosnoski.com"}},{"@href":"#id47","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","ns2":"http:\/\/flightsraw","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns3":"urn:axis.sosnoski.com"}},{"@href":"#id48","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","ns2":"http:\/\/flightsraw","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns3":"urn:axis.sosnoski.com"}},{"@href":"#id49","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","ns2":"http:\/\/flightsraw","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns3":"urn:axis.sosnoski.com"}},{"@href":"#id50","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","ns2":"http:\/\/flightsraw","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns3":"urn:axis.sosnoski.com"}},{"@href":"#id51","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","ns2":"http:\/\/flightsraw","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns3":"urn:axis.sosnoski.com"}},{"@href":"#id52","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","ns2":"http:\/\/flightsraw","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns3":"urn:axis.sosnoski.com"}},{"@href":"#id53","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","ns2":"http:\/\/flightsraw","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns3":"urn:axis.sosnoski.com"}},{"@href":"#id54","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","ns2":"http:\/\/flightsraw","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns3":"urn:axis.sosnoski.com"}},{"@href":"#id55","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","ns2":"http:\/\/flightsraw","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns3":"urn:axis.sosnoski.com"}},{"@href":"#id56","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","ns2":"http:\/\/flightsraw","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns3":"urn:axis.sosnoski.com"}}],"@xsi:type":"soapenc:Array","@soapenc:arrayType":"ns2:RouteBean[56]","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","ns2":"http:\/\/flightsraw","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns3":"urn:axis.sosnoski.com"}},"airports":{"item":[{"@href":"#id57","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","ns2":"http:\/\/flightsraw","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns4":"urn:axis.sosnoski.com"}},{"@href":"#id58","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","ns2":"http:\/\/flightsraw","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns4":"urn:axis.sosnoski.com"}},{"@href":"#id59","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","ns2":"http:\/\/flightsraw","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns4":"urn:axis.sosnoski.com"}},{"@href":"#id60","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","ns2":"http:\/\/flightsraw","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns4":"urn:axis.sosnoski.com"}},{"@href":"#id61","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","ns2":"http:\/\/flightsraw","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns4":"urn:axis.sosnoski.com"}},{"@href":"#id62","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","ns2":"http:\/\/flightsraw","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns4":"urn:axis.sosnoski.com"}},{"@href":"#id63","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","ns2":"http:\/\/flightsraw","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns4":"urn:axis.sosnoski.com"}},{"@href":"#id64","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","ns2":"http:\/\/flightsraw","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns4":"urn:axis.sosnoski.com"}}],"@xsi:type":"soapenc:Array","@soapenc:arrayType":"ns2:AirportBean[8]","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","ns2":"http:\/\/flightsraw","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns4":"urn:axis.sosnoski.com"}},"carriers":{"item":[{"@href":"#id65","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","ns2":"http:\/\/flightsraw","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns5":"urn:axis.sosnoski.com"}},{"@href":"#id66","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","ns2":"http:\/\/flightsraw","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns5":"urn:axis.sosnoski.com"}},{"@href":"#id67","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","ns2":"http:\/\/flightsraw","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns5":"urn:axis.sosnoski.com"}},{"@href":"#id68","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","ns2":"http:\/\/flightsraw","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns5":"urn:axis.sosnoski.com"}},{"@href":"#id69","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","ns2":"http:\/\/flightsraw","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns5":"urn:axis.sosnoski.com"}},{"@href":"#id70","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","ns2":"http:\/\/flightsraw","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns5":"urn:axis.sosnoski.com"}},{"@href":"#id71","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","ns2":"http:\/\/flightsraw","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns5":"urn:axis.sosnoski.com"}},{"@href":"#id72","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","ns2":"http:\/\/flightsraw","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns5":"urn:axis.sosnoski.com"}}],"@xsi:type":"soapenc:Array","@soapenc:arrayType":"ns2:CarrierBean[8]","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","ns2":"http:\/\/flightsraw","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns5":"urn:axis.sosnoski.com"}},"@id":"id0","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns2:TimeTableBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","ns2":"http:\/\/flightsraw","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/"}},{"flights":{"item":[{"@href":"#id73","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns6":"http:\/\/flightsraw","ns7":"urn:axis.sosnoski.com"}},{"@href":"#id74","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns6":"http:\/\/flightsraw","ns7":"urn:axis.sosnoski.com"}},{"@href":"#id75","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns6":"http:\/\/flightsraw","ns7":"urn:axis.sosnoski.com"}}],"@xsi:type":"soapenc:Array","@soapenc:arrayType":"ns6:FlightBean[3]","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns6":"http:\/\/flightsraw","ns7":"urn:axis.sosnoski.com"}},"from":{"@href":"#id61","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns6":"http:\/\/flightsraw"}},"to":{"@href":"#id64","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns6":"http:\/\/flightsraw"}},"@id":"id49","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns6:RouteBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns6":"http:\/\/flightsraw"}},{"flights":{"item":[{"@href":"#id76","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns8":"http:\/\/flightsraw","ns9":"urn:axis.sosnoski.com"}},{"@href":"#id77","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns8":"http:\/\/flightsraw","ns9":"urn:axis.sosnoski.com"}},{"@href":"#id78","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns8":"http:\/\/flightsraw","ns9":"urn:axis.sosnoski.com"}},{"@href":"#id79","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns8":"http:\/\/flightsraw","ns9":"urn:axis.sosnoski.com"}},{"@href":"#id80","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns8":"http:\/\/flightsraw","ns9":"urn:axis.sosnoski.com"}}],"@xsi:type":"soapenc:Array","@soapenc:arrayType":"ns8:FlightBean[5]","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns8":"http:\/\/flightsraw","ns9":"urn:axis.sosnoski.com"}},"from":{"@href":"#id60","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns8":"http:\/\/flightsraw"}},"to":{"@href":"#id59","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns8":"http:\/\/flightsraw"}},"@id":"id28","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns8:RouteBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns8":"http:\/\/flightsraw"}},{"location":{"$":"Chicago, IL","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns10":"http:\/\/flightsraw"}},"name":{"$":"O'Hare International Airport","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns10":"http:\/\/flightsraw"}},"ident":{"$":"ORD","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns10":"http:\/\/flightsraw"}},"@id":"id61","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns10:AirportBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns10":"http:\/\/flightsraw"}},{"flights":{"item":[{"@href":"#id81","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns11":"http:\/\/flightsraw","ns12":"urn:axis.sosnoski.com"}},{"@href":"#id82","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns11":"http:\/\/flightsraw","ns12":"urn:axis.sosnoski.com"}},{"@href":"#id83","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns11":"http:\/\/flightsraw","ns12":"urn:axis.sosnoski.com"}},{"@href":"#id84","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns11":"http:\/\/flightsraw","ns12":"urn:axis.sosnoski.com"}},{"@href":"#id85","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns11":"http:\/\/flightsraw","ns12":"urn:axis.sosnoski.com"}},{"@href":"#id86","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns11":"http:\/\/flightsraw","ns12":"urn:axis.sosnoski.com"}},{"@href":"#id87","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns11":"http:\/\/flightsraw","ns12":"urn:axis.sosnoski.com"}},{"@href":"#id88","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns11":"http:\/\/flightsraw","ns12":"urn:axis.sosnoski.com"}}],"@xsi:type":"soapenc:Array","@soapenc:arrayType":"ns11:FlightBean[8]","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns11":"http:\/\/flightsraw","ns12":"urn:axis.sosnoski.com"}},"from":{"@href":"#id60","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns11":"http:\/\/flightsraw"}},"to":{"@href":"#id61","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns11":"http:\/\/flightsraw"}},"@id":"id37","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns11:RouteBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns11":"http:\/\/flightsraw"}},{"flights":{"item":[{"@href":"#id89","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns13":"http:\/\/flightsraw","ns14":"urn:axis.sosnoski.com"}},{"@href":"#id90","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns13":"http:\/\/flightsraw","ns14":"urn:axis.sosnoski.com"}},{"@href":"#id91","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns13":"http:\/\/flightsraw","ns14":"urn:axis.sosnoski.com"}},{"@href":"#id92","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns13":"http:\/\/flightsraw","ns14":"urn:axis.sosnoski.com"}},{"@href":"#id93","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns13":"http:\/\/flightsraw","ns14":"urn:axis.sosnoski.com"}}],"@xsi:type":"soapenc:Array","@soapenc:arrayType":"ns13:FlightBean[5]","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns13":"http:\/\/flightsraw","ns14":"urn:axis.sosnoski.com"}},"from":{"@href":"#id63","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns13":"http:\/\/flightsraw"}},"to":{"@href":"#id60","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns13":"http:\/\/flightsraw"}},"@id":"id42","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns13:RouteBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns13":"http:\/\/flightsraw"}},{"flights":{"item":[{"@href":"#id94","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns15":"http:\/\/flightsraw","ns16":"urn:axis.sosnoski.com"}},{"@href":"#id95","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns15":"http:\/\/flightsraw","ns16":"urn:axis.sosnoski.com"}}],"@xsi:type":"soapenc:Array","@soapenc:arrayType":"ns15:FlightBean[2]","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns15":"http:\/\/flightsraw","ns16":"urn:axis.sosnoski.com"}},"from":{"@href":"#id61","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns15":"http:\/\/flightsraw"}},"to":{"@href":"#id59","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns15":"http:\/\/flightsraw"}},"@id":"id30","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns15:RouteBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns15":"http:\/\/flightsraw"}},{"flights":{"item":[{"@href":"#id96","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns17":"http:\/\/flightsraw","ns18":"urn:axis.sosnoski.com"}},{"@href":"#id97","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns17":"http:\/\/flightsraw","ns18":"urn:axis.sosnoski.com"}},{"@href":"#id98","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns17":"http:\/\/flightsraw","ns18":"urn:axis.sosnoski.com"}},{"@href":"#id99","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns17":"http:\/\/flightsraw","ns18":"urn:axis.sosnoski.com"}},{"@href":"#id100","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns17":"http:\/\/flightsraw","ns18":"urn:axis.sosnoski.com"}}],"@xsi:type":"soapenc:Array","@soapenc:arrayType":"ns17:FlightBean[5]","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns17":"http:\/\/flightsraw","ns18":"urn:axis.sosnoski.com"}},"from":{"@href":"#id58","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns17":"http:\/\/flightsraw"}},"to":{"@href":"#id61","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns17":"http:\/\/flightsraw"}},"@id":"id19","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns17:RouteBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns17":"http:\/\/flightsraw"}},{"flights":{"item":[{"@href":"#id101","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns19":"http:\/\/flightsraw","ns20":"urn:axis.sosnoski.com"}},{"@href":"#id102","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns19":"http:\/\/flightsraw","ns20":"urn:axis.sosnoski.com"}},{"@href":"#id103","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns19":"http:\/\/flightsraw","ns20":"urn:axis.sosnoski.com"}},{"@href":"#id104","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns19":"http:\/\/flightsraw","ns20":"urn:axis.sosnoski.com"}},{"@href":"#id105","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns19":"http:\/\/flightsraw","ns20":"urn:axis.sosnoski.com"}},{"@href":"#id106","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns19":"http:\/\/flightsraw","ns20":"urn:axis.sosnoski.com"}}],"@xsi:type":"soapenc:Array","@soapenc:arrayType":"ns19:FlightBean[6]","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns19":"http:\/\/flightsraw","ns20":"urn:axis.sosnoski.com"}},"from":{"@href":"#id64","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns19":"http:\/\/flightsraw"}},"to":{"@href":"#id62","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns19":"http:\/\/flightsraw"}},"@id":"id54","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns19:RouteBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns19":"http:\/\/flightsraw"}},{"flights":{"item":[{"@href":"#id107","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns21":"http:\/\/flightsraw","ns22":"urn:axis.sosnoski.com"}},{"@href":"#id108","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns21":"http:\/\/flightsraw","ns22":"urn:axis.sosnoski.com"}},{"@href":"#id109","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns21":"http:\/\/flightsraw","ns22":"urn:axis.sosnoski.com"}},{"@href":"#id110","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns21":"http:\/\/flightsraw","ns22":"urn:axis.sosnoski.com"}}],"@xsi:type":"soapenc:Array","@soapenc:arrayType":"ns21:FlightBean[4]","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns21":"http:\/\/flightsraw","ns22":"urn:axis.sosnoski.com"}},"from":{"@href":"#id59","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns21":"http:\/\/flightsraw"}},"to":{"@href":"#id58","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns21":"http:\/\/flightsraw"}},"@id":"id16","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns21:RouteBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns21":"http:\/\/flightsraw"}},{"flights":{"item":[{"@href":"#id111","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns23":"http:\/\/flightsraw","ns24":"urn:axis.sosnoski.com"}},{"@href":"#id112","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns23":"http:\/\/flightsraw","ns24":"urn:axis.sosnoski.com"}},{"@href":"#id113","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns23":"http:\/\/flightsraw","ns24":"urn:axis.sosnoski.com"}},{"@href":"#id114","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns23":"http:\/\/flightsraw","ns24":"urn:axis.sosnoski.com"}},{"@href":"#id115","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns23":"http:\/\/flightsraw","ns24":"urn:axis.sosnoski.com"}},{"@href":"#id116","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns23":"http:\/\/flightsraw","ns24":"urn:axis.sosnoski.com"}}],"@xsi:type":"soapenc:Array","@soapenc:arrayType":"ns23:FlightBean[6]","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns23":"http:\/\/flightsraw","ns24":"urn:axis.sosnoski.com"}},"from":{"@href":"#id64","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns23":"http:\/\/flightsraw"}},"to":{"@href":"#id58","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns23":"http:\/\/flightsraw"}},"@id":"id26","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns23:RouteBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns23":"http:\/\/flightsraw"}},{"URL":{"$":"http:\/\/www.northleft.com","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns25":"http:\/\/flightsraw"}},"name":{"$":"Northleft Airlines","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns25":"http:\/\/flightsraw"}},"rating":{"$":"4","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns25":"http:\/\/flightsraw"}},"ident":{"$":"NL","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns25":"http:\/\/flightsraw"}},"@id":"id70","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns25:CarrierBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns25":"http:\/\/flightsraw"}},{"flights":{"item":[{"@href":"#id117","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns26":"http:\/\/flightsraw","ns27":"urn:axis.sosnoski.com"}},{"@href":"#id118","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns26":"http:\/\/flightsraw","ns27":"urn:axis.sosnoski.com"}}],"@xsi:type":"soapenc:Array","@soapenc:arrayType":"ns26:FlightBean[2]","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns26":"http:\/\/flightsraw","ns27":"urn:axis.sosnoski.com"}},"from":{"@href":"#id59","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns26":"http:\/\/flightsraw"}},"to":{"@href":"#id61","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns26":"http:\/\/flightsraw"}},"@id":"id29","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns26:RouteBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns26":"http:\/\/flightsraw"}},{"flights":{"item":{"@href":"#id119","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns28":"http:\/\/flightsraw","ns29":"urn:axis.sosnoski.com"}},"@xsi:type":"soapenc:Array","@soapenc:arrayType":"ns28:FlightBean[1]","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns28":"http:\/\/flightsraw","ns29":"urn:axis.sosnoski.com"}},"from":{"@href":"#id57","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns28":"http:\/\/flightsraw"}},"to":{"@href":"#id63","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns28":"http:\/\/flightsraw"}},"@id":"id11","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns28:RouteBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns28":"http:\/\/flightsraw"}},{"flights":{"item":{"@href":"#id120","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns30":"http:\/\/flightsraw","ns31":"urn:axis.sosnoski.com"}},"@xsi:type":"soapenc:Array","@soapenc:arrayType":"ns30:FlightBean[1]","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns30":"http:\/\/flightsraw","ns31":"urn:axis.sosnoski.com"}},"from":{"@href":"#id64","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns30":"http:\/\/flightsraw"}},"to":{"@href":"#id57","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns30":"http:\/\/flightsraw"}},"@id":"id14","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns30:RouteBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns30":"http:\/\/flightsraw"}},{"location":{"$":"San Francisco, CA","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns32":"http:\/\/flightsraw"}},"name":{"$":"San Francisco International Airport","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns32":"http:\/\/flightsraw"}},"ident":{"$":"SFO","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns32":"http:\/\/flightsraw"}},"@id":"id63","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns32:AirportBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns32":"http:\/\/flightsraw"}},{"flights":{"item":[{"@href":"#id121","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns33":"http:\/\/flightsraw","ns34":"urn:axis.sosnoski.com"}},{"@href":"#id122","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns33":"http:\/\/flightsraw","ns34":"urn:axis.sosnoski.com"}},{"@href":"#id123","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns33":"http:\/\/flightsraw","ns34":"urn:axis.sosnoski.com"}},{"@href":"#id124","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns33":"http:\/\/flightsraw","ns34":"urn:axis.sosnoski.com"}},{"@href":"#id125","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns33":"http:\/\/flightsraw","ns34":"urn:axis.sosnoski.com"}},{"@href":"#id126","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns33":"http:\/\/flightsraw","ns34":"urn:axis.sosnoski.com"}},{"@href":"#id127","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns33":"http:\/\/flightsraw","ns34":"urn:axis.sosnoski.com"}}],"@xsi:type":"soapenc:Array","@soapenc:arrayType":"ns33:FlightBean[7]","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns33":"http:\/\/flightsraw","ns34":"urn:axis.sosnoski.com"}},"from":{"@href":"#id62","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns33":"http:\/\/flightsraw"}},"to":{"@href":"#id60","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns33":"http:\/\/flightsraw"}},"@id":"id40","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns33:RouteBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns33":"http:\/\/flightsraw"}},{"flights":{"item":{"@href":"#id128","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns35":"http:\/\/flightsraw","ns36":"urn:axis.sosnoski.com"}},"@xsi:type":"soapenc:Array","@soapenc:arrayType":"ns35:FlightBean[1]","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns35":"http:\/\/flightsraw","ns36":"urn:axis.sosnoski.com"}},"from":{"@href":"#id57","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns35":"http:\/\/flightsraw"}},"to":{"@href":"#id64","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns35":"http:\/\/flightsraw"}},"@id":"id13","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns35:RouteBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns35":"http:\/\/flightsraw"}},{"URL":{"$":"http:\/\/www.arcticairlines.com","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns37":"http:\/\/flightsraw"}},"name":{"$":"Arctic Airlines","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns37":"http:\/\/flightsraw"}},"rating":{"$":"9","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns37":"http:\/\/flightsraw"}},"ident":{"$":"AR","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns37":"http:\/\/flightsraw"}},"@id":"id65","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns37:CarrierBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns37":"http:\/\/flightsraw"}},{"URL":{"$":"http:\/\/www.classyskylines.com","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns38":"http:\/\/flightsraw"}},"name":{"$":"Classy Skylines","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns38":"http:\/\/flightsraw"}},"rating":{"$":"9","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns38":"http:\/\/flightsraw"}},"ident":{"$":"CL","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns38":"http:\/\/flightsraw"}},"@id":"id69","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns38:CarrierBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns38":"http:\/\/flightsraw"}},{"flights":{"item":[{"@href":"#id129","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns39":"http:\/\/flightsraw","ns40":"urn:axis.sosnoski.com"}},{"@href":"#id130","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns39":"http:\/\/flightsraw","ns40":"urn:axis.sosnoski.com"}},{"@href":"#id131","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns39":"http:\/\/flightsraw","ns40":"urn:axis.sosnoski.com"}},{"@href":"#id132","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns39":"http:\/\/flightsraw","ns40":"urn:axis.sosnoski.com"}},{"@href":"#id133","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns39":"http:\/\/flightsraw","ns40":"urn:axis.sosnoski.com"}},{"@href":"#id134","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns39":"http:\/\/flightsraw","ns40":"urn:axis.sosnoski.com"}},{"@href":"#id135","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns39":"http:\/\/flightsraw","ns40":"urn:axis.sosnoski.com"}},{"@href":"#id136","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns39":"http:\/\/flightsraw","ns40":"urn:axis.sosnoski.com"}}],"@xsi:type":"soapenc:Array","@soapenc:arrayType":"ns39:FlightBean[8]","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns39":"http:\/\/flightsraw","ns40":"urn:axis.sosnoski.com"}},"from":{"@href":"#id63","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns39":"http:\/\/flightsraw"}},"to":{"@href":"#id64","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns39":"http:\/\/flightsraw"}},"@id":"id55","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns39:RouteBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns39":"http:\/\/flightsraw"}},{"flights":{"item":[{"@href":"#id137","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns41":"http:\/\/flightsraw","ns42":"urn:axis.sosnoski.com"}},{"@href":"#id138","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns41":"http:\/\/flightsraw","ns42":"urn:axis.sosnoski.com"}},{"@href":"#id139","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns41":"http:\/\/flightsraw","ns42":"urn:axis.sosnoski.com"}},{"@href":"#id140","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns41":"http:\/\/flightsraw","ns42":"urn:axis.sosnoski.com"}},{"@href":"#id141","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns41":"http:\/\/flightsraw","ns42":"urn:axis.sosnoski.com"}},{"@href":"#id142","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns41":"http:\/\/flightsraw","ns42":"urn:axis.sosnoski.com"}}],"@xsi:type":"soapenc:Array","@soapenc:arrayType":"ns41:FlightBean[6]","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns41":"http:\/\/flightsraw","ns42":"urn:axis.sosnoski.com"}},"from":{"@href":"#id63","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns41":"http:\/\/flightsraw"}},"to":{"@href":"#id58","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns41":"http:\/\/flightsraw"}},"@id":"id24","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns41:RouteBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns41":"http:\/\/flightsraw"}},{"flights":{"item":[{"@href":"#id143","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns43":"http:\/\/flightsraw","ns44":"urn:axis.sosnoski.com"}},{"@href":"#id144","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns43":"http:\/\/flightsraw","ns44":"urn:axis.sosnoski.com"}},{"@href":"#id145","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns43":"http:\/\/flightsraw","ns44":"urn:axis.sosnoski.com"}},{"@href":"#id146","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns43":"http:\/\/flightsraw","ns44":"urn:axis.sosnoski.com"}}],"@xsi:type":"soapenc:Array","@soapenc:arrayType":"ns43:FlightBean[4]","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns43":"http:\/\/flightsraw","ns44":"urn:axis.sosnoski.com"}},"from":{"@href":"#id64","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns43":"http:\/\/flightsraw"}},"to":{"@href":"#id59","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns43":"http:\/\/flightsraw"}},"@id":"id36","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns43:RouteBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns43":"http:\/\/flightsraw"}},{"flights":{"item":[{"@href":"#id147","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns45":"http:\/\/flightsraw","ns46":"urn:axis.sosnoski.com"}},{"@href":"#id148","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns45":"http:\/\/flightsraw","ns46":"urn:axis.sosnoski.com"}},{"@href":"#id149","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns45":"http:\/\/flightsraw","ns46":"urn:axis.sosnoski.com"}},{"@href":"#id150","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns45":"http:\/\/flightsraw","ns46":"urn:axis.sosnoski.com"}},{"@href":"#id151","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns45":"http:\/\/flightsraw","ns46":"urn:axis.sosnoski.com"}}],"@xsi:type":"soapenc:Array","@soapenc:arrayType":"ns45:FlightBean[5]","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns45":"http:\/\/flightsraw","ns46":"urn:axis.sosnoski.com"}},"from":{"@href":"#id60","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns45":"http:\/\/flightsraw"}},"to":{"@href":"#id63","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns45":"http:\/\/flightsraw"}},"@id":"id41","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns45:RouteBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns45":"http:\/\/flightsraw"}},{"flights":{"item":[{"@href":"#id152","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns47":"http:\/\/flightsraw","ns48":"urn:axis.sosnoski.com"}},{"@href":"#id153","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns47":"http:\/\/flightsraw","ns48":"urn:axis.sosnoski.com"}},{"@href":"#id154","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns47":"http:\/\/flightsraw","ns48":"urn:axis.sosnoski.com"}},{"@href":"#id155","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns47":"http:\/\/flightsraw","ns48":"urn:axis.sosnoski.com"}},{"@href":"#id156","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns47":"http:\/\/flightsraw","ns48":"urn:axis.sosnoski.com"}},{"@href":"#id157","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns47":"http:\/\/flightsraw","ns48":"urn:axis.sosnoski.com"}}],"@xsi:type":"soapenc:Array","@soapenc:arrayType":"ns47:FlightBean[6]","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns47":"http:\/\/flightsraw","ns48":"urn:axis.sosnoski.com"}},"from":{"@href":"#id63","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns47":"http:\/\/flightsraw"}},"to":{"@href":"#id59","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns47":"http:\/\/flightsraw"}},"@id":"id34","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns47:RouteBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns47":"http:\/\/flightsraw"}},{"flights":{"item":[{"@href":"#id158","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns49":"http:\/\/flightsraw","ns50":"urn:axis.sosnoski.com"}},{"@href":"#id159","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns49":"http:\/\/flightsraw","ns50":"urn:axis.sosnoski.com"}},{"@href":"#id160","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns49":"http:\/\/flightsraw","ns50":"urn:axis.sosnoski.com"}},{"@href":"#id161","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns49":"http:\/\/flightsraw","ns50":"urn:axis.sosnoski.com"}},{"@href":"#id162","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns49":"http:\/\/flightsraw","ns50":"urn:axis.sosnoski.com"}},{"@href":"#id163","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns49":"http:\/\/flightsraw","ns50":"urn:axis.sosnoski.com"}},{"@href":"#id164","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns49":"http:\/\/flightsraw","ns50":"urn:axis.sosnoski.com"}},{"@href":"#id165","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns49":"http:\/\/flightsraw","ns50":"urn:axis.sosnoski.com"}},{"@href":"#id166","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns49":"http:\/\/flightsraw","ns50":"urn:axis.sosnoski.com"}},{"@href":"#id167","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns49":"http:\/\/flightsraw","ns50":"urn:axis.sosnoski.com"}}],"@xsi:type":"soapenc:Array","@soapenc:arrayType":"ns49:FlightBean[10]","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns49":"http:\/\/flightsraw","ns50":"urn:axis.sosnoski.com"}},"from":{"@href":"#id62","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns49":"http:\/\/flightsraw"}},"to":{"@href":"#id58","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns49":"http:\/\/flightsraw"}},"@id":"id22","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns49:RouteBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns49":"http:\/\/flightsraw"}},{"flights":{"item":[{"@href":"#id168","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns51":"http:\/\/flightsraw","ns52":"urn:axis.sosnoski.com"}},{"@href":"#id169","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns51":"http:\/\/flightsraw","ns52":"urn:axis.sosnoski.com"}},{"@href":"#id170","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns51":"http:\/\/flightsraw","ns52":"urn:axis.sosnoski.com"}},{"@href":"#id171","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns51":"http:\/\/flightsraw","ns52":"urn:axis.sosnoski.com"}},{"@href":"#id172","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns51":"http:\/\/flightsraw","ns52":"urn:axis.sosnoski.com"}},{"@href":"#id173","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns51":"http:\/\/flightsraw","ns52":"urn:axis.sosnoski.com"}},{"@href":"#id174","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns51":"http:\/\/flightsraw","ns52":"urn:axis.sosnoski.com"}},{"@href":"#id175","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns51":"http:\/\/flightsraw","ns52":"urn:axis.sosnoski.com"}}],"@xsi:type":"soapenc:Array","@soapenc:arrayType":"ns51:FlightBean[8]","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns51":"http:\/\/flightsraw","ns52":"urn:axis.sosnoski.com"}},"from":{"@href":"#id64","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns51":"http:\/\/flightsraw"}},"to":{"@href":"#id63","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns51":"http:\/\/flightsraw"}},"@id":"id56","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns51:RouteBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns51":"http:\/\/flightsraw"}},{"URL":{"$":"http:\/\/www.bumblingint.com","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns53":"http:\/\/flightsraw"}},"name":{"$":"Bumbling International","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns53":"http:\/\/flightsraw"}},"rating":{"$":"2","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns53":"http:\/\/flightsraw"}},"ident":{"$":"BI","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns53":"http:\/\/flightsraw"}},"@id":"id67","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns53:CarrierBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns53":"http:\/\/flightsraw"}},{"URL":{"$":"http:\/\/www.combinedlines.com","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns54":"http:\/\/flightsraw"}},"name":{"$":"Combined Airlines","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns54":"http:\/\/flightsraw"}},"rating":{"$":"7","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns54":"http:\/\/flightsraw"}},"ident":{"$":"CA","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns54":"http:\/\/flightsraw"}},"@id":"id66","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns54:CarrierBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns54":"http:\/\/flightsraw"}},{"location":{"$":"Miami, FL","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns55":"http:\/\/flightsraw"}},"name":{"$":"Miami International Airport","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns55":"http:\/\/flightsraw"}},"ident":{"$":"MIA","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns55":"http:\/\/flightsraw"}},"@id":"id58","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns55:AirportBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns55":"http:\/\/flightsraw"}},{"flights":{"item":[{"@href":"#id176","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns56":"http:\/\/flightsraw","ns57":"urn:axis.sosnoski.com"}},{"@href":"#id177","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns56":"http:\/\/flightsraw","ns57":"urn:axis.sosnoski.com"}},{"@href":"#id178","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns56":"http:\/\/flightsraw","ns57":"urn:axis.sosnoski.com"}},{"@href":"#id179","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns56":"http:\/\/flightsraw","ns57":"urn:axis.sosnoski.com"}},{"@href":"#id180","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns56":"http:\/\/flightsraw","ns57":"urn:axis.sosnoski.com"}}],"@xsi:type":"soapenc:Array","@soapenc:arrayType":"ns56:FlightBean[5]","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns56":"http:\/\/flightsraw","ns57":"urn:axis.sosnoski.com"}},"from":{"@href":"#id58","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns56":"http:\/\/flightsraw"}},"to":{"@href":"#id57","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns56":"http:\/\/flightsraw"}},"@id":"id2","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns56:RouteBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns56":"http:\/\/flightsraw"}},{"flights":{"item":[{"@href":"#id181","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns58":"http:\/\/flightsraw","ns59":"urn:axis.sosnoski.com"}},{"@href":"#id182","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns58":"http:\/\/flightsraw","ns59":"urn:axis.sosnoski.com"}},{"@href":"#id183","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns58":"http:\/\/flightsraw","ns59":"urn:axis.sosnoski.com"}},{"@href":"#id184","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns58":"http:\/\/flightsraw","ns59":"urn:axis.sosnoski.com"}}],"@xsi:type":"soapenc:Array","@soapenc:arrayType":"ns58:FlightBean[4]","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns58":"http:\/\/flightsraw","ns59":"urn:axis.sosnoski.com"}},"from":{"@href":"#id61","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns58":"http:\/\/flightsraw"}},"to":{"@href":"#id63","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns58":"http:\/\/flightsraw"}},"@id":"id47","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns58:RouteBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns58":"http:\/\/flightsraw"}},{"flights":{"item":[{"@href":"#id185","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns60":"http:\/\/flightsraw","ns61":"urn:axis.sosnoski.com"}},{"@href":"#id186","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns60":"http:\/\/flightsraw","ns61":"urn:axis.sosnoski.com"}},{"@href":"#id187","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns60":"http:\/\/flightsraw","ns61":"urn:axis.sosnoski.com"}}],"@xsi:type":"soapenc:Array","@soapenc:arrayType":"ns60:FlightBean[3]","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns60":"http:\/\/flightsraw","ns61":"urn:axis.sosnoski.com"}},"from":{"@href":"#id61","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns60":"http:\/\/flightsraw"}},"to":{"@href":"#id57","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns60":"http:\/\/flightsraw"}},"@id":"id8","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns60:RouteBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns60":"http:\/\/flightsraw"}},{"flights":{"item":[{"@href":"#id188","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns62":"http:\/\/flightsraw","ns63":"urn:axis.sosnoski.com"}},{"@href":"#id189","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns62":"http:\/\/flightsraw","ns63":"urn:axis.sosnoski.com"}},{"@href":"#id190","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns62":"http:\/\/flightsraw","ns63":"urn:axis.sosnoski.com"}},{"@href":"#id191","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns62":"http:\/\/flightsraw","ns63":"urn:axis.sosnoski.com"}},{"@href":"#id192","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns62":"http:\/\/flightsraw","ns63":"urn:axis.sosnoski.com"}},{"@href":"#id193","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns62":"http:\/\/flightsraw","ns63":"urn:axis.sosnoski.com"}},{"@href":"#id194","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns62":"http:\/\/flightsraw","ns63":"urn:axis.sosnoski.com"}},{"@href":"#id195","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns62":"http:\/\/flightsraw","ns63":"urn:axis.sosnoski.com"}}],"@xsi:type":"soapenc:Array","@soapenc:arrayType":"ns62:FlightBean[8]","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns62":"http:\/\/flightsraw","ns63":"urn:axis.sosnoski.com"}},"from":{"@href":"#id61","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns62":"http:\/\/flightsraw"}},"to":{"@href":"#id60","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns62":"http:\/\/flightsraw"}},"@id":"id38","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns62:RouteBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns62":"http:\/\/flightsraw"}},{"flights":{"item":[{"@href":"#id196","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns64":"http:\/\/flightsraw","ns65":"urn:axis.sosnoski.com"}},{"@href":"#id197","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns64":"http:\/\/flightsraw","ns65":"urn:axis.sosnoski.com"}},{"@href":"#id198","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns64":"http:\/\/flightsraw","ns65":"urn:axis.sosnoski.com"}},{"@href":"#id199","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns64":"http:\/\/flightsraw","ns65":"urn:axis.sosnoski.com"}},{"@href":"#id200","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns64":"http:\/\/flightsraw","ns65":"urn:axis.sosnoski.com"}},{"@href":"#id201","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns64":"http:\/\/flightsraw","ns65":"urn:axis.sosnoski.com"}},{"@href":"#id202","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns64":"http:\/\/flightsraw","ns65":"urn:axis.sosnoski.com"}},{"@href":"#id203","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns64":"http:\/\/flightsraw","ns65":"urn:axis.sosnoski.com"}},{"@href":"#id204","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns64":"http:\/\/flightsraw","ns65":"urn:axis.sosnoski.com"}}],"@xsi:type":"soapenc:Array","@soapenc:arrayType":"ns64:FlightBean[9]","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns64":"http:\/\/flightsraw","ns65":"urn:axis.sosnoski.com"}},"from":{"@href":"#id61","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns64":"http:\/\/flightsraw"}},"to":{"@href":"#id62","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns64":"http:\/\/flightsraw"}},"@id":"id45","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns64:RouteBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns64":"http:\/\/flightsraw"}},{"flights":{"item":[{"@href":"#id205","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns66":"http:\/\/flightsraw","ns67":"urn:axis.sosnoski.com"}},{"@href":"#id206","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns66":"http:\/\/flightsraw","ns67":"urn:axis.sosnoski.com"}},{"@href":"#id207","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns66":"http:\/\/flightsraw","ns67":"urn:axis.sosnoski.com"}},{"@href":"#id208","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns66":"http:\/\/flightsraw","ns67":"urn:axis.sosnoski.com"}}],"@xsi:type":"soapenc:Array","@soapenc:arrayType":"ns66:FlightBean[4]","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns66":"http:\/\/flightsraw","ns67":"urn:axis.sosnoski.com"}},"from":{"@href":"#id59","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns66":"http:\/\/flightsraw"}},"to":{"@href":"#id57","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns66":"http:\/\/flightsraw"}},"@id":"id4","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns66:RouteBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns66":"http:\/\/flightsraw"}},{"flights":{"item":[{"@href":"#id209","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns68":"http:\/\/flightsraw","ns69":"urn:axis.sosnoski.com"}},{"@href":"#id210","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns68":"http:\/\/flightsraw","ns69":"urn:axis.sosnoski.com"}},{"@href":"#id211","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns68":"http:\/\/flightsraw","ns69":"urn:axis.sosnoski.com"}},{"@href":"#id212","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns68":"http:\/\/flightsraw","ns69":"urn:axis.sosnoski.com"}}],"@xsi:type":"soapenc:Array","@soapenc:arrayType":"ns68:FlightBean[4]","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns68":"http:\/\/flightsraw","ns69":"urn:axis.sosnoski.com"}},"from":{"@href":"#id62","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns68":"http:\/\/flightsraw"}},"to":{"@href":"#id59","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns68":"http:\/\/flightsraw"}},"@id":"id32","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns68:RouteBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns68":"http:\/\/flightsraw"}},{"URL":{"$":"http:\/\/www.serenityflights.com","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns70":"http:\/\/flightsraw"}},"name":{"$":"Serenity Flights, Inc.","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns70":"http:\/\/flightsraw"}},"rating":{"$":"7","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns70":"http:\/\/flightsraw"}},"ident":{"$":"SF","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns70":"http:\/\/flightsraw"}},"@id":"id72","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns70:CarrierBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns70":"http:\/\/flightsraw"}},{"flights":{"item":[{"@href":"#id213","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns71":"http:\/\/flightsraw","ns72":"urn:axis.sosnoski.com"}},{"@href":"#id214","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns71":"http:\/\/flightsraw","ns72":"urn:axis.sosnoski.com"}},{"@href":"#id215","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns71":"http:\/\/flightsraw","ns72":"urn:axis.sosnoski.com"}},{"@href":"#id216","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns71":"http:\/\/flightsraw","ns72":"urn:axis.sosnoski.com"}}],"@xsi:type":"soapenc:Array","@soapenc:arrayType":"ns71:FlightBean[4]","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns71":"http:\/\/flightsraw","ns72":"urn:axis.sosnoski.com"}},"from":{"@href":"#id59","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns71":"http:\/\/flightsraw"}},"to":{"@href":"#id64","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns71":"http:\/\/flightsraw"}},"@id":"id35","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns71:RouteBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns71":"http:\/\/flightsraw"}},{"flights":{"item":[{"@href":"#id217","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns73":"http:\/\/flightsraw","ns74":"urn:axis.sosnoski.com"}},{"@href":"#id218","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns73":"http:\/\/flightsraw","ns74":"urn:axis.sosnoski.com"}},{"@href":"#id219","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns73":"http:\/\/flightsraw","ns74":"urn:axis.sosnoski.com"}}],"@xsi:type":"soapenc:Array","@soapenc:arrayType":"ns73:FlightBean[3]","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns73":"http:\/\/flightsraw","ns74":"urn:axis.sosnoski.com"}},"from":{"@href":"#id57","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns73":"http:\/\/flightsraw"}},"to":{"@href":"#id61","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns73":"http:\/\/flightsraw"}},"@id":"id7","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns73:RouteBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns73":"http:\/\/flightsraw"}},{"flights":{"item":[{"@href":"#id220","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns75":"http:\/\/flightsraw","ns76":"urn:axis.sosnoski.com"}},{"@href":"#id221","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns75":"http:\/\/flightsraw","ns76":"urn:axis.sosnoski.com"}},{"@href":"#id222","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns75":"http:\/\/flightsraw","ns76":"urn:axis.sosnoski.com"}},{"@href":"#id223","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns75":"http:\/\/flightsraw","ns76":"urn:axis.sosnoski.com"}}],"@xsi:type":"soapenc:Array","@soapenc:arrayType":"ns75:FlightBean[4]","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns75":"http:\/\/flightsraw","ns76":"urn:axis.sosnoski.com"}},"from":{"@href":"#id58","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns75":"http:\/\/flightsraw"}},"to":{"@href":"#id59","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns75":"http:\/\/flightsraw"}},"@id":"id15","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns75:RouteBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns75":"http:\/\/flightsraw"}},{"flights":{"item":[{"@href":"#id224","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns77":"http:\/\/flightsraw","ns78":"urn:axis.sosnoski.com"}},{"@href":"#id225","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns77":"http:\/\/flightsraw","ns78":"urn:axis.sosnoski.com"}},{"@href":"#id226","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns77":"http:\/\/flightsraw","ns78":"urn:axis.sosnoski.com"}}],"@xsi:type":"soapenc:Array","@soapenc:arrayType":"ns77:FlightBean[3]","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns77":"http:\/\/flightsraw","ns78":"urn:axis.sosnoski.com"}},"from":{"@href":"#id63","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns77":"http:\/\/flightsraw"}},"to":{"@href":"#id62","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns77":"http:\/\/flightsraw"}},"@id":"id52","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns77:RouteBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns77":"http:\/\/flightsraw"}},{"flights":{"item":[{"@href":"#id227","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns79":"http:\/\/flightsraw","ns80":"urn:axis.sosnoski.com"}},{"@href":"#id228","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns79":"http:\/\/flightsraw","ns80":"urn:axis.sosnoski.com"}}],"@xsi:type":"soapenc:Array","@soapenc:arrayType":"ns79:FlightBean[2]","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns79":"http:\/\/flightsraw","ns80":"urn:axis.sosnoski.com"}},"from":{"@href":"#id57","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns79":"http:\/\/flightsraw"}},"to":{"@href":"#id62","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns79":"http:\/\/flightsraw"}},"@id":"id9","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns79:RouteBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns79":"http:\/\/flightsraw"}},{"flights":{"item":[{"@href":"#id229","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns81":"http:\/\/flightsraw","ns82":"urn:axis.sosnoski.com"}},{"@href":"#id230","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns81":"http:\/\/flightsraw","ns82":"urn:axis.sosnoski.com"}},{"@href":"#id231","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns81":"http:\/\/flightsraw","ns82":"urn:axis.sosnoski.com"}},{"@href":"#id232","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns81":"http:\/\/flightsraw","ns82":"urn:axis.sosnoski.com"}},{"@href":"#id233","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns81":"http:\/\/flightsraw","ns82":"urn:axis.sosnoski.com"}}],"@xsi:type":"soapenc:Array","@soapenc:arrayType":"ns81:FlightBean[5]","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns81":"http:\/\/flightsraw","ns82":"urn:axis.sosnoski.com"}},"from":{"@href":"#id59","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns81":"http:\/\/flightsraw"}},"to":{"@href":"#id60","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns81":"http:\/\/flightsraw"}},"@id":"id27","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns81:RouteBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns81":"http:\/\/flightsraw"}},{"location":{"$":"New York, NY","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns83":"http:\/\/flightsraw"}},"name":{"$":"John F. Kennedy International Airport","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns83":"http:\/\/flightsraw"}},"ident":{"$":"JFK","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns83":"http:\/\/flightsraw"}},"@id":"id62","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns83:AirportBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns83":"http:\/\/flightsraw"}},{"URL":{"$":"http:\/\/www.classyskylines.com","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns84":"http:\/\/flightsraw"}},"name":{"$":"Worldwide Airlines","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns84":"http:\/\/flightsraw"}},"rating":{"$":"7","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns84":"http:\/\/flightsraw"}},"ident":{"$":"WA","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns84":"http:\/\/flightsraw"}},"@id":"id68","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns84:CarrierBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns84":"http:\/\/flightsraw"}},{"flights":{"item":[{"@href":"#id234","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns85":"http:\/\/flightsraw","ns86":"urn:axis.sosnoski.com"}},{"@href":"#id235","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns85":"http:\/\/flightsraw","ns86":"urn:axis.sosnoski.com"}},{"@href":"#id236","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns85":"http:\/\/flightsraw","ns86":"urn:axis.sosnoski.com"}},{"@href":"#id237","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns85":"http:\/\/flightsraw","ns86":"urn:axis.sosnoski.com"}},{"@href":"#id238","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns85":"http:\/\/flightsraw","ns86":"urn:axis.sosnoski.com"}},{"@href":"#id239","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns85":"http:\/\/flightsraw","ns86":"urn:axis.sosnoski.com"}},{"@href":"#id240","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns85":"http:\/\/flightsraw","ns86":"urn:axis.sosnoski.com"}},{"@href":"#id241","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns85":"http:\/\/flightsraw","ns86":"urn:axis.sosnoski.com"}},{"@href":"#id242","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns85":"http:\/\/flightsraw","ns86":"urn:axis.sosnoski.com"}}],"@xsi:type":"soapenc:Array","@soapenc:arrayType":"ns85:FlightBean[9]","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns85":"http:\/\/flightsraw","ns86":"urn:axis.sosnoski.com"}},"from":{"@href":"#id60","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns85":"http:\/\/flightsraw"}},"to":{"@href":"#id58","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns85":"http:\/\/flightsraw"}},"@id":"id18","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns85:RouteBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns85":"http:\/\/flightsraw"}},{"flights":{"item":[{"@href":"#id243","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns87":"http:\/\/flightsraw","ns88":"urn:axis.sosnoski.com"}},{"@href":"#id244","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns87":"http:\/\/flightsraw","ns88":"urn:axis.sosnoski.com"}},{"@href":"#id245","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns87":"http:\/\/flightsraw","ns88":"urn:axis.sosnoski.com"}},{"@href":"#id246","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns87":"http:\/\/flightsraw","ns88":"urn:axis.sosnoski.com"}},{"@href":"#id247","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns87":"http:\/\/flightsraw","ns88":"urn:axis.sosnoski.com"}},{"@href":"#id248","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns87":"http:\/\/flightsraw","ns88":"urn:axis.sosnoski.com"}},{"@href":"#id249","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns87":"http:\/\/flightsraw","ns88":"urn:axis.sosnoski.com"}},{"@href":"#id250","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns87":"http:\/\/flightsraw","ns88":"urn:axis.sosnoski.com"}},{"@href":"#id251","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns87":"http:\/\/flightsraw","ns88":"urn:axis.sosnoski.com"}},{"@href":"#id252","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns87":"http:\/\/flightsraw","ns88":"urn:axis.sosnoski.com"}}],"@xsi:type":"soapenc:Array","@soapenc:arrayType":"ns87:FlightBean[10]","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns87":"http:\/\/flightsraw","ns88":"urn:axis.sosnoski.com"}},"from":{"@href":"#id58","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns87":"http:\/\/flightsraw"}},"to":{"@href":"#id62","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns87":"http:\/\/flightsraw"}},"@id":"id21","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns87:RouteBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns87":"http:\/\/flightsraw"}},{"flights":{"item":[{"@href":"#id253","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns89":"http:\/\/flightsraw","ns90":"urn:axis.sosnoski.com"}},{"@href":"#id254","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns89":"http:\/\/flightsraw","ns90":"urn:axis.sosnoski.com"}},{"@href":"#id255","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns89":"http:\/\/flightsraw","ns90":"urn:axis.sosnoski.com"}},{"@href":"#id256","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns89":"http:\/\/flightsraw","ns90":"urn:axis.sosnoski.com"}},{"@href":"#id257","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns89":"http:\/\/flightsraw","ns90":"urn:axis.sosnoski.com"}},{"@href":"#id258","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns89":"http:\/\/flightsraw","ns90":"urn:axis.sosnoski.com"}}],"@xsi:type":"soapenc:Array","@soapenc:arrayType":"ns89:FlightBean[6]","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns89":"http:\/\/flightsraw","ns90":"urn:axis.sosnoski.com"}},"from":{"@href":"#id62","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns89":"http:\/\/flightsraw"}},"to":{"@href":"#id64","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns89":"http:\/\/flightsraw"}},"@id":"id53","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns89:RouteBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns89":"http:\/\/flightsraw"}},{"flights":{"item":[{"@href":"#id259","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns91":"http:\/\/flightsraw","ns92":"urn:axis.sosnoski.com"}},{"@href":"#id260","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns91":"http:\/\/flightsraw","ns92":"urn:axis.sosnoski.com"}},{"@href":"#id261","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns91":"http:\/\/flightsraw","ns92":"urn:axis.sosnoski.com"}},{"@href":"#id262","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns91":"http:\/\/flightsraw","ns92":"urn:axis.sosnoski.com"}}],"@xsi:type":"soapenc:Array","@soapenc:arrayType":"ns91:FlightBean[4]","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns91":"http:\/\/flightsraw","ns92":"urn:axis.sosnoski.com"}},"from":{"@href":"#id59","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns91":"http:\/\/flightsraw"}},"to":{"@href":"#id62","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns91":"http:\/\/flightsraw"}},"@id":"id31","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns91:RouteBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns91":"http:\/\/flightsraw"}},{"flights":{"item":[{"@href":"#id263","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns93":"http:\/\/flightsraw","ns94":"urn:axis.sosnoski.com"}},{"@href":"#id264","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns93":"http:\/\/flightsraw","ns94":"urn:axis.sosnoski.com"}},{"@href":"#id265","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns93":"http:\/\/flightsraw","ns94":"urn:axis.sosnoski.com"}}],"@xsi:type":"soapenc:Array","@soapenc:arrayType":"ns93:FlightBean[3]","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns93":"http:\/\/flightsraw","ns94":"urn:axis.sosnoski.com"}},"from":{"@href":"#id62","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns93":"http:\/\/flightsraw"}},"to":{"@href":"#id63","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns93":"http:\/\/flightsraw"}},"@id":"id51","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns93:RouteBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns93":"http:\/\/flightsraw"}},{"flights":{"item":[{"@href":"#id266","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns95":"http:\/\/flightsraw","ns96":"urn:axis.sosnoski.com"}},{"@href":"#id267","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns95":"http:\/\/flightsraw","ns96":"urn:axis.sosnoski.com"}},{"@href":"#id268","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns95":"http:\/\/flightsraw","ns96":"urn:axis.sosnoski.com"}},{"@href":"#id269","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns95":"http:\/\/flightsraw","ns96":"urn:axis.sosnoski.com"}},{"@href":"#id270","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns95":"http:\/\/flightsraw","ns96":"urn:axis.sosnoski.com"}}],"@xsi:type":"soapenc:Array","@soapenc:arrayType":"ns95:FlightBean[5]","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns95":"http:\/\/flightsraw","ns96":"urn:axis.sosnoski.com"}},"from":{"@href":"#id57","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns95":"http:\/\/flightsraw"}},"to":{"@href":"#id58","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns95":"http:\/\/flightsraw"}},"@id":"id1","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns95:RouteBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns95":"http:\/\/flightsraw"}},{"flights":{"item":[{"@href":"#id271","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns97":"http:\/\/flightsraw","ns98":"urn:axis.sosnoski.com"}},{"@href":"#id272","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns97":"http:\/\/flightsraw","ns98":"urn:axis.sosnoski.com"}},{"@href":"#id273","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns97":"http:\/\/flightsraw","ns98":"urn:axis.sosnoski.com"}},{"@href":"#id274","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns97":"http:\/\/flightsraw","ns98":"urn:axis.sosnoski.com"}},{"@href":"#id275","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns97":"http:\/\/flightsraw","ns98":"urn:axis.sosnoski.com"}},{"@href":"#id276","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns97":"http:\/\/flightsraw","ns98":"urn:axis.sosnoski.com"}}],"@xsi:type":"soapenc:Array","@soapenc:arrayType":"ns97:FlightBean[6]","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns97":"http:\/\/flightsraw","ns98":"urn:axis.sosnoski.com"}},"from":{"@href":"#id64","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns97":"http:\/\/flightsraw"}},"to":{"@href":"#id60","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns97":"http:\/\/flightsraw"}},"@id":"id44","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns97:RouteBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns97":"http:\/\/flightsraw"}},{"location":{"$":"Boston, MA","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns99":"http:\/\/flightsraw"}},"name":{"$":"Logan International Airport","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns99":"http:\/\/flightsraw"}},"ident":{"$":"BOS","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns99":"http:\/\/flightsraw"}},"@id":"id60","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns99:AirportBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns99":"http:\/\/flightsraw"}},{"flights":{"item":[{"@href":"#id277","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns100":"http:\/\/flightsraw","ns101":"urn:axis.sosnoski.com"}},{"@href":"#id278","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns100":"http:\/\/flightsraw","ns101":"urn:axis.sosnoski.com"}},{"@href":"#id279","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns100":"http:\/\/flightsraw","ns101":"urn:axis.sosnoski.com"}},{"@href":"#id280","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns100":"http:\/\/flightsraw","ns101":"urn:axis.sosnoski.com"}},{"@href":"#id281","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns100":"http:\/\/flightsraw","ns101":"urn:axis.sosnoski.com"}},{"@href":"#id282","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns100":"http:\/\/flightsraw","ns101":"urn:axis.sosnoski.com"}}],"@xsi:type":"soapenc:Array","@soapenc:arrayType":"ns100:FlightBean[6]","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns100":"http:\/\/flightsraw","ns101":"urn:axis.sosnoski.com"}},"from":{"@href":"#id60","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns100":"http:\/\/flightsraw"}},"to":{"@href":"#id64","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns100":"http:\/\/flightsraw"}},"@id":"id43","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns100:RouteBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns100":"http:\/\/flightsraw"}},{"flights":{"item":[{"@href":"#id283","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns102":"http:\/\/flightsraw","ns103":"urn:axis.sosnoski.com"}},{"@href":"#id284","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns102":"http:\/\/flightsraw","ns103":"urn:axis.sosnoski.com"}},{"@href":"#id285","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns102":"http:\/\/flightsraw","ns103":"urn:axis.sosnoski.com"}},{"@href":"#id286","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns102":"http:\/\/flightsraw","ns103":"urn:axis.sosnoski.com"}},{"@href":"#id287","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns102":"http:\/\/flightsraw","ns103":"urn:axis.sosnoski.com"}},{"@href":"#id288","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns102":"http:\/\/flightsraw","ns103":"urn:axis.sosnoski.com"}}],"@xsi:type":"soapenc:Array","@soapenc:arrayType":"ns102:FlightBean[6]","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns102":"http:\/\/flightsraw","ns103":"urn:axis.sosnoski.com"}},"from":{"@href":"#id59","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns102":"http:\/\/flightsraw"}},"to":{"@href":"#id63","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns102":"http:\/\/flightsraw"}},"@id":"id33","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns102:RouteBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns102":"http:\/\/flightsraw"}},{"flights":{"item":[{"@href":"#id289","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns104":"http:\/\/flightsraw","ns105":"urn:axis.sosnoski.com"}},{"@href":"#id290","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns104":"http:\/\/flightsraw","ns105":"urn:axis.sosnoski.com"}},{"@href":"#id291","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns104":"http:\/\/flightsraw","ns105":"urn:axis.sosnoski.com"}},{"@href":"#id292","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns104":"http:\/\/flightsraw","ns105":"urn:axis.sosnoski.com"}},{"@href":"#id293","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns104":"http:\/\/flightsraw","ns105":"urn:axis.sosnoski.com"}},{"@href":"#id294","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns104":"http:\/\/flightsraw","ns105":"urn:axis.sosnoski.com"}}],"@xsi:type":"soapenc:Array","@soapenc:arrayType":"ns104:FlightBean[6]","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns104":"http:\/\/flightsraw","ns105":"urn:axis.sosnoski.com"}},"from":{"@href":"#id58","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns104":"http:\/\/flightsraw"}},"to":{"@href":"#id63","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns104":"http:\/\/flightsraw"}},"@id":"id23","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns104:RouteBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns104":"http:\/\/flightsraw"}},{"flights":{"item":[{"@href":"#id295","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns106":"http:\/\/flightsraw","ns107":"urn:axis.sosnoski.com"}},{"@href":"#id296","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns106":"http:\/\/flightsraw","ns107":"urn:axis.sosnoski.com"}},{"@href":"#id297","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns106":"http:\/\/flightsraw","ns107":"urn:axis.sosnoski.com"}},{"@href":"#id298","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns106":"http:\/\/flightsraw","ns107":"urn:axis.sosnoski.com"}},{"@href":"#id299","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns106":"http:\/\/flightsraw","ns107":"urn:axis.sosnoski.com"}}],"@xsi:type":"soapenc:Array","@soapenc:arrayType":"ns106:FlightBean[5]","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns106":"http:\/\/flightsraw","ns107":"urn:axis.sosnoski.com"}},"from":{"@href":"#id61","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns106":"http:\/\/flightsraw"}},"to":{"@href":"#id58","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns106":"http:\/\/flightsraw"}},"@id":"id20","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns106:RouteBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns106":"http:\/\/flightsraw"}},{"flights":{"item":[{"@href":"#id300","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns108":"http:\/\/flightsraw","ns109":"urn:axis.sosnoski.com"}},{"@href":"#id301","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns108":"http:\/\/flightsraw","ns109":"urn:axis.sosnoski.com"}},{"@href":"#id302","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns108":"http:\/\/flightsraw","ns109":"urn:axis.sosnoski.com"}},{"@href":"#id303","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns108":"http:\/\/flightsraw","ns109":"urn:axis.sosnoski.com"}},{"@href":"#id304","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns108":"http:\/\/flightsraw","ns109":"urn:axis.sosnoski.com"}},{"@href":"#id305","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns108":"http:\/\/flightsraw","ns109":"urn:axis.sosnoski.com"}}],"@xsi:type":"soapenc:Array","@soapenc:arrayType":"ns108:FlightBean[6]","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns108":"http:\/\/flightsraw","ns109":"urn:axis.sosnoski.com"}},"from":{"@href":"#id58","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns108":"http:\/\/flightsraw"}},"to":{"@href":"#id64","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns108":"http:\/\/flightsraw"}},"@id":"id25","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns108:RouteBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns108":"http:\/\/flightsraw"}},{"flights":{"item":[{"@href":"#id306","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns110":"http:\/\/flightsraw","ns111":"urn:axis.sosnoski.com"}},{"@href":"#id307","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns110":"http:\/\/flightsraw","ns111":"urn:axis.sosnoski.com"}},{"@href":"#id308","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns110":"http:\/\/flightsraw","ns111":"urn:axis.sosnoski.com"}},{"@href":"#id309","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns110":"http:\/\/flightsraw","ns111":"urn:axis.sosnoski.com"}},{"@href":"#id310","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns110":"http:\/\/flightsraw","ns111":"urn:axis.sosnoski.com"}}],"@xsi:type":"soapenc:Array","@soapenc:arrayType":"ns110:FlightBean[5]","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns110":"http:\/\/flightsraw","ns111":"urn:axis.sosnoski.com"}},"from":{"@href":"#id60","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns110":"http:\/\/flightsraw"}},"to":{"@href":"#id57","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns110":"http:\/\/flightsraw"}},"@id":"id6","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns110:RouteBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns110":"http:\/\/flightsraw"}},{"flights":{"item":[{"@href":"#id311","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns112":"http:\/\/flightsraw","ns113":"urn:axis.sosnoski.com"}},{"@href":"#id312","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns112":"http:\/\/flightsraw","ns113":"urn:axis.sosnoski.com"}},{"@href":"#id313","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns112":"http:\/\/flightsraw","ns113":"urn:axis.sosnoski.com"}},{"@href":"#id314","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns112":"http:\/\/flightsraw","ns113":"urn:axis.sosnoski.com"}},{"@href":"#id315","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns112":"http:\/\/flightsraw","ns113":"urn:axis.sosnoski.com"}},{"@href":"#id316","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns112":"http:\/\/flightsraw","ns113":"urn:axis.sosnoski.com"}},{"@href":"#id317","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns112":"http:\/\/flightsraw","ns113":"urn:axis.sosnoski.com"}},{"@href":"#id318","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns112":"http:\/\/flightsraw","ns113":"urn:axis.sosnoski.com"}},{"@href":"#id319","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns112":"http:\/\/flightsraw","ns113":"urn:axis.sosnoski.com"}}],"@xsi:type":"soapenc:Array","@soapenc:arrayType":"ns112:FlightBean[9]","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns112":"http:\/\/flightsraw","ns113":"urn:axis.sosnoski.com"}},"from":{"@href":"#id58","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns112":"http:\/\/flightsraw"}},"to":{"@href":"#id60","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns112":"http:\/\/flightsraw"}},"@id":"id17","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns112:RouteBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns112":"http:\/\/flightsraw"}},{"flights":{"item":[{"@href":"#id320","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns114":"http:\/\/flightsraw","ns115":"urn:axis.sosnoski.com"}},{"@href":"#id321","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns114":"http:\/\/flightsraw","ns115":"urn:axis.sosnoski.com"}},{"@href":"#id322","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns114":"http:\/\/flightsraw","ns115":"urn:axis.sosnoski.com"}},{"@href":"#id323","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns114":"http:\/\/flightsraw","ns115":"urn:axis.sosnoski.com"}}],"@xsi:type":"soapenc:Array","@soapenc:arrayType":"ns114:FlightBean[4]","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns114":"http:\/\/flightsraw","ns115":"urn:axis.sosnoski.com"}},"from":{"@href":"#id63","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns114":"http:\/\/flightsraw"}},"to":{"@href":"#id61","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns114":"http:\/\/flightsraw"}},"@id":"id48","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns114:RouteBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns114":"http:\/\/flightsraw"}},{"flights":{"item":[{"@href":"#id324","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns116":"http:\/\/flightsraw","ns117":"urn:axis.sosnoski.com"}},{"@href":"#id325","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns116":"http:\/\/flightsraw","ns117":"urn:axis.sosnoski.com"}}],"@xsi:type":"soapenc:Array","@soapenc:arrayType":"ns116:FlightBean[2]","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns116":"http:\/\/flightsraw","ns117":"urn:axis.sosnoski.com"}},"from":{"@href":"#id62","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns116":"http:\/\/flightsraw"}},"to":{"@href":"#id57","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns116":"http:\/\/flightsraw"}},"@id":"id10","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns116:RouteBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns116":"http:\/\/flightsraw"}},{"location":{"$":"Los Angeles, CA","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns118":"http:\/\/flightsraw"}},"name":{"$":"Los Angeles International Airport","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns118":"http:\/\/flightsraw"}},"ident":{"$":"LAX","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns118":"http:\/\/flightsraw"}},"@id":"id59","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns118:AirportBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns118":"http:\/\/flightsraw"}},{"location":{"$":"Denver, CO","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns119":"http:\/\/flightsraw"}},"name":{"$":"Denver International Airport","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns119":"http:\/\/flightsraw"}},"ident":{"$":"DEN","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns119":"http:\/\/flightsraw"}},"@id":"id64","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns119:AirportBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns119":"http:\/\/flightsraw"}},{"URL":{"$":"http:\/\/www.tempusfugit.com","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns120":"http:\/\/flightsraw"}},"name":{"$":"Tempus Fugit Lines","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns120":"http:\/\/flightsraw"}},"rating":{"$":"7","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns120":"http:\/\/flightsraw"}},"ident":{"$":"TF","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns120":"http:\/\/flightsraw"}},"@id":"id71","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns120:CarrierBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns120":"http:\/\/flightsraw"}},{"flights":{"item":[{"@href":"#id326","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns121":"http:\/\/flightsraw","ns122":"urn:axis.sosnoski.com"}},{"@href":"#id327","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns121":"http:\/\/flightsraw","ns122":"urn:axis.sosnoski.com"}},{"@href":"#id328","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns121":"http:\/\/flightsraw","ns122":"urn:axis.sosnoski.com"}},{"@href":"#id329","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns121":"http:\/\/flightsraw","ns122":"urn:axis.sosnoski.com"}},{"@href":"#id330","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns121":"http:\/\/flightsraw","ns122":"urn:axis.sosnoski.com"}},{"@href":"#id331","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns121":"http:\/\/flightsraw","ns122":"urn:axis.sosnoski.com"}},{"@href":"#id332","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns121":"http:\/\/flightsraw","ns122":"urn:axis.sosnoski.com"}}],"@xsi:type":"soapenc:Array","@soapenc:arrayType":"ns121:FlightBean[7]","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns121":"http:\/\/flightsraw","ns122":"urn:axis.sosnoski.com"}},"from":{"@href":"#id60","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns121":"http:\/\/flightsraw"}},"to":{"@href":"#id62","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns121":"http:\/\/flightsraw"}},"@id":"id39","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns121:RouteBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns121":"http:\/\/flightsraw"}},{"flights":{"item":[{"@href":"#id333","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns123":"http:\/\/flightsraw","ns124":"urn:axis.sosnoski.com"}},{"@href":"#id334","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns123":"http:\/\/flightsraw","ns124":"urn:axis.sosnoski.com"}},{"@href":"#id335","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns123":"http:\/\/flightsraw","ns124":"urn:axis.sosnoski.com"}},{"@href":"#id336","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns123":"http:\/\/flightsraw","ns124":"urn:axis.sosnoski.com"}},{"@href":"#id337","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns123":"http:\/\/flightsraw","ns124":"urn:axis.sosnoski.com"}}],"@xsi:type":"soapenc:Array","@soapenc:arrayType":"ns123:FlightBean[5]","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns123":"http:\/\/flightsraw","ns124":"urn:axis.sosnoski.com"}},"from":{"@href":"#id57","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns123":"http:\/\/flightsraw"}},"to":{"@href":"#id60","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns123":"http:\/\/flightsraw"}},"@id":"id5","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns123:RouteBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns123":"http:\/\/flightsraw"}},{"flights":{"item":[{"@href":"#id338","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns125":"http:\/\/flightsraw","ns126":"urn:axis.sosnoski.com"}},{"@href":"#id339","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns125":"http:\/\/flightsraw","ns126":"urn:axis.sosnoski.com"}},{"@href":"#id340","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns125":"http:\/\/flightsraw","ns126":"urn:axis.sosnoski.com"}},{"@href":"#id341","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns125":"http:\/\/flightsraw","ns126":"urn:axis.sosnoski.com"}},{"@href":"#id342","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns125":"http:\/\/flightsraw","ns126":"urn:axis.sosnoski.com"}},{"@href":"#id343","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns125":"http:\/\/flightsraw","ns126":"urn:axis.sosnoski.com"}},{"@href":"#id344","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns125":"http:\/\/flightsraw","ns126":"urn:axis.sosnoski.com"}},{"@href":"#id345","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns125":"http:\/\/flightsraw","ns126":"urn:axis.sosnoski.com"}},{"@href":"#id346","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns125":"http:\/\/flightsraw","ns126":"urn:axis.sosnoski.com"}}],"@xsi:type":"soapenc:Array","@soapenc:arrayType":"ns125:FlightBean[9]","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns125":"http:\/\/flightsraw","ns126":"urn:axis.sosnoski.com"}},"from":{"@href":"#id62","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns125":"http:\/\/flightsraw"}},"to":{"@href":"#id61","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns125":"http:\/\/flightsraw"}},"@id":"id46","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns125:RouteBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns125":"http:\/\/flightsraw"}},{"flights":{"item":[{"@href":"#id347","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns127":"http:\/\/flightsraw","ns128":"urn:axis.sosnoski.com"}},{"@href":"#id348","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns127":"http:\/\/flightsraw","ns128":"urn:axis.sosnoski.com"}},{"@href":"#id349","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns127":"http:\/\/flightsraw","ns128":"urn:axis.sosnoski.com"}},{"@href":"#id350","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns127":"http:\/\/flightsraw","ns128":"urn:axis.sosnoski.com"}}],"@xsi:type":"soapenc:Array","@soapenc:arrayType":"ns127:FlightBean[4]","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns127":"http:\/\/flightsraw","ns128":"urn:axis.sosnoski.com"}},"from":{"@href":"#id57","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns127":"http:\/\/flightsraw"}},"to":{"@href":"#id59","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns127":"http:\/\/flightsraw"}},"@id":"id3","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns127:RouteBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns127":"http:\/\/flightsraw"}},{"flights":{"item":[{"@href":"#id351","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns129":"http:\/\/flightsraw","ns130":"urn:axis.sosnoski.com"}},{"@href":"#id352","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns129":"http:\/\/flightsraw","ns130":"urn:axis.sosnoski.com"}},{"@href":"#id353","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns129":"http:\/\/flightsraw","ns130":"urn:axis.sosnoski.com"}}],"@xsi:type":"soapenc:Array","@soapenc:arrayType":"ns129:FlightBean[3]","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns129":"http:\/\/flightsraw","ns130":"urn:axis.sosnoski.com"}},"from":{"@href":"#id64","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns129":"http:\/\/flightsraw"}},"to":{"@href":"#id61","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns129":"http:\/\/flightsraw"}},"@id":"id50","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns129:RouteBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns129":"http:\/\/flightsraw"}},{"flights":{"item":{"@href":"#id354","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns131":"http:\/\/flightsraw","ns132":"urn:axis.sosnoski.com"}},"@xsi:type":"soapenc:Array","@soapenc:arrayType":"ns131:FlightBean[1]","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns131":"http:\/\/flightsraw","ns132":"urn:axis.sosnoski.com"}},"from":{"@href":"#id63","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns131":"http:\/\/flightsraw"}},"to":{"@href":"#id57","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns131":"http:\/\/flightsraw"}},"@id":"id12","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns131:RouteBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns131":"http:\/\/flightsraw"}},{"location":{"$":"Seattle, WA","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns133":"http:\/\/flightsraw"}},"name":{"$":"Seattle-Tacoma International Airport","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns133":"http:\/\/flightsraw"}},"ident":{"$":"SEA","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns133":"http:\/\/flightsraw"}},"@id":"id57","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns133:AirportBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns133":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"7:57p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns134":"http:\/\/flightsraw"}},"departureTime":{"$":"5:08p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns134":"http:\/\/flightsraw"}},"number":{"$":"671","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns134":"http:\/\/flightsraw"}},"carrier":{"@href":"#id69","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns134":"http:\/\/flightsraw"}},"@id":"id102","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns134:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns134":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"3:58a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns135":"http:\/\/flightsraw"}},"departureTime":{"$":"1:46a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns135":"http:\/\/flightsraw"}},"number":{"$":"709","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns135":"http:\/\/flightsraw"}},"carrier":{"@href":"#id67","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns135":"http:\/\/flightsraw"}},"@id":"id301","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns135:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns135":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"3:54a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns136":"http:\/\/flightsraw"}},"departureTime":{"$":"11:08p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns136":"http:\/\/flightsraw"}},"number":{"$":"275","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns136":"http:\/\/flightsraw"}},"carrier":{"@href":"#id67","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns136":"http:\/\/flightsraw"}},"@id":"id125","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns136:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns136":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"3:15a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns137":"http:\/\/flightsraw"}},"departureTime":{"$":"3:11a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns137":"http:\/\/flightsraw"}},"number":{"$":"809","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns137":"http:\/\/flightsraw"}},"carrier":{"@href":"#id68","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns137":"http:\/\/flightsraw"}},"@id":"id319","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns137:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns137":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"1:46a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns138":"http:\/\/flightsraw"}},"departureTime":{"$":"1:45a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns138":"http:\/\/flightsraw"}},"number":{"$":"709","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns138":"http:\/\/flightsraw"}},"carrier":{"@href":"#id70","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns138":"http:\/\/flightsraw"}},"@id":"id201","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns138:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns138":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"1:56a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns139":"http:\/\/flightsraw"}},"departureTime":{"$":"1:46a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns139":"http:\/\/flightsraw"}},"number":{"$":"346","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns139":"http:\/\/flightsraw"}},"carrier":{"@href":"#id71","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns139":"http:\/\/flightsraw"}},"@id":"id148","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns139:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns139":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"3:49p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns140":"http:\/\/flightsraw"}},"departureTime":{"$":"11:46a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns140":"http:\/\/flightsraw"}},"number":{"$":"523","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns140":"http:\/\/flightsraw"}},"carrier":{"@href":"#id71","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns140":"http:\/\/flightsraw"}},"@id":"id306","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns140:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns140":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"2:42a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns141":"http:\/\/flightsraw"}},"departureTime":{"$":"3:05a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns141":"http:\/\/flightsraw"}},"number":{"$":"934","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns141":"http:\/\/flightsraw"}},"carrier":{"@href":"#id70","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns141":"http:\/\/flightsraw"}},"@id":"id206","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns141:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns141":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"2:46a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns142":"http:\/\/flightsraw"}},"departureTime":{"$":"3:17a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns142":"http:\/\/flightsraw"}},"number":{"$":"749","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns142":"http:\/\/flightsraw"}},"carrier":{"@href":"#id68","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns142":"http:\/\/flightsraw"}},"@id":"id128","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns142:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns142":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"3:43p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns143":"http:\/\/flightsraw"}},"departureTime":{"$":"1:43p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns143":"http:\/\/flightsraw"}},"number":{"$":"569","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns143":"http:\/\/flightsraw"}},"carrier":{"@href":"#id68","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns143":"http:\/\/flightsraw"}},"@id":"id278","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns143:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns143":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"9:31a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns144":"http:\/\/flightsraw"}},"departureTime":{"$":"6:08a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns144":"http:\/\/flightsraw"}},"number":{"$":"690","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns144":"http:\/\/flightsraw"}},"carrier":{"@href":"#id65","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns144":"http:\/\/flightsraw"}},"@id":"id152","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns144:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns144":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"8:42a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns145":"http:\/\/flightsraw"}},"departureTime":{"$":"4:07a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns145":"http:\/\/flightsraw"}},"number":{"$":"731","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns145":"http:\/\/flightsraw"}},"carrier":{"@href":"#id66","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns145":"http:\/\/flightsraw"}},"@id":"id169","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns145:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns145":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"9:03a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns146":"http:\/\/flightsraw"}},"departureTime":{"$":"4:24a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns146":"http:\/\/flightsraw"}},"number":{"$":"600","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns146":"http:\/\/flightsraw"}},"carrier":{"@href":"#id68","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns146":"http:\/\/flightsraw"}},"@id":"id326","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns146:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns146":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"6:15p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns147":"http:\/\/flightsraw"}},"departureTime":{"$":"3:11p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns147":"http:\/\/flightsraw"}},"number":{"$":"485","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns147":"http:\/\/flightsraw"}},"carrier":{"@href":"#id72","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns147":"http:\/\/flightsraw"}},"@id":"id251","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns147:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns147":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"2:48a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns148":"http:\/\/flightsraw"}},"departureTime":{"$":"11:28p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns148":"http:\/\/flightsraw"}},"number":{"$":"409","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns148":"http:\/\/flightsraw"}},"carrier":{"@href":"#id66","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns148":"http:\/\/flightsraw"}},"@id":"id316","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns148:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns148":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"2:05a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns149":"http:\/\/flightsraw"}},"departureTime":{"$":"1:49a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns149":"http:\/\/flightsraw"}},"number":{"$":"714","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns149":"http:\/\/flightsraw"}},"carrier":{"@href":"#id65","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns149":"http:\/\/flightsraw"}},"@id":"id273","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns149:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns149":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"3:57a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns150":"http:\/\/flightsraw"}},"departureTime":{"$":"1:15a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns150":"http:\/\/flightsraw"}},"number":{"$":"861","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns150":"http:\/\/flightsraw"}},"carrier":{"@href":"#id71","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns150":"http:\/\/flightsraw"}},"@id":"id303","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns150:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns150":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"9:53a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns151":"http:\/\/flightsraw"}},"departureTime":{"$":"8:04a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns151":"http:\/\/flightsraw"}},"number":{"$":"687","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns151":"http:\/\/flightsraw"}},"carrier":{"@href":"#id65","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns151":"http:\/\/flightsraw"}},"@id":"id80","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns151:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns151":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"4:42a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns152":"http:\/\/flightsraw"}},"departureTime":{"$":"3:08a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns152":"http:\/\/flightsraw"}},"number":{"$":"316","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns152":"http:\/\/flightsraw"}},"carrier":{"@href":"#id71","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns152":"http:\/\/flightsraw"}},"@id":"id168","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns152:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns152":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"9:52a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns153":"http:\/\/flightsraw"}},"departureTime":{"$":"6:52a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns153":"http:\/\/flightsraw"}},"number":{"$":"292","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns153":"http:\/\/flightsraw"}},"carrier":{"@href":"#id66","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns153":"http:\/\/flightsraw"}},"@id":"id249","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns153:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns153":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"4:43a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns154":"http:\/\/flightsraw"}},"departureTime":{"$":"2:04a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns154":"http:\/\/flightsraw"}},"number":{"$":"357","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns154":"http:\/\/flightsraw"}},"carrier":{"@href":"#id72","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns154":"http:\/\/flightsraw"}},"@id":"id131","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns154:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns154":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"8:22p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns155":"http:\/\/flightsraw"}},"departureTime":{"$":"5:12p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns155":"http:\/\/flightsraw"}},"number":{"$":"848","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns155":"http:\/\/flightsraw"}},"carrier":{"@href":"#id70","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns155":"http:\/\/flightsraw"}},"@id":"id165","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns155:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns155":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"1:33a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns156":"http:\/\/flightsraw"}},"departureTime":{"$":"2:47a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns156":"http:\/\/flightsraw"}},"number":{"$":"649","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns156":"http:\/\/flightsraw"}},"carrier":{"@href":"#id69","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns156":"http:\/\/flightsraw"}},"@id":"id342","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns156:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns156":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"1:15a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns157":"http:\/\/flightsraw"}},"departureTime":{"$":"3:08a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns157":"http:\/\/flightsraw"}},"number":{"$":"213","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns157":"http:\/\/flightsraw"}},"carrier":{"@href":"#id69","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns157":"http:\/\/flightsraw"}},"@id":"id107","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns157:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns157":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"4:00a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns158":"http:\/\/flightsraw"}},"departureTime":{"$":"1:06a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns158":"http:\/\/flightsraw"}},"number":{"$":"778","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns158":"http:\/\/flightsraw"}},"carrier":{"@href":"#id71","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns158":"http:\/\/flightsraw"}},"@id":"id333","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns158:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns158":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"11:14p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns159":"http:\/\/flightsraw"}},"departureTime":{"$":"6:34p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns159":"http:\/\/flightsraw"}},"number":{"$":"769","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns159":"http:\/\/flightsraw"}},"carrier":{"@href":"#id69","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns159":"http:\/\/flightsraw"}},"@id":"id297","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns159:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns159":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"2:25a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns160":"http:\/\/flightsraw"}},"departureTime":{"$":"1:01a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns160":"http:\/\/flightsraw"}},"number":{"$":"891","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns160":"http:\/\/flightsraw"}},"carrier":{"@href":"#id65","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns160":"http:\/\/flightsraw"}},"@id":"id325","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns160:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns160":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"6:51p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns161":"http:\/\/flightsraw"}},"departureTime":{"$":"2:48p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns161":"http:\/\/flightsraw"}},"number":{"$":"672","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns161":"http:\/\/flightsraw"}},"carrier":{"@href":"#id70","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns161":"http:\/\/flightsraw"}},"@id":"id309","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns161:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns161":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"3:25a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns162":"http:\/\/flightsraw"}},"departureTime":{"$":"2:49a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns162":"http:\/\/flightsraw"}},"number":{"$":"439","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns162":"http:\/\/flightsraw"}},"carrier":{"@href":"#id71","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns162":"http:\/\/flightsraw"}},"@id":"id287","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns162:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns162":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"11:27p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns163":"http:\/\/flightsraw"}},"departureTime":{"$":"8:05p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns163":"http:\/\/flightsraw"}},"number":{"$":"812","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns163":"http:\/\/flightsraw"}},"carrier":{"@href":"#id69","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns163":"http:\/\/flightsraw"}},"@id":"id157","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns163:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns163":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"3:56a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns164":"http:\/\/flightsraw"}},"departureTime":{"$":"1:06a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns164":"http:\/\/flightsraw"}},"number":{"$":"585","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns164":"http:\/\/flightsraw"}},"carrier":{"@href":"#id70","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns164":"http:\/\/flightsraw"}},"@id":"id336","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns164:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns164":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"10:22p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns165":"http:\/\/flightsraw"}},"departureTime":{"$":"5:42p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns165":"http:\/\/flightsraw"}},"number":{"$":"226","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns165":"http:\/\/flightsraw"}},"carrier":{"@href":"#id71","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns165":"http:\/\/flightsraw"}},"@id":"id134","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns165:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns165":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"1:57p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns166":"http:\/\/flightsraw"}},"departureTime":{"$":"12:19p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns166":"http:\/\/flightsraw"}},"number":{"$":"898","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns166":"http:\/\/flightsraw"}},"carrier":{"@href":"#id67","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns166":"http:\/\/flightsraw"}},"@id":"id289","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns166:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns166":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"3:45p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns167":"http:\/\/flightsraw"}},"departureTime":{"$":"2:39p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns167":"http:\/\/flightsraw"}},"number":{"$":"749","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns167":"http:\/\/flightsraw"}},"carrier":{"@href":"#id67","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns167":"http:\/\/flightsraw"}},"@id":"id223","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns167:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns167":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"4:16p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns168":"http:\/\/flightsraw"}},"departureTime":{"$":"1:10p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns168":"http:\/\/flightsraw"}},"number":{"$":"726","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns168":"http:\/\/flightsraw"}},"carrier":{"@href":"#id66","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns168":"http:\/\/flightsraw"}},"@id":"id162","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns168:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns168":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"1:37a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns169":"http:\/\/flightsraw"}},"departureTime":{"$":"1:26a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns169":"http:\/\/flightsraw"}},"number":{"$":"919","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns169":"http:\/\/flightsraw"}},"carrier":{"@href":"#id68","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns169":"http:\/\/flightsraw"}},"@id":"id197","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns169:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns169":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"6:20p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns170":"http:\/\/flightsraw"}},"departureTime":{"$":"2:47p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns170":"http:\/\/flightsraw"}},"number":{"$":"372","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns170":"http:\/\/flightsraw"}},"carrier":{"@href":"#id70","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns170":"http:\/\/flightsraw"}},"@id":"id212","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns170:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns170":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"4:54p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns171":"http:\/\/flightsraw"}},"departureTime":{"$":"3:04p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns171":"http:\/\/flightsraw"}},"number":{"$":"293","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns171":"http:\/\/flightsraw"}},"carrier":{"@href":"#id68","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns171":"http:\/\/flightsraw"}},"@id":"id79","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns171:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns171":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"3:10a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns172":"http:\/\/flightsraw"}},"departureTime":{"$":"1:56a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns172":"http:\/\/flightsraw"}},"number":{"$":"906","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns172":"http:\/\/flightsraw"}},"carrier":{"@href":"#id72","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns172":"http:\/\/flightsraw"}},"@id":"id166","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns172:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns172":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"1:46a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns173":"http:\/\/flightsraw"}},"departureTime":{"$":"1:13a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns173":"http:\/\/flightsraw"}},"number":{"$":"212","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns173":"http:\/\/flightsraw"}},"carrier":{"@href":"#id70","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns173":"http:\/\/flightsraw"}},"@id":"id199","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns173:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns173":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"2:57a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns174":"http:\/\/flightsraw"}},"departureTime":{"$":"3:44a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns174":"http:\/\/flightsraw"}},"number":{"$":"747","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns174":"http:\/\/flightsraw"}},"carrier":{"@href":"#id66","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns174":"http:\/\/flightsraw"}},"@id":"id247","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns174:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns174":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"4:35a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns175":"http:\/\/flightsraw"}},"departureTime":{"$":"1:47a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns175":"http:\/\/flightsraw"}},"number":{"$":"595","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns175":"http:\/\/flightsraw"}},"carrier":{"@href":"#id68","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns175":"http:\/\/flightsraw"}},"@id":"id174","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns175:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns175":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"4:08p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns176":"http:\/\/flightsraw"}},"departureTime":{"$":"12:42p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns176":"http:\/\/flightsraw"}},"number":{"$":"647","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns176":"http:\/\/flightsraw"}},"carrier":{"@href":"#id67","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns176":"http:\/\/flightsraw"}},"@id":"id286","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns176:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns176":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"12:20p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns177":"http:\/\/flightsraw"}},"departureTime":{"$":"10:50a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns177":"http:\/\/flightsraw"}},"number":{"$":"404","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns177":"http:\/\/flightsraw"}},"carrier":{"@href":"#id68","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns177":"http:\/\/flightsraw"}},"@id":"id291","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns177:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns177":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"3:42a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns178":"http:\/\/flightsraw"}},"departureTime":{"$":"1:31a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns178":"http:\/\/flightsraw"}},"number":{"$":"349","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns178":"http:\/\/flightsraw"}},"carrier":{"@href":"#id65","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns178":"http:\/\/flightsraw"}},"@id":"id183","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns178:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns178":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"3:46a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns179":"http:\/\/flightsraw"}},"departureTime":{"$":"1:57a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns179":"http:\/\/flightsraw"}},"number":{"$":"377","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns179":"http:\/\/flightsraw"}},"carrier":{"@href":"#id72","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns179":"http:\/\/flightsraw"}},"@id":"id181","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns179:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns179":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"10:37p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns180":"http:\/\/flightsraw"}},"departureTime":{"$":"7:49p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns180":"http:\/\/flightsraw"}},"number":{"$":"420","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns180":"http:\/\/flightsraw"}},"carrier":{"@href":"#id72","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns180":"http:\/\/flightsraw"}},"@id":"id106","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns180:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns180":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"12:37a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns181":"http:\/\/flightsraw"}},"departureTime":{"$":"10:35p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns181":"http:\/\/flightsraw"}},"number":{"$":"932","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns181":"http:\/\/flightsraw"}},"carrier":{"@href":"#id68","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns181":"http:\/\/flightsraw"}},"@id":"id149","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns181:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns181":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"4:37p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns182":"http:\/\/flightsraw"}},"departureTime":{"$":"12:52p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns182":"http:\/\/flightsraw"}},"number":{"$":"891","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns182":"http:\/\/flightsraw"}},"carrier":{"@href":"#id71","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns182":"http:\/\/flightsraw"}},"@id":"id354","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns182:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns182":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"6:30a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns183":"http:\/\/flightsraw"}},"departureTime":{"$":"4:49a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns183":"http:\/\/flightsraw"}},"number":{"$":"823","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns183":"http:\/\/flightsraw"}},"carrier":{"@href":"#id69","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns183":"http:\/\/flightsraw"}},"@id":"id200","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns183:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns183":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"4:31a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns184":"http:\/\/flightsraw"}},"departureTime":{"$":"1:16a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns184":"http:\/\/flightsraw"}},"number":{"$":"259","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns184":"http:\/\/flightsraw"}},"carrier":{"@href":"#id70","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns184":"http:\/\/flightsraw"}},"@id":"id295","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns184:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns184":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"1:39a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns185":"http:\/\/flightsraw"}},"departureTime":{"$":"2:23a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns185":"http:\/\/flightsraw"}},"number":{"$":"692","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns185":"http:\/\/flightsraw"}},"carrier":{"@href":"#id68","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns185":"http:\/\/flightsraw"}},"@id":"id345","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns185:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns185":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"8:21p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns186":"http:\/\/flightsraw"}},"departureTime":{"$":"5:25p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns186":"http:\/\/flightsraw"}},"number":{"$":"979","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns186":"http:\/\/flightsraw"}},"carrier":{"@href":"#id69","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns186":"http:\/\/flightsraw"}},"@id":"id347","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns186:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns186":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"2:57a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns187":"http:\/\/flightsraw"}},"departureTime":{"$":"3:20a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns187":"http:\/\/flightsraw"}},"number":{"$":"299","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns187":"http:\/\/flightsraw"}},"carrier":{"@href":"#id70","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns187":"http:\/\/flightsraw"}},"@id":"id250","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns187:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns187":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"11:46a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns188":"http:\/\/flightsraw"}},"departureTime":{"$":"7:45a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns188":"http:\/\/flightsraw"}},"number":{"$":"269","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns188":"http:\/\/flightsraw"}},"carrier":{"@href":"#id70","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns188":"http:\/\/flightsraw"}},"@id":"id263","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns188:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns188":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"7:23p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns189":"http:\/\/flightsraw"}},"departureTime":{"$":"4:03p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns189":"http:\/\/flightsraw"}},"number":{"$":"847","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns189":"http:\/\/flightsraw"}},"carrier":{"@href":"#id72","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns189":"http:\/\/flightsraw"}},"@id":"id144","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns189:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns189":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"3:35a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns190":"http:\/\/flightsraw"}},"departureTime":{"$":"2:52a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns190":"http:\/\/flightsraw"}},"number":{"$":"291","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns190":"http:\/\/flightsraw"}},"carrier":{"@href":"#id67","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns190":"http:\/\/flightsraw"}},"@id":"id211","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns190:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns190":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"7:56p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns191":"http:\/\/flightsraw"}},"departureTime":{"$":"4:49p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns191":"http:\/\/flightsraw"}},"number":{"$":"768","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns191":"http:\/\/flightsraw"}},"carrier":{"@href":"#id65","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns191":"http:\/\/flightsraw"}},"@id":"id238","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns191:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns191":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"7:14p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns192":"http:\/\/flightsraw"}},"departureTime":{"$":"4:24p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns192":"http:\/\/flightsraw"}},"number":{"$":"373","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns192":"http:\/\/flightsraw"}},"carrier":{"@href":"#id69","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns192":"http:\/\/flightsraw"}},"@id":"id188","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns192:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns192":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"1:36p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns193":"http:\/\/flightsraw"}},"departureTime":{"$":"8:54a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns193":"http:\/\/flightsraw"}},"number":{"$":"267","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns193":"http:\/\/flightsraw"}},"carrier":{"@href":"#id70","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns193":"http:\/\/flightsraw"}},"@id":"id96","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns193:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns193":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"4:44a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns194":"http:\/\/flightsraw"}},"departureTime":{"$":"3:26a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns194":"http:\/\/flightsraw"}},"number":{"$":"339","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns194":"http:\/\/flightsraw"}},"carrier":{"@href":"#id68","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns194":"http:\/\/flightsraw"}},"@id":"id328","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns194:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns194":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"10:53p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns195":"http:\/\/flightsraw"}},"departureTime":{"$":"7:39p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns195":"http:\/\/flightsraw"}},"number":{"$":"871","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns195":"http:\/\/flightsraw"}},"carrier":{"@href":"#id66","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns195":"http:\/\/flightsraw"}},"@id":"id158","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns195:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns195":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"10:38a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns196":"http:\/\/flightsraw"}},"departureTime":{"$":"6:50a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns196":"http:\/\/flightsraw"}},"number":{"$":"718","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns196":"http:\/\/flightsraw"}},"carrier":{"@href":"#id69","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns196":"http:\/\/flightsraw"}},"@id":"id74","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns196:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns196":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"8:52a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns197":"http:\/\/flightsraw"}},"departureTime":{"$":"5:46a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns197":"http:\/\/flightsraw"}},"number":{"$":"239","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns197":"http:\/\/flightsraw"}},"carrier":{"@href":"#id65","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns197":"http:\/\/flightsraw"}},"@id":"id267","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns197:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns197":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"4:38a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns198":"http:\/\/flightsraw"}},"departureTime":{"$":"1:45a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns198":"http:\/\/flightsraw"}},"number":{"$":"277","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns198":"http:\/\/flightsraw"}},"carrier":{"@href":"#id66","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns198":"http:\/\/flightsraw"}},"@id":"id299","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns198:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns198":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"8:48p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns199":"http:\/\/flightsraw"}},"departureTime":{"$":"4:08p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns199":"http:\/\/flightsraw"}},"number":{"$":"279","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns199":"http:\/\/flightsraw"}},"carrier":{"@href":"#id68","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns199":"http:\/\/flightsraw"}},"@id":"id136","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns199:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns199":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"4:45a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns200":"http:\/\/flightsraw"}},"departureTime":{"$":"3:09a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns200":"http:\/\/flightsraw"}},"number":{"$":"889","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns200":"http:\/\/flightsraw"}},"carrier":{"@href":"#id68","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns200":"http:\/\/flightsraw"}},"@id":"id126","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns200:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns200":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"3:16a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns201":"http:\/\/flightsraw"}},"departureTime":{"$":"3:05a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns201":"http:\/\/flightsraw"}},"number":{"$":"994","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns201":"http:\/\/flightsraw"}},"carrier":{"@href":"#id68","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns201":"http:\/\/flightsraw"}},"@id":"id312","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns201:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns201":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"2:50a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns202":"http:\/\/flightsraw"}},"departureTime":{"$":"1:57a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns202":"http:\/\/flightsraw"}},"number":{"$":"862","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns202":"http:\/\/flightsraw"}},"carrier":{"@href":"#id69","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns202":"http:\/\/flightsraw"}},"@id":"id81","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns202:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns202":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"1:27a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns203":"http:\/\/flightsraw"}},"departureTime":{"$":"9:25p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns203":"http:\/\/flightsraw"}},"number":{"$":"363","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns203":"http:\/\/flightsraw"}},"carrier":{"@href":"#id68","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns203":"http:\/\/flightsraw"}},"@id":"id310","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns203:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns203":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"1:41a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns204":"http:\/\/flightsraw"}},"departureTime":{"$":"2:25a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns204":"http:\/\/flightsraw"}},"number":{"$":"273","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns204":"http:\/\/flightsraw"}},"carrier":{"@href":"#id68","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns204":"http:\/\/flightsraw"}},"@id":"id204","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns204:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns204":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"12:28p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns205":"http:\/\/flightsraw"}},"departureTime":{"$":"10:20a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns205":"http:\/\/flightsraw"}},"number":{"$":"625","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns205":"http:\/\/flightsraw"}},"carrier":{"@href":"#id65","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns205":"http:\/\/flightsraw"}},"@id":"id89","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns205:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns205":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"9:20p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns206":"http:\/\/flightsraw"}},"departureTime":{"$":"6:22p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns206":"http:\/\/flightsraw"}},"number":{"$":"945","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns206":"http:\/\/flightsraw"}},"carrier":{"@href":"#id65","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns206":"http:\/\/flightsraw"}},"@id":"id252","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns206:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns206":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"1:47a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns207":"http:\/\/flightsraw"}},"departureTime":{"$":"3:20a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns207":"http:\/\/flightsraw"}},"number":{"$":"406","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns207":"http:\/\/flightsraw"}},"carrier":{"@href":"#id67","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns207":"http:\/\/flightsraw"}},"@id":"id77","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns207:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns207":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"3:08a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns208":"http:\/\/flightsraw"}},"departureTime":{"$":"2:18a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns208":"http:\/\/flightsraw"}},"number":{"$":"497","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns208":"http:\/\/flightsraw"}},"carrier":{"@href":"#id65","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns208":"http:\/\/flightsraw"}},"@id":"id177","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns208:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns208":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"3:33a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns209":"http:\/\/flightsraw"}},"departureTime":{"$":"4:19a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns209":"http:\/\/flightsraw"}},"number":{"$":"746","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns209":"http:\/\/flightsraw"}},"carrier":{"@href":"#id70","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns209":"http:\/\/flightsraw"}},"@id":"id262","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns209:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns209":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"11:17p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns210":"http:\/\/flightsraw"}},"departureTime":{"$":"8:24p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns210":"http:\/\/flightsraw"}},"number":{"$":"823","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns210":"http:\/\/flightsraw"}},"carrier":{"@href":"#id69","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns210":"http:\/\/flightsraw"}},"@id":"id191","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns210:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns210":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"5:48a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns211":"http:\/\/flightsraw"}},"departureTime":{"$":"1:02a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns211":"http:\/\/flightsraw"}},"number":{"$":"332","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns211":"http:\/\/flightsraw"}},"carrier":{"@href":"#id67","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns211":"http:\/\/flightsraw"}},"@id":"id122","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns211:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns211":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"7:30p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns212":"http:\/\/flightsraw"}},"departureTime":{"$":"2:49p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns212":"http:\/\/flightsraw"}},"number":{"$":"549","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns212":"http:\/\/flightsraw"}},"carrier":{"@href":"#id66","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns212":"http:\/\/flightsraw"}},"@id":"id100","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns212:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns212":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"5:18p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns213":"http:\/\/flightsraw"}},"departureTime":{"$":"2:33p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns213":"http:\/\/flightsraw"}},"number":{"$":"609","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns213":"http:\/\/flightsraw"}},"carrier":{"@href":"#id70","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns213":"http:\/\/flightsraw"}},"@id":"id256","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns213:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns213":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"2:03a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns214":"http:\/\/flightsraw"}},"departureTime":{"$":"9:19p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns214":"http:\/\/flightsraw"}},"number":{"$":"263","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns214":"http:\/\/flightsraw"}},"carrier":{"@href":"#id66","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns214":"http:\/\/flightsraw"}},"@id":"id132","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns214:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns214":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"9:08a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns215":"http:\/\/flightsraw"}},"departureTime":{"$":"7:03a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns215":"http:\/\/flightsraw"}},"number":{"$":"310","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns215":"http:\/\/flightsraw"}},"carrier":{"@href":"#id65","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns215":"http:\/\/flightsraw"}},"@id":"id279","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns215:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns215":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"1:56a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns216":"http:\/\/flightsraw"}},"departureTime":{"$":"2:41a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns216":"http:\/\/flightsraw"}},"number":{"$":"836","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns216":"http:\/\/flightsraw"}},"carrier":{"@href":"#id65","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns216":"http:\/\/flightsraw"}},"@id":"id147","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns216:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns216":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"6:40a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns217":"http:\/\/flightsraw"}},"departureTime":{"$":"3:53a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns217":"http:\/\/flightsraw"}},"number":{"$":"612","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns217":"http:\/\/flightsraw"}},"carrier":{"@href":"#id65","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns217":"http:\/\/flightsraw"}},"@id":"id194","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns217:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns217":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"10:07p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns218":"http:\/\/flightsraw"}},"departureTime":{"$":"8:28p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns218":"http:\/\/flightsraw"}},"number":{"$":"508","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns218":"http:\/\/flightsraw"}},"carrier":{"@href":"#id67","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns218":"http:\/\/flightsraw"}},"@id":"id231","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns218:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns218":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"2:53p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns219":"http:\/\/flightsraw"}},"departureTime":{"$":"10:12a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns219":"http:\/\/flightsraw"}},"number":{"$":"753","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns219":"http:\/\/flightsraw"}},"carrier":{"@href":"#id68","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns219":"http:\/\/flightsraw"}},"@id":"id135","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns219:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns219":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"3:15a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns220":"http:\/\/flightsraw"}},"departureTime":{"$":"3:08a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns220":"http:\/\/flightsraw"}},"number":{"$":"572","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns220":"http:\/\/flightsraw"}},"carrier":{"@href":"#id65","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns220":"http:\/\/flightsraw"}},"@id":"id315","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns220:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns220":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"3:07a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns221":"http:\/\/flightsraw"}},"departureTime":{"$":"2:28a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns221":"http:\/\/flightsraw"}},"number":{"$":"511","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns221":"http:\/\/flightsraw"}},"carrier":{"@href":"#id65","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns221":"http:\/\/flightsraw"}},"@id":"id176","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns221:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns221":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"4:01a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns222":"http:\/\/flightsraw"}},"departureTime":{"$":"3:25a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns222":"http:\/\/flightsraw"}},"number":{"$":"832","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns222":"http:\/\/flightsraw"}},"carrier":{"@href":"#id71","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns222":"http:\/\/flightsraw"}},"@id":"id265","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns222:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns222":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"3:29a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns223":"http:\/\/flightsraw"}},"departureTime":{"$":"12:33a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns223":"http:\/\/flightsraw"}},"number":{"$":"493","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns223":"http:\/\/flightsraw"}},"carrier":{"@href":"#id65","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns223":"http:\/\/flightsraw"}},"@id":"id349","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns223:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns223":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"4:38a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns224":"http:\/\/flightsraw"}},"departureTime":{"$":"2:10a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns224":"http:\/\/flightsraw"}},"number":{"$":"785","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns224":"http:\/\/flightsraw"}},"carrier":{"@href":"#id71","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns224":"http:\/\/flightsraw"}},"@id":"id172","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns224:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns224":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"4:51p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns225":"http:\/\/flightsraw"}},"departureTime":{"$":"2:10p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns225":"http:\/\/flightsraw"}},"number":{"$":"940","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns225":"http:\/\/flightsraw"}},"carrier":{"@href":"#id68","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns225":"http:\/\/flightsraw"}},"@id":"id253","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns225:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns225":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"7:24p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns226":"http:\/\/flightsraw"}},"departureTime":{"$":"6:14p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns226":"http:\/\/flightsraw"}},"number":{"$":"767","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns226":"http:\/\/flightsraw"}},"carrier":{"@href":"#id66","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns226":"http:\/\/flightsraw"}},"@id":"id222","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns226:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns226":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"7:57p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns227":"http:\/\/flightsraw"}},"departureTime":{"$":"3:16p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns227":"http:\/\/flightsraw"}},"number":{"$":"707","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns227":"http:\/\/flightsraw"}},"carrier":{"@href":"#id66","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns227":"http:\/\/flightsraw"}},"@id":"id99","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns227:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns227":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"3:29a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns228":"http:\/\/flightsraw"}},"departureTime":{"$":"3:21a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns228":"http:\/\/flightsraw"}},"number":{"$":"987","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns228":"http:\/\/flightsraw"}},"carrier":{"@href":"#id71","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns228":"http:\/\/flightsraw"}},"@id":"id119","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns228:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns228":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"7:20p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns229":"http:\/\/flightsraw"}},"departureTime":{"$":"2:42p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns229":"http:\/\/flightsraw"}},"number":{"$":"963","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns229":"http:\/\/flightsraw"}},"carrier":{"@href":"#id68","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns229":"http:\/\/flightsraw"}},"@id":"id331","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns229:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns229":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"1:44a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns230":"http:\/\/flightsraw"}},"departureTime":{"$":"3:00a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns230":"http:\/\/flightsraw"}},"number":{"$":"363","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns230":"http:\/\/flightsraw"}},"carrier":{"@href":"#id65","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns230":"http:\/\/flightsraw"}},"@id":"id141","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns230:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns230":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"1:40a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns231":"http:\/\/flightsraw"}},"departureTime":{"$":"2:23a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns231":"http:\/\/flightsraw"}},"number":{"$":"774","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns231":"http:\/\/flightsraw"}},"carrier":{"@href":"#id67","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns231":"http:\/\/flightsraw"}},"@id":"id137","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns231:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns231":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"3:15a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns232":"http:\/\/flightsraw"}},"departureTime":{"$":"2:39a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns232":"http:\/\/flightsraw"}},"number":{"$":"355","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns232":"http:\/\/flightsraw"}},"carrier":{"@href":"#id71","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns232":"http:\/\/flightsraw"}},"@id":"id159","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns232:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns232":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"12:48p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns233":"http:\/\/flightsraw"}},"departureTime":{"$":"11:11a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns233":"http:\/\/flightsraw"}},"number":{"$":"610","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns233":"http:\/\/flightsraw"}},"carrier":{"@href":"#id70","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns233":"http:\/\/flightsraw"}},"@id":"id343","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns233:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns233":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"4:03a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns234":"http:\/\/flightsraw"}},"departureTime":{"$":"4:11a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns234":"http:\/\/flightsraw"}},"number":{"$":"771","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns234":"http:\/\/flightsraw"}},"carrier":{"@href":"#id68","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns234":"http:\/\/flightsraw"}},"@id":"id335","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns234:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns234":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"3:18a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns235":"http:\/\/flightsraw"}},"departureTime":{"$":"1:48a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns235":"http:\/\/flightsraw"}},"number":{"$":"388","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns235":"http:\/\/flightsraw"}},"carrier":{"@href":"#id67","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns235":"http:\/\/flightsraw"}},"@id":"id145","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns235:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns235":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"11:54a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns236":"http:\/\/flightsraw"}},"departureTime":{"$":"7:15a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns236":"http:\/\/flightsraw"}},"number":{"$":"920","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns236":"http:\/\/flightsraw"}},"carrier":{"@href":"#id68","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns236":"http:\/\/flightsraw"}},"@id":"id123","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns236:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns236":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"12:42a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns237":"http:\/\/flightsraw"}},"departureTime":{"$":"9:59p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns237":"http:\/\/flightsraw"}},"number":{"$":"589","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns237":"http:\/\/flightsraw"}},"carrier":{"@href":"#id71","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns237":"http:\/\/flightsraw"}},"@id":"id217","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns237:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns237":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"4:55p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns238":"http:\/\/flightsraw"}},"departureTime":{"$":"2:55p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns238":"http:\/\/flightsraw"}},"number":{"$":"648","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns238":"http:\/\/flightsraw"}},"carrier":{"@href":"#id71","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns238":"http:\/\/flightsraw"}},"@id":"id276","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns238:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns238":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"3:20a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns239":"http:\/\/flightsraw"}},"departureTime":{"$":"3:38a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns239":"http:\/\/flightsraw"}},"number":{"$":"476","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns239":"http:\/\/flightsraw"}},"carrier":{"@href":"#id72","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns239":"http:\/\/flightsraw"}},"@id":"id154","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns239:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns239":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"10:49a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns240":"http:\/\/flightsraw"}},"departureTime":{"$":"7:05a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns240":"http:\/\/flightsraw"}},"number":{"$":"910","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns240":"http:\/\/flightsraw"}},"carrier":{"@href":"#id69","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns240":"http:\/\/flightsraw"}},"@id":"id75","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns240:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns240":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"3:14a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns241":"http:\/\/flightsraw"}},"departureTime":{"$":"2:13a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns241":"http:\/\/flightsraw"}},"number":{"$":"804","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns241":"http:\/\/flightsraw"}},"carrier":{"@href":"#id69","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns241":"http:\/\/flightsraw"}},"@id":"id160","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns241:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns241":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"2:55a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns242":"http:\/\/flightsraw"}},"departureTime":{"$":"3:18a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns242":"http:\/\/flightsraw"}},"number":{"$":"646","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns242":"http:\/\/flightsraw"}},"carrier":{"@href":"#id70","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns242":"http:\/\/flightsraw"}},"@id":"id86","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns242:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns242":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"2:59a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns243":"http:\/\/flightsraw"}},"departureTime":{"$":"1:37a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns243":"http:\/\/flightsraw"}},"number":{"$":"602","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns243":"http:\/\/flightsraw"}},"carrier":{"@href":"#id66","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns243":"http:\/\/flightsraw"}},"@id":"id180","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns243:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns243":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"3:08p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns244":"http:\/\/flightsraw"}},"departureTime":{"$":"11:52a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns244":"http:\/\/flightsraw"}},"number":{"$":"716","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns244":"http:\/\/flightsraw"}},"carrier":{"@href":"#id66","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns244":"http:\/\/flightsraw"}},"@id":"id314","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns244:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns244":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"1:34a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns245":"http:\/\/flightsraw"}},"departureTime":{"$":"2:07a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns245":"http:\/\/flightsraw"}},"number":{"$":"231","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns245":"http:\/\/flightsraw"}},"carrier":{"@href":"#id71","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns245":"http:\/\/flightsraw"}},"@id":"id290","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns245:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns245":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"2:09a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns246":"http:\/\/flightsraw"}},"departureTime":{"$":"2:13a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns246":"http:\/\/flightsraw"}},"number":{"$":"576","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns246":"http:\/\/flightsraw"}},"carrier":{"@href":"#id72","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns246":"http:\/\/flightsraw"}},"@id":"id95","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns246:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns246":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"4:12p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns247":"http:\/\/flightsraw"}},"departureTime":{"$":"2:32p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns247":"http:\/\/flightsraw"}},"number":{"$":"378","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns247":"http:\/\/flightsraw"}},"carrier":{"@href":"#id69","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns247":"http:\/\/flightsraw"}},"@id":"id196","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns247:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns247":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"2:30p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns248":"http:\/\/flightsraw"}},"departureTime":{"$":"12:18p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns248":"http:\/\/flightsraw"}},"number":{"$":"484","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns248":"http:\/\/flightsraw"}},"carrier":{"@href":"#id66","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns248":"http:\/\/flightsraw"}},"@id":"id94","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns248:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns248":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"10:35p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns249":"http:\/\/flightsraw"}},"departureTime":{"$":"8:52p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns249":"http:\/\/flightsraw"}},"number":{"$":"408","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns249":"http:\/\/flightsraw"}},"carrier":{"@href":"#id65","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns249":"http:\/\/flightsraw"}},"@id":"id198","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns249:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns249":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"3:15a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns250":"http:\/\/flightsraw"}},"departureTime":{"$":"2:38a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns250":"http:\/\/flightsraw"}},"number":{"$":"627","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns250":"http:\/\/flightsraw"}},"carrier":{"@href":"#id68","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns250":"http:\/\/flightsraw"}},"@id":"id318","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns250:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns250":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"9:19p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns251":"http:\/\/flightsraw"}},"departureTime":{"$":"8:09p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns251":"http:\/\/flightsraw"}},"number":{"$":"547","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns251":"http:\/\/flightsraw"}},"carrier":{"@href":"#id69","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns251":"http:\/\/flightsraw"}},"@id":"id220","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns251:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns251":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"3:23a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns252":"http:\/\/flightsraw"}},"departureTime":{"$":"3:11a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns252":"http:\/\/flightsraw"}},"number":{"$":"318","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns252":"http:\/\/flightsraw"}},"carrier":{"@href":"#id72","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns252":"http:\/\/flightsraw"}},"@id":"id216","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns252:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns252":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"3:03p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns253":"http:\/\/flightsraw"}},"departureTime":{"$":"11:52a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns253":"http:\/\/flightsraw"}},"number":{"$":"544","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns253":"http:\/\/flightsraw"}},"carrier":{"@href":"#id70","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns253":"http:\/\/flightsraw"}},"@id":"id161","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns253:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns253":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"1:38a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns254":"http:\/\/flightsraw"}},"departureTime":{"$":"3:41a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns254":"http:\/\/flightsraw"}},"number":{"$":"454","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns254":"http:\/\/flightsraw"}},"carrier":{"@href":"#id68","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns254":"http:\/\/flightsraw"}},"@id":"id232","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns254:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns254":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"3:30a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns255":"http:\/\/flightsraw"}},"departureTime":{"$":"1:45a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns255":"http:\/\/flightsraw"}},"number":{"$":"538","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns255":"http:\/\/flightsraw"}},"carrier":{"@href":"#id72","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns255":"http:\/\/flightsraw"}},"@id":"id214","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns255:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns255":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"4:42a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns256":"http:\/\/flightsraw"}},"departureTime":{"$":"3:13a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns256":"http:\/\/flightsraw"}},"number":{"$":"598","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns256":"http:\/\/flightsraw"}},"carrier":{"@href":"#id68","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns256":"http:\/\/flightsraw"}},"@id":"id127","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns256:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns256":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"10:42a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns257":"http:\/\/flightsraw"}},"departureTime":{"$":"7:31a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns257":"http:\/\/flightsraw"}},"number":{"$":"436","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns257":"http:\/\/flightsraw"}},"carrier":{"@href":"#id65","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns257":"http:\/\/flightsraw"}},"@id":"id266","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns257:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns257":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"3:58a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns258":"http:\/\/flightsraw"}},"departureTime":{"$":"3:33a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns258":"http:\/\/flightsraw"}},"number":{"$":"536","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns258":"http:\/\/flightsraw"}},"carrier":{"@href":"#id71","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns258":"http:\/\/flightsraw"}},"@id":"id264","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns258:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns258":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"10:39p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns259":"http:\/\/flightsraw"}},"departureTime":{"$":"6:48p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns259":"http:\/\/flightsraw"}},"number":{"$":"897","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns259":"http:\/\/flightsraw"}},"carrier":{"@href":"#id71","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns259":"http:\/\/flightsraw"}},"@id":"id225","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns259:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns259":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"3:37a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns260":"http:\/\/flightsraw"}},"departureTime":{"$":"2:53a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns260":"http:\/\/flightsraw"}},"number":{"$":"246","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns260":"http:\/\/flightsraw"}},"carrier":{"@href":"#id69","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns260":"http:\/\/flightsraw"}},"@id":"id353","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns260:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns260":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"7:51a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns261":"http:\/\/flightsraw"}},"departureTime":{"$":"3:17a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns261":"http:\/\/flightsraw"}},"number":{"$":"654","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns261":"http:\/\/flightsraw"}},"carrier":{"@href":"#id69","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns261":"http:\/\/flightsraw"}},"@id":"id296","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns261:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns261":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"3:43a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns262":"http:\/\/flightsraw"}},"departureTime":{"$":"1:26a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns262":"http:\/\/flightsraw"}},"number":{"$":"673","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns262":"http:\/\/flightsraw"}},"carrier":{"@href":"#id69","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns262":"http:\/\/flightsraw"}},"@id":"id352","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns262:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns262":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"4:38a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns263":"http:\/\/flightsraw"}},"departureTime":{"$":"2:52a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns263":"http:\/\/flightsraw"}},"number":{"$":"244","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns263":"http:\/\/flightsraw"}},"carrier":{"@href":"#id68","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns263":"http:\/\/flightsraw"}},"@id":"id175","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns263:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns263":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"8:35p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns264":"http:\/\/flightsraw"}},"departureTime":{"$":"5:37p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns264":"http:\/\/flightsraw"}},"number":{"$":"369","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns264":"http:\/\/flightsraw"}},"carrier":{"@href":"#id68","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns264":"http:\/\/flightsraw"}},"@id":"id88","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns264:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns264":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"10:13a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns265":"http:\/\/flightsraw"}},"departureTime":{"$":"7:08a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns265":"http:\/\/flightsraw"}},"number":{"$":"771","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns265":"http:\/\/flightsraw"}},"carrier":{"@href":"#id68","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns265":"http:\/\/flightsraw"}},"@id":"id235","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns265:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns265":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"6:05a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns266":"http:\/\/flightsraw"}},"departureTime":{"$":"3:09a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns266":"http:\/\/flightsraw"}},"number":{"$":"361","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns266":"http:\/\/flightsraw"}},"carrier":{"@href":"#id69","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns266":"http:\/\/flightsraw"}},"@id":"id245","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns266:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns266":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"3:05a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns267":"http:\/\/flightsraw"}},"departureTime":{"$":"1:28a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns267":"http:\/\/flightsraw"}},"number":{"$":"371","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns267":"http:\/\/flightsraw"}},"carrier":{"@href":"#id65","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns267":"http:\/\/flightsraw"}},"@id":"id178","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns267:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns267":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"5:33p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns268":"http:\/\/flightsraw"}},"departureTime":{"$":"1:52p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns268":"http:\/\/flightsraw"}},"number":{"$":"715","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns268":"http:\/\/flightsraw"}},"carrier":{"@href":"#id69","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns268":"http:\/\/flightsraw"}},"@id":"id182","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns268:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns268":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"5:36p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns269":"http:\/\/flightsraw"}},"departureTime":{"$":"2:41p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns269":"http:\/\/flightsraw"}},"number":{"$":"714","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns269":"http:\/\/flightsraw"}},"carrier":{"@href":"#id68","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns269":"http:\/\/flightsraw"}},"@id":"id85","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns269:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns269":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"8:27p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns270":"http:\/\/flightsraw"}},"departureTime":{"$":"3:45p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns270":"http:\/\/flightsraw"}},"number":{"$":"365","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns270":"http:\/\/flightsraw"}},"carrier":{"@href":"#id71","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns270":"http:\/\/flightsraw"}},"@id":"id133","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns270:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns270":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"10:53p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns271":"http:\/\/flightsraw"}},"departureTime":{"$":"7:12p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns271":"http:\/\/flightsraw"}},"number":{"$":"576","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns271":"http:\/\/flightsraw"}},"carrier":{"@href":"#id72","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns271":"http:\/\/flightsraw"}},"@id":"id351","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns271:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns271":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"1:42a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns272":"http:\/\/flightsraw"}},"departureTime":{"$":"3:26a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns272":"http:\/\/flightsraw"}},"number":{"$":"616","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns272":"http:\/\/flightsraw"}},"carrier":{"@href":"#id65","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns272":"http:\/\/flightsraw"}},"@id":"id233","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns272:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns272":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"4:01p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns273":"http:\/\/flightsraw"}},"departureTime":{"$":"1:59p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns273":"http:\/\/flightsraw"}},"number":{"$":"892","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns273":"http:\/\/flightsraw"}},"carrier":{"@href":"#id70","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns273":"http:\/\/flightsraw"}},"@id":"id277","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns273:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns273":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"3:42p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns274":"http:\/\/flightsraw"}},"departureTime":{"$":"12:08p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns274":"http:\/\/flightsraw"}},"number":{"$":"302","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns274":"http:\/\/flightsraw"}},"carrier":{"@href":"#id67","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns274":"http:\/\/flightsraw"}},"@id":"id259","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns274:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns274":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"3:21a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns275":"http:\/\/flightsraw"}},"departureTime":{"$":"3:19a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns275":"http:\/\/flightsraw"}},"number":{"$":"509","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns275":"http:\/\/flightsraw"}},"carrier":{"@href":"#id67","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns275":"http:\/\/flightsraw"}},"@id":"id155","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns275:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns275":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"3:26a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns276":"http:\/\/flightsraw"}},"departureTime":{"$":"1:35a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns276":"http:\/\/flightsraw"}},"number":{"$":"970","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns276":"http:\/\/flightsraw"}},"carrier":{"@href":"#id67","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns276":"http:\/\/flightsraw"}},"@id":"id153","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns276:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns276":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"12:26p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns277":"http:\/\/flightsraw"}},"departureTime":{"$":"9:27a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns277":"http:\/\/flightsraw"}},"number":{"$":"870","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns277":"http:\/\/flightsraw"}},"carrier":{"@href":"#id71","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns277":"http:\/\/flightsraw"}},"@id":"id244","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns277:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns277":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"1:34a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns278":"http:\/\/flightsraw"}},"departureTime":{"$":"1:49a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns278":"http:\/\/flightsraw"}},"number":{"$":"994","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns278":"http:\/\/flightsraw"}},"carrier":{"@href":"#id69","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns278":"http:\/\/flightsraw"}},"@id":"id338","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns278:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns278":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"3:26a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns279":"http:\/\/flightsraw"}},"departureTime":{"$":"11:24p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns279":"http:\/\/flightsraw"}},"number":{"$":"733","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns279":"http:\/\/flightsraw"}},"carrier":{"@href":"#id70","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns279":"http:\/\/flightsraw"}},"@id":"id302","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns279:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns279":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"3:57a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns280":"http:\/\/flightsraw"}},"departureTime":{"$":"3:40a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns280":"http:\/\/flightsraw"}},"number":{"$":"370","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns280":"http:\/\/flightsraw"}},"carrier":{"@href":"#id70","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns280":"http:\/\/flightsraw"}},"@id":"id300","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns280:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns280":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"10:16a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns281":"http:\/\/flightsraw"}},"departureTime":{"$":"9:04a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns281":"http:\/\/flightsraw"}},"number":{"$":"267","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns281":"http:\/\/flightsraw"}},"carrier":{"@href":"#id70","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns281":"http:\/\/flightsraw"}},"@id":"id108","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns281:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns281":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"2:26a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns282":"http:\/\/flightsraw"}},"departureTime":{"$":"1:22a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns282":"http:\/\/flightsraw"}},"number":{"$":"724","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns282":"http:\/\/flightsraw"}},"carrier":{"@href":"#id65","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns282":"http:\/\/flightsraw"}},"@id":"id324","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns282:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns282":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"2:03a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns283":"http:\/\/flightsraw"}},"departureTime":{"$":"2:03a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns283":"http:\/\/flightsraw"}},"number":{"$":"842","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns283":"http:\/\/flightsraw"}},"carrier":{"@href":"#id70","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns283":"http:\/\/flightsraw"}},"@id":"id271","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns283:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns283":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"1:03a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns284":"http:\/\/flightsraw"}},"departureTime":{"$":"1:49a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns284":"http:\/\/flightsraw"}},"number":{"$":"630","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns284":"http:\/\/flightsraw"}},"carrier":{"@href":"#id70","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns284":"http:\/\/flightsraw"}},"@id":"id221","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns284:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns284":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"2:42a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns285":"http:\/\/flightsraw"}},"departureTime":{"$":"1:52a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns285":"http:\/\/flightsraw"}},"number":{"$":"565","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns285":"http:\/\/flightsraw"}},"carrier":{"@href":"#id70","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns285":"http:\/\/flightsraw"}},"@id":"id104","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns285:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns285":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"7:36p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns286":"http:\/\/flightsraw"}},"departureTime":{"$":"6:01p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns286":"http:\/\/flightsraw"}},"number":{"$":"933","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns286":"http:\/\/flightsraw"}},"carrier":{"@href":"#id65","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns286":"http:\/\/flightsraw"}},"@id":"id293","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns286:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns286":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"12:20a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns287":"http:\/\/flightsraw"}},"departureTime":{"$":"9:16p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns287":"http:\/\/flightsraw"}},"number":{"$":"348","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns287":"http:\/\/flightsraw"}},"carrier":{"@href":"#id68","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns287":"http:\/\/flightsraw"}},"@id":"id242","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns287:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns287":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"9:37p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns288":"http:\/\/flightsraw"}},"departureTime":{"$":"5:34p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns288":"http:\/\/flightsraw"}},"number":{"$":"356","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns288":"http:\/\/flightsraw"}},"carrier":{"@href":"#id66","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns288":"http:\/\/flightsraw"}},"@id":"id305","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns288:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns288":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"7:23p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns289":"http:\/\/flightsraw"}},"departureTime":{"$":"4:00p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns289":"http:\/\/flightsraw"}},"number":{"$":"963","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns289":"http:\/\/flightsraw"}},"carrier":{"@href":"#id72","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns289":"http:\/\/flightsraw"}},"@id":"id146","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns289:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns289":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"1:39a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns290":"http:\/\/flightsraw"}},"departureTime":{"$":"11:25p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns290":"http:\/\/flightsraw"}},"number":{"$":"919","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns290":"http:\/\/flightsraw"}},"carrier":{"@href":"#id71","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns290":"http:\/\/flightsraw"}},"@id":"id92","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns290:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns290":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"3:15a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns291":"http:\/\/flightsraw"}},"departureTime":{"$":"2:06a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns291":"http:\/\/flightsraw"}},"number":{"$":"708","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns291":"http:\/\/flightsraw"}},"carrier":{"@href":"#id66","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns291":"http:\/\/flightsraw"}},"@id":"id164","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns291:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns291":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"8:35p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns292":"http:\/\/flightsraw"}},"departureTime":{"$":"6:18p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns292":"http:\/\/flightsraw"}},"number":{"$":"823","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns292":"http:\/\/flightsraw"}},"carrier":{"@href":"#id72","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns292":"http:\/\/flightsraw"}},"@id":"id118","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns292:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns292":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"1:59a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns293":"http:\/\/flightsraw"}},"departureTime":{"$":"2:45a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns293":"http:\/\/flightsraw"}},"number":{"$":"563","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns293":"http:\/\/flightsraw"}},"carrier":{"@href":"#id72","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns293":"http:\/\/flightsraw"}},"@id":"id281","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns293:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns293":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"4:45a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns294":"http:\/\/flightsraw"}},"departureTime":{"$":"3:31a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns294":"http:\/\/flightsraw"}},"number":{"$":"883","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns294":"http:\/\/flightsraw"}},"carrier":{"@href":"#id68","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns294":"http:\/\/flightsraw"}},"@id":"id121","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns294:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns294":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"2:46a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns295":"http:\/\/flightsraw"}},"departureTime":{"$":"2:35a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns295":"http:\/\/flightsraw"}},"number":{"$":"210","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns295":"http:\/\/flightsraw"}},"carrier":{"@href":"#id69","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns295":"http:\/\/flightsraw"}},"@id":"id205","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns295:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns295":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"4:11p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns296":"http:\/\/flightsraw"}},"departureTime":{"$":"12:41p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns296":"http:\/\/flightsraw"}},"number":{"$":"763","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns296":"http:\/\/flightsraw"}},"carrier":{"@href":"#id67","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns296":"http:\/\/flightsraw"}},"@id":"id215","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns296:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns296":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"9:39p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns297":"http:\/\/flightsraw"}},"departureTime":{"$":"6:13p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns297":"http:\/\/flightsraw"}},"number":{"$":"689","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns297":"http:\/\/flightsraw"}},"carrier":{"@href":"#id71","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns297":"http:\/\/flightsraw"}},"@id":"id156","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns297:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns297":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"5:39a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns298":"http:\/\/flightsraw"}},"departureTime":{"$":"1:46a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns298":"http:\/\/flightsraw"}},"number":{"$":"476","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns298":"http:\/\/flightsraw"}},"carrier":{"@href":"#id70","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns298":"http:\/\/flightsraw"}},"@id":"id111","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns298:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns298":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"1:38a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns299":"http:\/\/flightsraw"}},"departureTime":{"$":"1:22a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns299":"http:\/\/flightsraw"}},"number":{"$":"370","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns299":"http:\/\/flightsraw"}},"carrier":{"@href":"#id70","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns299":"http:\/\/flightsraw"}},"@id":"id292","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns299:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns299":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"2:42a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns300":"http:\/\/flightsraw"}},"departureTime":{"$":"1:37a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns300":"http:\/\/flightsraw"}},"number":{"$":"581","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns300":"http:\/\/flightsraw"}},"carrier":{"@href":"#id68","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns300":"http:\/\/flightsraw"}},"@id":"id257","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns300:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns300":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"2:09a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns301":"http:\/\/flightsraw"}},"departureTime":{"$":"3:10a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns301":"http:\/\/flightsraw"}},"number":{"$":"613","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns301":"http:\/\/flightsraw"}},"carrier":{"@href":"#id68","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns301":"http:\/\/flightsraw"}},"@id":"id91","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns301:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns301":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"2:42a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns302":"http:\/\/flightsraw"}},"departureTime":{"$":"3:01a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns302":"http:\/\/flightsraw"}},"number":{"$":"699","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns302":"http:\/\/flightsraw"}},"carrier":{"@href":"#id70","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns302":"http:\/\/flightsraw"}},"@id":"id219","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns302:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns302":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"3:06a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns303":"http:\/\/flightsraw"}},"departureTime":{"$":"3:14a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns303":"http:\/\/flightsraw"}},"number":{"$":"732","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns303":"http:\/\/flightsraw"}},"carrier":{"@href":"#id65","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns303":"http:\/\/flightsraw"}},"@id":"id167","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns303:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns303":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"3:29a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns304":"http:\/\/flightsraw"}},"departureTime":{"$":"2:35a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns304":"http:\/\/flightsraw"}},"number":{"$":"629","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns304":"http:\/\/flightsraw"}},"carrier":{"@href":"#id65","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns304":"http:\/\/flightsraw"}},"@id":"id260","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns304:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns304":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"11:05a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns305":"http:\/\/flightsraw"}},"departureTime":{"$":"8:15a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns305":"http:\/\/flightsraw"}},"number":{"$":"680","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns305":"http:\/\/flightsraw"}},"carrier":{"@href":"#id72","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns305":"http:\/\/flightsraw"}},"@id":"id83","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns305:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns305":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"12:50a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns306":"http:\/\/flightsraw"}},"departureTime":{"$":"10:01p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns306":"http:\/\/flightsraw"}},"number":{"$":"499","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns306":"http:\/\/flightsraw"}},"carrier":{"@href":"#id70","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns306":"http:\/\/flightsraw"}},"@id":"id348","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns306:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns306":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"7:15a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns307":"http:\/\/flightsraw"}},"departureTime":{"$":"3:55a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns307":"http:\/\/flightsraw"}},"number":{"$":"862","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns307":"http:\/\/flightsraw"}},"carrier":{"@href":"#id71","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns307":"http:\/\/flightsraw"}},"@id":"id313","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns307:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns307":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"2:29a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns308":"http:\/\/flightsraw"}},"departureTime":{"$":"11:03p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns308":"http:\/\/flightsraw"}},"number":{"$":"223","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns308":"http:\/\/flightsraw"}},"carrier":{"@href":"#id67","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns308":"http:\/\/flightsraw"}},"@id":"id261","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns308:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns308":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"1:35a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns309":"http:\/\/flightsraw"}},"departureTime":{"$":"1:47a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns309":"http:\/\/flightsraw"}},"number":{"$":"671","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns309":"http:\/\/flightsraw"}},"carrier":{"@href":"#id65","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns309":"http:\/\/flightsraw"}},"@id":"id340","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns309:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns309":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"4:43a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns310":"http:\/\/flightsraw"}},"departureTime":{"$":"1:17a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns310":"http:\/\/flightsraw"}},"number":{"$":"945","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns310":"http:\/\/flightsraw"}},"carrier":{"@href":"#id67","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns310":"http:\/\/flightsraw"}},"@id":"id327","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns310:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns310":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"2:52a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns311":"http:\/\/flightsraw"}},"departureTime":{"$":"11:36p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns311":"http:\/\/flightsraw"}},"number":{"$":"937","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns311":"http:\/\/flightsraw"}},"carrier":{"@href":"#id68","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns311":"http:\/\/flightsraw"}},"@id":"id317","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns311:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns311":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"10:09p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns312":"http:\/\/flightsraw"}},"departureTime":{"$":"6:15p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns312":"http:\/\/flightsraw"}},"number":{"$":"886","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns312":"http:\/\/flightsraw"}},"carrier":{"@href":"#id67","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns312":"http:\/\/flightsraw"}},"@id":"id112","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns312:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns312":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"1:58p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns313":"http:\/\/flightsraw"}},"departureTime":{"$":"11:13a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns313":"http:\/\/flightsraw"}},"number":{"$":"639","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns313":"http:\/\/flightsraw"}},"carrier":{"@href":"#id68","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns313":"http:\/\/flightsraw"}},"@id":"id120","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns313:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns313":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"11:17a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns314":"http:\/\/flightsraw"}},"departureTime":{"$":"7:11a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns314":"http:\/\/flightsraw"}},"number":{"$":"422","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns314":"http:\/\/flightsraw"}},"carrier":{"@href":"#id68","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns314":"http:\/\/flightsraw"}},"@id":"id308","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns314:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns314":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"11:17p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns315":"http:\/\/flightsraw"}},"departureTime":{"$":"9:34p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns315":"http:\/\/flightsraw"}},"number":{"$":"294","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns315":"http:\/\/flightsraw"}},"carrier":{"@href":"#id67","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns315":"http:\/\/flightsraw"}},"@id":"id229","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns315:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns315":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"3:06a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns316":"http:\/\/flightsraw"}},"departureTime":{"$":"3:48a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns316":"http:\/\/flightsraw"}},"number":{"$":"978","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns316":"http:\/\/flightsraw"}},"carrier":{"@href":"#id66","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns316":"http:\/\/flightsraw"}},"@id":"id163","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns316:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns316":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"11:44p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns317":"http:\/\/flightsraw"}},"departureTime":{"$":"10:10p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns317":"http:\/\/flightsraw"}},"number":{"$":"825","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns317":"http:\/\/flightsraw"}},"carrier":{"@href":"#id70","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns317":"http:\/\/flightsraw"}},"@id":"id344","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns317:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns317":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"1:37a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns318":"http:\/\/flightsraw"}},"departureTime":{"$":"3:52a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns318":"http:\/\/flightsraw"}},"number":{"$":"221","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns318":"http:\/\/flightsraw"}},"carrier":{"@href":"#id71","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns318":"http:\/\/flightsraw"}},"@id":"id294","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns318:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns318":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"4:47a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns319":"http:\/\/flightsraw"}},"departureTime":{"$":"3:09a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns319":"http:\/\/flightsraw"}},"number":{"$":"429","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns319":"http:\/\/flightsraw"}},"carrier":{"@href":"#id68","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns319":"http:\/\/flightsraw"}},"@id":"id203","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns319:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns319":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"2:54a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns320":"http:\/\/flightsraw"}},"departureTime":{"$":"1:26a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns320":"http:\/\/flightsraw"}},"number":{"$":"680","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns320":"http:\/\/flightsraw"}},"carrier":{"@href":"#id69","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns320":"http:\/\/flightsraw"}},"@id":"id84","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns320:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns320":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"1:50a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns321":"http:\/\/flightsraw"}},"departureTime":{"$":"1:24a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns321":"http:\/\/flightsraw"}},"number":{"$":"743","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns321":"http:\/\/flightsraw"}},"carrier":{"@href":"#id67","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns321":"http:\/\/flightsraw"}},"@id":"id76","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns321:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns321":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"1:15p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns322":"http:\/\/flightsraw"}},"departureTime":{"$":"9:31a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns322":"http:\/\/flightsraw"}},"number":{"$":"339","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns322":"http:\/\/flightsraw"}},"carrier":{"@href":"#id72","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns322":"http:\/\/flightsraw"}},"@id":"id323","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns322:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns322":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"4:11p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns323":"http:\/\/flightsraw"}},"departureTime":{"$":"12:49p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns323":"http:\/\/flightsraw"}},"number":{"$":"340","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns323":"http:\/\/flightsraw"}},"carrier":{"@href":"#id72","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns323":"http:\/\/flightsraw"}},"@id":"id285","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns323:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns323":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"1:43p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns324":"http:\/\/flightsraw"}},"departureTime":{"$":"9:59a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns324":"http:\/\/flightsraw"}},"number":{"$":"633","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns324":"http:\/\/flightsraw"}},"carrier":{"@href":"#id65","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns324":"http:\/\/flightsraw"}},"@id":"id322","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns324:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns324":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"1:56a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns325":"http:\/\/flightsraw"}},"departureTime":{"$":"2:03a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns325":"http:\/\/flightsraw"}},"number":{"$":"759","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns325":"http:\/\/flightsraw"}},"carrier":{"@href":"#id71","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns325":"http:\/\/flightsraw"}},"@id":"id150","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns325:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns325":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"2:51a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns326":"http:\/\/flightsraw"}},"departureTime":{"$":"2:14a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns326":"http:\/\/flightsraw"}},"number":{"$":"833","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns326":"http:\/\/flightsraw"}},"carrier":{"@href":"#id68","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns326":"http:\/\/flightsraw"}},"@id":"id192","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns326:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns326":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"2:50a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns327":"http:\/\/flightsraw"}},"departureTime":{"$":"3:53a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns327":"http:\/\/flightsraw"}},"number":{"$":"311","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns327":"http:\/\/flightsraw"}},"carrier":{"@href":"#id68","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns327":"http:\/\/flightsraw"}},"@id":"id101","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns327:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns327":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"3:50a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns328":"http:\/\/flightsraw"}},"departureTime":{"$":"2:48a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns328":"http:\/\/flightsraw"}},"number":{"$":"486","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns328":"http:\/\/flightsraw"}},"carrier":{"@href":"#id66","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns328":"http:\/\/flightsraw"}},"@id":"id116","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns328:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns328":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"1:02p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns329":"http:\/\/flightsraw"}},"departureTime":{"$":"9:30a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns329":"http:\/\/flightsraw"}},"number":{"$":"813","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns329":"http:\/\/flightsraw"}},"carrier":{"@href":"#id65","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns329":"http:\/\/flightsraw"}},"@id":"id210","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns329:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns329":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"3:48a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns330":"http:\/\/flightsraw"}},"departureTime":{"$":"2:49a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns330":"http:\/\/flightsraw"}},"number":{"$":"796","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns330":"http:\/\/flightsraw"}},"carrier":{"@href":"#id69","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns330":"http:\/\/flightsraw"}},"@id":"id321","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns330:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns330":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"2:08a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns331":"http:\/\/flightsraw"}},"departureTime":{"$":"2:29a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns331":"http:\/\/flightsraw"}},"number":{"$":"449","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns331":"http:\/\/flightsraw"}},"carrier":{"@href":"#id68","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns331":"http:\/\/flightsraw"}},"@id":"id272","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns331:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns331":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"3:18a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns332":"http:\/\/flightsraw"}},"departureTime":{"$":"2:43a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns332":"http:\/\/flightsraw"}},"number":{"$":"329","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns332":"http:\/\/flightsraw"}},"carrier":{"@href":"#id66","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns332":"http:\/\/flightsraw"}},"@id":"id143","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns332:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns332":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"3:48a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns333":"http:\/\/flightsraw"}},"departureTime":{"$":"2:40a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns333":"http:\/\/flightsraw"}},"number":{"$":"675","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns333":"http:\/\/flightsraw"}},"carrier":{"@href":"#id70","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns333":"http:\/\/flightsraw"}},"@id":"id224","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns333:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns333":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"9:01p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns334":"http:\/\/flightsraw"}},"departureTime":{"$":"7:20p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns334":"http:\/\/flightsraw"}},"number":{"$":"447","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns334":"http:\/\/flightsraw"}},"carrier":{"@href":"#id71","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns334":"http:\/\/flightsraw"}},"@id":"id138","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns334:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns334":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"4:48a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns335":"http:\/\/flightsraw"}},"departureTime":{"$":"4:06a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns335":"http:\/\/flightsraw"}},"number":{"$":"503","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns335":"http:\/\/flightsraw"}},"carrier":{"@href":"#id67","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns335":"http:\/\/flightsraw"}},"@id":"id124","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns335:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns335":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"4:43a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns336":"http:\/\/flightsraw"}},"departureTime":{"$":"1:01a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns336":"http:\/\/flightsraw"}},"number":{"$":"688","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns336":"http:\/\/flightsraw"}},"carrier":{"@href":"#id66","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns336":"http:\/\/flightsraw"}},"@id":"id130","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns336:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns336":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"10:56a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns337":"http:\/\/flightsraw"}},"departureTime":{"$":"7:43a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns337":"http:\/\/flightsraw"}},"number":{"$":"294","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns337":"http:\/\/flightsraw"}},"carrier":{"@href":"#id66","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns337":"http:\/\/flightsraw"}},"@id":"id311","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns337:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns337":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"2:19p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns338":"http:\/\/flightsraw"}},"departureTime":{"$":"11:54a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns338":"http:\/\/flightsraw"}},"number":{"$":"900","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns338":"http:\/\/flightsraw"}},"carrier":{"@href":"#id65","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns338":"http:\/\/flightsraw"}},"@id":"id227","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns338:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns338":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"2:13a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns339":"http:\/\/flightsraw"}},"departureTime":{"$":"11:08p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns339":"http:\/\/flightsraw"}},"number":{"$":"542","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns339":"http:\/\/flightsraw"}},"carrier":{"@href":"#id68","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns339":"http:\/\/flightsraw"}},"@id":"id241","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns339:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns339":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"3:41a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns340":"http:\/\/flightsraw"}},"departureTime":{"$":"4:02a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns340":"http:\/\/flightsraw"}},"number":{"$":"461","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns340":"http:\/\/flightsraw"}},"carrier":{"@href":"#id72","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns340":"http:\/\/flightsraw"}},"@id":"id184","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns340:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns340":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"2:32a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns341":"http:\/\/flightsraw"}},"departureTime":{"$":"12:27a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns341":"http:\/\/flightsraw"}},"number":{"$":"646","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns341":"http:\/\/flightsraw"}},"carrier":{"@href":"#id72","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns341":"http:\/\/flightsraw"}},"@id":"id275","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns341:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns341":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"11:53a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns342":"http:\/\/flightsraw"}},"departureTime":{"$":"7:13a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns342":"http:\/\/flightsraw"}},"number":{"$":"409","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns342":"http:\/\/flightsraw"}},"carrier":{"@href":"#id68","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns342":"http:\/\/flightsraw"}},"@id":"id332","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns342:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns342":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"3:01a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns343":"http:\/\/flightsraw"}},"departureTime":{"$":"3:30a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns343":"http:\/\/flightsraw"}},"number":{"$":"295","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns343":"http:\/\/flightsraw"}},"carrier":{"@href":"#id66","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns343":"http:\/\/flightsraw"}},"@id":"id243","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns343:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns343":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"4:00a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns344":"http:\/\/flightsraw"}},"departureTime":{"$":"3:17a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns344":"http:\/\/flightsraw"}},"number":{"$":"298","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns344":"http:\/\/flightsraw"}},"carrier":{"@href":"#id68","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns344":"http:\/\/flightsraw"}},"@id":"id334","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns344:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns344":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"4:41a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns345":"http:\/\/flightsraw"}},"departureTime":{"$":"2:32a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns345":"http:\/\/flightsraw"}},"number":{"$":"946","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns345":"http:\/\/flightsraw"}},"carrier":{"@href":"#id69","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns345":"http:\/\/flightsraw"}},"@id":"id98","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns345:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns345":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"2:05a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns346":"http:\/\/flightsraw"}},"departureTime":{"$":"3:08a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns346":"http:\/\/flightsraw"}},"number":{"$":"806","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns346":"http:\/\/flightsraw"}},"carrier":{"@href":"#id71","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns346":"http:\/\/flightsraw"}},"@id":"id282","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns346:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns346":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"2:16p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns347":"http:\/\/flightsraw"}},"departureTime":{"$":"10:53a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns347":"http:\/\/flightsraw"}},"number":{"$":"405","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns347":"http:\/\/flightsraw"}},"carrier":{"@href":"#id66","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns347":"http:\/\/flightsraw"}},"@id":"id213","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns347:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns347":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"1:50p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns348":"http:\/\/flightsraw"}},"departureTime":{"$":"10:45a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns348":"http:\/\/flightsraw"}},"number":{"$":"876","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns348":"http:\/\/flightsraw"}},"carrier":{"@href":"#id66","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns348":"http:\/\/flightsraw"}},"@id":"id270","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns348:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns348":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"6:59p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns349":"http:\/\/flightsraw"}},"departureTime":{"$":"4:16p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns349":"http:\/\/flightsraw"}},"number":{"$":"633","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns349":"http:\/\/flightsraw"}},"carrier":{"@href":"#id69","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns349":"http:\/\/flightsraw"}},"@id":"id255","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns349:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns349":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"10:27p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns350":"http:\/\/flightsraw"}},"departureTime":{"$":"8:44p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns350":"http:\/\/flightsraw"}},"number":{"$":"852","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns350":"http:\/\/flightsraw"}},"carrier":{"@href":"#id71","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns350":"http:\/\/flightsraw"}},"@id":"id142","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns350:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns350":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"4:39a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns351":"http:\/\/flightsraw"}},"departureTime":{"$":"4:05a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns351":"http:\/\/flightsraw"}},"number":{"$":"624","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns351":"http:\/\/flightsraw"}},"carrier":{"@href":"#id67","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns351":"http:\/\/flightsraw"}},"@id":"id330","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns351:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns351":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"8:19a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns352":"http:\/\/flightsraw"}},"departureTime":{"$":"4:16a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns352":"http:\/\/flightsraw"}},"number":{"$":"775","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns352":"http:\/\/flightsraw"}},"carrier":{"@href":"#id68","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns352":"http:\/\/flightsraw"}},"@id":"id307","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns352:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns352":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"1:39a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns353":"http:\/\/flightsraw"}},"departureTime":{"$":"9:01p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns353":"http:\/\/flightsraw"}},"number":{"$":"757","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns353":"http:\/\/flightsraw"}},"carrier":{"@href":"#id72","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns353":"http:\/\/flightsraw"}},"@id":"id170","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns353:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns353":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"2:36a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns354":"http:\/\/flightsraw"}},"departureTime":{"$":"1:03a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns354":"http:\/\/flightsraw"}},"number":{"$":"939","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns354":"http:\/\/flightsraw"}},"carrier":{"@href":"#id72","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns354":"http:\/\/flightsraw"}},"@id":"id258","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns354:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns354":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"3:09a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns355":"http:\/\/flightsraw"}},"departureTime":{"$":"2:42a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns355":"http:\/\/flightsraw"}},"number":{"$":"530","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns355":"http:\/\/flightsraw"}},"carrier":{"@href":"#id66","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns355":"http:\/\/flightsraw"}},"@id":"id239","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns355:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns355":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"3:43a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns356":"http:\/\/flightsraw"}},"departureTime":{"$":"2:09a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns356":"http:\/\/flightsraw"}},"number":{"$":"587","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns356":"http:\/\/flightsraw"}},"carrier":{"@href":"#id68","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns356":"http:\/\/flightsraw"}},"@id":"id346","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns356:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns356":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"1:38a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns357":"http:\/\/flightsraw"}},"departureTime":{"$":"2:12a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns357":"http:\/\/flightsraw"}},"number":{"$":"842","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns357":"http:\/\/flightsraw"}},"carrier":{"@href":"#id70","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns357":"http:\/\/flightsraw"}},"@id":"id202","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns357:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns357":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"1:14a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns358":"http:\/\/flightsraw"}},"departureTime":{"$":"3:30a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns358":"http:\/\/flightsraw"}},"number":{"$":"293","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns358":"http:\/\/flightsraw"}},"carrier":{"@href":"#id66","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns358":"http:\/\/flightsraw"}},"@id":"id109","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns358:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns358":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"4:52p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns359":"http:\/\/flightsraw"}},"departureTime":{"$":"2:28p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns359":"http:\/\/flightsraw"}},"number":{"$":"600","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns359":"http:\/\/flightsraw"}},"carrier":{"@href":"#id65","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns359":"http:\/\/flightsraw"}},"@id":"id228","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns359:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns359":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"8:50p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns360":"http:\/\/flightsraw"}},"departureTime":{"$":"6:07p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns360":"http:\/\/flightsraw"}},"number":{"$":"313","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns360":"http:\/\/flightsraw"}},"carrier":{"@href":"#id68","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns360":"http:\/\/flightsraw"}},"@id":"id105","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns360:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns360":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"2:28a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns361":"http:\/\/flightsraw"}},"departureTime":{"$":"3:34a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns361":"http:\/\/flightsraw"}},"number":{"$":"904","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns361":"http:\/\/flightsraw"}},"carrier":{"@href":"#id67","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns361":"http:\/\/flightsraw"}},"@id":"id186","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns361:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns361":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"2:27a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns362":"http:\/\/flightsraw"}},"departureTime":{"$":"2:06a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns362":"http:\/\/flightsraw"}},"number":{"$":"820","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns362":"http:\/\/flightsraw"}},"carrier":{"@href":"#id71","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns362":"http:\/\/flightsraw"}},"@id":"id185","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns362:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns362":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"2:37a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns363":"http:\/\/flightsraw"}},"departureTime":{"$":"3:34a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns363":"http:\/\/flightsraw"}},"number":{"$":"255","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns363":"http:\/\/flightsraw"}},"carrier":{"@href":"#id65","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns363":"http:\/\/flightsraw"}},"@id":"id208","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns363:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns363":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"3:29a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns364":"http:\/\/flightsraw"}},"departureTime":{"$":"4:19a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns364":"http:\/\/flightsraw"}},"number":{"$":"260","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns364":"http:\/\/flightsraw"}},"carrier":{"@href":"#id67","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns364":"http:\/\/flightsraw"}},"@id":"id209","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns364:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns364":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"6:01a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns365":"http:\/\/flightsraw"}},"departureTime":{"$":"4:15a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns365":"http:\/\/flightsraw"}},"number":{"$":"840","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns365":"http:\/\/flightsraw"}},"carrier":{"@href":"#id67","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns365":"http:\/\/flightsraw"}},"@id":"id230","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns365:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns365":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"2:49a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns366":"http:\/\/flightsraw"}},"departureTime":{"$":"2:36a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns366":"http:\/\/flightsraw"}},"number":{"$":"680","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns366":"http:\/\/flightsraw"}},"carrier":{"@href":"#id68","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns366":"http:\/\/flightsraw"}},"@id":"id195","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns366:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns366":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"4:35a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns367":"http:\/\/flightsraw"}},"departureTime":{"$":"2:07a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns367":"http:\/\/flightsraw"}},"number":{"$":"939","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns367":"http:\/\/flightsraw"}},"carrier":{"@href":"#id66","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns367":"http:\/\/flightsraw"}},"@id":"id171","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns367:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns367":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"2:44a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns368":"http:\/\/flightsraw"}},"departureTime":{"$":"4:04a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns368":"http:\/\/flightsraw"}},"number":{"$":"504","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns368":"http:\/\/flightsraw"}},"carrier":{"@href":"#id69","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns368":"http:\/\/flightsraw"}},"@id":"id254","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns368:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns368":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"4:28p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns369":"http:\/\/flightsraw"}},"departureTime":{"$":"11:48a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns369":"http:\/\/flightsraw"}},"number":{"$":"465","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns369":"http:\/\/flightsraw"}},"carrier":{"@href":"#id71","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns369":"http:\/\/flightsraw"}},"@id":"id129","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns369:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns369":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"3:25a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns370":"http:\/\/flightsraw"}},"departureTime":{"$":"3:11a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns370":"http:\/\/flightsraw"}},"number":{"$":"270","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns370":"http:\/\/flightsraw"}},"carrier":{"@href":"#id69","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns370":"http:\/\/flightsraw"}},"@id":"id288","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns370:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns370":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"2:51a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns371":"http:\/\/flightsraw"}},"departureTime":{"$":"1:21a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns371":"http:\/\/flightsraw"}},"number":{"$":"253","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns371":"http:\/\/flightsraw"}},"carrier":{"@href":"#id72","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns371":"http:\/\/flightsraw"}},"@id":"id189","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns371:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns371":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"4:38a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns372":"http:\/\/flightsraw"}},"departureTime":{"$":"2:00a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns372":"http:\/\/flightsraw"}},"number":{"$":"291","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns372":"http:\/\/flightsraw"}},"carrier":{"@href":"#id69","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns372":"http:\/\/flightsraw"}},"@id":"id97","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns372:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns372":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"3:54a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns373":"http:\/\/flightsraw"}},"departureTime":{"$":"2:48a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns373":"http:\/\/flightsraw"}},"number":{"$":"827","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns373":"http:\/\/flightsraw"}},"carrier":{"@href":"#id70","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns373":"http:\/\/flightsraw"}},"@id":"id113","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns373:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns373":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"2:20a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns374":"http:\/\/flightsraw"}},"departureTime":{"$":"1:08a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns374":"http:\/\/flightsraw"}},"number":{"$":"573","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns374":"http:\/\/flightsraw"}},"carrier":{"@href":"#id66","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns374":"http:\/\/flightsraw"}},"@id":"id117","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns374:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns374":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"3:07a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns375":"http:\/\/flightsraw"}},"departureTime":{"$":"1:10a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns375":"http:\/\/flightsraw"}},"number":{"$":"404","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns375":"http:\/\/flightsraw"}},"carrier":{"@href":"#id66","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns375":"http:\/\/flightsraw"}},"@id":"id234","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns375:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns375":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"2:38a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns376":"http:\/\/flightsraw"}},"departureTime":{"$":"1:34a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns376":"http:\/\/flightsraw"}},"number":{"$":"706","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns376":"http:\/\/flightsraw"}},"carrier":{"@href":"#id65","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns376":"http:\/\/flightsraw"}},"@id":"id207","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns376:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns376":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"6:18p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns377":"http:\/\/flightsraw"}},"departureTime":{"$":"1:35p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns377":"http:\/\/flightsraw"}},"number":{"$":"217","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns377":"http:\/\/flightsraw"}},"carrier":{"@href":"#id67","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns377":"http:\/\/flightsraw"}},"@id":"id329","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns377:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns377":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"4:32a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns378":"http:\/\/flightsraw"}},"departureTime":{"$":"2:51a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns378":"http:\/\/flightsraw"}},"number":{"$":"490","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns378":"http:\/\/flightsraw"}},"carrier":{"@href":"#id66","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns378":"http:\/\/flightsraw"}},"@id":"id298","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns378:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns378":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"10:35a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns379":"http:\/\/flightsraw"}},"departureTime":{"$":"6:50a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns379":"http:\/\/flightsraw"}},"number":{"$":"733","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns379":"http:\/\/flightsraw"}},"carrier":{"@href":"#id71","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns379":"http:\/\/flightsraw"}},"@id":"id226","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns379:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns379":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"3:54a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns380":"http:\/\/flightsraw"}},"departureTime":{"$":"2:40a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns380":"http:\/\/flightsraw"}},"number":{"$":"793","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns380":"http:\/\/flightsraw"}},"carrier":{"@href":"#id66","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns380":"http:\/\/flightsraw"}},"@id":"id115","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns380:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns380":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"2:51p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns381":"http:\/\/flightsraw"}},"departureTime":{"$":"12:37p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns381":"http:\/\/flightsraw"}},"number":{"$":"683","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns381":"http:\/\/flightsraw"}},"carrier":{"@href":"#id71","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns381":"http:\/\/flightsraw"}},"@id":"id90","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns381:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns381":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"11:00p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns382":"http:\/\/flightsraw"}},"departureTime":{"$":"9:21p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns382":"http:\/\/flightsraw"}},"number":{"$":"620","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns382":"http:\/\/flightsraw"}},"carrier":{"@href":"#id68","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns382":"http:\/\/flightsraw"}},"@id":"id339","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns382:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns382":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"11:13a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns383":"http:\/\/flightsraw"}},"departureTime":{"$":"8:39a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns383":"http:\/\/flightsraw"}},"number":{"$":"330","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns383":"http:\/\/flightsraw"}},"carrier":{"@href":"#id70","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns383":"http:\/\/flightsraw"}},"@id":"id187","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns383:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns383":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"3:02a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns384":"http:\/\/flightsraw"}},"departureTime":{"$":"4:10a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns384":"http:\/\/flightsraw"}},"number":{"$":"402","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns384":"http:\/\/flightsraw"}},"carrier":{"@href":"#id66","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns384":"http:\/\/flightsraw"}},"@id":"id237","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns384:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns384":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"2:01a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns385":"http:\/\/flightsraw"}},"departureTime":{"$":"3:51a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns385":"http:\/\/flightsraw"}},"number":{"$":"740","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns385":"http:\/\/flightsraw"}},"carrier":{"@href":"#id70","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns385":"http:\/\/flightsraw"}},"@id":"id151","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns385:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns385":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"1:45a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns386":"http:\/\/flightsraw"}},"departureTime":{"$":"10:17p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns386":"http:\/\/flightsraw"}},"number":{"$":"742","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns386":"http:\/\/flightsraw"}},"carrier":{"@href":"#id67","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns386":"http:\/\/flightsraw"}},"@id":"id284","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns386:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns386":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"12:41p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns387":"http:\/\/flightsraw"}},"departureTime":{"$":"10:28a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns387":"http:\/\/flightsraw"}},"number":{"$":"394","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns387":"http:\/\/flightsraw"}},"carrier":{"@href":"#id70","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns387":"http:\/\/flightsraw"}},"@id":"id93","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns387:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns387":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"12:11p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns388":"http:\/\/flightsraw"}},"departureTime":{"$":"10:07a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns388":"http:\/\/flightsraw"}},"number":{"$":"789","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns388":"http:\/\/flightsraw"}},"carrier":{"@href":"#id72","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns388":"http:\/\/flightsraw"}},"@id":"id274","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns388:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns388":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"3:05a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns389":"http:\/\/flightsraw"}},"departureTime":{"$":"1:18a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns389":"http:\/\/flightsraw"}},"number":{"$":"295","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns389":"http:\/\/flightsraw"}},"carrier":{"@href":"#id65","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns389":"http:\/\/flightsraw"}},"@id":"id179","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns389:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns389":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"4:35a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns390":"http:\/\/flightsraw"}},"departureTime":{"$":"1:29a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns390":"http:\/\/flightsraw"}},"number":{"$":"888","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns390":"http:\/\/flightsraw"}},"carrier":{"@href":"#id71","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns390":"http:\/\/flightsraw"}},"@id":"id173","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns390:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns390":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"1:13a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns391":"http:\/\/flightsraw"}},"departureTime":{"$":"1:18a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns391":"http:\/\/flightsraw"}},"number":{"$":"859","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns391":"http:\/\/flightsraw"}},"carrier":{"@href":"#id67","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns391":"http:\/\/flightsraw"}},"@id":"id110","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns391:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns391":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"9:45p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns392":"http:\/\/flightsraw"}},"departureTime":{"$":"6:49p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns392":"http:\/\/flightsraw"}},"number":{"$":"982","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns392":"http:\/\/flightsraw"}},"carrier":{"@href":"#id65","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns392":"http:\/\/flightsraw"}},"@id":"id350","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns392:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns392":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"2:44a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns393":"http:\/\/flightsraw"}},"departureTime":{"$":"1:30a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns393":"http:\/\/flightsraw"}},"number":{"$":"406","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns393":"http:\/\/flightsraw"}},"carrier":{"@href":"#id69","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns393":"http:\/\/flightsraw"}},"@id":"id103","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns393:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns393":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"4:03p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns394":"http:\/\/flightsraw"}},"departureTime":{"$":"12:20p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns394":"http:\/\/flightsraw"}},"number":{"$":"433","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns394":"http:\/\/flightsraw"}},"carrier":{"@href":"#id72","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns394":"http:\/\/flightsraw"}},"@id":"id320","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns394:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns394":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"3:11a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns395":"http:\/\/flightsraw"}},"departureTime":{"$":"3:17a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns395":"http:\/\/flightsraw"}},"number":{"$":"766","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns395":"http:\/\/flightsraw"}},"carrier":{"@href":"#id71","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns395":"http:\/\/flightsraw"}},"@id":"id236","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns395:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns395":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"4:30p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns396":"http:\/\/flightsraw"}},"departureTime":{"$":"12:35p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns396":"http:\/\/flightsraw"}},"number":{"$":"637","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns396":"http:\/\/flightsraw"}},"carrier":{"@href":"#id66","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns396":"http:\/\/flightsraw"}},"@id":"id304","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns396:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns396":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"2:01a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns397":"http:\/\/flightsraw"}},"departureTime":{"$":"4:07a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns397":"http:\/\/flightsraw"}},"number":{"$":"238","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns397":"http:\/\/flightsraw"}},"carrier":{"@href":"#id72","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns397":"http:\/\/flightsraw"}},"@id":"id280","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns397:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns397":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"2:51a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns398":"http:\/\/flightsraw"}},"departureTime":{"$":"2:57a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns398":"http:\/\/flightsraw"}},"number":{"$":"911","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns398":"http:\/\/flightsraw"}},"carrier":{"@href":"#id72","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns398":"http:\/\/flightsraw"}},"@id":"id190","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns398:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns398":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"2:54a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns399":"http:\/\/flightsraw"}},"departureTime":{"$":"3:52a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns399":"http:\/\/flightsraw"}},"number":{"$":"436","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns399":"http:\/\/flightsraw"}},"carrier":{"@href":"#id65","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns399":"http:\/\/flightsraw"}},"@id":"id87","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns399:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns399":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"3:17a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns400":"http:\/\/flightsraw"}},"departureTime":{"$":"12:20a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns400":"http:\/\/flightsraw"}},"number":{"$":"893","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns400":"http:\/\/flightsraw"}},"carrier":{"@href":"#id66","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns400":"http:\/\/flightsraw"}},"@id":"id248","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns400:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns400":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"6:23a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns401":"http:\/\/flightsraw"}},"departureTime":{"$":"3:49a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns401":"http:\/\/flightsraw"}},"number":{"$":"989","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns401":"http:\/\/flightsraw"}},"carrier":{"@href":"#id67","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns401":"http:\/\/flightsraw"}},"@id":"id218","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns401:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns401":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"3:26a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns402":"http:\/\/flightsraw"}},"departureTime":{"$":"2:16a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns402":"http:\/\/flightsraw"}},"number":{"$":"896","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns402":"http:\/\/flightsraw"}},"carrier":{"@href":"#id65","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns402":"http:\/\/flightsraw"}},"@id":"id283","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns402:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns402":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"10:34a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns403":"http:\/\/flightsraw"}},"departureTime":{"$":"7:21a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns403":"http:\/\/flightsraw"}},"number":{"$":"564","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns403":"http:\/\/flightsraw"}},"carrier":{"@href":"#id65","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns403":"http:\/\/flightsraw"}},"@id":"id268","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns403:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns403":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"4:01p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns404":"http:\/\/flightsraw"}},"departureTime":{"$":"2:24p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns404":"http:\/\/flightsraw"}},"number":{"$":"705","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns404":"http:\/\/flightsraw"}},"carrier":{"@href":"#id70","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns404":"http:\/\/flightsraw"}},"@id":"id140","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns404:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns404":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"3:47a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns405":"http:\/\/flightsraw"}},"departureTime":{"$":"1:53a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns405":"http:\/\/flightsraw"}},"number":{"$":"335","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns405":"http:\/\/flightsraw"}},"carrier":{"@href":"#id72","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns405":"http:\/\/flightsraw"}},"@id":"id73","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns405:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns405":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"3:02a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns406":"http:\/\/flightsraw"}},"departureTime":{"$":"3:56a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns406":"http:\/\/flightsraw"}},"number":{"$":"790","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns406":"http:\/\/flightsraw"}},"carrier":{"@href":"#id70","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns406":"http:\/\/flightsraw"}},"@id":"id246","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns406:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns406":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"3:59a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns407":"http:\/\/flightsraw"}},"departureTime":{"$":"3:16a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns407":"http:\/\/flightsraw"}},"number":{"$":"293","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns407":"http:\/\/flightsraw"}},"carrier":{"@href":"#id68","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns407":"http:\/\/flightsraw"}},"@id":"id337","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns407:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns407":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"6:06a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns408":"http:\/\/flightsraw"}},"departureTime":{"$":"2:58a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns408":"http:\/\/flightsraw"}},"number":{"$":"787","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns408":"http:\/\/flightsraw"}},"carrier":{"@href":"#id65","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns408":"http:\/\/flightsraw"}},"@id":"id269","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns408:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns408":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"1:46a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns409":"http:\/\/flightsraw"}},"departureTime":{"$":"2:59a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns409":"http:\/\/flightsraw"}},"number":{"$":"764","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns409":"http:\/\/flightsraw"}},"carrier":{"@href":"#id68","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns409":"http:\/\/flightsraw"}},"@id":"id139","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns409:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns409":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"3:03a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns410":"http:\/\/flightsraw"}},"departureTime":{"$":"4:19a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns410":"http:\/\/flightsraw"}},"number":{"$":"618","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns410":"http:\/\/flightsraw"}},"carrier":{"@href":"#id68","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns410":"http:\/\/flightsraw"}},"@id":"id240","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns410:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns410":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"8:02p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns411":"http:\/\/flightsraw"}},"departureTime":{"$":"5:11p","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns411":"http:\/\/flightsraw"}},"number":{"$":"839","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns411":"http:\/\/flightsraw"}},"carrier":{"@href":"#id70","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns411":"http:\/\/flightsraw"}},"@id":"id193","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns411:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns411":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"1:58a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns412":"http:\/\/flightsraw"}},"departureTime":{"$":"12:28a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns412":"http:\/\/flightsraw"}},"number":{"$":"811","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns412":"http:\/\/flightsraw"}},"carrier":{"@href":"#id70","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns412":"http:\/\/flightsraw"}},"@id":"id341","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns412:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns412":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"11:03a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns413":"http:\/\/flightsraw"}},"departureTime":{"$":"8:07a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns413":"http:\/\/flightsraw"}},"number":{"$":"681","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns413":"http:\/\/flightsraw"}},"carrier":{"@href":"#id72","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns413":"http:\/\/flightsraw"}},"@id":"id82","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns413:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns413":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"11:40a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns414":"http:\/\/flightsraw"}},"departureTime":{"$":"7:50a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns414":"http:\/\/flightsraw"}},"number":{"$":"537","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns414":"http:\/\/flightsraw"}},"carrier":{"@href":"#id71","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns414":"http:\/\/flightsraw"}},"@id":"id114","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns414:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns414":"http:\/\/flightsraw"}},{"arrivalTime":{"$":"1:47a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns415":"http:\/\/flightsraw"}},"departureTime":{"$":"2:43a","@xsi:type":"xsd:string","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns415":"http:\/\/flightsraw"}},"number":{"$":"229","@xsi:type":"xsd:int","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns415":"http:\/\/flightsraw"}},"carrier":{"@href":"#id67","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns415":"http:\/\/flightsraw"}},"@id":"id78","@soapenc:root":"0","@soapenv:encodingStyle":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","@xsi:type":"ns415:FlightBean","@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/","soapenc":"http:\/\/schemas.xmlsoap.org\/soap\/encoding\/","ns415":"http:\/\/flightsraw"}}],"@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/"}},"@xmlns":{"xsi":"http:\/\/www.w3.org\/2001\/XMLSchema-instance","xsd":"http:\/\/www.w3.org\/2001\/XMLSchema","soapenv":"http:\/\/schemas.xmlsoap.org\/soap\/envelope\/"}}} yajl-ruby-1.4.3/spec/parsing/fixtures/fail19.json0000644000004100000410000000002614246427314021720 0ustar www-datawww-data{"Missing colon" null}yajl-ruby-1.4.3/spec/parsing/fixtures/pass.json-org-sample2.json0000644000004100000410000000036214246427314024702 0ustar www-datawww-data{"menu": { "id": "file", "value": "File", "popup": { "menuitem": [ {"value": "New", "onclick": "CreateNewDoc()"}, {"value": "Open", "onclick": "OpenDoc()"}, {"value": "Close", "onclick": "CloseDoc()"} ] } }} yajl-ruby-1.4.3/spec/parsing/fixtures/pass.json-org-sample1.json0000644000004100000410000000111014246427314024671 0ustar www-datawww-data{ "glossary": { "title": "example glossary", "GlossDiv": { "title": "S", "GlossList": { "GlossEntry": { "ID": "SGML", "SortAs": "SGML", "GlossTerm": "Standard Generalized Markup Language", "Acronym": "SGML", "Abbrev": "ISO 8879:1986", "GlossDef": { "para": "A meta-markup language, used to create markup languages such as DocBook.", "GlossSeeAlso": ["GML", "XML"] }, "GlossSee": "markup" } } } } } yajl-ruby-1.4.3/spec/parsing/fixtures/pass.escaped_bulgarian.json0000644000004100000410000000015014246427314025226 0ustar www-datawww-data["\u0414\u0430", "\u041c\u0443", "\u0415\u0431\u0430", "\u041c\u0430\u0439\u043a\u0430\u0442\u0430"] yajl-ruby-1.4.3/spec/parsing/fixtures/fail4.json0000644000004100000410000000002014246427314021624 0ustar www-datawww-data["extra comma",]yajl-ruby-1.4.3/spec/parsing/fixtures/pass.numbers-int-64k.json0000644000004100000410000017504514246427314024463 0ustar www-datawww-data[[-5493516,-17565660 ,21,0 ,515145906,23 ,10937052 ,20,-4620 ,1440,-47879778 ,-8 ,13321935],[1,-27,-10,10,-26 ,278053965,-285202170,522,15 ,-8718624],[8 ,22] ,[2,-30,2184 ,-165381615 ,708 ,127883304 ,25,-103616391 ,-3822 ,20,-17,21 ,20,60093036 ,2,-7,-3,28 ,-2 ,-17 ,-234 ,-3472,13,3,-27 ,-21,-14086896,-3360,-592740720 ,-464,46114320,-109179840,26 ,-5 ,-12,146850480 ,-28,-16,22,-20 ,24909960 ,-18,-248,4425] ,[-24,-16,4554,-31,1,65097736 ,-6,4,-21,13 ,-4 ,0 ,-2,42024360,-59395842 ,1620 ,-4320,-8,29822904,-19225596,-29],[-54302595,-480689496,9639280,31 ,-19 ,-38030958 ,-11,-8,-2100,17830400 ,0,-26,6554 ,5,-84105480,3779055,-800792 ,30 ,-22,-28 ,31,74368660 ,-64643320,-4085 ,-20,22 ,5 ,-4 ,-2394,26,-7],[-3648 ,-100 ,31 ,15 ,13] ,[20 ,-28,-53671800 ,-69036933,-142748730 ,-1123836,20,-10] ,[0 ,17,14 ,-1722,-4482 ,24 ,3440 ,-233026686,8979705,-13,11,6615 ,0 ,-17216760 ,12 ,-546099235,24 ,-11,-30,2509 ,-12 ,194635350,-4392 ,4600 ,23 ,20 ,11,25 ,2500 ,-19 ,22 ,570] ,[6084,-1628 ,-9 ,-832 ,2464,-924 ,-2110,13,-6122640 ,-79437728,3,-3910 ,0,28 ,208356300,24 ,-1 ,-30,1281945 ,10,24,84771348,-21717570 ,103233317,221295564,-207229575,-31235848,0,183428940,269512137 ,30 ,-24451560 ,6 ,-4,-1,-816 ,20 ,0 ,-7,-520255008 ,274987448,37809408,-10,-2581,1188 ,-11 ,3435 ,1555080,-9 ,-14,-17,245288250 ,190557000 ,-9 ,9,-840 ,23 ,16] ,[31 ,3 ,-4284,27,20 ,-31,-1 ,-322462868 ,-110720650 ,0,31,-18 ,6,2880 ,-21,-11 ,7427904,-25 ,183814512,16,16,-33760720,118156428,-19,25,-144086850 ,12 ,-230576970 ,27 ,-6 ,477,-4298496,442944544,18 ,29,6420,2728,-3,-161 ,-1 ,0,-22,18 ,15 ,2376,1442376 ,-15,1056,19,28,5278 ,-60587604,-442 ,3726 ,15,-26],[2904,-10 ,-20,14,-17],[27 ,-27 ,10,24,-26 ,-5616,19,-15,-21167916,-1 ,35552800,23,-18,30,208722906 ,-20,-22 ,2205,-1305,-122874700 ,29607207,0 ,38506734,71241456 ,23 ,990,-76136720,-1820 ,0 ,-2070,-3],[-7140000,-207460792],[-469476 ,-72 ,-16,0 ,-5526900 ,30,16315600,3444 ,15,2657088 ,-10 ,-16 ,23 ,-26772705,31,19 ,1140,3312 ,532,-16 ,-3870,-192 ,17 ,-4,-22 ,-3258,-62669288 ,-624,18 ,11 ,-3572 ,109160415,-162],[0,20 ,-23,-14338940,-6 ,1485 ,2820 ,-14,198 ,-27,0,375240600 ,1008,-1152,9 ,-996,-198,1 ,-2860,-2 ,9249808,-129703980,-391,21 ,-10366400,17,680 ,20 ,-17 ,419744364 ,-9,59357600,15,24,-108559969 ,-11 ,-3699 ,0 ,-20 ,2060,24,-1478295,-27 ,-999],[847,9,15 ,135523840 ,-233421441,0,-22 ,117282060 ,-8 ,-48 ,-372,-1056,26 ,31,22,42 ,-17 ,6,-21660480 ,-7 ,113050320,-6,4590,-36883848 ,136,-2565,3553 ,85366848,-25 ,-8,8,-2],[45371755 ,17 ,-828,-144121824 ,-13,-2,-7,776,26811750,74118130,-28,-10,3,1,1380,-3290,-1952370 ,24 ,-12,94710336 ,18,-22 ,-6,-25,0,324699624 ,-26] ,[21,-301316548,-18 ,176284185 ,29 ,2090400,-28 ,15 ,-23 ,26 ,-15617515,31 ,235085200,-14 ,-14 ,-26 ,442007916,-13,7,-67563600,-1380 ,-1216,22,-2,-23,-3 ,-25 ,-4016 ,-14,1568 ,-120 ,-9,-213614520,423411678 ,1 ,-97522128 ,26,-216,-14 ,471416050 ,26 ,-176542740,-50331288,-12762960 ,-272371712 ,-17 ,14,122,-132 ,0 ,-492,-17,-428341420 ,-31 ,60481248,8,-23,4464 ,22 ,16,169607999,200460906,-3 ,-15,11 ,-301622750,46882560,1610 ,390 ,11,-21450335,-11 ,124228764,31 ,400518692,-16 ,-17,6,-7 ,10 ,-28 ,237548850 ,33377136,16,-8450244,-2420,-360 ,-6,-9320784,-244067904 ,1680,1115 ,4100 ,5 ,-27,24,28 ,-788,635 ,14,-156939264,-1190 ,6758,-20,95208960,683216058,21,-26 ,5 ,105055951,-3,-31],[492 ,29 ,21589630 ,23622144 ,6 ,-5 ,-56659912,7161 ,-36724416,53453650,54585100 ,12,-288 ,-560 ,-161335680 ,9],[3 ,378031500,-9,3,2478592 ,26,-5841645,35808752,291812192,8 ,-1020,11 ,-1771,-43215336 ,230590512,-83174850 ,-22 ,-289695297 ,-25622616 ,0,-357 ,-31,13 ,0 ,765,0 ,-31 ,11 ,229068950 ,0,-275265900,-27,251016,-3538 ,503445051 ,5 ,-2128,1411 ,-73133905,28,9305550,-6,156381096,69329196 ,-3424,-1674 ,104380992,16,22,15,399 ,1836720 ,23,23] ,[683575650,0,-1680 ,-21,-3952 ,20 ,-19 ,-2337 ,-112663584 ,9,-660 ,3860,267858844,-2 ,396 ,1] ,[24,0 ,-15 ,907788,377316360 ,-704,-3,-1490 ,-2,-15,-4876,-4,-1360,16,3420,8377530,105796800,-12,18,29 ,540,0 ,204 ,0 ,19,63616890,-1210,689 ,6916,-20,375 ,36113490 ,-4 ,125932336 ,18,-294707160 ,-3 ,12,3,-13 ,18,12 ,15,-64877196 ,-420 ,0,14 ,-4 ,3388 ,-5,35475048,-2616 ,-37500528 ,16,25 ,-3458,-2169 ,-31609176,-14464818 ,762 ,-15 ,-143553780,27],[31,-1701 ,-14 ,0,31,-27069000 ,2752,18,-24,-15,-20 ,9,-700 ,-198 ,-1,42300726,16 ,-1264 ,3510,-325876860 ,-3,-14 ,6 ,25,-3 ,-164],[28,-23287140 ,-3 ,3 ,-3456] ,[28 ,-26 ,-22,54374580,215029760,-24 ,-30,-48048297,1239,2 ,4 ,195 ,0,6 ,-189932544],[402,-29 ,4250,24 ,-26 ,-10854436 ,167269041 ,756 ,-720,-673097850,-26,-19,-5 ,263432520 ,-8,-164350248 ,-13,-2380,160 ,19,6,-12,-27 ,19 ,-2820 ,335281296 ,-2394,-14,-960,36] ,[1480 ,1629,10 ,-41119435 ,-15 ,4142,-15,-3075,29500128,4 ,-31278357,33930750,6,-357723975,21,332867584,-667,-16 ,3,-26 ,291925200 ,-18,28 ,16,-4 ,-101395800,1 ,275218293 ,19,-28,0,-8,169445724,616,-52252560,142371840 ,26,5 ,-555186880 ,-1950,-17 ,11] ,[11,29848320,31,6 ,-13,1674,750 ,5588,-16] ,[4760 ,2214 ,-962 ,-25,-23 ,48461490,793,30817200 ,-3009 ,-8 ,-1710 ,-18 ,27 ,1976,0 ,-7752000 ,31 ,14 ,-20,-7 ,14,4,10 ,-23,4,159148224,11,24 ,-10 ,-537551040 ,7 ,4410,11 ,-34083378 ,29,-64299312 ,2288 ,-25,-28 ,-12 ,8,-3366,-3816 ,19,-197053098 ,-30208064 ,-8,-5324 ,2278,-26 ,31 ,-26 ,28,17 ,-14751288,-16,-24 ,-700],[-1742,189,23 ,-24561075 ,28 ,-45495849 ,2410 ,-10,-9 ,107006580 ,-200353200 ,-208809657,0 ,-3 ,4032,918 ,21147399 ,11 ,931,29 ,8110220 ,3180,3444,3720 ,7 ,10 ,2,6,0 ,-16,1080,-173294592 ,-6,2 ,148752480 ,-6775130 ,-10739718,-30,23 ,-28 ,-18014400 ,-774,-6083028,-362235456,9 ,4 ,225104873,89396937,-700144926 ,-751068864 ,-139500072 ,138 ,-108,-82,20615958 ,-9 ,9567800,2 ,-90 ,15 ,-27 ,-19,-100056960,2431,-21 ,2 ,1421 ,-16,-5,14 ,-24 ,19,18],[0 ,-431028216 ,-256,-12474000,-6,-61380319 ,499792 ,-4960 ,0,-31,3,7 ,-2133,308 ,250921616,-15 ,-7591545 ,0 ,398408400 ,-9 ,-26 ,1579000,-3 ,146901216 ,97546050,-638066,-133298000,-7743750 ,14512302,96 ,1008,24 ,-916560 ,23 ,335329288,15,196,3 ,-7 ,-3724,20 ,544,-6,27 ,186019920,-29 ,105598976 ,-9] ,[11579400,-39621939,-38734462 ,23,153 ,0 ,900 ,6,164459774,9 ,6] ,[17 ,17 ,-18],[-288 ,2142,-19,15],[-300,-37399733 ,4356,3,920 ,-18 ,5765410],[-26,-23 ,-6664 ,-28,-3,-31,-18 ,-225 ,13,1,24 ,-29 ,-29 ,-20,-26,1 ,-24 ,15],[185056188 ,0 ,-3 ,12] ,[1 ,-1027 ,-2373,0 ,20914624 ,0 ,-7,24,60145416 ,-10,-8,-10 ,-5,0,1572,-18 ,1,912520 ,11,-670 ,18,-12,2618 ,23,-15,-2985579 ,-4960 ,31,-17,5 ,23,161903520 ,-26 ,20 ,0 ,-159009768,175160000 ,-277153380,30 ,1548,-11 ,-26,-26,-2790,-17,31] ,[240183450 ,3348,-1,-14,-25 ,10537488 ,-239568840,-29,13,-4,2 ,-7980896 ,-16 ,5741078 ,1687 ,-10609056 ,582310575,10 ,420] ,[1274 ,-8 ,-928,1053 ,-26 ,334698000 ,-62619288,2696100,15447600,-194609952 ,27,-13,3,-1023,265082160 ,-11 ,-69,-28 ,26,-57278188,4060] ,[-26,4000,-29 ,-2044 ,-2,-4 ,-1120,-22,-19,15993392 ,-10 ,-34799506,0 ,416,0 ,-1638360 ,-3],[-23 ,0,0,0 ,-2205216 ,-25,-14312700 ,-14 ,300 ,1482] ,[2538 ,1,1 ,2175,448 ,-3000 ,-5363,186,-9 ,30 ,580,3230,3,-29 ,24 ,155511552] ,[15 ,-27,-11,-90180090,27,-133564464,416774820 ,51377690,25 ,-2688 ,43146272 ,6 ,-21,17 ,-3 ,-22 ,-1793 ,-406095040,21 ,744 ,0,26,-15,-8 ,-4619 ,452,31 ,120 ,18,0,-21,-2060,-16,-21] ,[-23 ,141 ,-207268587 ,1705,-18,171 ,28,-636,-2520,-11 ,10,-8,-4470,-27748474 ,1248,621,17 ,111956952 ,-364 ,14805560 ,-1197 ,-17,-3097920 ,-23,-31] ,[24,-9,139260170,31146600,900 ,-127,-9,0 ,-29,-52391220 ,-671 ,25 ,-24506502,-2280,3000 ,486,20,1498 ,-21,-1520,19],[-1 ,-4497240,4,-25 ,23212008 ,71821823 ,765 ,-20 ,24,810,10,342 ,-233043120 ,-6,-2560 ,8,-2,24 ,2390 ,-8 ,-143,5,0 ,-30 ,-47 ,-14,19 ,512259475 ,2046 ,18 ,1056 ,-5 ,525,18 ,2280,25,-16,710 ,-2898,318896214 ,-23,-13,29,17 ,-28 ,30 ,3102 ,-6,-93884931 ,-1312,-117842202 ,-19,2090 ,-30 ,-10 ,-8075001 ,444929856,-2899 ,-17 ,-20559440,-23784729 ,32332680 ,-3 ,-4350 ,65054580,-20,396,3 ,-2128 ,14053732 ,-29,12 ,-756 ,-8 ,4275,17 ,1133,69328800,-4150,436487874,0,-348985784 ,20,332099750,21,-1,-344,18499264,-78522745 ,-483090300,22 ,-2856,-4],[-245895150 ,25,-1144 ,-149855680 ,23 ,-7,-18,-2727 ,23 ,8 ,-410,2507 ,-10,-26621000,23,-22804848,-306,-3264,-2242 ,23,3390 ,-2735388,-1712],[-4 ,2476656 ,76637600,-144,14 ,27 ,-1615 ,17 ,5150 ,-12,-7 ,-2943,6972 ,-47053125 ,9 ,18 ,3520,-28 ,336 ,-918,4 ,-196881272 ,-1100 ,24 ,-1890000 ,-5913 ,-1470,21,14],[-24 ,-116812696,22 ,4,20 ,13 ,506,15 ,326145816 ,12,-16 ,-26,-2829,-226,590,2652 ,-8,27 ,-162690444,31,-26,-9 ,4 ,-21 ,-112457466 ,15 ,-30,0,350135032 ,3402,1650,-8 ,598,20,233 ,17,-1980,1,-281358000,-6,6,-29,-1350,37555210],[27,11923120 ,4123,2499 ,-13],[-4182,-1606 ,-40257756,27,664 ,-11,-19 ,-18935532 ,215951340,-485,50 ,-131700528 ,-275 ,25 ,276911460,-7 ,8043750 ,-447636392,-3059,-8,-15 ,25091550,0 ,4625 ,-76350330 ,-7793775,16,21,3360,27 ,12 ,-32708185 ,3 ,-4248,7,22 ,-11 ,18 ,-93637440 ,19,34403512,-31 ,14,-395036928,19 ,1425 ,-5487,11,-22 ,259772800 ,5213700,128496450,-803,-3264 ,-1088,54,11,-480 ,-27],[3,10,23 ,25,-26,4 ,5 ,29,-6,-24 ,-14342400 ,31 ,-64156730,-162150660 ,-286569582,21482016 ,14 ,6,-6,-22 ,-5 ,22 ,2759,31 ,-20,16,-6,137,-261762816 ,-25625500 ,3838,12 ,-3220,-358712172,-27689904 ,-7 ,-31,-21,-1395,-28 ,2508,-7 ,128028897 ,-9 ,0 ,13,-15,-9362610 ,5616,-336068852,1428,121983344 ,1,-18 ,-14 ,-1,0,18 ,-1644 ,4071 ,31 ,570,15,4 ,3211 ,4 ,-7,440215424,-16115325,-798411120,25 ,-13 ,-10 ,2205495,-1830,544,725372825 ,44856900 ,-243203380 ,6 ,0 ,-13],[-2610,-27,135,15,-4050,29 ,3632,12 ,-31,-802779120 ,0 ,16 ,-117 ,6 ,11 ,-35099688 ,1729 ,29 ,0,16 ,-18,20,15,-9,-4 ,108754688 ,-6,515074560] ,[1711,7,115977638,-16 ,-98368320,-22 ,13,-3 ,1400,22364160 ,1 ,-8,-23,12,1632 ,-30 ,-5980],[-9,19,-12,0 ,-27,1417,-1782] ,[-4284,42594504 ,-9 ,2 ,28,-14 ,-13,29 ,-1944 ,23 ,-6,-9 ,-23 ,1139022,23,-14 ,629 ,20,-143720085 ,-2136 ,2,21159600 ,28 ,1298,-28,-5138856,-33666120 ,13 ,1656 ,25 ,-13,-17,-560,41,931 ,8,25 ,0 ,-10,-10 ,-540 ,-1,59257800,20 ,-1 ,-78624470,-2412360,4422 ,2,-178849356 ,7 ,15 ,-30,-70116138 ,0 ,-1584 ,-24 ,26 ,304,2 ,-8 ,14,-17,29,-477322560,-1957800,-23 ,4775,-28 ,0 ,876 ,10,-144021960,17,20 ,212339232,16698136,-12,0 ,23 ,-8,17,-75344880 ,-26,-2772 ,0,3,-28,1 ,-285812076,-3,4309 ,14 ,0 ,-4373818 ,-25 ,-400,21121600 ,50506140,-4816 ,-7 ,-2886 ,-2816 ,-12 ,152017488,962,-4807,20 ,696954000 ,-27,-8 ,-6,1403,179759304,28212800 ,5566,-247629177,608,-238,4077,0 ,-2 ,2382900 ,17564508 ,-2730 ,12 ,-10558944 ,-704,-642 ,-5671116 ,-9 ,-461685728,24,-2987040,16,1408,-14,-16,-1510627,56076324,-5510,29 ,-323024016 ,18,-1432,-27 ,915,28,23,48589680 ,335 ,214740526 ,22 ,-6 ,-28 ,60 ,-12,7 ,9,-9,5 ,10 ,182,-15 ,7657,294958755 ,1 ,112677660,-89913240,-2,-1224],[-25 ,-15 ,5220 ,1341 ,-2562 ,-35650602 ,210141000,7 ,296,86113500,131163480 ,-20,7172928 ,20 ,29,-80617332 ,8 ,-5292 ,0 ,0,24,-264,1725],[8,483192675,-2704 ,14 ,-26 ,-385141978 ,1159] ,[-61809318 ,26 ,-1 ,20,-31,-23 ,-1430,9,-2364 ,300,-4080 ,6972,184,-93317301,-394] ,[-1,48814056,-440,-14,4540 ,-7 ,-1,-31 ,-112482180 ,48084704 ,39427046,-7 ,21,-15,26,3 ,21,819,20 ,4424 ,363483936 ,2296,26 ,20,11 ,-3366,115506840,-26 ,29,-27 ,-14,-16 ,27] ,[-20,16661088 ,-12,30591912] ,[-31,-194795790 ,12 ,-99204168,-1665,-28,-11,0 ,-1320,20 ,-376732446,-4066 ,-131922777,-8 ,19,-1719720] ,[-5 ,20 ,-75601253 ,-416038964,24087000,6870],[-3247,-79494870 ,-227768464 ,8297802 ,-13 ,-6,-15,124188750,29659374,11,-7,-2 ,-30 ,0 ,22646580,606662281 ,-13,-4,-21,-25,18245418 ,-9 ,-22 ,-22,4 ,23 ,4,-118270256 ,-25,-32630752,-3888,-89617482,0 ,-4 ,-2500,-8891400,-248,-36 ,58390200 ,7,20 ,10 ,27 ,-6,149634496,28,16786575,12 ,2 ,-16 ,27 ,-17 ,-223677760 ,-22,-228434850,25252787 ,2112,0 ,-18,-6880236,-170549946 ,3 ,30,-4730,-147463232,-26 ,286,16,25,-183,-295,-20 ,-25 ,22 ,36724770,-29 ,-122 ,-92736360 ,-26,-17,3971370 ,-13 ,-18 ,13,20,-2500,2964 ,145931328,29 ,31 ,-16,1943 ,-688842 ,3,12 ,387583119,165678392 ,575 ,10],[50090274,-6 ,-2,466131780,-28 ,162 ,18,100719000 ,24 ,-101334324,-6 ,109600776 ,26,-874,25 ,-3 ,2,1110 ,20,3750 ,-15840836,14,-26552709 ,23 ,27 ,24754368,-16 ,-29 ,54232416,406625200,-5 ,-17346462,-15 ,26,25605168 ,-1303552 ,-15 ,-31,0,1664002,30 ,-216106270,-1376,-2,-3136 ,-1 ,13 ,405748512 ,23 ,7] ,[-2966166,1075032,-4326 ,-3640,5,-2070 ,12206560,3066,-32334336,-7 ,-19 ,22 ,-73863504,-3288660 ,-14,3584,19 ,-28,2688,-525,153811860,-161431296 ,31 ,-108346812,12 ,-156241824,-49663824,-85124256,25 ,0 ,-34692100 ,19599300,13] ,[-3,352,-2 ,106858560 ,-28,15,13 ,21,22,600526360,28 ,-12,-4945149,-14 ,-2125,-21 ,-1650 ,-10,333243900,-146018340 ,1738,-597039696,-31 ,-25,-5,-28126660 ,5080 ,0,-13 ,-2 ,-615 ,476,-22668124,27 ,912,24 ,-25 ,1425 ,14 ,1350,23709378,-21 ,66969100 ,-179585250 ,-2242,443293536,25 ,45749207,602,1944 ,-16855224,15,1771 ,-7 ,-2],[3000 ,120,14 ,-25 ,-3,260000,27 ,-4712,25 ,-6106800,-338696640 ,-3 ,1953 ,-1976 ,144999300 ,27 ,-320254272 ,-25],[11,-47455056,5766 ,310370566 ,-4 ,-29395170,118839840,14 ,-24,-73768338] ,[22 ,174 ,2392 ,450131565,-46205934 ,-14,23,31 ,350555130 ,-28,-6 ,-5,-504 ,424,19 ,-920 ,1323 ,-1000,-840,-30582048 ,-12 ,-25,-50843376,-20677020] ,[-27,7 ,-10173184,1404,-22 ,29,2880,1 ,20 ,5 ,283176000,-9,-14 ,-396538170,-1414],[-870 ,25,24 ,-11,11 ,-2352,-20 ,2520 ,27,19,44968040,197399664,29,30,-1,-30,-3,-7,-8,-2244,-25 ,-687 ,-11 ,-1144 ,-21 ,-14 ,21446400,-2142,-68172960 ,-54684448 ,0 ,24632832 ,882,-1746,24756774 ,-1472046,-11 ,16 ,25 ,-2300 ,46310670,-23,0,0 ,2044 ,-9 ,24352075,-27] ,[25338470,-1452,31 ,14 ,-14 ,-24493014,6,-23,2,-31,2,682 ,1106 ,-30,520 ,-28,-1,-454207860,-532 ,-22,-6541 ,-45384192,3900],[4 ,-10,0 ,687831768 ,7,1152,22,309918570 ,24,-18,26973320,19,-16,16,9,3240 ,261192000,-5 ,-6,-8,29 ,-1,-18 ,102760164,5748048,-132015360,12 ,-27 ,30 ,-735 ,0 ,-572 ,-12,2268,10 ,-63620025 ,-62067600,31 ,11622852,241348564,-56701879 ,-115 ,7 ,-18,-24,12,-12 ,-25 ,64581300],[-75622120,-19 ,44 ,-24,112783712,7,19,-300,5,5 ,-7 ,938,5166,-211981800 ,-10 ,27 ,436,6,-98 ,18,2040,142769536 ,10,-400929408],[-9 ,-16,83225736 ,24,203906100,92101200 ,-1617 ,-15 ,-46952640,-31 ,-2,-309670390 ,-4,-19,-4089,10 ,6390826 ,840,3735] ,[-15,25 ,1716,-42970932,-300534192 ,3,-5684 ,-4482 ,-840 ,9993687,33556320,63784224,0,228,-244446150 ,7 ,112404000 ,3936,87495635 ,28 ,26,-1200,19,26456480,-3,-24794500,20,55302870,-9,-24 ,-14],[20,-1479078] ,[-244976358 ,-24 ,1200 ,143647182 ,93801760,-2327 ,-31,40896898 ,276737250,-21 ,6 ,28,640,238 ,-1,34594800,22 ,12694016 ,69087168 ,516,-11833884,1692 ,-202277372,-14 ,27,-195 ,27 ,-544,16 ,29830944 ,27,0 ,-2106,-41724396,2832 ,165 ,-55291842,27 ,-478705545,7 ,1380,-1152,-29,8 ,14] ,[-27,126772712 ,-4767 ,-11,5 ,-2449,-26,30 ,718485 ,-1680 ,0 ,-1320 ,-6,24,2016,-531,3248 ,55,11,-437141760 ,-22,34,-9,-26,15595356,99038784,-5,0 ,-4,0,14,-31,340,112130620 ,-1612,-23 ,-30,-17499354,-23,102328950,9,392935941 ,1,-29 ,372 ,1482,243497268 ,-30 ,31],[-4082 ,-11,64012410 ,-3,3045 ,-15,230 ,25 ,-11,-8 ,1,648,-213196536,503921250 ,19,-3400 ,-2,-57200640 ,3702006 ,351 ,19,-4 ,316202080 ,-10 ,564] ,[26 ,4560,-17 ,14 ,18,3000 ,16 ,-7099 ,-6 ,10 ,-27 ,636,15331050,-36314902] ,[0 ,17,-212,6225296 ,-11,2616,2448,5,253666336,-261 ,-11535678,16 ,776 ,-11284882 ,5 ,6003,1946088,363,8,145139058 ,5,14 ,-1133,698186940,-15 ,-13517840 ,-249 ,25530816 ,6 ,-677489400,123 ,80502240 ,50,-3,-16,21,-7,-160511940 ,-7 ,0,-8,-2580 ,-2635 ,2460,6,17,18 ,-329,31,-4945 ,31931700 ,13,13,26598465 ,38233278 ,7125532 ,28,-12031155,-3 ,-24,380592775,28,22090950,400 ,-351,-20,22 ,0,1000,-11 ,-85108464 ,5 ,5680440,3841,31 ,-3813 ,-6409,0,7192 ,-4872 ,697249800 ,24 ,2175 ,28,-23 ,67919975,15,12,-3,-23 ,-39512022 ,580,2449,14 ,7 ,0 ,-28,26 ,-201050432 ,-7710105,-2068 ,21,18,2664,-14,21 ,4961938,18 ,-10303020,0,-60081210 ,2366520,13,1320,21 ,-6,-4752 ,-8 ,22,-88,28,-17,-240 ,-780 ,17,-23,31,2929 ,397582812 ,6,-105938532,18,4410 ,0,1,0,10,-68 ,-962],[-10006265 ,83538 ,-28,-6,4700 ,8,237591816,-18 ,7 ,28 ,-5280 ,-3060 ,-1,289333506 ,-1632,18,-20 ,-173058600,486530604 ,1920,-12,81902310,12,174383264 ,-3,-26 ,2682 ,-5 ,-145 ,19606815,996,324847237 ,3,13 ,-7032567,-11,-26,-5 ,18,-23 ,352 ,-3576 ,-182741020 ,1224,28 ,-149884695 ,19,6,20 ,15 ,7,24,21904432 ,573255,-12 ,-1000,-130153760,-19,-25 ,-6 ,-18829824,-14,20 ,-1373675,-15 ,3920,0 ,-10303080,10,25],[-2780 ,8] ,[-12993435 ,713,3360,14325168 ,22,52527552 ,-6024 ,5 ,10 ,30,-16 ,-7 ,-31 ,8 ,-17 ,1932,-16,-27 ,-21 ,22,18,-3 ,-22,24782640,4,-28917119,27 ,1560,-134 ,-1743,-77443908,1770 ,-29238104,-6344 ,13,-26,-226921100,-290844312 ,-3024 ,-1014,-30 ,2,28 ,2175,-31 ,30],[-20,105223500 ,49377244,143736600,1,8 ,14,3150 ,12 ,67945848,-213011526,-1440 ,14] ,[-3591,-5516,396685968 ,31079020 ,28 ,-22 ,-18,17 ,1116,-1 ,19,-21,-5165370,24 ,850,13 ,1827 ,-896 ,10,-3354,-6],[3472 ,-1331,1710 ,30 ,-25,-2712780,3150 ,0 ,11,2941,8 ,-24 ,-10 ,10,-477 ,-396 ,17 ,4179 ,11 ,102765936 ,1278 ,5,30 ,-20,184901424 ,-6757,-11] ,[3 ,43163136 ,-4920 ,-23 ,9,1185 ,-29,12426384 ,24,-210,93918528,-493190,-19,19,-12 ,-606 ,-994,5 ,-13,-25 ,-189 ,-460 ,4,17 ,-187 ,-22 ,-2724,370686960 ,164,2193,25,0,-31,3,1314 ,-99736858 ,3162 ,76107000,-31 ,0,-15 ,-3220,-23681865 ,0 ,13 ,6 ,-3596 ,-32398032,11 ,3420 ,-29,-28 ,3,21,18,21 ,-17 ,30,-57914120 ,905661,54319146 ,182,555,13 ,47419200 ,-1456,1089 ,-43820490 ,91332144 ,-13 ,-3,-2 ,-29 ,2449],[29,-2839 ,13 ,-3378753 ,49048077,53505816,13 ,-22,0,-13,-28282680,-23 ,300,-4843,-27 ,10181640 ,28],[-20] ,[9] ,[-9,-24,25 ,20,31 ,30 ,1],[18 ,-2288,-20,-21,-29,-3332,12],[0 ,-1,-50969604,-8383900 ,-3116694 ,-22446770 ,18,2440 ,-796,-5656 ,2 ,141214320 ,-14,-360,75224968 ,-4 ,-344069000,-29 ,-16474860 ,-16 ,476] ,[-12 ,0,-70509824 ,-2,4 ,260063784 ,-1700 ,1710,-28,14,-16,8,0,119967311 ,22,28273180,-880,702906624,-1056 ,-24,1188 ,0 ,21 ,28 ,4,-28 ,2291,-4 ,-462 ,-940 ,-5932820,19,-20 ,1098,-3,4142 ,-3635450,-34505240,4174800 ,-16,-8 ,4032,362796720,2 ,-28 ,2220 ,8,-2,30,-3173 ,28 ,-475 ,32122160,-8436717 ,38920500 ,-2896,-24 ,-27,-7876080,25 ,-9 ,117250848,7 ,27,13,2,10 ,-1320,26 ,-320 ,280051830 ,-4300 ,-10 ,-10981656,-18 ,-29 ,0,-28 ,1032 ,400233960,11,5,2,5] ,[-8 ,17,-65148800],[-4706600 ,-3 ,0 ,-179794944,7,-2945 ,55431012 ,-28 ,-24 ,1397,9,25 ,-28 ,28,476,-6,-900,4760,30726905 ,11 ,-756,-27,-990,6210,-9167478 ,-1647,-26 ,-96531138,-780],[-77841522,-3781,-12,-29 ,2184,-3289 ,-10,-1012,26,-9 ,-25 ,-18 ,-521783262 ,-1760,-280891611 ,456 ,-29 ,129099648,-5] ,[-183948840 ,8359188,-28 ,-144532752,198,56629881,3111 ,11 ,4446 ,29,605,-91156740 ,10 ,75 ,55 ,-7,29 ,-161628390,448,15711808 ,-58739640,-24 ,-29 ,-85350804 ,174 ,19,-174067404 ,16 ,-28],[16,3942 ,2490,-16200084,19503588,-624 ,62455204 ,-7,-2 ,11477839],[-24,3718 ,3038 ,-72940560,22,-864 ,-7 ,143,3838,26 ,17 ,10 ,-7590 ,-517449920,357106428],[-3906,-29 ,3552 ,-184787320 ,13,30 ,-564355350,32754510,45454080,21,-1162,-30,-486 ,23,-141995000 ,-20 ,-75457410,-2520,-510,-2500] ,[-24,-15,-29,1884,2],[0 ,15,-7,26,-3344],[-18237240 ,0,9,-11,7,-29 ,-16 ,19726416 ,-28 ,1284,3150700 ,-31 ,25 ,2110,0 ,26 ,-24,6,16,-5,138402880 ,316 ,26,-22 ,-30,-204484500,11 ,-14303520,11,30 ,26 ,-9 ,90043272,17,11 ,-2450,871,-694705752,-73301076 ,0,0 ,71706720 ,88229790,-21,-17554880,13919360 ,-2880 ,357980698 ,-120 ,5 ,126365512,-6,-25 ,27,10 ,-28 ,16660720,20,1807240,11 ,-3280 ,4,31,60871440,92743044 ,-24,-1896 ,-19,-26354160 ,100639776,530127000 ,29 ,377260416,1449 ,-6789,10186655,1254,-101534160 ,0 ,-3 ,24,-332550192 ,14,-1330 ,1100 ,1380,27 ,1555747 ,2058 ,211711680 ,-820,-198446355 ,0 ,-1630 ,-14,-17,-19598107,240190076,10478160,-10 ,29 ,1456,-25 ,-59529600 ,20,-6,-173740160] ,[3480680,4370,-1554,30 ,-173851020 ,0 ,-1,-336,11 ,4464,4234 ,-1,23,-3280],[-1,-11 ,-1050 ,23 ,-28 ,-14 ,2944 ,6595200 ,250 ,-11069790,-774,-94 ,-1836,-29 ,-42380811 ,55200870 ,2187,-99540320 ,441775776,-6,5 ,7134,66027318 ,-15391260,81411075,-16,23,32476206 ,-782537743 ,60266240 ,-10,-5 ,11775798 ,23 ,-15 ,-6 ,265750914 ,-198,-23,9 ,1 ,-4500 ,16 ,31 ,13 ,-111085128] ,[15,-17683452,0,-768,15 ,-28 ,-2618 ,551145780,-349133652,23 ,14,-28 ,6,-4 ,1032,-2142,9] ,[-300046068,-4,76082327 ,1472,-4088,12,-26,24,-5 ,-16 ,10,1403 ,8 ,-11 ,-20 ,-2448,-4293,19,13 ,93754284 ,22,-10,-19,2 ,-4,-30 ,15,6390324 ,5,-469,2,-15 ,-377,28,-3,-29 ,-5,-1035 ,398646720 ,320752080 ,-18589500 ,624085632,2 ,252 ,30159394 ,31,1584 ,-28,30 ,-142774344,-16297820 ,20,45591024,373775600 ,-27 ,-67898970,-2736,-576 ,-9 ,20 ,234,-4280,10,4305,5080 ,69223050 ,14 ,63222120,24 ,-1266 ,467409008 ,18 ,27194490,5427 ,28,761669572 ,340810974 ,-38400880 ,4532192 ,11 ,22670460 ,-2352,-7 ,164498880 ,-22 ,-26 ,369203200,-352494090 ,-4465 ,-16,-2 ,-21 ,15,-11221938 ,7 ,233914260 ,579492000,-4 ,-31811028,-4607680,2483 ,136490886 ,5 ,1 ,-15 ,-27 ,9,24 ,-15,30,6561 ,1338,97110108,11 ,-111149901 ,-14,-12992476 ,-12 ,-22 ,3,3456,-5250 ,3,-19,5496,26] ,[-285170325,28 ,-2158,-5974] ,[2,901,1 ,14 ,-31 ,2556,-3120] ,[20 ,-4,-869 ,1728 ,23798125,-2 ,-18 ,-21,-5,340,2 ,-8,13,-8 ,0 ,-437 ,4 ,-18,-211,5126718 ,-106901616,-651 ,407982960,-2716 ,-5 ,-63816662,-25 ,144 ,-12 ,275,-36428028,118037250],[5890 ,106973460 ,-30,4180 ,-21,-18,222472528 ,10 ,10982500 ,-12,-738 ,-26248320],[-785,31,-11 ,18] ,[-457520140],[18,13],[-30,24,-2522],[1225,-185744160 ,-738000 ,2736 ,12,-28,5803625,0 ,20,400246980 ,73571840 ,-20 ,-30,952 ,726831504 ,-76,383505390,-18,240 ,-28,381 ,2822358 ,85395576 ,271558818 ,-27,-23] ,[-19,28 ,-469185838,-19,-13,-18,-400698330,3222 ,-16,-4929 ,18,91372248 ,2 ,11,-187642560,-6 ,341231013 ,6,-52226208 ,-8,-11,9 ,-2070,-19 ,-5,-30,-3243,26 ,16,-2,2415],[-50015700,0,-17 ,155858040] ,[-9,15,-13 ,-11,-20 ,-1026069,49677500 ,-10,-31 ,28 ,282 ,-16,68319600,87606750 ,1 ,1440 ,-1495,5668,-2751 ,15,-18 ,1222 ,8 ,-5 ,90166544,0,-10142028 ,-7 ,440 ,1584,14,-2,-20775555 ,-3006 ,-1482 ,30,-575,1881 ,-7,-14 ,98685600,-119642454 ,-28 ,-475],[-9254520,-6,-3874,-25784148,3 ,9563333 ,-10 ,0 ,-204,1820,6,6,20,68460840,23] ,[855,-28,-30 ,-3050 ,0 ,-13,-241685700,18,3,-1332 ,29,1218,-4,-10,0 ,-7 ,1539,26,1408,-383212980,8,-308 ,-27753460 ,26,-27 ,4,13 ,-6,448],[-25 ,-5512 ,16,-1476 ,57928040 ,17,0 ,-79250600,0,0,2070 ,132,-3] ,[-18875208 ,21 ,5,-20 ,-3791 ,-420521696,-159620890 ,0 ,25 ,-520,390,-13,0,-7,-21,-2740 ,222721065,-7 ,14,20605200,22 ,-528 ,6162,-24 ,-15 ,-75492480 ,4 ,-31,-45394076,2,-1893006 ,4876,0 ,13,8 ,-22 ,-19,-1998 ,-15 ,-340569765 ,-2366,7 ,-20 ,5 ,31 ,-28 ,126499034,-19 ,-60 ,-32478138 ,-225989520],[-9,0,4,-25 ,-156836169,-10 ,-1767 ,9,-285,6 ,414126090 ,-5 ,-31 ,-274760800 ,-3107 ,223992440 ,-472164 ,-2 ,27,21,-10 ,15 ,-3990 ,78704900 ,-26 ,10 ,-20 ,-28 ,-14,-198,-31 ,-98652036 ,1755 ,-540 ,5 ,-2160 ,16 ,-12 ,15,-2291 ,9],[-1832 ,-8,84187740 ,-14 ,-5 ,-120285891 ,-20,-7,2,31 ,-298507587,24 ,-232,-3819 ,1323,10 ,-26499690,24,17787984 ,-8,-18 ,31,1597200 ,-143174560 ,-14 ,-241886880 ,35245440 ,-267,-27] ,[-2466,-207 ,20 ,4,0,-781650],[349123302 ,23509416 ,0,-390 ,-15 ,-4669 ,15,-229139820 ,24 ,2734600 ,-369889632,-27 ,13 ,-2976 ,74053024,-21,1595 ,47597088,109658106 ,-4482],[-160,-167686096 ,22 ,-28,14 ,153050850,-4437477,-29 ,13040080 ,0 ,-24,5 ,-20 ,-5 ,-27 ,7234282 ,-136507500,-226432206,-23,26,23 ,102778200 ,110791850,-100582944 ,-320,24,-1444320,1000 ,-151045500,399231104 ,9,157752882 ,-8415792 ,-64122480 ,-90313540 ,3091086,-279422178,2,-16 ,21 ,-2508,-213551325,2618,418 ,10,-230 ,-1878177,11,-2430,-481,204 ,5109786,23 ,24 ,-3294,-28741614 ,2464,-3640,23,-16 ,-5,-22 ,-1078 ,-4 ,13,-23,28,-9,336,19,7000] ,[-11 ,-25315696 ,-12604800,-15,-1001,17,10,-363142050 ,4525,12 ,-19 ,10 ,-28,9202536,-1566] ,[-43 ,-26,2625,-11438544,-16 ,-9 ,-2 ,100693521 ,1610 ,11,25 ,-256 ,-1482,912 ,164894751 ,-33788502 ,403253400,25 ,-21 ,-4744935 ,-127576944 ,23 ,-4131,-78999904,4613220 ,-27,-13 ,-13151200 ,-1422,-171716020 ,-1568,24 ,58102209 ,11 ,658,-415633170 ,-7,-2356 ,21,-582 ,70774200,-21,31 ,4,-31979352 ,-4548096,-244212150,-1020 ,11 ,9,10,26,-47214488 ,12728430,18 ,-472 ,21,-261326200,7 ,13 ,-21841800,-2 ,-1760,-18,26,-14,-1479 ,17 ,-252,14,-1547 ,-7080 ,-610 ,1440 ,-11 ,-8,1162 ,2,444 ,-9 ,-11664768 ,7,-25],[-21,-4704,-8090760,-1120 ,-918 ,-14 ,-19,-1,-216703800 ,-38544465,241352825,8,23,-20 ,6860,-225700551,13 ,-8 ,-29,-4818 ,-28,0,-196477380,25 ,490,-9 ,-2324 ,-19,-14,15394860,-177302268 ,2898 ,-4712,-7,-9,52019610 ,-23,306619950,4290 ,8 ,-128779488 ,78907616 ,-525872 ,5 ,-5 ,-74542000,-62628027 ,88551372 ,-1380 ,11,4640 ,-2250 ,-19,-9 ,0 ,23,18,-3885,168724920,4351590,-1260 ,-12,420,-29 ,-22 ,-29 ,9,248965024,18,-17,1800 ,243230400],[91450944,11,-37892448 ,-16,-24 ,-6420078] ,[960 ,3636,-2420 ,22 ,-93510384 ,-2859268,-46,-9 ,-1462 ,26 ,3374,4576 ,4080,11,18,27 ,19,-9,31 ,-8,-4290 ,-25,-196948080 ,6,23,151484929,1096056,-14 ,-20 ,-31 ,-10968300,-31,-141860280,3,29510932],[85858080,-8172516 ,-228,-748,6797288,30 ,2782 ,11663100,7047,17 ,13,-5 ,64967040 ,2 ,0,-1148,-21 ,5510 ,-6902,17325340 ,-26 ,-17 ,19 ,612,-16,13 ,-5 ,-28,63914940,-19 ,65924946,-20 ,4752 ,165804585 ,-45499806,11,25,22 ,22,-5615360,-972 ,-20,9,15 ,14 ,220680060 ,225367472 ,10,-22 ,171089808 ,-2 ,320132016,15,73532394],[-1044,-2185,-868,-616,-22,-19 ,28 ,4340 ,10,196,-9,-7,-354207560 ,28 ,-17 ,206957751,-14,-15062975 ,-51126933 ,21 ,2769,27,13,-1720 ,15 ,2004,19,-30,407,-134438400 ,13,-22,4086 ,6,28,-354774168 ,9,-166076504 ,2761,-48274056,-30,29,-51074496,1400,-26,34724875,17 ,-37853475,-75919416,30 ,-4 ,27619460 ,-207029758,177 ,2450 ,-8,-5162 ,-18 ,10885950 ,5 ,15282150,28 ,12,3146 ,0 ,-1156,29,-1 ,93399270,1593 ,-29 ,-490957530 ,7562016 ,-5971968,29,-840 ,0,-3,-24,-8203140,0,28,28 ,-20,-226 ,3654 ,-4200 ,-5 ,29,13597402 ,-72082703,-522 ,16,-10,1534 ,-6534 ,663,-10,-8,28,-184009292 ,-2097,200,31,-24 ,-22,19,24,-1 ,-182626080 ,44505240,-7,-1005,-66734640 ,-9 ,-637 ,-22,-798 ,-8505720 ,550,-143996250,-26,-197450560,8 ,116590914,2 ,-23 ,6,520 ,-18,24 ,288 ,2,-768,-4880 ,18 ,-7,165058740] ,[-18,-3216 ,-27,-714 ,9,-19 ,-3570 ,-16403040,-3360 ,-18,-7,-22 ,-2607,0,43015104 ,6 ,-5177,-28 ,759 ,17,1632 ,7,26,16 ,-15] ,[9 ,-770,16] ,[14 ,-76802600 ,-10],[-306478600,-1710,-2727,4,-5,-22,-21 ,-9,-4,105518966 ,20 ,-373281156,-493,298019834 ,17 ,-12,89861940 ,7 ,-250 ,25],[191874420 ,-200059740],[24 ,4,13 ,2613 ,-30,-19,194345814,16 ,-833952204 ,8 ,-29 ,15,256007760 ,35547675,32,-10 ,43 ,-5656,-690148554 ,65829582 ,-2508 ,18 ,12,464348 ,30607650,13,-1980,342 ,-68174736 ,-8,0,31 ,18 ,5000 ,5 ,-1400,-14 ,-14,-189 ,-29,-57931608,-9 ,28,-26,-9,-705 ,645 ,-126071120,-2,14 ,13 ,23 ,15 ,214511196 ,1111 ,128686833 ,188047710,-30 ,-5,-4400,17,184589130,-13,-22 ,-4 ,-11,10,-5037,615 ,-6,-192917526 ,-29,31,-16,-8 ,-2 ,-15,14 ,5320,26 ,-2680 ,-3600 ,16,-18 ,-767,14 ,-1450,27,22 ,21,65265984 ,250850640,9458667,675,140487864,-2503250 ,1 ,3825612 ,-55,-25 ,-5434,138,-2057,-35635242 ,187077423 ,-5 ,-4 ,-3,-3155790 ,51266457 ,-26 ,-10,-2250 ,-150 ,4232529,-11,3023100 ,6713232,-525311820,1284 ,127895460 ,-10 ,-16,-11,1904 ,-4600,464 ,-137640000,29957585,0,3864,31,-5 ,73524162 ,-436241430 ,498 ,14,14,2472],[690,-6 ,-935,2,-13 ,-15,5 ,3 ,1 ,6820,57075504,4 ,9,-3 ,28 ,-1804,-265268700,-82153568,6571845 ,302999697,-2040,21,4968,7 ,-81925380,6,-22 ,21 ,21,-23,-2112 ,1260 ,12 ,-16 ,-7,-8,27 ,-21,-13 ,12 ,-17,10,3 ,8,-956 ,-3 ,25,-736],[1200,-22,9,18 ,-4 ,141571100 ,-4 ,58397008 ,28,-247 ,-40075020 ,39376480 ,-144 ,150178644 ,-78 ,12 ,25 ,3,-6 ,-11 ,111016224,30,280375290,-3180 ,-19 ,0 ,27555472,-1410,0,-1832 ,-3645 ,-19 ,-6,-190202040,-118995912,-1320,-6858240 ,32038080 ,21,-120582756 ,2373 ,21010400,-3582240 ,-22,-3760 ,-772124610,-18] ,[-18,767 ,2400,29,1659 ,-15 ,10 ,-36246200 ,-88597350 ,30,75091968 ,20 ,481027750 ,-28,2 ,84657536,31,-19,2957420,-7] ,[1,-6318 ,5060,-21,-2,5818020,-1407,-298014145 ,-10 ,-1896,24,-37943948,9 ,-410006080 ,-6250 ,30,20,0 ,19 ,-1992 ,0 ,6 ,2097,4158],[-224 ,25 ,270 ,-14,17 ,-47839446 ,24,108,20 ,11 ,17,2265750] ,[26 ,4025 ,-28,-1508562 ,0,5217885,23,-2044 ,646,-1692 ,-202700960,-4263 ,0 ,-6 ,-29592168,-25 ,26 ,28,-24,0,3,9 ,-11,19,-69 ,2 ,-65002665,-696,-732,14 ,-372,19,98810226 ,-528 ,0 ,-23752197,246,-495],[-27,2312 ,-222884805 ,-247466752,-26,310518 ,4290,8 ,-3 ,-216 ,21 ,-8,-975 ,-330,28,6,-12 ,25,1836,-1976 ,78132276,-575 ,-31779376 ,-12,27 ,-13 ,2169,1048344 ,-6873 ,6075,-10,450,-260,0 ,620 ,-8,13 ,-2323 ,-15,15459048,-605025036,-13 ,18,-258,-1 ,-21,0,2,23 ,3629 ,23,40981200 ,182,1025,-1820 ,-2940 ,-2 ,7,8145306 ,-14 ,8,-23,0,76 ,27 ,496 ,3475,1,-18 ,-20 ,-25838934,7,-67056800 ,-24,10,-5,1743 ,-181152840,76,16971600,73738350,15284740 ,576 ,-1032,152366400,1 ,26 ,-20480750,-1088 ,-12,-28,-1,-3604 ,11728545 ,61127300,-1853544 ,-22 ,1674 ,-15 ,6 ,20 ,-18,-22,7 ,300 ,-15,19,23,-7,-6021,25 ,25 ,1148,-28 ,5,-12 ,-222,4738 ,230 ,728 ,-246118400 ,-2385,-52297372 ,279311760,22 ,21,28,-2175 ,-2277,29,220913640,1190,3,-112490868 ,26,-2,7,-703107900,20 ,-180754332 ,27 ,-496 ,-399614644,21 ,-72087444,7] ,[-1000 ,1456,-936 ,-620 ,17,-17,-19,-2000 ,-107890664,796 ,16,-4,3706 ,482694444,22 ,-3323024,-24587808,-78 ,-15,-13 ,8512152] ,[26,20 ,330 ,-18 ,5,0 ,-3344874 ,20,-3700 ,12 ,-26,-19 ,137969040 ,171721620 ,139926156 ,-391 ,-7,3040 ,33897045,-10,9,-7440 ,262410792 ,58699020,-7 ,8,23 ,49188750 ,-15 ,-4320,-16 ,110819214 ,21 ,1 ,-62384322,9 ,-37542816] ,[4920,-4,241638000 ,-5,19 ,148203520,54835950],[-429 ,18,96881304,159 ,-60,-142733792 ,225,22 ,-6 ,-10,-4860 ,-1458,-25 ,-8,-14,-4966,923220 ,-17 ,-4,-17,1302332 ,-1,10 ,141441904 ,-1 ,-263918088 ,79677108 ,10 ,3672 ,22 ,-287415408 ,-15 ,-30 ,10] ,[-121831736 ,-270272835 ,-14,-16,0 ,-20 ,56684684,22,20],[-5304 ,9 ,-9 ,0 ,31 ,-10 ,1972,516960],[128063705 ,-2376,-30 ,84,19 ,-28,14,-22 ,33859800,24 ,-1482 ,-6982040 ,4972,-4025,8,-29 ,3 ,-5 ,-1104,-16 ,154219032 ,1431,18010380 ,-75647390 ,-19,-15,8019330,17,6,0 ,0 ,204 ,0 ,230608560,-48102208 ,1846 ,1207 ,-3480 ,-726,0 ,-34,-23,-26,-77,-3 ,-5236 ,-12 ,21 ,-27 ,216 ,-3099132,20 ,197917344 ,29,3,2765488 ,-30 ,5175,4600,9537456,-30 ,235486440,8 ,22 ,-20 ,-366429492,-6,-1,16,-1320,27250320 ,7 ,-22,1188 ,-904,-19,1,1936,-4 ,16,-1040,-30 ,-13 ,-26 ,-23 ,18624200,0,122109912 ,676,-13,-29 ,-12 ,4,-7,-312495020,-1 ,-5,-291400188 ,-237 ,20 ,-1 ,801 ,0 ,21,-27,-100055760],[-754 ,-3759,-1872,20149200 ,-19 ,-333898774 ,1964622,389795392 ,3,6,-15] ,[-11,17,-28234800,-17,-7 ,1 ,-696,-9,50115450,2675,-820,50181831 ,30,290580252,-20 ,82086016 ,-1691 ,-1624,-27 ,31 ,16 ,20,0,77085744,2060,40104252 ,68739710,-16,17,10 ,-7 ,-7 ,4680,384,666950986,-3468,232051456 ,3096 ,1 ,-4636 ,0,17507880 ,26 ,-9,-1782,6 ,26 ,426350025,51521570,1,185235876 ,-20,-196,0],[-684,2928,-4,258009720 ,31 ,5 ,-11,14825993,-18,10 ,12,165790656 ,0 ,-4095 ,-3 ,25,594 ,29 ,-6 ,8,6 ,-41387580 ,1624,-13,10 ,45512502,17 ,-24862800 ,30 ,-31,62 ,-495590324,-16 ,896,-27,-17,-25 ,10 ,38988230 ,0 ,8,-3296 ,1134,2 ,-1820] ,[5824 ,-7 ,-30,14 ,4740,3472 ,-14,-98061432 ,-4 ,27 ,29,-3,440228096],[-25,19,-21 ,2299 ,153 ,26 ,29 ,13 ,6599340 ,-163537380,-121627818 ,61821396,-286 ,5,10,31 ,-26,-11,-1378,7380 ,176,-18,-23 ,-26 ,1 ,3564 ,-25 ,-5304 ,-69270080,-8,277200198 ,0,840 ,-53417870,3,-197239962 ,10 ,-4375,3322 ,18,-232895520 ,454,6 ,0,-4444 ,78445314 ,23 ,46085598 ,-3043 ,39814840 ,364 ,-5520 ,-988,-24,178861608,2 ,-2784,-16,42 ,-63349418 ,0 ,281105264 ,177128352 ,-2196 ,-6,0,31 ,-9,457299434 ,-1336 ,4030,-4617984,19] ,[21,0,9,-51830660,1113,-11 ,424,4,26011206 ,19,-645557472,-27],[0 ,-2178,-16 ,-18,-29 ,19 ,83738512],[-16,67544358 ,14,678,-192,20,-24 ,-2,-18 ,-31 ,0,6 ,-2 ,-14724620 ,-155,-12 ,0,-10202465 ,288,-117831762,-26 ,-22,-74400960 ,-5 ,17 ,6975 ,-31,-7080 ,3304 ,-552,-30,-9,-31,3762,19,-25,-13 ,12,49602204 ,-2353,3,14 ,456,3317 ,6500375 ,14,221 ,-67557312 ,0,315,-39121680,-360690975,0,27 ,-367937388 ,1,651,-2 ,738999072,42158550,-1736,-1344,207392400,-429781520 ,0 ,-20,-20882568,-1 ,-95903925 ,-20,-28 ,25 ,0,-28 ,-320,-681,12 ,4158 ,23] ,[658 ,285241400],[8 ,18 ,4 ,-2,-22,-10 ,2 ,17,126704320],[-2580 ,93500496 ,-1757 ,-1243 ,-12 ,2415,2755 ,-2484,-264,-276864750,-10 ,-530881659 ,-18,-24 ,106164,-20 ,-322662120 ,4050 ,201308800 ,-280,2784 ,-2600,-5,-104715648 ,-98829024 ,7560,2266,-22,-1899,-2222,1185 ,-62367840 ,4554,-186 ,-30,-5,3332 ,-15 ,2 ,-5775 ,-280296720,78190800 ,-42366411 ,27,-4994 ,0,6757,-21,-204 ,269712,8092032,-6,-22 ,-5250 ,-2268 ,25974300,10 ,-17 ,43636144 ,11 ,4 ,-3,0 ,29 ,-23 ,5400 ,-134779350 ,-26] ,[14352884 ,-2240 ,29,16 ,-11,-6750,-24 ,2416,888 ,-12,7,8 ,0,21,-563338656 ,-1209,2070,1332 ,-1170 ,-17,-22],[3276 ,30 ,-127666560,-4800 ,-202344716,132157954 ,-4,-7,19],[2 ,21,186965558 ,7,19,4284 ,24 ,-900 ,2511 ,5974,42 ,23,-30 ,-18],[2 ,5,-31,-303251130 ,0,-25,-25 ,-25,-26,17 ,-1,23752872,4121936 ,3306,-2,20] ,[-18,281226296,-5,-3 ,-3864,7,22 ,26,-885,-1116,-7,-5,16,-168862375,-1992,1340 ,-26 ,9850968 ,8 ,8 ,-792 ,-16 ,-19,74410740 ,16,4340,104603520 ,363661740 ,-449766930,259084260] ,[-21 ,744 ,14,-19391424 ,-169683696 ,-4,488 ,408 ,-28,18 ,-26,3 ,-2,16 ,0 ,-159 ,-9 ,26 ,6,0,955 ,1 ,-30,-26 ,5,-9141792 ,-18,3277 ,0,162 ,-27,108 ,4,286101720 ,6,-13700512,-12 ,23 ,180980904 ,24 ,16,-54714330,-67] ,[-28,28 ,150725750 ,-29865472 ,0,-5967,-29,-30 ,-29 ,30 ,-13483596 ,-31 ,2232 ,-297765504 ,0,133803360,89671480,37441440 ,31,26586819 ,0,-31 ,-108426303 ,-14,17,-29 ,30,29 ,-27,128555925 ,0,-300,-4740,9,279863425 ,-23 ,1008 ,27 ,-3 ,-344890128 ,1104 ,-212144988,177,-94197054,16,3268 ,-27,-644,26 ,-26,0 ,-4,-2522 ,-7179732 ,20 ,8,-28,-14,27],[-432 ,-882,-45861200,-72167040 ,23,0 ,14,-20,-576,4212 ,2,2128 ,-23,29,363781594 ,18] ,[-34584870,28 ,5292,3472,2115,1008 ,11 ,-28,-8 ,632382660,9,-17 ,-5,-6 ,6,20424642,-2,1680,-2520,7378 ,-22 ,16 ,-62916966,580 ,3234,16 ,-21],[-755,323,816 ,1554,493,-14 ,-24 ,371897055 ,0 ,-37316496 ,253,-231621460 ,-3668,0 ,21,-249917448 ,13 ,5,27 ,291345080,-12,5 ,7,-11,-2567 ,1] ,[25 ,-13081596,1976,-16505280,26 ,540,3648 ,-36 ,-11 ,-21 ,-21 ,1311 ,-22,-27,28 ,3570,-29,-5564,-11 ,187917912 ,-20599200 ,180669600 ,14,-2378464 ,9 ,-3451 ,107576784 ,-2982,-4263 ,-3840 ,-10 ,-22 ,-21,3360 ,-8,20,1 ,321002000,-2986230,-5460,0 ,-14624712 ,-27,1470 ,8 ,-1296,43547088 ,12],[22 ,0,8 ,682216416 ,6683427,1165236 ,621 ,36251910 ,3,23,-20080,96265400,-441,6 ,56 ,28,-3 ,-5010,-10,9,-44157900 ,18,-19 ,-12,16 ,296978220,1624,-6269090,-2016 ,11,-84898440 ,3466736 ,-11,12 ,9 ,-16 ,26,19 ,-6,4163,183 ,-4150,20 ,-2100 ,0 ,-41321475,315163002 ,-11 ,14 ,274,29 ,-48153960,-3 ,8 ,-2480688 ,560 ,-16148352 ,19 ,25 ,-940 ,-23 ,6247080 ,-14,38234730,29,28 ,-22 ,12 ,-29,-82837872,5 ,0 ,-31 ,-930 ,1160 ,-30,0 ,-16598552 ,21 ,24 ,-3,732 ,150270633,7,16,2460 ,27 ,-10 ,1],[364 ,10646720 ,19,18 ,-7 ,-9 ,1886 ,54012744 ,-25 ,-648] ,[-4848,105137084 ,-17 ,-968 ,18,29 ,37429140,-4 ,21,3205944 ,-3151,-7140 ,19,12 ,-26,1120] ,[30540600,70865760,12376452,9,840 ,16,47 ,0 ,-32,233639599 ,30676840,18,2,8 ,-24,126877608 ,33937512,-1040,-10,13 ,80094600,-5361752 ,31 ,-39981480 ,193889825 ,-159621840,-2 ,-447124608 ,12,482140890 ,1820 ,10,-16 ,26,-1333,-15,18],[-14,-175184856 ,-3340 ,-6 ,-30 ,-4440,-27,12],[-249129270 ,-154,15 ,1819630,3 ,2790 ,696,-174689382 ,-468 ,-22,1206240 ,247589664 ,-300728241,1215 ,-215824056,-12,219168078,28,51214330,2001 ,2231,-858,-20 ,-160,125 ,-18 ,76761384 ,-260895600,36849960,-4 ,23,-2304 ,-19336005 ,-31,6448,0 ,23 ,-6412 ,8,-345,211077432,-10472544 ,-8295363,-1891,29,1666],[192,16 ,0,-2,22 ,11 ,28 ,2,155052660,20,-825,-1 ,2156 ,-3895,-8 ,7,0,1118,-4,1707156 ,10 ,1930,-3,429189192,82452916,10999170,23,15 ,4776992 ,15,-10,-22 ,-16 ,118519000 ,-8,200889920,-12,-30,258081600,-13 ,-11,-193641640 ,317541642,-37506392],[14,-56311728 ,620,19 ,-143,192928176 ,18 ,30 ,-23,-244385700,0 ,27 ,1008,51622164,-29,1674,-256288320,7530,-1243,33802340 ,-6235696 ,1350,-11,-25,26470917 ,102630600 ,9 ,20 ,25,-13,30 ,15,-285 ,18 ,-26 ,3,132369514 ,1534 ,0,25 ,-22 ,912,1 ,-16,-5,-3,-31 ,263797326 ,-1710 ,-31,6 ,9] ,[-12,-161891136 ,-2128,18,1896 ,-6540 ,-546 ,-11 ,8 ,-26 ,1144 ,-9 ,6,31 ,-17,1 ,-30 ,20 ,8,-1,26,7816743,4813460,-8 ,-11,-16,-93755376,-54259260 ,29,-1730,846,-1,13 ,8 ,28 ,20 ,-306 ,-16,46559712,3213 ,81554814 ,-306653225,-27 ,0] ,[21 ,748,-12 ,-2646 ,51161376 ,21,-1 ,31 ,2002 ,-16 ,-118435740,504,22,-199612100 ,26,-1 ,-24,0,-6 ,-19,-8 ,-7 ,15,-5040,78616656,6 ,-9 ,-13 ,-420,-5250 ,-1207844 ,-1776 ,608,25 ,16],[-4,25 ,-107680828 ,-29,27,1,27,229039500 ,244 ,-24 ,-121572594 ,3838,28,-2074,20,-1020,25,-113460480,-4843,441 ,-24 ,6 ,223411176,-16,28,-413236096 ,-1008,1235 ,22712522,-29,-6264 ,-5448 ,-11,125216520 ,16,-11,14,10 ,-14 ,26 ,-1 ,-14,-4851 ,-11392164 ,860861640,85664000 ,750,-10 ,23,14,-43703305,1,-20,46257876 ,70451160 ,3751,-25 ,26,-4,-15,-65788675 ,-23 ,-2366 ,101 ,-4312,-4,78,14662017 ,-123547200,8,38822000,12,-7 ,-6015960 ,21,-4 ,-18,4140 ,5 ,26,14 ,156],[-11 ,10 ,-9792952 ,309246000,15348879 ,22,-77455500 ,-16,-6,-3768,-27,2628 ,5310760,-24,19],[-23417100 ,-4810,1596,-3,-18,-4483608 ,31,22 ,232048896 ,-8,-522 ,-83204800 ,6,0,-28 ,-25 ,0,-17,-26 ,24 ,5832 ,775 ,-29,-22 ,-28245430,-642107340 ,-28,-4 ,-96976 ,-28,5119200 ,-868,0 ,-3712,-31 ,9 ,-1695,-28 ,-22,104251200,11,-4 ,4194,2200],[-31 ,3762160,-2150192 ,3] ,[13,-378599776 ,-3,28010880 ,-21,4914,17,-13,-79473440 ,21,-1230 ,47020160 ,-453189984,3,-148 ,-123831678 ,546],[-371135100 ,8372889,316,-631468344,3108 ,-417384 ,-14,-21 ,306020819,125593416 ,-22,1 ,-27 ,296886601,4114,-3069036 ,15 ,16,138924370 ,28723968,12 ,158455740,152947904,-175142880,-15,-7,-8 ,-124218400,-44,2263,1464 ,-1408 ,133],[-21 ,7,-480590704,-9 ,-10,-11 ,-17 ,23] ,[100,1978,1212 ,-2060 ,-2024 ,-7311360 ,-88742400,-26388675],[-21 ,-3927,-7050 ,-13 ,-22,26,-722,19 ,27 ,11992133 ,-142742880,-200,31 ,-15 ,30 ,-27 ,31,3135 ,1368,21,990,-28,-1 ,15 ,-19 ,-21,2520,-2772,26,24,-1392 ,-14,589 ,24] ,[-5 ,32579412 ,11,8 ,6330 ,-6 ,-29,15 ,-3,-6604,27780000 ,-616,-1560 ,76281832 ,-17 ,-227077189 ,-80869104 ,26 ,30,-25 ,6 ,-4700 ,6 ,-233760800,7,21,7,22,-8,130 ,-6],[-146038551],[-4 ,29 ,19,-16 ,392] ,[-11908910,-3360,4693 ,-358783620 ,189165600],[-1,7778260] ,[14,1276 ,-28,1,13,3637396 ,0],[2080,-24 ,0,-28,-18 ,-17 ,24 ,-25,-4082176 ,-2553],[-131076000 ,-106576722 ,-438412338,89666976,-9 ,3,494,210],[-29,4,-29 ,0,-5 ,279778976,29,-20,15 ,-15 ,-25 ,29 ,-160801452 ,2960,49204688,-25761600,-19,-3240],[-1 ,292097640,-42680000],[584623296 ,-315,-3,-23,-218604312,-8,12,-1 ,-96339342 ,-119214953 ,-8 ,-27 ,438,-2,-27,378609840,25 ,-6 ,-1782704 ,-210,-19402560,-1485,-13,46639700,-5,39413436,27,2320,-13,4,0,418527125,-7,9,432,-22708800 ,-31408566,22 ,-27 ,725 ,0,-771840 ,-76219260 ,-10,0,320,-29 ,-134847396 ,-1737,-990] ,[-68274360 ,11,31 ,26,16 ,-31 ,15] ,[-44 ,9,11 ,-31 ,-1007,2662 ,-6,-915,-47719282,-8 ,-189849640 ,-6] ,[5 ,115,15,13434336,-3630,-17 ,23,-10230920 ,29 ,15 ,-3188160 ,-10 ,-563035,208060500 ,2,7 ,34829406 ,25,-19,4368],[-1,-9,9,-8,11889360,-80403400,768,19 ,-6,-426 ,4,-12 ,1760 ,5 ,174540096 ,-29 ,182229996 ,-4 ,-810 ,144827550 ,-711 ,166752684,-72065136] ,[-56632128 ,-33811456 ,3,300452784,2100,8,107846011 ,-1072,-168715950,19,-6 ,-4,7,-9 ,-200] ,[23 ,-1712 ,1953,15,25,-770 ,10677072,12 ,-872,13856370 ,-23,3348 ,-1416 ,7555275 ,-300,516 ,0 ,-16 ,320279400,-194961816,-62935056,87744564,-23232762,-4800,24,51,10885410,-5 ,1276 ,1201537,-133508370,31257207,-4 ,-1,-25],[-18,-180,-5452,-16,2 ,-31,22121856,-21,796 ,17,23 ,9,11 ,-271697400 ,2 ,-595563936,-30 ,-31 ,11,-30 ,24 ,3 ,1280,0 ,-5,1 ,0 ,24 ,317252754 ,19,20 ,-31 ,66193556 ,26,-138606710,9 ,-20 ,1 ,9,-4620,119660541 ,27,-22,-8 ,-2002,-3328],[5544 ,7,-894360 ,-30,-20890200,-60 ,-1136 ,-30 ,-8,0 ,10,25,29,-462933630,-3 ,258663600,7192 ,2436,2852,-14,-1962,-16,22,-15893350 ,31,-8 ,-4,22 ,5642,-12,23,27 ,14 ,-22 ,-24 ,9 ,-252,-772 ,330792,25,-4,-20 ,1,-15,-26,17,-176508670 ,-442183770,436153830,12 ,-119336008 ,-1040 ,-17,-58023200,-11 ,29,4,-2989884 ,21,13 ,-2320 ,1287,18,-31,-25,10,36 ,-1904,-10,25,432,-309,-5180 ,-3,-22 ,-23 ,153542610,-337345560 ,48 ,2,4290 ,23231160 ,280 ,-26 ,-359915946,-27 ,44693250,-34777665 ,-26] ,[-26,-5,21,-17 ,-1482 ,0 ,-182,2496 ,-306247392,-23 ,27 ,-24,4239 ,-16885330,-1190 ,-170,-3 ,-336,-20,-51975495 ,1628,680,285,0,-186,17 ,29 ,2 ,-19,-7112,-17 ,-23,-2730 ,10 ,223976760],[7,-100 ,24304116 ,-13,405 ,2676833 ,-6,18 ,-57 ,3709696 ,4224,-1272,-19292350,25,3 ,1391,110010672 ,-26,-13933440 ,2608,5232,-11,239263605,289543680 ,3,-13 ,10929490,23,-117672444 ,29,3895 ,-24,432 ,25 ,1 ,665,1824 ,-1,-14,20,-12 ,-4660],[-22 ,121694470 ,-417245400,-462296289 ,-10 ,525,10 ,28,-17],[13,-1696 ,21098088,29 ,2 ,-9,-23,-60718500 ,8],[0 ,288,280,-4,-27 ,363 ,21 ,105918180 ,-353030184 ,-2697 ,1720,-1558 ,4584,21 ,-29151960 ,10546970,0,-22,-1107 ,-19,-16 ,4080,-29 ,2080,30,-4712,-2706 ,1755,-8,2604,23 ,-231267315,23,-3656730,469 ,-15,-22 ,-2,15 ,-16,0 ,68439900 ,-11,-3894 ,4,-1969 ,-28,-387,-59127615,9 ,-10092648 ,-1650 ,-5101428 ,-884,-10 ,-11,-249119640,-25490388 ,165545400 ,-4686 ,0 ,-3287,6,-10 ,-24,18 ,23 ,502 ,6102 ,63704800,-20,-1140,0 ,-5,20 ,3008,-232007516,31,29 ,-16,11,-67118184 ,18 ,-86891332],[-4 ,-12,-7 ,-2068,-29,-25 ,-4 ,14 ,-5832480,-2460 ,-4600,2436,-25 ,8 ,-1470 ,-8,31714144,-6 ,-10 ,-14 ,1411704 ,-86837240 ,-123160128 ,98052864 ,-6,5850 ,232241465 ,8,770,3759552,-8,11 ,-27] ,[-10,27,154 ,5],[4579887 ,-2180 ,12478656,1,408,198,22575240,-24 ,-129542490,4,68517952 ,-20,0 ,20,0,0 ,29,88689835 ,-3674160 ,22,-11 ,24197355 ,-2,25,2500 ,16,-570250800 ,25 ,276450 ,-15590340,-24,11,-24 ,-27,13,21,-23 ,1580,29] ,[1,5,12 ,1,24 ,96938415 ,-28257024,1416,22,2664,-786,-20,-2470,540 ,-341089920 ,-7,-96634944,-380,-136,1036,-306784800,5,-551,-2142 ,11,4,133521388,8 ,-1 ,0,-38862486,22492050,14 ,-174 ,28],[-104,-6 ,-103014072,-28 ,-129708390,-15,-24 ,30,61863480,18 ,-22 ,3,-20,-269748000 ,23,-48 ,4 ,0,-3990 ,18 ,25,-13 ,-5430,40328560 ,-116910196 ,5335248,21 ,-23 ,-28 ,10427400 ,-20,-11 ,-920 ,127181556,3306 ,9 ,28,5 ,6390,10 ,-25 ,-18307120 ,7110 ,21 ,959 ,-9 ,870,330 ,-24,-25,4553 ,-26 ,580 ,-19 ,2057 ,-9930060 ,5 ,648 ,-16 ,-24201384 ,6348372 ,456 ,-27 ,-24 ,252 ,-172016768,11 ,1848 ,16,-148,11,-37695528 ,-8930493,133546392,-27,26637105 ,-194238328 ,76857984 ,21 ,-3268,-10 ,-995 ,63369960 ,-118274640,-237 ,2658736 ,-29,-14 ,774,-22 ,2 ,3360 ,-45749880 ,8 ,-351,-19 ,10066176,78 ,-567666,3] ,[0 ,-15,31581725,-21,-162 ,-6 ,-19,25 ,4752 ,1036 ,-12830706 ,-56050155,12,-20,9930720,3,17,185,10,-26,-24,-2054 ,32 ,868,-21,-144 ,-18 ,4,-7 ,21 ,2178 ,-13,11,-10,63120660,-19 ,27,-67648284,-11,358398710,-1215 ,-18,-17540874 ,0,11122056 ,-31 ,1356,2,-631275390,-1208,-56909820 ,-25 ,-6902 ,0 ,11 ,21,5160,2925 ,86348700 ,16,-13,-2068,160],[-114403520],[-17,-8,-1,1,19,-4 ,17,629 ,6 ,21],[107505 ,30 ,1143 ,-16 ,107521925,17 ,2056865,21 ,-8,-164464020 ,-26,1235 ,124,13 ,7,525 ,164577088,8814750 ,-330,-358918620,0,-10 ,0 ,-13,44604000 ,26 ,6240 ,-580 ,18 ,-8 ,-1,13 ,2 ,8 ,4480 ,-594 ,-2 ,366988496,261365400,-12148840 ,-6,2133,16,-20 ,62797170,9 ,142012416 ,0,0,-99483750,1638 ,407660,-5271 ,-9,-32844070,-1586,380912 ,-6240,0 ,-1,-156,-3570,19,-1052058,5,3402,1 ,-10,-200662000,1134,7 ,-1044 ,-3 ,-2034617,4752,-418803800,-20331540 ,10,20,8,-25 ,6 ,-31147920,-10 ,7,-276 ,-246369546 ,2760500,1278,-129486420 ,-52544376,14,22 ,25,142845612,-5964,-29,2988 ,3 ,-2 ,-13 ,4478292],[-2 ,15 ,2916,9616640 ,1 ,-1 ,7006,14 ,20,-24 ,94645080,14 ,-12,-1746 ,-2 ,729 ,-16 ,28 ,9,-76946100,-23,222,-1,-25,-3952 ,12 ,-23,6634971 ,28 ,-15,2 ,-2002,206892480,13],[234,-9266880 ,16 ,230099760,5 ,-24 ,29,-749,-2016 ,-30,75001550,-22 ,10,-1372,7 ,-30,-5355,80090960,8687744,3015000 ,528636500,1717,-8,27590080,15 ,80354690,13,29 ,-27 ,0 ,-3 ,-20,-4,1360 ,-339,-984,-108 ,-738 ,-25 ,-15 ,-25 ,30 ,-184463818,-29,13,19 ,17,622485,8 ,13 ,1782,-59128380 ,264 ,2354 ,8,-270 ,-24,-22,542651850 ,30,-3893 ,-31,-1582],[61475148 ,-29,-10,73475392,21 ,-5,-19 ,72859176,-19 ,1860,-1938 ,-2266,-7999120 ,2590,-15 ,17 ,-29,-11,26 ,-39142656,-23,-1088 ,211671250,-1476 ,2574,-2,107330598 ,100,-13 ,-5824,-1704,-15 ,104610240 ,-122478312,2610,-69891856,-29 ,-590 ,-31,184370340,-2295 ,-16,-290051892 ,4416,-165,18 ,-25,0,61 ,26,-426 ,24,19 ,-28,-23,-5600,22,-17,27,15 ,-30 ,2728 ,-451237644,1158,3744,-28 ,4 ,-54126300,-2088,-249247320],[3125,109506306 ,-2171 ,252148120 ,3612,-30761289 ,6] ,[-183865344,12564384 ,78006654,-1,-73759500,-4 ,1 ,-3 ,4796,755263440,24,-2782500,0 ,1760 ,11,-18,-100824768 ,-2178 ,5,15,-401903775] ,[25,-67880218 ,15916392,248 ,-21 ,-18 ,47289580 ,2 ,-393,26253220 ,8,-3,3648480 ,-12,3 ,-1645,-1 ,14,-24,-4 ,-6386092,-7,-7,1426,344742660 ,4,-31502308,1 ,233981415 ,-31,1271,3 ,-4843 ,258,30572880 ,-588 ,7,4 ,-1300 ,-16,37690224,-8,-10,-77904560,-46327890,-267658749 ,1755,-28 ,22] ,[-3150,27,-34116768,-28 ,-220700214 ,28,-13,-22001200,-1 ,114385200,-77729287 ,5 ,-112913352,-12 ,-2814 ,13 ,336 ,1508,2525,-3 ,26,-9 ,13 ,102 ,-5,2442 ,-20] ,[-31490389 ,2332,-16,-25,281865194 ,9 ,-525428316 ,16 ,1864 ,31 ,-360,3726,-17 ,-2 ,31,-24,78978412,-45,6904681 ,806,1194,-5,1596,19880994,-10 ,-1404 ,-19 ,-160260000,74105550 ,-5,-19,10,24,84669750 ,2028 ,117 ,17,91,180 ,1032 ,30,31,-103370526 ,9,-17,29,-400],[18458836 ,23,-33608520,27573780 ,26,-1 ,-13,-1,-14 ,10914408 ,5,21 ,-31801050,-10 ,-195458562,15] ,[-22555360 ,-18 ,-19,-14 ,-31 ,-10 ,-30,-8 ,-30,-1 ,2574 ,-2964 ,-52901376 ,714,-29,21,43825680,0 ,2355,180713484,-43846110 ,1476 ,-9820836 ,30,-4020744 ,226 ,-274785467,-1166 ,19 ,26,-7792200,84489780 ,136082232,-1780 ,-7,-3834,0 ,16,25,4 ,-1,-21,-351 ,-237 ,-2415,-15,31 ,121200912,1,8,-1000 ,464 ,-10,36132420,-25 ,20 ,0 ,-16,-3692073 ,-28 ,23,-1661,-265052000 ,22 ,-127416242,80937510 ,14,-8 ,30 ,-17,3 ,-6 ,15 ,44269680 ,-5,0,2180,-596,45075480 ,-25,6426,127243530 ,18 ,-97343840 ,0,81741750 ,-10 ,23 ,9 ,0 ,-19],[-31,-27 ,16 ,10,29119716,18,-6 ,-11 ,-16 ,224 ,-23 ,12,-70525224 ,-11 ,-1339170,447526800 ,2431] ,[-416,7 ,-5 ,-200 ,8],[-62686000 ,5,-277134528 ,80798130] ,[550579680 ,642,18605210,261205680,4 ,1020,-13 ,-5589,-94285620 ,10,-1500 ,4316,27 ,-31,197130080 ,19 ,388911600 ,26 ,371 ,-1692 ,-4,8 ,-32175735 ,-27,-23,-3 ,45093600 ,-53440940 ,23],[-13,3523325,-6757,2 ,-234,31 ,-10 ,406291041,0 ,-247490400,4832724,-29,1830 ,0,-14 ,-25 ,-22 ,-28,-7,-5750,-275,1645434,8 ,78 ,-9,1] ,[52166970,648 ,11043648,10,21 ,6356,-32761440,19,31827128,-67161600,-286226100 ,1550 ,5099040,-26 ,-2737150,6,1955 ,-81798444 ,19,10494236,-3806880 ,29 ,23,71823094 ,-57815775,640 ,1710,4 ,-18,1410,-10347194 ,-9,9 ,-25,8,-6786 ,-2025 ,0 ,-690 ,-4,-23,4094 ,-27 ,1782 ,-28,2,-1812 ,-4,-106072720,-280 ,11 ,-7000999 ,19 ,237097476,1488,1680,-8,-197581760 ,-608994380 ,0,-7192 ,-17,-12021490,-11666336 ,-615 ,34102449,-29 ,24,-3620,6972 ,374,1904,2453724,8 ,25544708 ,1185,-792 ,24 ,-5304 ,0,17 ,17 ,2240,3798,1 ,-65810070 ,6 ,0 ,98785728 ,1275,14,-9261039 ,31 ,-69351072,1716 ,-130,1584,-6,315091260 ,30,132495360 ,-592,6334524 ,437 ,4 ,5 ,-224447795 ,22 ,-5187 ,-297 ,15,118386525,-22,-4420 ,201794779,0 ,-10 ,-424003620,-200,29235816,720,23,-25,-43167924 ,-19,-28 ,-140136750,3546 ,-167652980 ,-9865824 ,5490,9029200,15783840,-45699804 ,-10,2299 ,2441824 ,-97463080,16 ,223411157 ,0 ,2616 ,14 ,7 ,6030,-27 ,8929800,28,282225888 ,-8 ,15 ,50442000 ,-89755560,-41671840 ,-3,1454355 ,65735040 ,-16,3145 ,-27657806,-4046 ,-3304 ,0,-3,638 ,-15 ,-23 ,-93936528 ,28 ,8342624 ,0,-18 ,18449991 ,-2 ,29 ,18,23,43187116,-137887344,-91230075 ,-5 ,-1 ,-22 ,8 ,-3 ,-4360,1212,-28,-4 ,-317239230 ,-7,-8 ,-22,-2,-14 ,864,-2106,30 ,4 ,-25 ,-4,8 ,1776 ,-12 ,-29,1976 ,-30,15 ,-1998 ,0,-7 ,19 ,-324 ,21 ,-16,17,-552 ,-11 ,87441120 ,190079820,28 ,8,2100 ,9105761,30,0,552006 ,20,-24,-9 ,24 ,-9,20,20 ,-5 ,-21489258 ,-77577588 ,24 ,3648 ,0,-17,575,9689940 ,296318898 ,0 ,-9,21 ,95805990 ,-24,194],[2600,-87658256,12 ,26 ,202433688 ,0 ,42008019 ,17,14016990,11 ,-19 ,10,-1998,233624475,7 ,-21,-5,5,0 ,-23,-25 ,768,-26,-28 ,2,11,17 ,206264718 ,24,10,-25 ,12,3,-1890],[784,-18972450,378,24 ,3732300 ,-22,-388855080,8547360,-17,918 ,-188306382 ,0,262719360,26 ,0 ,-30 ,-1 ,-21,7,-7 ,9 ,-1292,-5 ,-12,774 ,235,-505102500,-16 ,68312720 ,2 ,-3111330,-11,184196320,-24,10643496 ,-158814600 ,399420,-10 ,66965096,4218 ,-24 ,3069 ,-1,-34681218 ,2,10,14778575,5 ,88806256,20,-22,-5 ,-369158400,-216702390 ,115453800,-144169130 ,248360112 ,28 ,1248 ,4140 ,-1416,-2366,22,-16 ,26,-18 ,2660 ,3410240,-525780 ,21,-4137,11 ,-1269 ,162583420 ,-5 ,-5,-264,-1651 ,1080,19 ,-527 ,-3 ,-30,14905358 ,-6969312 ,5880 ,-125650764 ,-23,-15,-7320,275 ,-19 ,6664 ,4469820 ,-684 ,-14,-112 ,-26 ,21,-25 ,25 ,16 ,17,9 ,24 ,-1340,156507414,-20,-27 ,13 ,-23,19,7 ,31 ,-16 ,-8],[-27,-26,6 ,-205706592,-14,-8,-5,66539648 ,14,-27 ,-25,-270284220 ,-10,12 ,-18 ,5,2 ,1582920 ,12 ,-2 ,-2233,31 ,-27 ,12,28246995,199408716,1161,-172476690 ,-1358,-28,29828512,7,894255600 ,16 ,700 ,-58525560,-104478561 ,-1,40231296,96779232 ,-12712410 ,26,-1090 ,8 ,23,2896,1066 ,-13,-10,1717 ,12 ,18 ,-4824 ,-34899600,7063200 ,2940 ,16 ,16 ,-29,252 ,-26],[-276,165123000 ,-18 ,-1518 ,-19,-228,-898560 ,-730 ,3,14 ,61063872 ,-14 ,-10154136 ,10 ,95290560 ,24 ,0 ,-2034,18 ,-30,4,19 ,46,-15,-9] ,[247864617 ,-170847600 ,-1053,-5688820,-273,-3264,1030 ,6,-26,242 ,-175262080 ,18 ,0 ,-2736 ,-25 ,-125586756,252,484,-23471289 ,-9019248 ,420 ,-15 ,1390,-5478 ,1030 ,-12 ,-6804 ,-19 ,-21,3364596,-2223,31,-24 ,3054420,12,290197650 ,-28 ,10,14],[482631552,-8 ,0 ,-864,6] ,[0,-2825,79493700,-1,1428 ,28 ,-22,23 ,18130560 ,-5,-26 ,-29881920,-21,16 ,14 ,-25,-3 ,-4818 ,-21,29,13 ,-376202232],[0,5,1582 ,30 ,-513603288,500780610 ,-31 ,-2043 ,59908080 ,23,-26,5112 ,163550070,-4 ,9 ,-416,265067640],[-508232308,20 ,17649920,18],[-33706920 ,-410,-104837820 ,30 ,-11,-82122184 ,238154462 ,-13,21,-15,-2970,-18 ,50004416,16128720 ,-1566 ,-25,-864,966,-3615],[890 ,330 ,161472 ,25898264,-672,25,-61383672,777 ,3 ,-77549160 ,-8 ,-23 ,315424018 ,-26633816,-478,-29,-285,4 ,-1224,-24,-22,-8,10,-783,-19 ,50882544 ,140 ,-63167580 ,-17,-15 ,2,8,4,-19,-24843240 ,227863950,-32059560,24574613,0,3990,-30,14,-22 ,24,24,6 ,16 ,-23 ,-17013360,-23,-2120 ,318,1064 ,3210,-12 ,148974896 ,-5784,-199563085 ,2,-352836441,-596892972 ,1035,5,28,736,131632644,-2387952,-13 ,2241 ,21,22,-23,-23667680 ,15 ,0,2 ,16,2640,1638] ,[3,0 ,26 ,5075 ,-14 ,19 ,-9 ,-220] ,[-19 ,-25,0 ,-11 ,-77435160] ,[1881 ,31,-260,8 ,14145120,18,-25713639 ,-19,448594925,-799 ,-21,-479287776 ,-4488,15 ,-6,-41394046,14,-294 ,20,-5 ,4368,26,27 ,-20 ,6,174531830],[-9118396 ,1375380 ,-396 ,28,-15 ,-1035,-548 ,-6,0,-28,1600 ,18,-4,-88277202 ,-738888 ,-5730 ,6200,13,-3556 ,-20 ,349046550 ,-414,2,-460539673 ,-3079692 ,-1188,25 ,-11 ,-8 ,5699220,-294068016 ,5,-27,-12 ,-15 ,14 ,12,6,1261 ,-15,-19,17 ,23 ,17 ,-188201160,9 ,-27,-4332,-20 ,18,37806470 ,-10 ,-26,-22 ,213 ,15,15 ,67378152 ,965 ,-30 ,-22851752,273948318 ,24 ,-53793180 ,27],[88882332 ,-3281 ,-29,0,0 ,-310317120 ,-20 ,-22 ,-30,-51519678,-498718945 ,28,-47449890 ,0,637080 ,31 ,28,30,-2670,-5,-16],[-11 ,390,2052,955,-6510,20 ,29,236758756,-4785] ,[0,855 ,-8,2,-16 ,-148512480 ,0,-218147265 ,-846 ,360,49703358,-6 ,42482220,-148656024,1,-7395,-57403500 ,121806720,-302,58447350 ,132507960,-13 ,-8 ,0,14,-21 ,-29,-564 ,21,12 ,22222468 ,11 ,4 ,15,14,186244380 ,15,-292719648,13,-16,-4 ,-88672880,21,-1026000 ,-28,-15,13 ,11,-1952 ,-4048,-17 ,-24 ,-30,4237,-16204599,-9,-550,27 ,-737],[10684960 ,26 ,792,-240,-18 ,2697 ,1] ,[6 ,397786312,4784514 ,-651,24,17,47879916 ,6708240,12 ,-29 ,3910,-1 ,-29 ,31 ,-822 ,-26,26,-2832,4248,1584 ,-7 ,8,17411600,-69101400,-19,-1887 ,5301,-4692,4 ,-29,1071,28,-14,-1521,-16,-20 ,-30,-6214 ,19,-24 ,3,18 ,-8,9 ,-31,15 ,-15 ,11 ,-301826616,0,-406817840,-19130085,17,-12 ,44821361,-19,475230720,-5 ,383364300,-5177,-70224000,4475,-1280 ,9 ,4 ,135666140 ,3,0 ,0 ,27 ,408882600,-17 ,-3924,-2,-25 ,8 ,5,-163214304 ,4401,-25,4 ,-690 ,-654,26,-18 ,-1242,24,18,23,249253200 ,-12 ,-12,-1440 ,29,5220,-30,-2744,6,-680 ,-9612720 ,31 ,19 ,6,-704,18258464 ,-17 ,-58287934,-108005760,416,-136 ,104311152 ,-29 ,27199040 ,-19 ,-16 ,-1926 ,-762 ,-1 ,7 ,-247 ,27,14 ,19 ,4,5300491,2,8,-170226360,28 ,110001672 ,-2227,8,-1,29],[-3,354451916 ,-6,-7 ,19 ,30,-213990016 ,-24,-23,-265031493,4,-13 ,-31820162 ,14 ,15 ,-15 ,-9535008 ,-44408736,24735900,108756570,-211,0,-99 ,-26,-24,-13 ,29,20 ,-3454,20 ,1917,514410468 ,2939976,19,23 ,-735 ,15,-19 ,1575,-25 ,-7,165655378,29 ,149618040,-10575552,0,3,7,-19 ,26 ,-28 ,-20,30,326,-29 ,-19,-9 ,161726616 ,-65771160,15,901 ,-580,-78258250,-123865308,-8 ,3948 ,-11,-8,-5236,-2,-978466 ,3 ,7409 ,-8,108,16 ,27,37092160] ,[4 ,6014 ,-186050976 ,-2028,5146 ,-1 ,-1884 ,-3192,-1701 ,-3 ,-6,-252,117453985,-27 ,27 ,3618,2140,2684 ,-6 ,-215197819,23 ,-25,6240,18,29,0 ,-12,-11 ,2717,-25,-28,-247 ,31 ,-55813464,-30],[-4725,702 ,30,-2840 ,166213351 ,-7 ,20 ,-1 ,-4,76,-3555,1096,4,8713200 ,57769740 ,30 ,23,-4 ,-7] ,[-3225 ,163819938,54614868 ,-238713552 ,13 ,24,15],[26,339442116 ,-4 ,76 ,74868480 ,4075,-189026383,10 ,1364 ,2240 ,-28,-450,-23,-27,-754650,50992500,19 ,18,-696240,-198698880 ,31 ,-1890,1,20 ,-136,-26,22 ,-29,13,27 ,-28 ,0 ,-14 ,3,0,6318 ,17,24,-28,0 ,2400 ,-430856400 ,-5066358 ,3],[-25,-7047],[-4032 ,549 ,-17 ,27716992 ,13473120,-2289,837 ,31 ,8 ,-594901944],[-15] ,[124317720 ,-580 ,-25 ,22 ,-15805970,27 ,-11 ,-21 ,-3486 ,13] ,[29 ,-13] ,[3,-18,-52787664 ,1135,-88 ,4991,-28,-3552 ,14487795,34021080 ,-2100,-44106216 ,-6 ,-216,1260,2070 ,-1854 ,-22 ,-1341 ,-1587,18617000,26356500,10485447 ,-24,-4394,27 ,3510 ,-30 ,-31952851 ,-18 ,-2,31,150 ,22 ,-74 ,3,-3300 ,-1552,3900,-376,67120704 ,2301312,1,-23 ,11 ,-29,-1,91577213 ,5520,0],[-2004300 ,0,-12 ,326332638 ,-13831818,-20 ,127072652,-3,13 ,1,2760 ,-15 ,-1712],[-26,-171753 ,-84823600,22,-486402147,25 ,472013580,10 ,-3,22 ,-4252932 ,-717336837 ,28,-18,17,-27,2300,-447120 ,4131,3956 ,8,4554,-391,-22 ,70797909 ,14,76 ,1,-149289400,7130,-5,-2626 ,-3451,-21,432646099 ,1958 ,24,1,31,-3080,255461696 ,18],[212402960] ,[9,4,-28,117984240,3840 ,9 ,-31,15 ,29 ,19254312 ,-24,-211963500 ,-23,-14 ,9,-25],[1650,53155872 ,-139994008 ,23,1 ,0,-364,-20,-139320610 ,12,-11372608 ,-417810,10 ,-21,210,1464,15 ,-18,15 ,4 ,-7766550,-22,11 ,193392 ,-6,-8 ,28,-27695160,-12127130,-49655340,-31,9,-158584218,310676544,6,27 ,2632,3,26,-9,-16,-17 ,0 ,1 ,-252 ,-2958,6,0,-25],[4060,-3375,-3420 ,-96327525,-339165000],[-7,-3 ,-4 ,-31],[-27 ,-15 ,3360,6846420,-15 ,0,-12 ,6,125034325 ,16184718,247873920,-26 ,232,-28 ,1440,21,131702571,24,-21,-17,-289912392 ,0 ,0,28 ,-1540,57003606,-4150 ,1 ,-31 ,20,3780,-26 ,-7122204,-3675,324 ,-40084786 ,14790238,124614704 ,-16],[452182830 ,14,-3 ,5,11 ,23,-2325 ,-2 ,-25,0,16,24 ,20,-4847040,165754314 ,18,-8,12,163,20 ,346752945,3000,-420877976,-23 ,-12,6,-26,-56,64488080] ,[3105,12,29 ,14] ,[1308 ,-3 ,4050,-379124550,-2522 ,-23,21 ,-1705,-873 ,-14649999,-23 ,-144682720,-15,-1880 ,-20 ,127601280 ,-21 ,0,-1564,42905984,23 ,-3276,0,-7,-3474 ,-3660,-9 ,-4 ,-30,1800 ,2 ,1,376920320 ,3129041 ,-18 ,-5 ,-4290 ,-9 ,31 ,529439814],[26 ,108 ,-10,-22,196,-585,3,-18,149848818,-14250240],[25 ,-692 ,-3906,310294040,-48471654,-1 ,-6,17,4180,-1964100 ,26,-3,-11,20,-93937473 ,-25 ,2,17,-25 ,23 ,770 ,-23,-545 ,2,9 ,-3289 ,682,0,1 ,30,30 ,-73012992,3420 ,26144076 ,-19,172 ,131136789 ,7 ,-1260,-825,-8,0 ,16 ,91103232,-6552 ,340468920 ,-18 ,-48828224,6],[-1748 ,-855324,72494298 ,-23,40292720,15,-21,26 ,-3 ,2548 ,26 ,-410032392,420 ,-29 ,28 ,39394296,19,1414,6,9 ,-19,-22 ,9738162,-29 ,8 ,18,31 ,30 ,341181708 ,-576,-2 ,-20,-2982 ,4220,3192] ,[-26,-26,4,-10,151967340 ,-21,1136 ,-66 ,-58540725,1533 ,-3500,1620,-1,-19,28 ,187124080,-5,20,-1595,0,-67055100,0,-3,10 ,-9553986,24 ,-5365 ,-55411776,49227948 ,23,24,-1872,-3225 ,20 ,-2176,18,285631890 ,4,-19,-25,-68592656 ,-5145,-3952 ,-9133306] ,[1648792,-78699390 ,-6,133358454,0,127693746 ,0 ,-25,0 ,3075016,0,-9353421 ,5,-29,-527 ,13 ,-2230 ,0 ,167554576,3514,-30 ,-240 ,3400,2757144,270 ,-316680624,90067200 ,9596710,-27,3542,-110760842,26 ,21,-475673022 ,21 ,-9 ,12,24494960,-64224696,-24 ,2520 ,357371190 ,30,-29,2,212 ,19,-1190 ,21,-10 ,-2 ,-21 ,0,-24 ,-3024,82,1,0,-112,0,-11 ,-31,66832470,29,434 ,180692370,27,-20 ,24185850 ,171745368,99865560 ,-115525840,0 ,1 ,1 ,2600,765,-91387464,-6,-132197454 ,27,-74,-110544098,26 ,-29,77874804,413550005,59963760,3540,-2530,2016 ,28 ,-10,30 ,20,1 ,3,41713444,-1323 ,69840120,-2,-2] ,[-28,-295589376,72707292 ,480719808,-26 ,5324 ,-4110 ,-26,552,-11 ,-350,10 ,-15,5,-29 ,12837930 ,-92 ,10,-24,-24,-13,-167246664 ,0,-18,-168,-26 ,-16 ,3450,16,-20,6,-5508 ,-2352 ,-18,-1467 ,-1140,14 ,87365750 ,-376479714 ,29651328,24,-405905214 ,122925600 ,31,-4599,-3,-1,0] ,[-882,24164973 ,-3267855 ,-1725003,134832900,7,-310859076 ,8249904,2662 ,-215,13 ,1152,1475,-30 ,29,689 ,0 ,-10 ,3795 ,-3,2 ,423658390,0,-22 ,-11 ,19,-24,17 ,3 ,369312762,-69569280 ,-840 ,2,-476,-72469323,-12 ,-30 ,990,29,-4,29 ,2124 ,20,495,97402905 ,395335603,-238844448,-4543236 ,-12 ,2070 ,15] ,[14 ,-14613750,12 ,-798,-11 ,-17,29 ,3777900,13 ,17 ,2716,-1056 ,4628 ,560,320466510 ,117868863,117,8879452,984 ,-16,6384 ,28 ,-7,16941600,142599852 ,-1480,-259653240 ,22 ,-5,-1020,252603360 ,29,-30 ,-22 ,0,-144503190 ,12,-9 ,-21 ,-1375 ,1645497] ,[108529824 ,7 ,-1025,656,54092640 ,12 ,-4,-1656 ,-16 ,-14 ,-27 ,-15,-31,-8,26 ,-642 ,4061,-2628780 ,-2700,-31079664,-512047055 ,-81148844 ,810 ,-3770,8 ,7285 ,-14,14 ,-18803343,2 ,16,9,-23 ,-6,68748328,-2 ,-28,-54555174,-14,-17,-12,-74 ,-2 ,20 ,340565760 ,201],[10 ,-22 ,-28 ,10,8 ,178270752,-1150,22 ,-11 ,-1398,-17 ,-2460 ,1824 ,946 ,-860 ,-7590 ,-7 ,89781000 ,-35513280 ,3 ,122710896,-4 ,-4738480,29,520,-1,-175348688 ,120341760 ,-658 ,-548523008,-67381144 ,21925683 ,47773236 ,17,-20 ,10 ,-14,-4480 ,-426,18,21 ,562102272 ,4515,93873432,-17,27 ,-3696,-552 ,-3,-3,11 ,37931400,-190565725,-19,-40226760 ,-5486],[13 ,-1700,6060],[23,740 ,40700166,11,5,29,25675104 ,5,40,15 ,-4,-28,2494,45760780 ,-3 ,10 ,-10,1,27 ,2432 ,-5 ,-81546630,20133540 ,80406560 ,-197247330,-5,-23 ,-19,1,-2 ,-43977400,-4508,28,20,8,-20,-192435880 ,-400440600 ,2912 ,-1,-491425440,-28 ,4129947 ,-12,-21 ,-16,550,19,6006 ,252 ,20,6,85660084,-491183592,2 ,-2,23769864 ,-4108 ,-636398400 ,26,166937568 ,23,115806600,-13,2704 ,-31 ,3,16 ,5 ,22 ,-104017914,242994720 ,-1716,-2436,-980,2604 ,21 ,-8 ,17,16,18 ,0,21,20879480,19410795 ,5,327006360,4925,-18 ,-5456,-18,-24,-20 ,-260234854,3,0 ,360,262992450 ,218608560,-15 ,1,-238,-1085 ,3 ,17,-2064 ,-236634801,2926 ,-298517184 ,20 ,-170],[1113 ,-27057888 ,30,4579 ,-157899384 ,-143 ,714 ,10,-9,-25 ,-5 ,-2772 ,12 ,4,-18576844 ,31,1256 ,-952,28,-256 ,-1 ,47411580 ,208 ,-13 ,2420,14 ,2352 ,2 ,1032 ,-6018528 ,-1026 ,6 ,-16 ,-3 ,-10 ,-544 ,-5] ,[-18 ,20,13 ,-22,89742450,0,30,-150,-184609320 ,-7] ,[29150100 ,-23,-12,-390,7071840,16 ,-451,-7,-21,60403152,4,-210 ,25,18,22 ,7350 ,-1,-462 ,3200 ,-69149484 ,-26 ,2460 ,6,-21] ,[-8 ,3185,27724476,-317469746 ,26,-27 ,7 ,4,-119802298,24 ,4960 ,6,12,-21 ,4300 ,26,-21,305324080,-402020772,2775 ,-97617277 ,9 ,-18 ,5,163144692 ,2261 ,-1068,-14] ,[-10,-23157660 ,3816 ,-25 ,240,16 ,-98315856,0 ,25,-20,-26779599,-3300,10,-375500903,31,-21,13,1872,16464000 ,28 ,-1,-6479] ,[-2520 ,2904,-419896120 ,-109098696,-1305 ,30 ,-7 ,0,-30 ,-21 ,-3 ,-26,512502767,5130 ,-181762372 ,-2780 ,19,2754,6125 ,-2856,4425,-410911788 ,3 ,31 ,12 ,29 ,4920 ,-1 ,390 ,2 ,24 ,-3382,-406 ,44786736 ,-4,24 ,-5944752 ,538383240,29,9 ,-13 ,-1454733,17 ,-71000976 ,-11 ,-3572 ,104,-12,31,-1691] ,[-20,21,0 ,-26175540,-34011120 ,29,15,15 ,182,-29 ,31 ,-7,5,-3465 ,13 ,-27 ,-29836992 ,21,5070,-150933276,-27 ,24 ,44983350 ,-2350,2673,12 ,-31 ,2250,-26 ,-14145000,18,21531312,26,-1920,2500 ,594 ,-1,-249 ,-164792628 ,-2 ,-8,-34453152 ,3 ,-7] ,[-3 ,150,-336311040 ,-24 ,-2205 ,4320,21 ,-14,31 ,25,-57851136,-17 ,22 ,-3],[-262251990 ,0,61747920 ,453302244,-11464704 ,-75850740,23 ,-5,-234145670,-3 ,30 ,20287017 ,-22,95308902 ,6458760,18,-84530592,18,-13,6,-13 ,78954057,56107000 ,-6900,428,18 ,-86625000 ,7466536,2552 ,-8290926,-25 ,18382600,0 ,529287696,25,2060 ,88141584,13,-1102 ,-448153160,2322,0 ,21 ,-141618375,-1870,-80788266,784,-86107032 ,-22 ,-21 ,6692,-191252880 ,-85158627 ,0,5,-4389,1860,-22 ,-20,3] ,[-592120320,30 ,1755,-36301475,0,29,14 ,17 ,17,-3,21,-184075398 ,73385447,1800687,-3,-8 ,121628913 ,7 ,1750 ,-24,3960,2964,42995232 ,29 ,-11,300597765 ,31012256 ,-16,2892 ,42054600],[26 ,-3,0 ,-22,160,0,3258840,-21,185895336,-3502 ,7 ,3661290,108 ,108804555,18,-45506340,-24 ,-13 ,0,-142857702 ,-21 ,-165349616,22 ,11,8 ,22 ,-30,-6 ,-5 ,920,-1612,52286475,30] ,[-8847696,-780 ,-1 ,0,20 ,177799509 ,3744 ,10427157 ,-4680 ,-76 ,-2180,18,-3912040,-15,5,8239374,-5736,2,-13 ,-10,2001046 ,74422845 ,-18 ,-3630 ,-47685000 ,2659392 ,9,23655300 ,-3,-4488 ,-12,-11,23 ,7 ,12 ,0 ,16,-2 ,-3211,-29 ,11,0 ,-250354260 ,-238 ,0,1468929 ,527,96271860 ,39963022 ,3979,4,-5,-504 ,25 ,-16,250180144 ,35091043 ,-3136 ,14,13 ,-13,-10 ,400 ,-25,-1197 ,-171 ,-23,-1570,13,18 ,-21,8,2 ,-103646970 ,27 ,87702784,264212940,13886378,25,-6348000 ,20 ,-2272 ,1586 ,-21 ,10,15 ,-47871792,1200,-456 ,320024208] ,[20 ,-166190700 ,21 ,22 ,4524,-3 ,-31],[-16,-41307420 ,-2,475202700 ,-32406000,-1792,2587296 ,207,386347000,-6 ,-13,19 ,190896096 ,0,-8,-745,-22 ,23,1212],[17,-222362560,-154951069 ,-14221792,512,-2175 ,-1001,-576,-2142 ,-3 ,-89438310 ,102616480 ,157615470,-135337986,30,644 ,6 ,-490 ,4,28,-8,10 ,255841536 ,-27,-4636440 ,-9 ,17,-80631590,238569786,-23,-9,-890,4340,-17 ,29,0 ,278,12 ,-19 ,-65165405,-782 ,-238 ,23 ,-3528,-5],[675,-1768,936,31,-381251226 ,-16 ,3654,-9 ,23 ,287601600,-2060 ,394880,-138511500,-11947936,4509,-4,3007 ,-4,70425290,27 ,-180433620,8366358 ,-31 ,-26,0 ,-990,27,2982,49597800] ,[-92456250,2436840,-31,0,2727,22971240 ,-20,0,-164,23,-5,-8199200 ,7,6,23 ,700,16,28,29,10,492,13,3760 ,-19,-1272 ,-13 ,12484104 ,861 ,1512,31],[397646982 ,25 ,9],[-4675 ,814 ,-26,3712,3 ,-15 ,-24 ,-21 ,28 ,7006,309446592 ,-5797 ,27 ,24,28 ,-5304 ,0,26 ,-25 ,21,-454475,22],[-102 ,1264 ,-18,1751250,-5 ,-25 ,7,23 ,924,-209630750,5 ,-366171330,-536085480,26,0 ,-41575040,22,-31,480 ,-2 ,-25,24 ,-17 ,21],[-12644544,-24 ,-115822005,-1,190042560,12841620 ,-10 ,6,3 ,-1502585,-18 ,-446003910,-162 ,-24865000,24,54932150,4620 ,-27,-23,-31,14,-4 ,859902568 ,23374728 ,-28415772 ,-110584800,7 ,-130756194 ,16 ,-123969780 ,30,11,84423534 ,9,27 ,-172224936 ,17 ,19 ,-2385 ,219956880,-1188],[93485448 ,13875840,-14885955,10,17 ,-12] ,[-4554 ,824 ,795 ,-2912 ,-20,23,26,-19 ,-7,15 ,53701380,5040,-9186690] ,[-3648,4712,-76 ,46871748 ,-1673 ,1,31796184 ,13 ,3872 ,13,955 ,-8541592,22,-33611602,60138180,13,-29 ,-2178 ,-459545520 ,2962120,-95500248 ,-5,-3,-31,2419380 ,2784,254594300,-8 ,30929760,-1337 ,17,9 ,0 ,0 ,961632],[-466569840,-26 ,209556900,6726645 ,-26 ,108112290 ,1666 ,-4625,-26,-1275372,8,-1125 ,26,4650,-46597815 ,-23 ,-2,140803677 ,26,-1233 ,-10,-824 ,-108590820 ,-6630,-594306076,21] ,[1 ,546,66110198,25 ,-608784363 ,12 ,21 ,-28 ,-7,25,15 ,0,-3,1344,-30 ,1496 ,5 ,-25,1 ,-3280,-5857024 ,28,-18,-30,84110832,1988,-3016 ,30,20 ,30,23437184,1330 ,35,-4 ,-12 ,-3968,234853830,505614060,640711384 ,21 ,-2184,-2,2231 ,-9,-5,-25,-920 ,1,3196,17,-22 ,-11,924 ,20,-2 ,-9 ,18 ,79583400],[-17,16388816 ,2 ,-135 ,60 ,708 ,-28 ,-14,-20,10,10080720 ,22,-21,35932650,18 ,5905380,-13 ,-10 ,32995080,31 ,-13,-25] ,[-364,35,12,255,-22559328 ,31,30 ,11503096,100566000,-1070,2340,7,-45786972,103558620,-340,16 ,302377519 ,21 ,28 ,-486,4,0,6 ,-2] ,[-17507952 ,4,-13],[18,-7,-4935,19 ,-12,-31 ,586269320 ,94248756 ,-14,-2,-9 ,1056 ,-17,-2240 ,-536,54269556 ,-373637544 ,19 ,-22 ,-185907696,77205960 ,-252,306,9,19,5,17,1188 ,-558 ,3381,23 ,118742400,6840 ,-2 ,-3420 ,458163720],[5684 ,26 ,-12 ,16,-11,-4698,164163285,40922910 ,447213690,7 ,2859885 ,98382200 ,67216810,17 ,-15,3696,5334,-12 ,-20 ,15,-5040,30,16020018,-4 ,-10321419 ,10,0 ,-16 ,6,21,-34251300 ,-13,20 ,19,99,510 ,242672724,-13] ,[-544293984,-30 ,-390 ,3726 ,-200 ,-18,3234,24,8,19,17040240,0,3,-139063320 ,-117010410,336,20 ,-1004,22609314 ,6 ,-1584,13,-35266560 ,-112822227,581416408 ,-17,-9 ,3,-5549,93279312 ,36349040 ,19,28311360,27],[11 ,-21 ,1340 ,108 ,546,3 ,113782548,-28 ,2 ,-25 ,90818400 ,12809988,462,178335625,-17 ,-812880636,88 ,-7] ,[-17 ,378 ,180155136,17 ,-21 ,-13 ,-13,23 ,31,-30,-10 ,-261623362 ,-1652 ,-12,-15277200 ,46070712,-20,-349139520,-9022862 ,17,532,3,119279250] ,[7 ,3247 ,-17,11 ,-21,810,-16 ,-2079 ,-22 ,-6 ,-25 ,6] ,[21 ,-16,-280,-352,319,21 ,-29] ,[0,6,-29378921 ,-1 ,-33256665 ,-7,197411994 ,-18 ,-24,-300 ,-28 ,27,1998,208728000,3 ,1392 ,-195,-31540992 ,25,84068600 ,-19856964 ,12 ,-27,-31 ,0 ,5308576 ,-4 ,-83394360,28 ,-306533190 ,-11 ,-132402256 ,14,3024,-12,16 ,-280768950,29210368 ,0,58397100 ,31 ,-31 ,-12 ,3 ,4620 ,-28,8,997440,27 ,4 ,2625 ,27,-67382718 ,9,639,103714200 ,-7,945 ,-1404],[-16,382 ,-26 ,1 ,10 ,-6,-17,-7 ,-20,-30,15,-2716,-27,5 ,19572570,-11,5,-2 ,9 ,59773440 ,-36112635 ,-10,144879644 ,16 ,36187200,58673855,2000,-116289420] ,[23]] yajl-ruby-1.4.3/spec/parsing/fixtures/pass.dc_simple_with_comments.json0000644000004100000410000000016714246427314026505 0ustar www-datawww-data{ "this": "is", // ignore this "really": "simple", /* ignore this too * / ** // (/ ******/ "json": "right?" } yajl-ruby-1.4.3/spec/parsing/fixtures/fail3.json0000644000004100000410000000004514246427314021632 0ustar www-datawww-data{unquoted_key: "keys must be quoted"}yajl-ruby-1.4.3/spec/parsing/fixtures/fail25.json0000644000004100000410000000003514246427314021715 0ustar www-datawww-data["tab character in string "] yajl-ruby-1.4.3/spec/parsing/fixtures/fail22.json0000644000004100000410000000004114246427314021707 0ustar www-datawww-data["Colon instead of comma": false]yajl-ruby-1.4.3/spec/parsing/fixtures/pass.twitter-search.json0000644000004100000410000001401014246427314024543 0ustar www-datawww-data{"results":[{"text":"@stroughtonsmith You need to add a "Favourites" tab to TC\/iPhone. Like what TwitterFon did. I can't WAIT for your Twitter App!! :) Any ETA?","to_user_id":815309,"to_user":"stroughtonsmith","from_user":"Shaun_R","id":1125687077,"from_user_id":855523,"iso_language_code":"en","profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/68778135\/Safari_Dude_normal.jpg","created_at":"Sat, 17 Jan 2009 06:14:13 +0000"},{"text":"Beginning to understand the Twitter world...and liking it.","to_user_id":null,"from_user":"AWheeler15","id":1125687050,"from_user_id":3694831,"iso_language_code":"en","profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/71564236\/Photo_2_normal.jpg","created_at":"Sat, 17 Jan 2009 06:14:11 +0000"},{"text":"@genar hehe, she cant twitter from work, hasnt got it set up on the phone, and on our workout nights generally the computer is untouched too","to_user_id":1089113,"to_user":"genar","from_user":"donro","id":1125687042,"from_user_id":1907789,"iso_language_code":"en","profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/68316085\/stef_and_don_normal.jpg","created_at":"Sat, 17 Jan 2009 06:14:11 +0000"},{"text":"My morning routine: mail, flickr, google reader, friendfeed, twitter replies http:\/\/ff.im\/-DMrn","to_user_id":null,"from_user":"hakandahlstrom","id":1125686913,"from_user_id":213116,"iso_language_code":"en","profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/67707376\/squarelg_normal.jpg","created_at":"Sat, 17 Jan 2009 06:14:04 +0000"},{"text":"@LeeCollins If you have not seen Lee's Website..Check it out ..Perfect layout. Also.. Twitter Photo tool","to_user_id":381690,"to_user":"leecollins","from_user":"MichaelGPerry","id":1125686877,"from_user_id":2765433,"iso_language_code":"en","profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/70614206\/MG_Perry_normal.JPG","created_at":"Sat, 17 Jan 2009 06:14:02 +0000"},{"text":"Just Buzzed My Blog:: New Friend @AlohaArlene Gets Twooted From Twitter http:\/\/tinyurl.com\/8hd7qy","to_user_id":null,"from_user":"BabyBloggerBrie","id":1125686854,"from_user_id":3593267,"iso_language_code":"nl","profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/70969980\/brie_normal.jpg","created_at":"Sat, 17 Jan 2009 06:14:02 +0000"},{"text":"Current will air the inauguration while streaming tweets from the twitter audience on the TV as we watch. Check it - http:\/\/ub0.cc\/7C\/2d","to_user_id":null,"from_user":"my3rdeye","id":1125686843,"from_user_id":2553098,"iso_language_code":"en","profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/67353656\/Charlie_Boognish_normal.jpg","created_at":"Sat, 17 Jan 2009 06:14:01 +0000"},{"text":"milestone: Twitter Grader has now graded 1,000,000 unique twitter accounts. Woo hoo! (via @grader)","to_user_id":null,"from_user":"christyitamoto","id":1125686812,"from_user_id":1549031,"iso_language_code":"en","profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/60294809\/MyPicture_normal.jpg","created_at":"Sat, 17 Jan 2009 06:13:59 +0000"},{"text":"Twitter-Yahoo Mashup Yields Impressive News Search Engine http:\/\/twurl.nl\/pg8sxs","to_user_id":null,"from_user":"synectic","id":1125686791,"from_user_id":2563073,"iso_language_code":"en","profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/67483750\/8yplOv7l.kokopelli_trans_normal.png","created_at":"Sat, 17 Jan 2009 06:13:58 +0000"},{"text":"RT: @sarahamrin You really know how to work Twitter. *scribbles another mark for Sarah on the International T.. http:\/\/tinyurl.com\/7xt8hb","to_user_id":null,"from_user":"howtotweets","id":1125686790,"from_user_id":3437258,"iso_language_code":"en","profile_image_url":"http:\/\/static.twitter.com\/images\/default_profile_normal.png","created_at":"Sat, 17 Jan 2009 06:13:58 +0000"},{"text":"IPhone App Reviews - Breaking News in the 09s: iPhone and Twitter: Breaking News in the 09s: iPhone and Twitter .. http:\/\/tinyurl.com\/922qcl","to_user_id":null,"from_user":"ifones","id":1125686749,"from_user_id":1412337,"iso_language_code":"en","profile_image_url":"http:\/\/static.twitter.com\/images\/default_profile_normal.png","created_at":"Sat, 17 Jan 2009 06:13:56 +0000"},{"text":"RT: @davidall's book about how to use twitter RULES!! You can get it here: http:\/\/tinyurl.com\/495nm2 http:\/\/tinyurl.com\/8kuva5","to_user_id":null,"from_user":"howtotweets","id":1125686716,"from_user_id":3437258,"iso_language_code":"en","profile_image_url":"http:\/\/static.twitter.com\/images\/default_profile_normal.png","created_at":"Sat, 17 Jan 2009 06:13:54 +0000"},{"text":"@ev new 2 twitter & already hooked, thx 4 the welcome. It's rough being a newbie","to_user_id":5621,"to_user":"ev","from_user":"jgordo","id":1125686687,"from_user_id":3696186,"iso_language_code":"en","profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/68508879\/Img00020_normal.jpg","created_at":"Sat, 17 Jan 2009 06:13:53 +0000"},{"text":"Twitter applicatie TweetDeck heeft een investering v $500k binnengehaald: http:\/\/twurl.nl\/gfei3i","to_user_id":null,"from_user":"gvenkdaily","id":1125686526,"from_user_id":230616,"iso_language_code":"nl","profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/55316327\/gvenkdaily-logo-vierkant_normal.png","created_at":"Sat, 17 Jan 2009 06:13:46 +0000"},{"text":"We are like Twitter Retards.. HA ha ha. I thought I was going to be gay, but I totally changed my mind after being chewed on the other night","to_user_id":null,"from_user":"Aroyal88","id":1125686475,"from_user_id":3219428,"iso_language_code":"en","profile_image_url":"http:\/\/static.twitter.com\/images\/default_profile_normal.png","created_at":"Sat, 17 Jan 2009 06:13:43 +0000"}],"since_id":0,"max_id":1125687077,"refresh_url":"?since_id=1125687077&q=twitter","results_per_page":15,"next_page":"?page=2&max_id=1125687077&q=twitter","completed_in":0.01338,"page":1,"query":"twitter"}yajl-ruby-1.4.3/spec/parsing/fixtures/pass.twitter-search2.json0000644000004100000410000001646314246427314024643 0ustar www-datawww-data{"results":[{"text":"RT @tmornini: Engine Yard Express = perfect way to test merb or rails deployment - http:\/\/express.engineyard.com\/","to_user_id":null,"from_user":"seanhealy","id":1429979943,"from_user_id":4485910,"iso_language_code":"en","source":"<a href="http:\/\/iconfactory.com\/software\/twitterrific">twitterrific<\/a>","profile_image_url":"https:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/62254150\/irish_noir_normal.jpg","created_at":"Wed, 01 Apr 2009 07:06:16 +0000"},{"text":"RT: Engine Yard Express = perfect way to test merb or rails deployment - http:\/\/express.engineyard.com\/ (via @digsby)","to_user_id":null,"from_user":"tmornini","id":1429966620,"from_user_id":168963,"iso_language_code":"en","source":"<a href="http:\/\/twitter.com\/">web<\/a>","profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/49018042\/Tom_Icon_64x64_normal.png","created_at":"Wed, 01 Apr 2009 07:02:00 +0000"},{"text":"Engine Yard Express = perfect way to test merb or rails deployment - http:\/\/express.engineyard.com\/","to_user_id":null,"from_user":"richardholland","id":1428644441,"from_user_id":1608628,"iso_language_code":"en","source":"<a href="http:\/\/www.digsby.com\/">digsby<\/a>","profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/63723025\/mesarah_normal.jpg","created_at":"Wed, 01 Apr 2009 02:07:30 +0000"},{"text":"RT @wycats: How to survive monster attacks. Some tips from your friends at EngineYard http:\/\/twitpic.com\/2nl7x","to_user_id":null,"from_user":"AmandaMorin","id":1427373261,"from_user_id":1756964,"iso_language_code":"en","source":"<a href="http:\/\/www.tweetdeck.com\/">TweetDeck<\/a>","profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/67971839\/avatar_normal.jpg","created_at":"Tue, 31 Mar 2009 22:19:29 +0000"},{"text":"engineyard added jarnold to mongrel: \n\n \n \n \n mongrel is at engineyard\/mongrel http:\/\/tinyurl.com\/dm7ldz","to_user_id":null,"from_user":"_snax","id":1427357028,"from_user_id":118386,"iso_language_code":"en","source":"<a href="http:\/\/twitterfeed.com">twitterfeed<\/a>","profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/19934062\/logo_large_normal.gif","created_at":"Tue, 31 Mar 2009 22:16:38 +0000"},{"text":"RT: LOL! RT @wycats:How to survive monster attacks. Some tips from your friends at EngineYard http:\/\/twitpic... http:\/\/tinyurl.com\/cgs2hj","to_user_id":null,"from_user":"howtotweets","id":1427228937,"from_user_id":3437258,"iso_language_code":"en","source":"<a href="http:\/\/twitterfeed.com">twitterfeed<\/a>","profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/81039760\/images_normal.jpg","created_at":"Tue, 31 Mar 2009 21:54:32 +0000"},{"text":"LOL! RT @wycats:How to survive monster attacks. Some tips from your friends at EngineYard http:\/\/twitpic.com\/2nl7x","to_user_id":null,"from_user":"tsykoduk","id":1427225099,"from_user_id":71236,"iso_language_code":"en","source":"<a href="http:\/\/www.nambu.com">Nambu<\/a>","profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/63278451\/Photo_33_normal.jpg","created_at":"Tue, 31 Mar 2009 21:53:52 +0000"},{"text":"RT @wycats: How to survive monster attacks. Some tips from your friends at EngineYard http:\/\/twitpic.com\/2nl7x","to_user_id":null,"from_user":"bratta","id":1427177698,"from_user_id":8376,"iso_language_code":"en","source":"<a href="http:\/\/thecosmicmachine.com\/eventbox\/">EventBox<\/a>","profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/80333638\/photo_normal.jpg","created_at":"Tue, 31 Mar 2009 21:45:46 +0000"},{"text":"additional infos on the engineyard outage: http:\/\/tinyurl.com\/cbhbkn","to_user_id":null,"from_user":"aentos","id":1427149457,"from_user_id":6459508,"iso_language_code":"en","source":"<a href="http:\/\/twitterfox.net\/">TwitterFox<\/a>","profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/66789130\/aentos_a_normal.png","created_at":"Tue, 31 Mar 2009 21:40:47 +0000"},{"text":"http:\/\/twitpic.com\/2nl9z - Surviving monster attacks. A PSA from your friends @engineyard","to_user_id":null,"from_user":"carllerche","id":1427108503,"from_user_id":880629,"iso_language_code":"en","source":"<a href="http:\/\/twitpic.com\/">TwitPic<\/a>","profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/56520194\/fry_coffee2_normal.jpg","created_at":"Tue, 31 Mar 2009 21:33:38 +0000"},{"text":"How to survive monster attacks. Some tips from your friends at EngineYard http:\/\/twitpic.com\/2nl7x","to_user_id":null,"from_user":"wycats","id":1427099726,"from_user_id":18414,"iso_language_code":"en","source":"<a href="http:\/\/twitterfon.net\/">TwitterFon<\/a>","profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/51747258\/Yehuda_-_Looking_at_Sky_normal.jpg","created_at":"Tue, 31 Mar 2009 21:32:07 +0000"},{"text":"RT @engineyard: Our CEO posted an update on yesterday's outage: http:\/\/bit.ly\/yA4p5 Good job keeping people in the loop!","to_user_id":null,"from_user":"fatnutz","id":1426857591,"from_user_id":706358,"iso_language_code":"en","source":"<a href="http:\/\/www.tweetdeck.com\/">TweetDeck<\/a>","profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/55573179\/snipe_normal.jpg","created_at":"Tue, 31 Mar 2009 20:50:21 +0000"},{"text":"loving our @entryway @engineyard solo instance, we built an integrity server in mins flat with @atmos lovely chef scripts: http:\/\/is.gd\/pVXw","to_user_id":null,"from_user":"gustin","id":1426653742,"from_user_id":3736601,"iso_language_code":"en","source":"<a href="http:\/\/83degrees.com\/to\/powertwitter">Power Twitter<\/a>","profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/116498033\/face_normal.png","created_at":"Tue, 31 Mar 2009 20:16:36 +0000"},{"text":"RT: Our CEO posted an update on yesterday's outage: http:\/\/bit.ly\/yA4p5 (via @engineyard)","to_user_id":null,"from_user":"tmornini","id":1426483075,"from_user_id":168963,"iso_language_code":"en","source":"<a href="http:\/\/twitter.com\/">web<\/a>","profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/49018042\/Tom_Icon_64x64_normal.png","created_at":"Tue, 31 Mar 2009 19:47:00 +0000"},{"text":"#engineyard #github very impressive - both the reason and the response - I must have missed the blog sorry","to_user_id":null,"from_user":"rickwindham","id":1426328592,"from_user_id":1819414,"iso_language_code":"en","source":"<a href="http:\/\/www.tweetdeck.com\/">TweetDeck<\/a>","profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/73617189\/me_new_normal.jpg","created_at":"Tue, 31 Mar 2009 19:16:30 +0000"}],"since_id":1386843259,"max_id":1429979943,"refresh_url":"?since_id=1429979943&q=engineyard","results_per_page":15,"next_page":"?page=2&max_id=1429979943&since_id=1386843259&q=engineyard","warning":"adjusted since_id, it was older than allowed","completed_in":0.037275,"page":1,"query":"engineyard"}yajl-ruby-1.4.3/spec/parsing/fixtures/pass.yelp.json0000644000004100000410000024040314246427314022556 0ustar www-datawww-data{"message": {"text": "OK", "code": 0, "version": 1.1000000000000001}, "businesses": [{"rating_img_url": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_4_half.png", "country_code": "US", "id": "7vqUGG9ZBZKOjOFPs8lEgQ", "is_closed": false, "city": "San Francisco", "mobile_url": "http://mobile.yelp.com/biz/7vqUGG9ZBZKOjOFPs8lEgQ", "review_count": 223, "zip": "94103", "state": "CA", "latitude": 37.775596, "rating_img_url_small": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_small_4_half.png", "address1": "1168 Folsom St", "address2": "", "address3": "", "phone": "4155031033", "state_code": "CA", "categories": [{"category_filter": "beer_and_wine", "search_url": "http://www.yelp.com/search?find_loc=1168+Folsom+St%2C+San+Francisco%2C+CA+94103&cflt=beer_and_wine", "name": "Beer, Wine & Spirits"}, {"category_filter": "wine_bars", "search_url": "http://www.yelp.com/search?find_loc=1168+Folsom+St%2C+San+Francisco%2C+CA+94103&cflt=wine_bars", "name": "Wine Bars"}], "photo_url": "http://static.px.yelp.com/bpthumb/QS62ET0YNIqDYzQlmeKtRQ/ms", "distance": 0.54462140798568726, "name": "The City Beer Store & Tasting Bar", "neighborhoods": [{"url": "http://www.yelp.com/search?find_loc=SOMA%2C+San+Francisco%2C+CA", "name": "SOMA"}], "url": "http://www.yelp.com/biz/the-city-beer-store-and-tasting-bar-san-francisco", "country": "USA", "avg_rating": 4.5, "longitude": -122.40933699999999, "photo_url_small": "http://static.px.yelp.com/bpthumb/QS62ET0YNIqDYzQlmeKtRQ/ss", "reviews": [{"rating_img_url_small": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_small_4.png", "user_photo_url_small": "http://static.px.yelp.com/upthumb/CjwEJm0_LW7l3Gtc96Nq_A/ss", "rating_img_url": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_4.png", "rating": 4, "mobile_uri": "http://mobile.yelp.com/biz/7vqUGG9ZBZKOjOFPs8lEgQ?srid=prmIARCGNmaIKQj-szj0FQ", "url": "http://www.yelp.com/biz/the-city-beer-store-and-tasting-bar-san-francisco#hrid:prmIARCGNmaIKQj-szj0FQ", "user_url": "http://www.yelp.com/user_details?userid=LnZUtFx6qTWs8NV6lAARxQ", "text_excerpt": "Not that I need to remind people of this awesome place, but I need to really drop some knowledge: It's cheaper to have a specialty brew here than to go to...", "user_photo_url": "http://static.px.yelp.com/upthumb/CjwEJm0_LW7l3Gtc96Nq_A/ms", "date": "2009-04-18", "user_name": "Lisa N.", "id": "prmIARCGNmaIKQj-szj0FQ"}, {"rating_img_url_small": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_small_5.png", "user_photo_url_small": "http://static.px.yelp.com/upthumb/fXjNyGsXPVjIHk46Y5dPrA/ss", "rating_img_url": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_5.png", "rating": 5, "mobile_uri": "http://mobile.yelp.com/biz/7vqUGG9ZBZKOjOFPs8lEgQ?srid=5U87A3dHbLN55unJLj0VjQ", "url": "http://www.yelp.com/biz/the-city-beer-store-and-tasting-bar-san-francisco#hrid:5U87A3dHbLN55unJLj0VjQ", "user_url": "http://www.yelp.com/user_details?userid=XDQCUG6dB_NntrZNsn5Frw", "text_excerpt": "Once in a while, I come across a place that I hesitate to write a review, because I want it to be a secret . . . because it is such a rare treasure. . .The...", "user_photo_url": "http://static.px.yelp.com/upthumb/fXjNyGsXPVjIHk46Y5dPrA/ms", "date": "2009-04-12", "user_name": "Su K.", "id": "5U87A3dHbLN55unJLj0VjQ"}, {"rating_img_url_small": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_small_5.png", "user_photo_url_small": "http://static.px.yelp.com/upthumb/Wzjwe41JVxcJ8S1T6FMJlQ/ss", "rating_img_url": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_5.png", "rating": 5, "mobile_uri": "http://mobile.yelp.com/biz/7vqUGG9ZBZKOjOFPs8lEgQ?srid=OhJUOg-CPz6JPs9l6p8xZg", "url": "http://www.yelp.com/biz/the-city-beer-store-and-tasting-bar-san-francisco#hrid:OhJUOg-CPz6JPs9l6p8xZg", "user_url": "http://www.yelp.com/user_details?userid=kzkAXy9mJS6gMljzC4xGXw", "text_excerpt": "This place absolutely rules! Forget BevMo or any other half assed excuse of a liquor store for trying to find the dankest of the dank.\n\nYou want REAL...", "user_photo_url": "http://static.px.yelp.com/upthumb/Wzjwe41JVxcJ8S1T6FMJlQ/ms", "date": "2009-04-10", "user_name": "Gary T.", "id": "OhJUOg-CPz6JPs9l6p8xZg"}], "nearby_url": "http://www.yelp.com/search?find_loc=1168+Folsom+St%2C+San+Francisco%2C+CA+94103"}, {"rating_img_url": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_4_half.png", "country_code": "US", "id": "bJm7lxFjXPTg1yJ3WBikMg", "is_closed": false, "city": "San Francisco", "mobile_url": "http://mobile.yelp.com/biz/bJm7lxFjXPTg1yJ3WBikMg", "review_count": 332, "zip": "94109", "state": "CA", "latitude": 37.787863000000002, "rating_img_url_small": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_small_4_half.png", "address1": "620 Post St", "address2": "", "address3": "", "phone": "4156743567", "state_code": "CA", "categories": [{"category_filter": "wine_bars", "search_url": "http://www.yelp.com/search?find_loc=620+Post+St%2C+San+Francisco%2C+CA+94109&cflt=wine_bars", "name": "Wine Bars"}], "photo_url": "http://static.px.yelp.com/bpthumb/K7_INof0EiUXR52hv5jfiQ/ms", "distance": 0.97077900171279907, "name": "The Hidden Vine", "neighborhoods": [{"url": "http://www.yelp.com/search?find_loc=Civic+Center%2FTenderloin%2C+San+Francisco%2C+CA", "name": "Civic Center/Tenderloin"}, {"url": "http://www.yelp.com/search?find_loc=Nob+Hill%2C+San+Francisco%2C+CA", "name": "Nob Hill"}], "url": "http://www.yelp.com/biz/the-hidden-vine-san-francisco", "country": "USA", "avg_rating": 4.5, "longitude": -122.41209499999999, "photo_url_small": "http://static.px.yelp.com/bpthumb/K7_INof0EiUXR52hv5jfiQ/ss", "reviews": [{"rating_img_url_small": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_small_5.png", "user_photo_url_small": "http://static.px.yelp.com/upthumb/yswMVVQ6HUVHHrs_5H5GPw/ss", "rating_img_url": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_5.png", "rating": 5, "mobile_uri": "http://mobile.yelp.com/biz/bJm7lxFjXPTg1yJ3WBikMg?srid=EHIPPWgySoXzd_YJpkjqyA", "url": "http://www.yelp.com/biz/the-hidden-vine-san-francisco#hrid:EHIPPWgySoXzd_YJpkjqyA", "user_url": "http://www.yelp.com/user_details?userid=M_4EmxzznybTzMwT7FDg_g", "text_excerpt": "I better write this before I forget about going here and how good it was. Too late! It's almost a fading memory. \n\nI do remember several kinds of wine,...", "user_photo_url": "http://static.px.yelp.com/upthumb/yswMVVQ6HUVHHrs_5H5GPw/ms", "date": "2009-04-16", "user_name": "Michael M.", "id": "EHIPPWgySoXzd_YJpkjqyA"}, {"rating_img_url_small": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_small_4.png", "user_photo_url_small": "http://static.px.yelp.com/upthumb/g9ivlET2xM1MFi_C_Ktrbg/ss", "rating_img_url": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_4.png", "rating": 4, "mobile_uri": "http://mobile.yelp.com/biz/bJm7lxFjXPTg1yJ3WBikMg?srid=0SEtOwc5fxrk9E4BzOX3Lg", "url": "http://www.yelp.com/biz/the-hidden-vine-san-francisco#hrid:0SEtOwc5fxrk9E4BzOX3Lg", "user_url": "http://www.yelp.com/user_details?userid=mg4gZL6QRMSX-lnLFyEKAg", "text_excerpt": "Best most quaint wine bar in town, try a flight of red or white, and enjoy the music and cozy European-style ambiance.", "user_photo_url": "http://static.px.yelp.com/upthumb/g9ivlET2xM1MFi_C_Ktrbg/ms", "date": "2009-04-16", "user_name": "PJ T.", "id": "0SEtOwc5fxrk9E4BzOX3Lg"}, {"rating_img_url_small": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_small_5.png", "user_photo_url_small": "http://static.px.yelp.com/upthumb/afmXmGSDfksrEhrEJauNJw/ss", "rating_img_url": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_5.png", "rating": 5, "mobile_uri": "http://mobile.yelp.com/biz/bJm7lxFjXPTg1yJ3WBikMg?srid=A3dtzAGxYjRb5lh1mUSOhg", "url": "http://www.yelp.com/biz/the-hidden-vine-san-francisco#hrid:A3dtzAGxYjRb5lh1mUSOhg", "user_url": "http://www.yelp.com/user_details?userid=qD51vvp5Zf5DgPEGy7yfDQ", "text_excerpt": "The terms, \"cozy\" and \"intimate\" have been used frequently in the reviews, and I can't think of better descriptives for The Hidden Vine. For a perpetual...", "user_photo_url": "http://static.px.yelp.com/upthumb/afmXmGSDfksrEhrEJauNJw/ms", "date": "2009-04-15", "user_name": "Marsha Z.", "id": "A3dtzAGxYjRb5lh1mUSOhg"}], "nearby_url": "http://www.yelp.com/search?find_loc=620+Post+St%2C+San+Francisco%2C+CA+94109"}, {"rating_img_url": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_4_half.png", "country_code": "US", "id": "rPwB56EQ9JfEo2mN24fqOQ", "is_closed": false, "city": "San Francisco", "mobile_url": "http://mobile.yelp.com/biz/rPwB56EQ9JfEo2mN24fqOQ", "review_count": 63, "zip": "94122", "state": "CA", "latitude": 37.765385700000003, "rating_img_url_small": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_small_4_half.png", "address1": "1849 Lincoln Way", "address2": "", "address3": "", "phone": "4152429930", "state_code": "CA", "categories": [{"category_filter": "sportsbars", "search_url": "http://www.yelp.com/search?find_loc=1849+Lincoln+Way%2C+San+Francisco%2C+CA+94122&cflt=sportsbars", "name": "Sports Bars"}, {"category_filter": "pubs", "search_url": "http://www.yelp.com/search?find_loc=1849+Lincoln+Way%2C+San+Francisco%2C+CA+94122&cflt=pubs", "name": "Pubs"}], "photo_url": "http://static.px.yelp.com/bpthumb/Qi-qAAMOBSuXunNQMb2ttw/ms", "distance": 3.2772026062011719, "name": "Chug Pub", "neighborhoods": [], "url": "http://www.yelp.com/biz/chug-pub-san-francisco", "country": "USA", "avg_rating": 4.5, "longitude": -122.4780387, "photo_url_small": "http://static.px.yelp.com/bpthumb/Qi-qAAMOBSuXunNQMb2ttw/ss", "reviews": [{"rating_img_url_small": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_small_4.png", "user_photo_url_small": "http://static.px.yelp.com/upthumb/hYTM9RV4e8642z2NCNty2A/ss", "rating_img_url": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_4.png", "rating": 4, "mobile_uri": "http://mobile.yelp.com/biz/rPwB56EQ9JfEo2mN24fqOQ?srid=jLYJ2se_DN73QiAogNfnJQ", "url": "http://www.yelp.com/biz/chug-pub-san-francisco#hrid:jLYJ2se_DN73QiAogNfnJQ", "user_url": "http://www.yelp.com/user_details?userid=RjQkoF8llTiXoO1bc4gOMQ", "text_excerpt": "Okay, so we met a couple of girls who brought us to this place late Monday night.... we got closed out on the other restaurant and we wanted to have a few...", "user_photo_url": "http://static.px.yelp.com/upthumb/hYTM9RV4e8642z2NCNty2A/ms", "date": "2009-04-08", "user_name": "John R.", "id": "jLYJ2se_DN73QiAogNfnJQ"}, {"rating_img_url_small": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_small_5.png", "user_photo_url_small": "http://static.px.yelp.com/upthumb/nXk12V7x30v9LUoTye0gsw/ss", "rating_img_url": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_5.png", "rating": 5, "mobile_uri": "http://mobile.yelp.com/biz/rPwB56EQ9JfEo2mN24fqOQ?srid=kZgc0_KkkGy0cmi2C7fEHA", "url": "http://www.yelp.com/biz/chug-pub-san-francisco#hrid:kZgc0_KkkGy0cmi2C7fEHA", "user_url": "http://www.yelp.com/user_details?userid=ipleTHGh9KR8hO5U1yxzXw", "text_excerpt": "I'm all for phallic innuendo. The sexual implications of beer bongs is not lost on me and I adore the flavor of Blowjobs and yes I do like whipped cream on...", "user_photo_url": "http://static.px.yelp.com/upthumb/nXk12V7x30v9LUoTye0gsw/ms", "date": "2009-04-06", "user_name": "jay h.", "id": "kZgc0_KkkGy0cmi2C7fEHA"}, {"rating_img_url_small": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_small_4.png", "user_photo_url_small": "http://static.px.yelp.com/upthumb/QNtJA5nm_FuSnwTzVcXhag/ss", "rating_img_url": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_4.png", "rating": 4, "mobile_uri": "http://mobile.yelp.com/biz/rPwB56EQ9JfEo2mN24fqOQ?srid=o45vWqKfPlGTSaYwK7Ziug", "url": "http://www.yelp.com/biz/chug-pub-san-francisco#hrid:o45vWqKfPlGTSaYwK7Ziug", "user_url": "http://www.yelp.com/user_details?userid=21SRsnSJqvk3gWXY1iDRiQ", "text_excerpt": "This is a great place to go for nachos. They also have a great special. Last time I was there it was a shot of Cobo Wabo and a Pabst for $6. It has a...", "user_photo_url": "http://static.px.yelp.com/upthumb/QNtJA5nm_FuSnwTzVcXhag/ms", "date": "2009-03-17", "user_name": "Jared S.", "id": "o45vWqKfPlGTSaYwK7Ziug"}], "nearby_url": "http://www.yelp.com/search?find_loc=1849+Lincoln+Way%2C+San+Francisco%2C+CA+94122"}, {"rating_img_url": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_4_half.png", "country_code": "US", "id": "z_kf-vKkCLI1WTnEBSPudw", "is_closed": false, "city": "San Francisco", "mobile_url": "http://mobile.yelp.com/biz/z_kf-vKkCLI1WTnEBSPudw", "review_count": 68, "zip": "94103", "state": "CA", "latitude": 37.786693, "rating_img_url_small": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_small_4_half.png", "address1": "757 Market St.", "address2": "Inside The Four Seasons", "address3": "", "phone": "4156333000", "state_code": "CA", "categories": [{"category_filter": "lounges", "search_url": "http://www.yelp.com/search?find_loc=757+Market+St.%2C+San+Francisco%2C+CA+94103&cflt=lounges", "name": "Lounges"}], "photo_url": "http://static.px.yelp.com/bpthumb/anR-QVqjMYDupPLYJ5lqwQ/ms", "distance": 1.1350789070129395, "name": "The Bar At The Four Seasons", "neighborhoods": [{"url": "http://www.yelp.com/search?find_loc=SOMA%2C+San+Francisco%2C+CA", "name": "SOMA"}, {"url": "http://www.yelp.com/search?find_loc=Union+Square%2C+San+Francisco%2C+CA", "name": "Union Square"}], "url": "http://www.yelp.com/biz/the-bar-at-the-four-seasons-san-francisco", "country": "USA", "avg_rating": 4.5, "longitude": -122.404662, "photo_url_small": "http://static.px.yelp.com/bpthumb/anR-QVqjMYDupPLYJ5lqwQ/ss", "reviews": [{"rating_img_url_small": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_small_3.png", "user_photo_url_small": "http://static.px.yelp.com/upthumb/t4zvXYHqYmm-QW0-Te2j1g/ss", "rating_img_url": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_3.png", "rating": 3, "mobile_uri": "http://mobile.yelp.com/biz/z_kf-vKkCLI1WTnEBSPudw?srid=1IlPciKzq2Z0SZrsLSANsA", "url": "http://www.yelp.com/biz/the-bar-at-the-four-seasons-san-francisco#hrid:1IlPciKzq2Z0SZrsLSANsA", "user_url": "http://www.yelp.com/user_details?userid=UBAfc-KuDXV8XLurou_i6g", "text_excerpt": "Love the wine selection and \"lambsicles\"...Dee lish! \n\nFour Seasons pricing but of course ;) but a nice place to grab drinks with a few friends or larger...", "user_photo_url": "http://static.px.yelp.com/upthumb/t4zvXYHqYmm-QW0-Te2j1g/ms", "date": "2009-04-06", "user_name": "Abby W.", "id": "1IlPciKzq2Z0SZrsLSANsA"}, {"rating_img_url_small": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_small_4.png", "user_photo_url_small": "http://static.px.yelp.com/static/20090416/i/new/gfx/blank_user_extra_small.gif", "rating_img_url": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_4.png", "rating": 4, "mobile_uri": "http://mobile.yelp.com/biz/z_kf-vKkCLI1WTnEBSPudw?srid=oia-XcRxPrqwx11GtCuw8Q", "url": "http://www.yelp.com/biz/the-bar-at-the-four-seasons-san-francisco#hrid:oia-XcRxPrqwx11GtCuw8Q", "user_url": "http://www.yelp.com/user_details?userid=1O1MfZlHbQx_U5G47a90JA", "text_excerpt": "This would be a 5, but I did not really like the dried peas and spicy almonds. Other than that the service was a 5. Wish i could remember the waitresses...", "user_photo_url": "http://static.px.yelp.com/static/20090416/i/new/gfx/blank_user_small.gif", "date": "2009-03-23", "user_name": "Michael T.", "id": "oia-XcRxPrqwx11GtCuw8Q"}, {"rating_img_url_small": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_small_4.png", "user_photo_url_small": "http://static.px.yelp.com/upthumb/3loDhmkFIGyUQDATuo6e1Q/ss", "rating_img_url": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_4.png", "rating": 4, "mobile_uri": "http://mobile.yelp.com/biz/z_kf-vKkCLI1WTnEBSPudw?srid=Ez_hn7-Kor2EZ38lO37jMQ", "url": "http://www.yelp.com/biz/the-bar-at-the-four-seasons-san-francisco#hrid:Ez_hn7-Kor2EZ38lO37jMQ", "user_url": "http://www.yelp.com/user_details?userid=rdSJ_jlij_2x5glkrEEZxg", "text_excerpt": "My second favorite hotel cocktail bar! \n\nThe old man inside of me loves that I can go drink here with friends, meet a date, or even stop in for a proper...", "user_photo_url": "http://static.px.yelp.com/upthumb/3loDhmkFIGyUQDATuo6e1Q/ms", "date": "2009-03-15", "user_name": "Sean W.", "id": "Ez_hn7-Kor2EZ38lO37jMQ"}], "nearby_url": "http://www.yelp.com/search?find_loc=757+Market+St.%2C+San+Francisco%2C+CA+94103"}, {"rating_img_url": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_4_half.png", "country_code": "US", "id": "QCQ3WN7hd9xMPs2_ycHa_A", "is_closed": false, "city": "San Francisco", "mobile_url": "http://mobile.yelp.com/biz/QCQ3WN7hd9xMPs2_ycHa_A", "review_count": 160, "zip": "94112", "state": "CA", "latitude": 37.714413999999998, "rating_img_url_small": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_small_4_half.png", "address1": "1166 Geneva Ave", "address2": "", "address3": "", "phone": "4159631713", "state_code": "CA", "categories": [{"category_filter": "divebars", "search_url": "http://www.yelp.com/search?find_loc=1166+Geneva+Ave%2C+San+Francisco%2C+CA+94112&cflt=divebars", "name": "Dive Bars"}, {"category_filter": "soulfood", "search_url": "http://www.yelp.com/search?find_loc=1166+Geneva+Ave%2C+San+Francisco%2C+CA+94112&cflt=soulfood", "name": "Soul Food"}], "photo_url": "http://static.px.yelp.com/bpthumb/ANbY5m01ROgbtzteMQNIxw/ms", "distance": 4.2946634292602539, "name": "Broken Record", "neighborhoods": [], "url": "http://www.yelp.com/biz/broken-record-san-francisco", "country": "USA", "avg_rating": 4.5, "longitude": -122.43676000000001, "photo_url_small": "http://static.px.yelp.com/bpthumb/ANbY5m01ROgbtzteMQNIxw/ss", "reviews": [{"rating_img_url_small": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_small_5.png", "user_photo_url_small": "http://static.px.yelp.com/upthumb/lLF6FjlIh_9itgOeqvjW6w/ss", "rating_img_url": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_5.png", "rating": 5, "mobile_uri": "http://mobile.yelp.com/biz/QCQ3WN7hd9xMPs2_ycHa_A?srid=0xMF-emnZXwMxpLdx7AmeQ", "url": "http://www.yelp.com/biz/broken-record-san-francisco#hrid:0xMF-emnZXwMxpLdx7AmeQ", "user_url": "http://www.yelp.com/user_details?userid=k4oMdCSDqa_1iP3hVaozZA", "text_excerpt": "Seriously, the food here is amazing. I recently tried out the smoked tofu sandwich! OMG, it is OFF THE CHIZZAIN!\n\nIt reminded me of a Bahn Mi aka Vietnamese...", "user_photo_url": "http://static.px.yelp.com/upthumb/lLF6FjlIh_9itgOeqvjW6w/ms", "date": "2009-04-16", "user_name": "Sheila S.", "id": "0xMF-emnZXwMxpLdx7AmeQ"}, {"rating_img_url_small": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_small_3.png", "user_photo_url_small": "http://static.px.yelp.com/upthumb/5ZWqY4DRQ3X67uEbiFBv9Q/ss", "rating_img_url": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_3.png", "rating": 3, "mobile_uri": "http://mobile.yelp.com/biz/QCQ3WN7hd9xMPs2_ycHa_A?srid=VZ50hhJuPJwjHF2t9UZ0HA", "url": "http://www.yelp.com/biz/broken-record-san-francisco#hrid:VZ50hhJuPJwjHF2t9UZ0HA", "user_url": "http://www.yelp.com/user_details?userid=P7_vx8jtm7tNz38N1H1NWw", "text_excerpt": "Yes, yes, I know -- when in the Excelsior, it's the only game in town, as R and I found out only too well tonight when we committed the unspeakable sin of...", "user_photo_url": "http://static.px.yelp.com/upthumb/5ZWqY4DRQ3X67uEbiFBv9Q/ms", "date": "2009-04-15", "user_name": "Chad P.", "id": "VZ50hhJuPJwjHF2t9UZ0HA"}, {"rating_img_url_small": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_small_5.png", "user_photo_url_small": "http://static.px.yelp.com/static/20090416/i/new/gfx/blank_user_extra_small.gif", "rating_img_url": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_5.png", "rating": 5, "mobile_uri": "http://mobile.yelp.com/biz/QCQ3WN7hd9xMPs2_ycHa_A?srid=KA6C2DQShJhY4TQIT9Whbw", "url": "http://www.yelp.com/biz/broken-record-san-francisco#hrid:KA6C2DQShJhY4TQIT9Whbw", "user_url": "http://www.yelp.com/user_details?userid=fjNmLQcw2oSYhUASdlo27w", "text_excerpt": "You can expect all levels of comfort and excitement from the first and last time you come here. Meeting unforgettable people such as Bret (the lively, yet...", "user_photo_url": "http://static.px.yelp.com/static/20090416/i/new/gfx/blank_user_small.gif", "date": "2009-04-08", "user_name": "Kristoffer C.", "id": "KA6C2DQShJhY4TQIT9Whbw"}], "nearby_url": "http://www.yelp.com/search?find_loc=1166+Geneva+Ave%2C+San+Francisco%2C+CA+94112"}, {"rating_img_url": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_4_half.png", "country_code": "US", "id": "kM64kcWiK3TqhB0HeAUGeg", "is_closed": false, "city": "San Francisco", "mobile_url": "http://mobile.yelp.com/biz/kM64kcWiK3TqhB0HeAUGeg", "review_count": 114, "zip": "94123", "state": "CA", "latitude": 37.798518000000001, "rating_img_url_small": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_small_4_half.png", "address1": "1514 Union St", "address2": "", "address3": "", "phone": "4159282414", "state_code": "CA", "categories": [{"category_filter": "pubs", "search_url": "http://www.yelp.com/search?find_loc=1514+Union+St%2C+San+Francisco%2C+CA+94123&cflt=pubs", "name": "Pubs"}], "photo_url": "http://static.px.yelp.com/bpthumb/_Q0KPbKmAgQeLrcOgajjwA/ms", "distance": 1.6471928358078003, "name": "The Black Horse London Pub", "neighborhoods": [{"url": "http://www.yelp.com/search?find_loc=Marina%2FCow+Hollow%2C+San+Francisco%2C+CA", "name": "Marina/Cow Hollow"}], "url": "http://www.yelp.com/biz/the-black-horse-london-pub-san-francisco", "country": "USA", "avg_rating": 4.5, "longitude": -122.42431500000001, "photo_url_small": "http://static.px.yelp.com/bpthumb/_Q0KPbKmAgQeLrcOgajjwA/ss", "reviews": [{"rating_img_url_small": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_small_5.png", "user_photo_url_small": "http://static.px.yelp.com/upthumb/vAKX9CLC4EJDm9X_YvP4WQ/ss", "rating_img_url": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_5.png", "rating": 5, "mobile_uri": "http://mobile.yelp.com/biz/kM64kcWiK3TqhB0HeAUGeg?srid=henYRKh-HFv-f0q25OrK-A", "url": "http://www.yelp.com/biz/the-black-horse-london-pub-san-francisco#hrid:henYRKh-HFv-f0q25OrK-A", "user_url": "http://www.yelp.com/user_details?userid=xZ1htr_9ZiOamddSoDWMqw", "text_excerpt": "Finding a place like this is why I am addicted to yelping. I am visiting the city for a conference and I wanted to find some local flavor and stay away...", "user_photo_url": "http://static.px.yelp.com/upthumb/vAKX9CLC4EJDm9X_YvP4WQ/ms", "date": "2009-04-18", "user_name": "Juliana M.", "id": "henYRKh-HFv-f0q25OrK-A"}, {"rating_img_url_small": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_small_1.png", "user_photo_url_small": "http://static.px.yelp.com/upthumb/9s2WKYMKnCM4FwBLNTifyA/ss", "rating_img_url": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_1.png", "rating": 1, "mobile_uri": "http://mobile.yelp.com/biz/kM64kcWiK3TqhB0HeAUGeg?srid=bwfzeVc_6gto9kFN_dXwZw", "url": "http://www.yelp.com/biz/the-black-horse-london-pub-san-francisco#hrid:bwfzeVc_6gto9kFN_dXwZw", "user_url": "http://www.yelp.com/user_details?userid=K1NLdTfT1IizE-6smhsSug", "text_excerpt": "REALLY??? I've been coming here for the last 8 or so years and I have never seen such a horrible sight before in such a beautiful place...PBR cans on the...", "user_photo_url": "http://static.px.yelp.com/upthumb/9s2WKYMKnCM4FwBLNTifyA/ms", "date": "2009-04-16", "user_name": "Creamy A.", "id": "bwfzeVc_6gto9kFN_dXwZw"}, {"rating_img_url_small": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_small_4.png", "user_photo_url_small": "http://static.px.yelp.com/upthumb/wwoUpPp1AG2REqM-tONdYw/ss", "rating_img_url": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_4.png", "rating": 4, "mobile_uri": "http://mobile.yelp.com/biz/kM64kcWiK3TqhB0HeAUGeg?srid=Zau3gO0fZmnLrwf_MeDDVQ", "url": "http://www.yelp.com/biz/the-black-horse-london-pub-san-francisco#hrid:Zau3gO0fZmnLrwf_MeDDVQ", "user_url": "http://www.yelp.com/user_details?userid=dpEtyfB2o7MH1Mc_Ygoolg", "text_excerpt": "I came here for the first time last night and it's a really cool place. James was bartending and he's a really friendly guy. I tried the Kasteel Cru -- a...", "user_photo_url": "http://static.px.yelp.com/upthumb/wwoUpPp1AG2REqM-tONdYw/ms", "date": "2009-04-07", "user_name": "Aaron V.", "id": "Zau3gO0fZmnLrwf_MeDDVQ"}], "nearby_url": "http://www.yelp.com/search?find_loc=1514+Union+St%2C+San+Francisco%2C+CA+94123"}, {"rating_img_url": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_4_half.png", "country_code": "US", "id": "5Ebc8-ecaLuaLDjKnmY7eg", "is_closed": false, "city": "San Francisco", "mobile_url": "http://mobile.yelp.com/biz/5Ebc8-ecaLuaLDjKnmY7eg", "review_count": 43, "zip": "94109", "state": "CA", "latitude": 37.79712, "rating_img_url_small": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_small_4_half.png", "address1": "2211 Polk St", "address2": "", "address3": "", "phone": "4156732211", "state_code": "CA", "categories": [{"category_filter": "divebars", "search_url": "http://www.yelp.com/search?find_loc=2211+Polk+St%2C+San+Francisco%2C+CA+94109&cflt=divebars", "name": "Dive Bars"}], "photo_url": "http://static.px.yelp.com/bpthumb/IXDxbdklFZPJOHHM2rSzVw/ms", "distance": 1.5348267555236816, "name": "Cresta's Twenty Two Eleven Club", "neighborhoods": [{"url": "http://www.yelp.com/search?find_loc=Russian+Hill%2C+San+Francisco%2C+CA", "name": "Russian Hill"}], "url": "http://www.yelp.com/biz/crestas-twenty-two-eleven-club-san-francisco", "country": "USA", "avg_rating": 4.5, "longitude": -122.42204099999999, "photo_url_small": "http://static.px.yelp.com/bpthumb/IXDxbdklFZPJOHHM2rSzVw/ss", "reviews": [{"rating_img_url_small": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_small_1.png", "user_photo_url_small": "http://static.px.yelp.com/static/20090416/i/new/gfx/blank_user_extra_small.gif", "rating_img_url": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_1.png", "rating": 1, "mobile_uri": "http://mobile.yelp.com/biz/5Ebc8-ecaLuaLDjKnmY7eg?srid=PLzThYFVEqlMWIp1j8FVjA", "url": "http://www.yelp.com/biz/crestas-twenty-two-eleven-club-san-francisco#hrid:PLzThYFVEqlMWIp1j8FVjA", "user_url": "http://www.yelp.com/user_details?userid=QmmdnVRrxAZLm76-8OTD7Q", "text_excerpt": "The youngish female bartender is a bitch!", "user_photo_url": "http://static.px.yelp.com/static/20090416/i/new/gfx/blank_user_small.gif", "date": "2009-04-02", "user_name": "Adrian B.", "id": "PLzThYFVEqlMWIp1j8FVjA"}, {"rating_img_url_small": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_small_4.png", "user_photo_url_small": "http://static.px.yelp.com/upthumb/iAufJ9qyXdH0n36yWkOCag/ss", "rating_img_url": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_4.png", "rating": 4, "mobile_uri": "http://mobile.yelp.com/biz/5Ebc8-ecaLuaLDjKnmY7eg?srid=EsRVbt4a0PVZLVQJcqslwg", "url": "http://www.yelp.com/biz/crestas-twenty-two-eleven-club-san-francisco#hrid:EsRVbt4a0PVZLVQJcqslwg", "user_url": "http://www.yelp.com/user_details?userid=1D5EQITb4hOzPMZT8gDPQQ", "text_excerpt": "This place kind of makes me laugh, probably because I never would have known how it existed until I discovered it in a pretty unusual way... So I was...", "user_photo_url": "http://static.px.yelp.com/upthumb/iAufJ9qyXdH0n36yWkOCag/ms", "date": "2009-02-08", "user_name": "Krista S.", "id": "EsRVbt4a0PVZLVQJcqslwg"}, {"rating_img_url_small": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_small_4.png", "user_photo_url_small": "http://static.px.yelp.com/upthumb/S1x1MObQYQTRCrcxwal8Dw/ss", "rating_img_url": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_4.png", "rating": 4, "mobile_uri": "http://mobile.yelp.com/biz/5Ebc8-ecaLuaLDjKnmY7eg?srid=Bzq9fk2KAlSDNJYoYZwzSA", "url": "http://www.yelp.com/biz/crestas-twenty-two-eleven-club-san-francisco#hrid:Bzq9fk2KAlSDNJYoYZwzSA", "user_url": "http://www.yelp.com/user_details?userid=xADAW32u15sgA18Hfy9PsQ", "text_excerpt": "where everybody knows your name.\n\nwell, they're not mindreaders... so they don't know your name cause you haven't been there. if you have been there, then...", "user_photo_url": "http://static.px.yelp.com/upthumb/S1x1MObQYQTRCrcxwal8Dw/ms", "date": "2009-01-19", "user_name": "Kevin F.", "id": "Bzq9fk2KAlSDNJYoYZwzSA"}], "nearby_url": "http://www.yelp.com/search?find_loc=2211+Polk+St%2C+San+Francisco%2C+CA+94109"}, {"rating_img_url": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_4_half.png", "country_code": "US", "id": "3K82F5PA3OSU8-LzWDfgHg", "is_closed": false, "city": "San Francisco", "mobile_url": "http://mobile.yelp.com/biz/3K82F5PA3OSU8-LzWDfgHg", "review_count": 138, "zip": "94110", "state": "CA", "latitude": 37.739147000000003, "rating_img_url_small": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_small_4_half.png", "address1": "424 Cortland Ave", "address2": "", "address3": "", "phone": "4156473099", "state_code": "CA", "categories": [{"category_filter": "gaybars", "search_url": "http://www.yelp.com/search?find_loc=424+Cortland+Ave%2C+San+Francisco%2C+CA+94110&cflt=gaybars", "name": "Gay Bars"}, {"category_filter": "divebars", "search_url": "http://www.yelp.com/search?find_loc=424+Cortland+Ave%2C+San+Francisco%2C+CA+94110&cflt=divebars", "name": "Dive Bars"}], "photo_url": "http://static.px.yelp.com/bpthumb/zYyt2w6e_gBAOmIVBUqRPA/ms", "distance": 2.4808199405670166, "name": "Wild Side West", "neighborhoods": [{"url": "http://www.yelp.com/search?find_loc=Bernal+Heights%2C+San+Francisco%2C+CA", "name": "Bernal Heights"}], "url": "http://www.yelp.com/biz/wild-side-west-san-francisco", "country": "USA", "avg_rating": 4.5, "longitude": -122.41716, "photo_url_small": "http://static.px.yelp.com/bpthumb/zYyt2w6e_gBAOmIVBUqRPA/ss", "reviews": [{"rating_img_url_small": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_small_4.png", "user_photo_url_small": "http://static.px.yelp.com/upthumb/l80OO5ruhFcYFiUjNX-Y9w/ss", "rating_img_url": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_4.png", "rating": 4, "mobile_uri": "http://mobile.yelp.com/biz/3K82F5PA3OSU8-LzWDfgHg?srid=qfBP6DYib_Jq97XZdSKqRg", "url": "http://www.yelp.com/biz/wild-side-west-san-francisco#hrid:qfBP6DYib_Jq97XZdSKqRg", "user_url": "http://www.yelp.com/user_details?userid=IUEkE8T7SvEw4LXSWSOknw", "text_excerpt": "This place is fun if you want to go and chill and have a conversation. Say...for a first date. I recommend going early (so maybe a place to go before you...", "user_photo_url": "http://static.px.yelp.com/upthumb/l80OO5ruhFcYFiUjNX-Y9w/ms", "date": "2009-04-15", "user_name": "Heather S.", "id": "qfBP6DYib_Jq97XZdSKqRg"}, {"rating_img_url_small": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_small_5.png", "user_photo_url_small": "http://static.px.yelp.com/static/20090416/i/new/gfx/blank_user_extra_small.gif", "rating_img_url": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_5.png", "rating": 5, "mobile_uri": "http://mobile.yelp.com/biz/3K82F5PA3OSU8-LzWDfgHg?srid=sZcTfRdns9N9o6rsCbmEqA", "url": "http://www.yelp.com/biz/wild-side-west-san-francisco#hrid:sZcTfRdns9N9o6rsCbmEqA", "user_url": "http://www.yelp.com/user_details?userid=_Dv1gLCvRlrLTxxP5TX8GA", "text_excerpt": "Wild Side has a great vibe. Been going there for years and love the outdoor spaces, particularly the back patio in the afternoon on a sunny day. The...", "user_photo_url": "http://static.px.yelp.com/static/20090416/i/new/gfx/blank_user_small.gif", "date": "2009-04-06", "user_name": "Armand C.", "id": "sZcTfRdns9N9o6rsCbmEqA"}, {"rating_img_url_small": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_small_3.png", "user_photo_url_small": "http://static.px.yelp.com/upthumb/bxtZFTMp6Lib0xWcVNywwQ/ss", "rating_img_url": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_3.png", "rating": 3, "mobile_uri": "http://mobile.yelp.com/biz/3K82F5PA3OSU8-LzWDfgHg?srid=t6CLo9DTqlAB1WQ0xGBwKw", "url": "http://www.yelp.com/biz/wild-side-west-san-francisco#hrid:t6CLo9DTqlAB1WQ0xGBwKw", "user_url": "http://www.yelp.com/user_details?userid=9-y579gMphAItFxc9XA8yQ", "text_excerpt": "I like this place enough - it has a nice backyard.\n\nBut sometimes you never know what you're going to get here. I went here for my birthday last year and...", "user_photo_url": "http://static.px.yelp.com/upthumb/bxtZFTMp6Lib0xWcVNywwQ/ms", "date": "2009-04-05", "user_name": "Whitney D.", "id": "t6CLo9DTqlAB1WQ0xGBwKw"}], "nearby_url": "http://www.yelp.com/search?find_loc=424+Cortland+Ave%2C+San+Francisco%2C+CA+94110"}, {"rating_img_url": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_4_half.png", "country_code": "US", "id": "GTy7Up0mCTDoYpu0gLsUOQ", "is_closed": false, "city": "San Francisco", "mobile_url": "http://mobile.yelp.com/biz/GTy7Up0mCTDoYpu0gLsUOQ", "review_count": 61, "zip": "94109", "state": "CA", "latitude": 37.7864990234375, "rating_img_url_small": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_small_4_half.png", "address1": "768 Geary Street", "address2": "", "address3": "", "phone": "4154419336", "state_code": "CA", "categories": [{"category_filter": "divebars", "search_url": "http://www.yelp.com/search?find_loc=768+Geary+Street%2C+San+Francisco%2C+CA+94109&cflt=divebars", "name": "Dive Bars"}], "photo_url": "http://static.px.yelp.com/bpthumb/1aK0JUrH9QLrmn76RnlxNA/ms", "distance": 0.81350231170654297, "name": "Geary Club", "neighborhoods": [{"url": "http://www.yelp.com/search?find_loc=Civic+Center%2FTenderloin%2C+San+Francisco%2C+CA", "name": "Civic Center/Tenderloin"}, {"url": "http://www.yelp.com/search?find_loc=Nob+Hill%2C+San+Francisco%2C+CA", "name": "Nob Hill"}], "url": "http://www.yelp.com/biz/geary-club-san-francisco", "country": "USA", "avg_rating": 4.5, "longitude": -122.41600036621099, "photo_url_small": "http://static.px.yelp.com/bpthumb/1aK0JUrH9QLrmn76RnlxNA/ss", "reviews": [{"rating_img_url_small": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_small_3.png", "user_photo_url_small": "http://static.px.yelp.com/upthumb/vAKX9CLC4EJDm9X_YvP4WQ/ss", "rating_img_url": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_3.png", "rating": 3, "mobile_uri": "http://mobile.yelp.com/biz/GTy7Up0mCTDoYpu0gLsUOQ?srid=3BF5IQWRCa5kE4CG66O7lg", "url": "http://www.yelp.com/biz/geary-club-san-francisco#hrid:3BF5IQWRCa5kE4CG66O7lg", "user_url": "http://www.yelp.com/user_details?userid=xZ1htr_9ZiOamddSoDWMqw", "text_excerpt": "if you like dives you will like the Geary Club. Not only is there a fake stuffed tiger head front and center, but bartender I had didn't seem to know how...", "user_photo_url": "http://static.px.yelp.com/upthumb/vAKX9CLC4EJDm9X_YvP4WQ/ms", "date": "2009-04-18", "user_name": "Juliana M.", "id": "3BF5IQWRCa5kE4CG66O7lg"}, {"rating_img_url_small": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_small_5.png", "user_photo_url_small": "http://static.px.yelp.com/upthumb/_naF53nRZT9HYVeplcX5Hg/ss", "rating_img_url": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_5.png", "rating": 5, "mobile_uri": "http://mobile.yelp.com/biz/GTy7Up0mCTDoYpu0gLsUOQ?srid=7WfO0LKgRp0Tl_C-Zf-D4Q", "url": "http://www.yelp.com/biz/geary-club-san-francisco#hrid:7WfO0LKgRp0Tl_C-Zf-D4Q", "user_url": "http://www.yelp.com/user_details?userid=JF-7fBtuA_l5R650Iqe7RQ", "text_excerpt": "I still love Geary Club and Lillian! I kinda like it when a bartender isnt afraid to down a few drinks while working and also make some weird tv dinner for...", "user_photo_url": "http://static.px.yelp.com/upthumb/_naF53nRZT9HYVeplcX5Hg/ms", "date": "2009-03-08", "user_name": "jen d.", "id": "7WfO0LKgRp0Tl_C-Zf-D4Q"}, {"rating_img_url_small": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_small_5.png", "user_photo_url_small": "http://static.px.yelp.com/upthumb/gdb2pU0wnmsXjAlo_skMgg/ss", "rating_img_url": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_5.png", "rating": 5, "mobile_uri": "http://mobile.yelp.com/biz/GTy7Up0mCTDoYpu0gLsUOQ?srid=fwBDJyffi2muLlxF5gRgFQ", "url": "http://www.yelp.com/biz/geary-club-san-francisco#hrid:fwBDJyffi2muLlxF5gRgFQ", "user_url": "http://www.yelp.com/user_details?userid=Sw4e9geYXjwG8-JgsuZTSw", "text_excerpt": "Finally I made it to Geary Club!\n\nA rainy Monday night after having a weird \"building party\" at my house.\nI was already a bit drunk and the Geary Club was...", "user_photo_url": "http://static.px.yelp.com/upthumb/gdb2pU0wnmsXjAlo_skMgg/ms", "date": "2009-02-25", "user_name": "cecilia b.", "id": "fwBDJyffi2muLlxF5gRgFQ"}], "nearby_url": "http://www.yelp.com/search?find_loc=768+Geary+Street%2C+San+Francisco%2C+CA+94109"}, {"rating_img_url": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_4_half.png", "country_code": "US", "id": "vDdJPPRT4_6TociAEHJvgw", "is_closed": false, "city": "San Francisco", "mobile_url": "http://mobile.yelp.com/biz/vDdJPPRT4_6TociAEHJvgw", "review_count": 23, "zip": "94117", "state": "CA", "latitude": 37.776829900000003, "rating_img_url_small": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_small_4_half.png", "address1": "1304 Fulton Street", "address2": "", "address3": "", "phone": "4155676503", "state_code": "CA", "categories": [{"category_filter": "wine_bars", "search_url": "http://www.yelp.com/search?find_loc=1304+Fulton+Street%2C+San+Francisco%2C+CA+94117&cflt=wine_bars", "name": "Wine Bars"}, {"category_filter": "beer_and_wine", "search_url": "http://www.yelp.com/search?find_loc=1304+Fulton+Street%2C+San+Francisco%2C+CA+94117&cflt=beer_and_wine", "name": "Beer, Wine & Spirits"}], "photo_url": "http://static.px.yelp.com/bpthumb/TRFnGi4Dk5XYkX38KMQ_Uw/ms", "distance": 1.0542008876800537, "name": "Corkage Sake and Wine Shop", "neighborhoods": [{"url": "http://www.yelp.com/search?find_loc=Western+Addition%2FNOPA%2C+San+Francisco%2C+CA", "name": "Western Addition/NOPA"}], "url": "http://www.yelp.com/biz/corkage-sake-and-wine-shop-san-francisco", "country": "USA", "avg_rating": 4.5, "longitude": -122.4384484, "photo_url_small": "http://static.px.yelp.com/bpthumb/TRFnGi4Dk5XYkX38KMQ_Uw/ss", "reviews": [{"rating_img_url_small": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_small_5.png", "user_photo_url_small": "http://static.px.yelp.com/static/20090416/i/new/gfx/blank_user_extra_small.gif", "rating_img_url": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_5.png", "rating": 5, "mobile_uri": "http://mobile.yelp.com/biz/vDdJPPRT4_6TociAEHJvgw?srid=qR9gfXBG2bAI--ffudbb8g", "url": "http://www.yelp.com/biz/corkage-sake-and-wine-shop-san-francisco#hrid:qR9gfXBG2bAI--ffudbb8g", "user_url": "http://www.yelp.com/user_details?userid=NRGUOpoK1RvIUWZPQ13QTg", "text_excerpt": "I'm just getting into writing reviews but I feel I'd be remiss if i didn't write a review for one of my favorite spots in town. Even though it scares me...", "user_photo_url": "http://static.px.yelp.com/static/20090416/i/new/gfx/blank_user_small.gif", "date": "2009-04-03", "user_name": "ezra d.", "id": "qR9gfXBG2bAI--ffudbb8g"}, {"rating_img_url_small": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_small_5.png", "user_photo_url_small": "http://static.px.yelp.com/upthumb/JiWacKWw01QjoL3Kqz-gYQ/ss", "rating_img_url": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_5.png", "rating": 5, "mobile_uri": "http://mobile.yelp.com/biz/vDdJPPRT4_6TociAEHJvgw?srid=v-TypFJpjx3sI5imG3muHg", "url": "http://www.yelp.com/biz/corkage-sake-and-wine-shop-san-francisco#hrid:v-TypFJpjx3sI5imG3muHg", "user_url": "http://www.yelp.com/user_details?userid=LIr-srYm2nOmPlXQxaYELQ", "text_excerpt": "Yoshi rocks!\nHe is sooo cool! and finds the right sake for you. \nI got my 'Happy Bride'!\n\nthank you Yoshi for such a wonderful time! =)", "user_photo_url": "http://static.px.yelp.com/upthumb/JiWacKWw01QjoL3Kqz-gYQ/ms", "date": "2009-03-27", "user_name": "Daniela D.", "id": "v-TypFJpjx3sI5imG3muHg"}, {"rating_img_url_small": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_small_4.png", "user_photo_url_small": "http://static.px.yelp.com/upthumb/2whWATS5zogQQcAX-gGRGQ/ss", "rating_img_url": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_4.png", "rating": 4, "mobile_uri": "http://mobile.yelp.com/biz/vDdJPPRT4_6TociAEHJvgw?srid=zS2Q_jRPYnSvApjcJnERbg", "url": "http://www.yelp.com/biz/corkage-sake-and-wine-shop-san-francisco#hrid:zS2Q_jRPYnSvApjcJnERbg", "user_url": "http://www.yelp.com/user_details?userid=uTSGqJGFwngSLTSckILesw", "text_excerpt": "this is a great spot for wine or sake. well, for me, mainly wine :)\n\nthey have a pretty decent selection of wines ranging from $15-45, however there are...", "user_photo_url": "http://static.px.yelp.com/upthumb/2whWATS5zogQQcAX-gGRGQ/ms", "date": "2009-02-26", "user_name": "Kandace J.", "id": "zS2Q_jRPYnSvApjcJnERbg"}], "nearby_url": "http://www.yelp.com/search?find_loc=1304+Fulton+Street%2C+San+Francisco%2C+CA+94117"}, {"rating_img_url": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_4_half.png", "country_code": "US", "id": "vqIWlQ0AHMFBOiagpB9sGw", "is_closed": false, "city": "San Francisco", "mobile_url": "http://mobile.yelp.com/biz/vqIWlQ0AHMFBOiagpB9sGw", "review_count": 43, "zip": "94122", "state": "CA", "latitude": 37.754299163818402, "rating_img_url_small": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_small_4_half.png", "address1": "1232 Noriega Street", "address2": "", "address3": "", "phone": "4156610166", "state_code": "CA", "categories": [{"category_filter": "divebars", "search_url": "http://www.yelp.com/search?find_loc=1232+Noriega+Street%2C+San+Francisco%2C+CA+94122&cflt=divebars", "name": "Dive Bars"}], "photo_url": "http://static.px.yelp.com/bpthumb/nD2x6wclDBcaSd6ftQOl8A/ms", "distance": 3.4622526168823242, "name": "Eagle's Drift In Lounge", "neighborhoods": [{"url": "http://www.yelp.com/search?find_loc=Outer+Sunset%2C+San+Francisco%2C+CA", "name": "Outer Sunset"}], "url": "http://www.yelp.com/biz/eagles-drift-in-lounge-san-francisco", "country": "USA", "avg_rating": 4.5, "longitude": -122.476997375488, "photo_url_small": "http://static.px.yelp.com/bpthumb/nD2x6wclDBcaSd6ftQOl8A/ss", "reviews": [{"rating_img_url_small": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_small_3.png", "user_photo_url_small": "http://static.px.yelp.com/upthumb/Fz-tRBmSVG8i1Dm6s-Q0yA/ss", "rating_img_url": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_3.png", "rating": 3, "mobile_uri": "http://mobile.yelp.com/biz/vqIWlQ0AHMFBOiagpB9sGw?srid=nRaORNVURLfU32LijX-fOg", "url": "http://www.yelp.com/biz/eagles-drift-in-lounge-san-francisco#hrid:nRaORNVURLfU32LijX-fOg", "user_url": "http://www.yelp.com/user_details?userid=hE34xpG35WugHznWf79HfQ", "text_excerpt": "For a bar that seems serious about their darts I have not been in here a single time when anyone is playing them. Which is a good thing, because I would...", "user_photo_url": "http://static.px.yelp.com/upthumb/Fz-tRBmSVG8i1Dm6s-Q0yA/ms", "date": "2009-04-17", "user_name": "Drue C.", "id": "nRaORNVURLfU32LijX-fOg"}, {"rating_img_url_small": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_small_5.png", "user_photo_url_small": "http://static.px.yelp.com/upthumb/UdPPgUlMb2DYpxQI3L-xAg/ss", "rating_img_url": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_5.png", "rating": 5, "mobile_uri": "http://mobile.yelp.com/biz/vqIWlQ0AHMFBOiagpB9sGw?srid=2e-Y3tM2mbL8XmNSrKvOFg", "url": "http://www.yelp.com/biz/eagles-drift-in-lounge-san-francisco#hrid:2e-Y3tM2mbL8XmNSrKvOFg", "user_url": "http://www.yelp.com/user_details?userid=zvAZsfg7Id2c9X5Vx8uMvQ", "text_excerpt": "When it comes to bars, I like it empty and almost having the place all to myself and with my friends. This place is great because it is a great place to...", "user_photo_url": "http://static.px.yelp.com/upthumb/UdPPgUlMb2DYpxQI3L-xAg/ms", "date": "2009-03-18", "user_name": "Christina W.", "id": "2e-Y3tM2mbL8XmNSrKvOFg"}, {"rating_img_url_small": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_small_5.png", "user_photo_url_small": "http://static.px.yelp.com/upthumb/-3EK3uAM0q8SkB9uJCKLtw/ss", "rating_img_url": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_5.png", "rating": 5, "mobile_uri": "http://mobile.yelp.com/biz/vqIWlQ0AHMFBOiagpB9sGw?srid=I53XvaUKFN8CirxYnFLPdQ", "url": "http://www.yelp.com/biz/eagles-drift-in-lounge-san-francisco#hrid:I53XvaUKFN8CirxYnFLPdQ", "user_url": "http://www.yelp.com/user_details?userid=smx4hf_nkWhFklxLwfGLjw", "text_excerpt": "The first time I came here we walked in at about 9 or 10 on a Saturday night and there wasn't a soul in sight--not even a bartender--and the placed smelled...", "user_photo_url": "http://static.px.yelp.com/upthumb/-3EK3uAM0q8SkB9uJCKLtw/ms", "date": "2009-01-10", "user_name": "Trav W.", "id": "I53XvaUKFN8CirxYnFLPdQ"}], "nearby_url": "http://www.yelp.com/search?find_loc=1232+Noriega+Street%2C+San+Francisco%2C+CA+94122"}, {"rating_img_url": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_4_half.png", "country_code": "US", "id": "rDlZHmGNnbBQWf-Ujfc2KA", "is_closed": false, "city": "San Francisco", "mobile_url": "http://mobile.yelp.com/biz/rDlZHmGNnbBQWf-Ujfc2KA", "review_count": 126, "zip": "94122", "state": "CA", "latitude": 37.763401031494098, "rating_img_url_small": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_small_4_half.png", "address1": "2328 Irving Street", "address2": "", "address3": "", "phone": "4156642555", "state_code": "CA", "categories": [{"category_filter": "pubs", "search_url": "http://www.yelp.com/search?find_loc=2328+Irving+Street%2C+San+Francisco%2C+CA+94122&cflt=pubs", "name": "Pubs"}, {"category_filter": "irish", "search_url": "http://www.yelp.com/search?find_loc=2328+Irving+Street%2C+San+Francisco%2C+CA+94122&cflt=irish", "name": "Irish"}], "photo_url": "http://static.px.yelp.com/bpthumb/TSwz87bjS4THX5X8W8kffA/ms", "distance": 3.5711524486541748, "name": "Durty Nelly's", "neighborhoods": [{"url": "http://www.yelp.com/search?find_loc=Outer+Sunset%2C+San+Francisco%2C+CA", "name": "Outer Sunset"}], "url": "http://www.yelp.com/biz/durty-nellys-san-francisco", "country": "USA", "avg_rating": 4.5, "longitude": -122.48300170898401, "photo_url_small": "http://static.px.yelp.com/bpthumb/TSwz87bjS4THX5X8W8kffA/ss", "reviews": [{"rating_img_url_small": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_small_5.png", "user_photo_url_small": "http://static.px.yelp.com/static/20090416/i/new/gfx/blank_user_extra_small.gif", "rating_img_url": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_5.png", "rating": 5, "mobile_uri": "http://mobile.yelp.com/biz/rDlZHmGNnbBQWf-Ujfc2KA?srid=zAr0i4_-Yvx3bMhAHxtRww", "url": "http://www.yelp.com/biz/durty-nellys-san-francisco#hrid:zAr0i4_-Yvx3bMhAHxtRww", "user_url": "http://www.yelp.com/user_details?userid=fYWW7lFdHcvUJ-gsTRJttw", "text_excerpt": "This place is the Shiznack!", "user_photo_url": "http://static.px.yelp.com/static/20090416/i/new/gfx/blank_user_small.gif", "date": "2009-04-07", "user_name": "shoo b.", "id": "zAr0i4_-Yvx3bMhAHxtRww"}, {"rating_img_url_small": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_small_4.png", "user_photo_url_small": "http://static.px.yelp.com/upthumb/PBwngRvnIdtYIy9iF3tbbQ/ss", "rating_img_url": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_4.png", "rating": 4, "mobile_uri": "http://mobile.yelp.com/biz/rDlZHmGNnbBQWf-Ujfc2KA?srid=3w_awDdrGBWsJVpu8Cg8Kg", "url": "http://www.yelp.com/biz/durty-nellys-san-francisco#hrid:3w_awDdrGBWsJVpu8Cg8Kg", "user_url": "http://www.yelp.com/user_details?userid=RbaIxpAbwl6JrIPgIX4XIw", "text_excerpt": "I love Durty's!!! Not only is it a rad and pretty authentic Irish bar, but it has amazing food too! Bangers and mash, chicken pot pie, and an EXCELLENT...", "user_photo_url": "http://static.px.yelp.com/upthumb/PBwngRvnIdtYIy9iF3tbbQ/ms", "date": "2009-04-01", "user_name": "Jamie J.", "id": "3w_awDdrGBWsJVpu8Cg8Kg"}, {"rating_img_url_small": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_small_4.png", "user_photo_url_small": "http://static.px.yelp.com/static/20090416/i/new/gfx/blank_user_extra_small.gif", "rating_img_url": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_4.png", "rating": 4, "mobile_uri": "http://mobile.yelp.com/biz/rDlZHmGNnbBQWf-Ujfc2KA?srid=CNIUSa4Os71fVYOk8Tu0lA", "url": "http://www.yelp.com/biz/durty-nellys-san-francisco#hrid:CNIUSa4Os71fVYOk8Tu0lA", "user_url": "http://www.yelp.com/user_details?userid=zlxg7BQ6StisAAC0cpUsZQ", "text_excerpt": "If this place was closer to where I live, I think I might go here once a week. A great little Irish pub. They pour a perfect Guinness. I had the...", "user_photo_url": "http://static.px.yelp.com/static/20090416/i/new/gfx/blank_user_small.gif", "date": "2009-03-22", "user_name": "Luke P.", "id": "CNIUSa4Os71fVYOk8Tu0lA"}], "nearby_url": "http://www.yelp.com/search?find_loc=2328+Irving+Street%2C+San+Francisco%2C+CA+94122"}, {"rating_img_url": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_4_half.png", "country_code": "US", "id": "c7BkLCKjHjIg7oS63LsI1Q", "is_closed": false, "city": "San Francisco", "mobile_url": "http://mobile.yelp.com/biz/c7BkLCKjHjIg7oS63LsI1Q", "review_count": 47, "zip": "94114", "state": "CA", "latitude": 37.759743, "rating_img_url_small": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_small_4_half.png", "address1": "572 Castro St", "address2": "", "address3": "", "phone": "4158642262", "state_code": "CA", "categories": [{"category_filter": "beer_and_wine", "search_url": "http://www.yelp.com/search?find_loc=572+Castro+St%2C+San+Francisco%2C+CA+94114&cflt=beer_and_wine", "name": "Beer, Wine & Spirits"}, {"category_filter": "wine_bars", "search_url": "http://www.yelp.com/search?find_loc=572+Castro+St%2C+San+Francisco%2C+CA+94114&cflt=wine_bars", "name": "Wine Bars"}], "photo_url": "http://static.px.yelp.com/bpthumb/i7c6kns-SbJj6xe6Uy_34A/ms", "distance": 1.3577183485031128, "name": "Swirl on Castro", "neighborhoods": [{"url": "http://www.yelp.com/search?find_loc=Castro%2C+San+Francisco%2C+CA", "name": "Castro"}], "url": "http://www.yelp.com/biz/swirl-on-castro-san-francisco", "country": "USA", "avg_rating": 4.5, "longitude": -122.434932, "photo_url_small": "http://static.px.yelp.com/bpthumb/i7c6kns-SbJj6xe6Uy_34A/ss", "reviews": [{"rating_img_url_small": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_small_5.png", "user_photo_url_small": "http://static.px.yelp.com/upthumb/x0-s9hvClAZWTTbvm-A_Hg/ss", "rating_img_url": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_5.png", "rating": 5, "mobile_uri": "http://mobile.yelp.com/biz/c7BkLCKjHjIg7oS63LsI1Q?srid=V0CDM76r13GbsFBujh5tSg", "url": "http://www.yelp.com/biz/swirl-on-castro-san-francisco#hrid:V0CDM76r13GbsFBujh5tSg", "user_url": "http://www.yelp.com/user_details?userid=9hJYqwXzjbLsw_WUqYyzMg", "text_excerpt": "Here's an update since I went back last night - Thanks Jerry for a great time. You and your staff... Kelly, Josh and Kenny's Twin (sorry I forgot your name)...", "user_photo_url": "http://static.px.yelp.com/upthumb/x0-s9hvClAZWTTbvm-A_Hg/ms", "date": "2009-03-20", "user_name": "Jodi B.", "id": "V0CDM76r13GbsFBujh5tSg"}, {"rating_img_url_small": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_small_3.png", "user_photo_url_small": "http://static.px.yelp.com/upthumb/hspGLwRANroWkFZutDcO4w/ss", "rating_img_url": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_3.png", "rating": 3, "mobile_uri": "http://mobile.yelp.com/biz/c7BkLCKjHjIg7oS63LsI1Q?srid=f2EFPOtE2cWlwKwOyyUZuQ", "url": "http://www.yelp.com/biz/swirl-on-castro-san-francisco#hrid:f2EFPOtE2cWlwKwOyyUZuQ", "user_url": "http://www.yelp.com/user_details?userid=uSCYNal_CJDPGBYUAenyoA", "text_excerpt": "From the outside it's easy to get the impression that if Melissa Rivers married one of the Alitos and started a wine label to keep busy, this is where the...", "user_photo_url": "http://static.px.yelp.com/upthumb/hspGLwRANroWkFZutDcO4w/ms", "date": "2009-03-18", "user_name": "Luke M.", "id": "f2EFPOtE2cWlwKwOyyUZuQ"}, {"rating_img_url_small": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_small_5.png", "user_photo_url_small": "http://static.px.yelp.com/upthumb/wwRGU_D9-Ajfs1mwko-nlw/ss", "rating_img_url": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_5.png", "rating": 5, "mobile_uri": "http://mobile.yelp.com/biz/c7BkLCKjHjIg7oS63LsI1Q?srid=FR6vaLqh-MvXUAO1AHGHXQ", "url": "http://www.yelp.com/biz/swirl-on-castro-san-francisco#hrid:FR6vaLqh-MvXUAO1AHGHXQ", "user_url": "http://www.yelp.com/user_details?userid=V8t5zmkH-o5IHmKeds6DuA", "text_excerpt": "Great store with wine tasting bar. Nice alternative from the \"meat market\" bars in the Castro. Great place to hang with friends before or after dinner....", "user_photo_url": "http://static.px.yelp.com/upthumb/wwRGU_D9-Ajfs1mwko-nlw/ms", "date": "2009-03-17", "user_name": "Danny B.", "id": "FR6vaLqh-MvXUAO1AHGHXQ"}], "nearby_url": "http://www.yelp.com/search?find_loc=572+Castro+St%2C+San+Francisco%2C+CA+94114"}, {"rating_img_url": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_4_half.png", "country_code": "US", "id": "qxaYckrMuYu1PugSY1njzA", "is_closed": false, "city": "San Francisco", "mobile_url": "http://mobile.yelp.com/biz/qxaYckrMuYu1PugSY1njzA", "review_count": 190, "zip": "94107", "state": "CA", "latitude": 37.758201599121101, "rating_img_url_small": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_small_4_half.png", "address1": "2490 3rd St", "address2": "", "address3": "", "phone": "4154018984", "state_code": "CA", "categories": [{"category_filter": "wine_bars", "search_url": "http://www.yelp.com/search?find_loc=2490+3rd+St%2C+San+Francisco%2C+CA+94107&cflt=wine_bars", "name": "Wine Bars"}], "photo_url": "http://static.px.yelp.com/bpthumb/vX704tjDFSzctwRTE5oaEA/ms", "distance": 2.021336555480957, "name": "Yield Wine Bar", "neighborhoods": [{"url": "http://www.yelp.com/search?find_loc=Dogpatch%2C+San+Francisco%2C+CA", "name": "Dogpatch"}, {"url": "http://www.yelp.com/search?find_loc=Potrero+Hill%2C+San+Francisco%2C+CA", "name": "Potrero Hill"}], "url": "http://www.yelp.com/biz/yield-wine-bar-san-francisco", "country": "USA", "avg_rating": 4.5, "longitude": -122.388999938965, "photo_url_small": "http://static.px.yelp.com/bpthumb/vX704tjDFSzctwRTE5oaEA/ss", "reviews": [{"rating_img_url_small": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_small_4.png", "user_photo_url_small": "http://static.px.yelp.com/upthumb/t4zvXYHqYmm-QW0-Te2j1g/ss", "rating_img_url": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_4.png", "rating": 4, "mobile_uri": "http://mobile.yelp.com/biz/qxaYckrMuYu1PugSY1njzA?srid=E_DBJLUf03v8nzUDML-vIQ", "url": "http://www.yelp.com/biz/yield-wine-bar-san-francisco#hrid:E_DBJLUf03v8nzUDML-vIQ", "user_url": "http://www.yelp.com/user_details?userid=UBAfc-KuDXV8XLurou_i6g", "text_excerpt": "Really enjoyed this place. Nice selection of wine, smaller venue great for just catching up w/a friend or two over a drink. Some great bites to nosh on too....", "user_photo_url": "http://static.px.yelp.com/upthumb/t4zvXYHqYmm-QW0-Te2j1g/ms", "date": "2009-04-17", "user_name": "Abby W.", "id": "E_DBJLUf03v8nzUDML-vIQ"}, {"rating_img_url_small": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_small_4.png", "user_photo_url_small": "http://static.px.yelp.com/upthumb/NR3YhAUjzQ4SZgkg6vqheA/ss", "rating_img_url": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_4.png", "rating": 4, "mobile_uri": "http://mobile.yelp.com/biz/qxaYckrMuYu1PugSY1njzA?srid=ukTS7oSTJ9jLZwX32JBVpA", "url": "http://www.yelp.com/biz/yield-wine-bar-san-francisco#hrid:ukTS7oSTJ9jLZwX32JBVpA", "user_url": "http://www.yelp.com/user_details?userid=Fnw_f0X0-cBscRr4sX5JYg", "text_excerpt": "Great find, a friend of mine suggested this place and I most say it was a great find, the wine selection is accompanied by a wonderful description, the...", "user_photo_url": "http://static.px.yelp.com/upthumb/NR3YhAUjzQ4SZgkg6vqheA/ms", "date": "2009-04-15", "user_name": "Emmy B.", "id": "ukTS7oSTJ9jLZwX32JBVpA"}, {"rating_img_url_small": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_small_5.png", "user_photo_url_small": "http://static.px.yelp.com/upthumb/Ig55RB3mMzhZoptC6kJtPA/ss", "rating_img_url": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_5.png", "rating": 5, "mobile_uri": "http://mobile.yelp.com/biz/qxaYckrMuYu1PugSY1njzA?srid=5ti4DbCQHC0Jv0BICzMqoA", "url": "http://www.yelp.com/biz/yield-wine-bar-san-francisco#hrid:5ti4DbCQHC0Jv0BICzMqoA", "user_url": "http://www.yelp.com/user_details?userid=d7RGLy5EPXEFpLAfh3uwvA", "text_excerpt": "I almost don't want to write this review. Yield is a rare gem and I don't want everyone and their brother stealing all the seats! 100 words or less:...", "user_photo_url": "http://static.px.yelp.com/upthumb/Ig55RB3mMzhZoptC6kJtPA/ms", "date": "2009-04-12", "user_name": "Meadow L.", "id": "5ti4DbCQHC0Jv0BICzMqoA"}], "nearby_url": "http://www.yelp.com/search?find_loc=2490+3rd+St%2C+San+Francisco%2C+CA+94107"}, {"rating_img_url": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_4_half.png", "country_code": "US", "id": "7-dAb6BdjgJE_KHTX9CNGA", "is_closed": false, "city": "San Francisco", "mobile_url": "http://mobile.yelp.com/biz/7-dAb6BdjgJE_KHTX9CNGA", "review_count": 54, "zip": "94133", "state": "CA", "latitude": 37.804698944091797, "rating_img_url_small": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_small_4_half.png", "address1": "475 Francisco Street", "address2": "", "address3": "", "phone": "4154332343", "state_code": "CA", "categories": [{"category_filter": "lounges", "search_url": "http://www.yelp.com/search?find_loc=475+Francisco+Street%2C+San+Francisco%2C+CA+94133&cflt=lounges", "name": "Lounges"}], "photo_url": "http://static.px.yelp.com/bpthumb/uooIx_I_pm2PwbBOcDTRuw/ms", "distance": 2.0795242786407471, "name": "Sweeties", "neighborhoods": [{"url": "http://www.yelp.com/search?find_loc=North+Beach%2FTelegraph+Hill%2C+San+Francisco%2C+CA", "name": "North Beach/Telegraph Hill"}], "url": "http://www.yelp.com/biz/sweeties-san-francisco", "country": "USA", "avg_rating": 4.5, "longitude": -122.41300201416, "photo_url_small": "http://static.px.yelp.com/bpthumb/uooIx_I_pm2PwbBOcDTRuw/ss", "reviews": [{"rating_img_url_small": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_small_5.png", "user_photo_url_small": "http://static.px.yelp.com/upthumb/gy2uwuDpWj8mnewYVCWVVw/ss", "rating_img_url": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_5.png", "rating": 5, "mobile_uri": "http://mobile.yelp.com/biz/7-dAb6BdjgJE_KHTX9CNGA?srid=6RoFwO-RdkMW6YqeORQFPw", "url": "http://www.yelp.com/biz/sweeties-san-francisco#hrid:6RoFwO-RdkMW6YqeORQFPw", "user_url": "http://www.yelp.com/user_details?userid=Vnja4xoPVQ7BLXIsVy_cFw", "text_excerpt": "Perfect place for a get together if you need a back room to yourselves. Pizza was delish. I'm glad we went. Cozy and charming and edgy all at the same time.", "user_photo_url": "http://static.px.yelp.com/upthumb/gy2uwuDpWj8mnewYVCWVVw/ms", "date": "2009-03-15", "user_name": "Amy J.", "id": "6RoFwO-RdkMW6YqeORQFPw"}, {"rating_img_url_small": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_small_4.png", "user_photo_url_small": "http://static.px.yelp.com/upthumb/U7VW_Q_ITvOx-_oV5ThIhg/ss", "rating_img_url": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_4.png", "rating": 4, "mobile_uri": "http://mobile.yelp.com/biz/7-dAb6BdjgJE_KHTX9CNGA?srid=6AEH1ho2sFA6SuzGoEDWMg", "url": "http://www.yelp.com/biz/sweeties-san-francisco#hrid:6AEH1ho2sFA6SuzGoEDWMg", "user_url": "http://www.yelp.com/user_details?userid=e1FuiYSV1v29q2OTR9ojBA", "text_excerpt": "You would probably NEVER know there was a bar here, unless you were in the neighborhood all the time. I thought I knew where almost every bar was in North...", "user_photo_url": "http://static.px.yelp.com/upthumb/U7VW_Q_ITvOx-_oV5ThIhg/ms", "date": "2009-03-01", "user_name": "Berna T.", "id": "6AEH1ho2sFA6SuzGoEDWMg"}, {"rating_img_url_small": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_small_5.png", "user_photo_url_small": "http://static.px.yelp.com/static/20090416/i/new/gfx/blank_user_extra_small.gif", "rating_img_url": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_5.png", "rating": 5, "mobile_uri": "http://mobile.yelp.com/biz/7-dAb6BdjgJE_KHTX9CNGA?srid=8_kbZ8PfEEzREMiYqv6iyQ", "url": "http://www.yelp.com/biz/sweeties-san-francisco#hrid:8_kbZ8PfEEzREMiYqv6iyQ", "user_url": "http://www.yelp.com/user_details?userid=3xsmXxDysn5yqflq3AzWKQ", "text_excerpt": "We don't live in the North Beach, but we still felt like neighbors when we visited Sweeties on Valentine's Day 2009. My fiancee and I dropped by after...", "user_photo_url": "http://static.px.yelp.com/static/20090416/i/new/gfx/blank_user_small.gif", "date": "2009-02-28", "user_name": "Tim N.", "id": "8_kbZ8PfEEzREMiYqv6iyQ"}], "nearby_url": "http://www.yelp.com/search?find_loc=475+Francisco+Street%2C+San+Francisco%2C+CA+94133"}, {"rating_img_url": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_4_half.png", "country_code": "US", "id": "_cJARVZ55acNpNeCRmHTmQ", "is_closed": false, "city": "San Francisco", "mobile_url": "http://mobile.yelp.com/biz/_cJARVZ55acNpNeCRmHTmQ", "review_count": 88, "zip": "94109", "state": "CA", "latitude": 37.785784999999997, "rating_img_url_small": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_small_4_half.png", "address1": "1060 Geary St", "address2": "", "address3": "", "phone": "4158854788", "state_code": "CA", "categories": [{"category_filter": "bars", "search_url": "http://www.yelp.com/search?find_loc=1060+Geary+St%2C+San+Francisco%2C+CA+94109&cflt=bars", "name": "Bars"}], "photo_url": "http://static.px.yelp.com/bpthumb/U_PzfAHm5cyg7wOF2FjE-w/ms", "distance": 0.74834960699081421, "name": "KoKo Cocktails", "neighborhoods": [{"url": "http://www.yelp.com/search?find_loc=Civic+Center%2FTenderloin%2C+San+Francisco%2C+CA", "name": "Civic Center/Tenderloin"}, {"url": "http://www.yelp.com/search?find_loc=Nob+Hill%2C+San+Francisco%2C+CA", "name": "Nob Hill"}], "url": "http://www.yelp.com/biz/koko-cocktails-san-francisco", "country": "USA", "avg_rating": 4.5, "longitude": -122.420721, "photo_url_small": "http://static.px.yelp.com/bpthumb/U_PzfAHm5cyg7wOF2FjE-w/ss", "reviews": [{"rating_img_url_small": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_small_5.png", "user_photo_url_small": "http://static.px.yelp.com/upthumb/8JO3AwYQADb4oEgywyiHkw/ss", "rating_img_url": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_5.png", "rating": 5, "mobile_uri": "http://mobile.yelp.com/biz/_cJARVZ55acNpNeCRmHTmQ?srid=tWELGmx8xmZv9fUENn7jIA", "url": "http://www.yelp.com/biz/koko-cocktails-san-francisco#hrid:tWELGmx8xmZv9fUENn7jIA", "user_url": "http://www.yelp.com/user_details?userid=iV_Hnp3sFxncd6MNhkndGA", "text_excerpt": "Epic drinks and legendary bartenders. I wish I was at Koko's right now.\n\np.s. Autumn K. at Koko's? I'll believe it when I see it. :D", "user_photo_url": "http://static.px.yelp.com/upthumb/8JO3AwYQADb4oEgywyiHkw/ms", "date": "2009-04-02", "user_name": "Chris R.", "id": "tWELGmx8xmZv9fUENn7jIA"}, {"rating_img_url_small": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_small_5.png", "user_photo_url_small": "http://static.px.yelp.com/upthumb/gqiMnFeJ-Ddlw_4b0w1-VA/ss", "rating_img_url": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_5.png", "rating": 5, "mobile_uri": "http://mobile.yelp.com/biz/_cJARVZ55acNpNeCRmHTmQ?srid=zlYWR5eGTcK3UbCD_URGHQ", "url": "http://www.yelp.com/biz/koko-cocktails-san-francisco#hrid:zlYWR5eGTcK3UbCD_URGHQ", "user_url": "http://www.yelp.com/user_details?userid=0sPPamYvk77rDOYECr_85A", "text_excerpt": "New and much cooler cocktail menu!! Who wants some?", "user_photo_url": "http://static.px.yelp.com/upthumb/gqiMnFeJ-Ddlw_4b0w1-VA/ms", "date": "2009-04-02", "user_name": "Chard M.", "id": "zlYWR5eGTcK3UbCD_URGHQ"}, {"rating_img_url_small": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_small_5.png", "user_photo_url_small": "http://static.px.yelp.com/upthumb/O4cr5BaYOCApJIHhnqDEtw/ss", "rating_img_url": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_5.png", "rating": 5, "mobile_uri": "http://mobile.yelp.com/biz/_cJARVZ55acNpNeCRmHTmQ?srid=u3pvhJyoOZ0Q602Xjc-7kA", "url": "http://www.yelp.com/biz/koko-cocktails-san-francisco#hrid:u3pvhJyoOZ0Q602Xjc-7kA", "user_url": "http://www.yelp.com/user_details?userid=K6jTnDUtLuxyTFASgCS-gw", "text_excerpt": "Yes, people do still say rad (at least I do) and this bar is definitely rad! As are the bartenders, if you hook them up, they will hook you up. But don't...", "user_photo_url": "http://static.px.yelp.com/upthumb/O4cr5BaYOCApJIHhnqDEtw/ms", "date": "2009-03-29", "user_name": "Ronaldo T.", "id": "u3pvhJyoOZ0Q602Xjc-7kA"}], "nearby_url": "http://www.yelp.com/search?find_loc=1060+Geary+St%2C+San+Francisco%2C+CA+94109"}, {"rating_img_url": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_4_half.png", "country_code": "US", "id": "WS9QI7amntnRUu-cgewQAw", "is_closed": false, "city": "San Francisco", "mobile_url": "http://mobile.yelp.com/biz/WS9QI7amntnRUu-cgewQAw", "review_count": 33, "zip": "94118", "state": "CA", "latitude": 37.777500152587898, "rating_img_url_small": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_small_4_half.png", "address1": "598 5th Avenue", "address2": "", "address3": "", "phone": "4157511449", "state_code": "CA", "categories": [{"category_filter": "bars", "search_url": "http://www.yelp.com/search?find_loc=598+5th+Avenue%2C+San+Francisco%2C+CA+94118&cflt=bars", "name": "Bars"}], "photo_url": "http://static.px.yelp.com/bpthumb/e6tjIs4o7g4prs25U2nkxg/ms", "distance": 2.3935027122497559, "name": "O'Keeffe's Bar", "neighborhoods": [{"url": "http://www.yelp.com/search?find_loc=Inner+Richmond%2C+San+Francisco%2C+CA", "name": "Inner Richmond"}], "url": "http://www.yelp.com/biz/okeeffes-bar-san-francisco", "country": "USA", "avg_rating": 4.5, "longitude": -122.462997436523, "photo_url_small": "http://static.px.yelp.com/bpthumb/e6tjIs4o7g4prs25U2nkxg/ss", "reviews": [{"rating_img_url_small": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_small_5.png", "user_photo_url_small": "http://static.px.yelp.com/static/20090416/i/new/gfx/blank_user_extra_small.gif", "rating_img_url": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_5.png", "rating": 5, "mobile_uri": "http://mobile.yelp.com/biz/WS9QI7amntnRUu-cgewQAw?srid=NJfFkIR1k1SFkACtePHnWA", "url": "http://www.yelp.com/biz/okeeffes-bar-san-francisco#hrid:NJfFkIR1k1SFkACtePHnWA", "user_url": "http://www.yelp.com/user_details?userid=qxEwdvhxDw51cAEejXK83g", "text_excerpt": "Met Annie at her spot behind the bar. She is one tough lady, old school irish. My bud Jim grew up around there, heard him tell many cool stories from the...", "user_photo_url": "http://static.px.yelp.com/static/20090416/i/new/gfx/blank_user_small.gif", "date": "2009-04-17", "user_name": "Dan M.", "id": "NJfFkIR1k1SFkACtePHnWA"}, {"rating_img_url_small": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_small_4.png", "user_photo_url_small": "http://static.px.yelp.com/upthumb/OhMim2CBXFYiz7uOpGu2jQ/ss", "rating_img_url": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_4.png", "rating": 4, "mobile_uri": "http://mobile.yelp.com/biz/WS9QI7amntnRUu-cgewQAw?srid=6tuZws8FKafDWTwV8gPiAg", "url": "http://www.yelp.com/biz/okeeffes-bar-san-francisco#hrid:6tuZws8FKafDWTwV8gPiAg", "user_url": "http://www.yelp.com/user_details?userid=DcmI6NlZykgvvZ4SkYoTdA", "text_excerpt": "This place is the epitome of \"Dive.\" Came here on St. Patty's day, and it surely lived up to being Irish. The small band with children playing drums and...", "user_photo_url": "http://static.px.yelp.com/upthumb/OhMim2CBXFYiz7uOpGu2jQ/ms", "date": "2009-03-18", "user_name": "Ruchi P.", "id": "6tuZws8FKafDWTwV8gPiAg"}, {"rating_img_url_small": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_small_4.png", "user_photo_url_small": "http://static.px.yelp.com/upthumb/-wkOaTBgkX78kgWd9qKLDg/ss", "rating_img_url": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_4.png", "rating": 4, "mobile_uri": "http://mobile.yelp.com/biz/WS9QI7amntnRUu-cgewQAw?srid=GgR8AfSlTQWN0kF-lKk-zw", "url": "http://www.yelp.com/biz/okeeffes-bar-san-francisco#hrid:GgR8AfSlTQWN0kF-lKk-zw", "user_url": "http://www.yelp.com/user_details?userid=emF8KqAfI2VL6Sfaek9gFg", "text_excerpt": "You know it's time to go home on St. Patrick's Day when you're at a smoky 95% authentic Irish bar, the live drum and recorder band of Irish children has...", "user_photo_url": "http://static.px.yelp.com/upthumb/-wkOaTBgkX78kgWd9qKLDg/ms", "date": "2009-03-17", "user_name": "Kate V.", "id": "GgR8AfSlTQWN0kF-lKk-zw"}], "nearby_url": "http://www.yelp.com/search?find_loc=598+5th+Avenue%2C+San+Francisco%2C+CA+94118"}, {"rating_img_url": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_4.png", "country_code": "US", "id": "BOQOJXezjYZWolsmTcF2UA", "is_closed": false, "city": "San Francisco", "mobile_url": "http://mobile.yelp.com/biz/BOQOJXezjYZWolsmTcF2UA", "review_count": 36, "zip": "94103", "state": "CA", "latitude": 37.768317000000003, "rating_img_url_small": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_small_4.png", "address1": "1799 Mission St", "address2": "at 14th St", "address3": "", "phone": "4158613002", "state_code": "CA", "categories": [{"category_filter": "bars", "search_url": "http://www.yelp.com/search?find_loc=1799+Mission+St%2C+San+Francisco%2C+CA+94103&cflt=bars", "name": "Bars"}], "photo_url": "http://static.px.yelp.com/bpthumb/gBxuzXOtKuRR9t29myOPYg/ms", "distance": 0.46441715955734253, "name": "Ace Cafe", "neighborhoods": [{"url": "http://www.yelp.com/search?find_loc=Mission%2C+San+Francisco%2C+CA", "name": "Mission"}], "url": "http://www.yelp.com/biz/ace-cafe-san-francisco", "country": "USA", "avg_rating": 4.0, "longitude": -122.420008, "photo_url_small": "http://static.px.yelp.com/bpthumb/gBxuzXOtKuRR9t29myOPYg/ss", "reviews": [{"rating_img_url_small": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_small_4.png", "user_photo_url_small": "http://static.px.yelp.com/upthumb/-LlBQzy_lMDN8rqcZxxduQ/ss", "rating_img_url": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_4.png", "rating": 4, "mobile_uri": "http://mobile.yelp.com/biz/BOQOJXezjYZWolsmTcF2UA?srid=7Dh2kxj3f8r_kgRdZPUvvQ", "url": "http://www.yelp.com/biz/ace-cafe-san-francisco#hrid:7Dh2kxj3f8r_kgRdZPUvvQ", "user_url": "http://www.yelp.com/user_details?userid=CqMlDAQW_5Rj7Nu2hIrwfw", "text_excerpt": "I thoroughly enjoyed The Ace Caf\u00e9 at 14th and Mission Street and highly recommend it to anyone who doesn't mind a little smoke, can appreciate a diverse...", "user_photo_url": "http://static.px.yelp.com/upthumb/-LlBQzy_lMDN8rqcZxxduQ/ms", "date": "2009-02-24", "user_name": "Gadiel M.", "id": "7Dh2kxj3f8r_kgRdZPUvvQ"}, {"rating_img_url_small": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_small_4.png", "user_photo_url_small": "http://static.px.yelp.com/static/20090416/i/new/gfx/blank_user_extra_small.gif", "rating_img_url": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_4.png", "rating": 4, "mobile_uri": "http://mobile.yelp.com/biz/BOQOJXezjYZWolsmTcF2UA?srid=Vo3lgIL74UZSi5J7iPw1oQ", "url": "http://www.yelp.com/biz/ace-cafe-san-francisco#hrid:Vo3lgIL74UZSi5J7iPw1oQ", "user_url": "http://www.yelp.com/user_details?userid=17AUx3RVchxyaqk71ygWaw", "text_excerpt": "Best fish and chips around. ( don't worry about the bikers, they're weak )", "user_photo_url": "http://static.px.yelp.com/static/20090416/i/new/gfx/blank_user_small.gif", "date": "2009-01-09", "user_name": "jeff b.", "id": "Vo3lgIL74UZSi5J7iPw1oQ"}, {"rating_img_url_small": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_small_3.png", "user_photo_url_small": "http://static.px.yelp.com/upthumb/PoGEmHpxRjKFiNOFz1a2jw/ss", "rating_img_url": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_3.png", "rating": 3, "mobile_uri": "http://mobile.yelp.com/biz/BOQOJXezjYZWolsmTcF2UA?srid=6GvHJ_XmbQNd74VihlIDdA", "url": "http://www.yelp.com/biz/ace-cafe-san-francisco#hrid:6GvHJ_XmbQNd74VihlIDdA", "user_url": "http://www.yelp.com/user_details?userid=XnbGrJNw0wglmqXekW138Q", "text_excerpt": "funny little dive bar... they do have snacks, plenty of tables, a pool table, and a good jukebox. minus one star because you can smoke there (which for...", "user_photo_url": "http://static.px.yelp.com/upthumb/PoGEmHpxRjKFiNOFz1a2jw/ms", "date": "2008-12-08", "user_name": "Carolyn B.", "id": "6GvHJ_XmbQNd74VihlIDdA"}], "nearby_url": "http://www.yelp.com/search?find_loc=1799+Mission+St%2C+San+Francisco%2C+CA+94103"}, {"rating_img_url": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_4.png", "country_code": "US", "id": "owj5tzY8w8zXSXza_LS8NQ", "is_closed": false, "city": "San Francisco", "mobile_url": "http://mobile.yelp.com/biz/owj5tzY8w8zXSXza_LS8NQ", "review_count": 371, "zip": "94102", "state": "CA", "latitude": 37.773701000000003, "rating_img_url_small": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_small_4.png", "address1": "45 Rose St", "address2": "", "address3": "", "phone": "4157030403", "state_code": "CA", "categories": [{"category_filter": "wine_bars", "search_url": "http://www.yelp.com/search?find_loc=45+Rose+St%2C+San+Francisco%2C+CA+94102&cflt=wine_bars", "name": "Wine Bars"}], "photo_url": "http://static.px.yelp.com/bpthumb/xOFIYiRKU8NjyBsyGw5Rxg/ms", "distance": 0.16015078127384186, "name": "H\u00f4tel Biron", "neighborhoods": [{"url": "http://www.yelp.com/search?find_loc=Hayes+Valley%2C+San+Francisco%2C+CA", "name": "Hayes Valley"}], "url": "http://www.yelp.com/biz/hotel-biron-san-francisco", "country": "USA", "avg_rating": 4.0, "longitude": -122.42170400000001, "photo_url_small": "http://static.px.yelp.com/bpthumb/xOFIYiRKU8NjyBsyGw5Rxg/ss", "reviews": [{"rating_img_url_small": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_small_5.png", "user_photo_url_small": "http://static.px.yelp.com/upthumb/NR3YhAUjzQ4SZgkg6vqheA/ss", "rating_img_url": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_5.png", "rating": 5, "mobile_uri": "http://mobile.yelp.com/biz/owj5tzY8w8zXSXza_LS8NQ?srid=vabDEJCITNijgdNAU0nugQ", "url": "http://www.yelp.com/biz/hotel-biron-san-francisco#hrid:vabDEJCITNijgdNAU0nugQ", "user_url": "http://www.yelp.com/user_details?userid=Fnw_f0X0-cBscRr4sX5JYg", "text_excerpt": "I checked this place out on Monday, and it lived up to all the hype. The wine selection was impressive, and the staff friendly. Its tiny, but yet it gives...", "user_photo_url": "http://static.px.yelp.com/upthumb/NR3YhAUjzQ4SZgkg6vqheA/ms", "date": "2009-04-15", "user_name": "Emmy B.", "id": "vabDEJCITNijgdNAU0nugQ"}, {"rating_img_url_small": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_small_4.png", "user_photo_url_small": "http://static.px.yelp.com/upthumb/-9iUpFLA7gUwU-xeVczgLA/ss", "rating_img_url": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_4.png", "rating": 4, "mobile_uri": "http://mobile.yelp.com/biz/owj5tzY8w8zXSXza_LS8NQ?srid=rZvHiZioZHzbK9SGEsAfhA", "url": "http://www.yelp.com/biz/hotel-biron-san-francisco#hrid:rZvHiZioZHzbK9SGEsAfhA", "user_url": "http://www.yelp.com/user_details?userid=AzUISA7zjPXVzxOBuNVUBA", "text_excerpt": "Amazingly I was taken here on a \"date\". I say amazingly in reference to this economy and the fact that some one was willing to spend such ridiculous monies...", "user_photo_url": "http://static.px.yelp.com/upthumb/-9iUpFLA7gUwU-xeVczgLA/ms", "date": "2009-04-06", "user_name": "montgomery r.", "id": "rZvHiZioZHzbK9SGEsAfhA"}, {"rating_img_url_small": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_small_5.png", "user_photo_url_small": "http://static.px.yelp.com/upthumb/AL3w82TCtSeJHHWon43RUw/ss", "rating_img_url": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_5.png", "rating": 5, "mobile_uri": "http://mobile.yelp.com/biz/owj5tzY8w8zXSXza_LS8NQ?srid=6kA_HdUvQuOPZGiYaRoMOw", "url": "http://www.yelp.com/biz/hotel-biron-san-francisco#hrid:6kA_HdUvQuOPZGiYaRoMOw", "user_url": "http://www.yelp.com/user_details?userid=zpXqbJQ2CT4PsUBTy30DbQ", "text_excerpt": "Adorable, amazing. The cutest little European hotel / wine bar I've ever seen in San Francisco\n\nCame here for a drink before dinner in Hayes Valley. It's...", "user_photo_url": "http://static.px.yelp.com/upthumb/AL3w82TCtSeJHHWon43RUw/ms", "date": "2009-04-04", "user_name": "Jenny W.", "id": "6kA_HdUvQuOPZGiYaRoMOw"}], "nearby_url": "http://www.yelp.com/search?find_loc=45+Rose+St%2C+San+Francisco%2C+CA+94102"}, {"rating_img_url": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_4_half.png", "country_code": "US", "id": "bcXY_zGB4zWQuNnxfR7Z3w", "is_closed": false, "city": "San Francisco", "mobile_url": "http://mobile.yelp.com/biz/bcXY_zGB4zWQuNnxfR7Z3w", "review_count": 141, "zip": "94133", "state": "CA", "latitude": 37.797460899999997, "rating_img_url_small": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_small_4_half.png", "address1": "242 Columbus Avenue", "address2": "", "address3": "", "phone": "4159869651", "state_code": "CA", "categories": [{"category_filter": "bars", "search_url": "http://www.yelp.com/search?find_loc=242+Columbus+Avenue%2C+San+Francisco%2C+CA+94133&cflt=bars", "name": "Bars"}], "photo_url": "http://static.px.yelp.com/bpthumb/eetod47ppa8zUbX8L80o_A/ms", "distance": 1.7111668586730957, "name": "Tosca Cafe", "neighborhoods": [{"url": "http://www.yelp.com/search?find_loc=North+Beach%2FTelegraph+Hill%2C+San+Francisco%2C+CA", "name": "North Beach/Telegraph Hill"}, {"url": "http://www.yelp.com/search?find_loc=Nob+Hill%2C+San+Francisco%2C+CA", "name": "Nob Hill"}], "url": "http://www.yelp.com/biz/tosca-cafe-san-francisco", "country": "USA", "avg_rating": 4.5, "longitude": -122.40604879999999, "photo_url_small": "http://static.px.yelp.com/bpthumb/eetod47ppa8zUbX8L80o_A/ss", "reviews": [{"rating_img_url_small": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_small_4.png", "user_photo_url_small": "http://static.px.yelp.com/upthumb/QS-jEagZ4se63l9kV87XWA/ss", "rating_img_url": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_4.png", "rating": 4, "mobile_uri": "http://mobile.yelp.com/biz/bcXY_zGB4zWQuNnxfR7Z3w?srid=YaZ8zIeIhOGE0Q90hyaHxQ", "url": "http://www.yelp.com/biz/tosca-cafe-san-francisco#hrid:YaZ8zIeIhOGE0Q90hyaHxQ", "user_url": "http://www.yelp.com/user_details?userid=KpwPavO0PtuSTIaJ2Uslfg", "text_excerpt": "The vibe here is spooky!! I like being spooked out, I think it's fun, like watching a scary movie or something, so I really liked it. The seating is 50s...", "user_photo_url": "http://static.px.yelp.com/upthumb/QS-jEagZ4se63l9kV87XWA/ms", "date": "2009-04-11", "user_name": "Elizabeth B.", "id": "YaZ8zIeIhOGE0Q90hyaHxQ"}, {"rating_img_url_small": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_small_5.png", "user_photo_url_small": "http://static.px.yelp.com/static/20090416/i/new/gfx/blank_user_extra_small.gif", "rating_img_url": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_5.png", "rating": 5, "mobile_uri": "http://mobile.yelp.com/biz/bcXY_zGB4zWQuNnxfR7Z3w?srid=bDXqtUlB4_xbAXhPG_eslw", "url": "http://www.yelp.com/biz/tosca-cafe-san-francisco#hrid:bDXqtUlB4_xbAXhPG_eslw", "user_url": "http://www.yelp.com/user_details?userid=755f5UrhlcEiPjfLUcKdDw", "text_excerpt": "The world famous Tosca Cafe is a home away from home, a private club, a public meeting place, shelter from the storm, what you need when you need it,\nThe...", "user_photo_url": "http://static.px.yelp.com/static/20090416/i/new/gfx/blank_user_small.gif", "date": "2009-04-10", "user_name": "Dale D.", "id": "bDXqtUlB4_xbAXhPG_eslw"}, {"rating_img_url_small": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_small_2.png", "user_photo_url_small": "http://static.px.yelp.com/upthumb/XyhcfxLEyoEJl1jLB1gkLA/ss", "rating_img_url": "http://static.px.yelp.com/static/20090416/i/new/ico/stars/stars_2.png", "rating": 2, "mobile_uri": "http://mobile.yelp.com/biz/bcXY_zGB4zWQuNnxfR7Z3w?srid=JqOunqnq9xLTYW1LfVjsfA", "url": "http://www.yelp.com/biz/tosca-cafe-san-francisco#hrid:JqOunqnq9xLTYW1LfVjsfA", "user_url": "http://www.yelp.com/user_details?userid=IWal1ziP1AlfcgDJj5CKFw", "text_excerpt": "2.stars for the ambiance, the rest, eh.\nCool spot but it was pretty empty on a friday evening from when we got there at 9 o'clock until we left a couple of...", "user_photo_url": "http://static.px.yelp.com/upthumb/XyhcfxLEyoEJl1jLB1gkLA/ms", "date": "2009-04-04", "user_name": "Aaron T.", "id": "JqOunqnq9xLTYW1LfVjsfA"}], "nearby_url": "http://www.yelp.com/search?find_loc=242+Columbus+Avenue%2C+San+Francisco%2C+CA+94133"}]}yajl-ruby-1.4.3/spec/parsing/fixtures/fail11.json0000644000004100000410000000003514246427314021710 0ustar www-datawww-data{"Illegal expression": 1 + 2}yajl-ruby-1.4.3/spec/parsing/fixtures/fail28.json0000644000004100000410000000001714246427314021720 0ustar www-datawww-data["line\ break"]yajl-ruby-1.4.3/spec/parsing/fixtures/fail9.json0000644000004100000410000000002614246427314021637 0ustar www-datawww-data{"Extra comma": true,}yajl-ruby-1.4.3/spec/parsing/fixtures/pass.doubles.json0000644000004100000410000000005414246427314023236 0ustar www-datawww-data[ 0.1e2, 1e1, 3.141569, 10000000000000e-10] yajl-ruby-1.4.3/spec/parsing/fixtures/pass.empty_array.json0000644000004100000410000000000214246427314024126 0ustar www-datawww-data[]yajl-ruby-1.4.3/spec/parsing/fixtures/pass.deep_arrays.json0000644000004100000410000000400014246427314024072 0ustar www-datawww-data[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]yajl-ruby-1.4.3/spec/parsing/fixtures/pass.map-spain.xml.json0000644000004100000410000124043114246427314024273 0ustar www-datawww-data{"svg":{"svg":{"defs":{"font":[{"font-face":{"@id":"Symbol","@font-variant":"normal","@font-weight":"400","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"missing-glyph":{"@horiz-adv-x":"500","@d":"M63 0V800H438V0H63ZM125 63H375V738H125V63Z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"glyph":{"path":{"@d":"M51 3688l0 5 -40 20 40 19 0 5 -48 -23 0 -3 48 -23zm-48 55l48 0 0 5 -48 0 0 -5z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@unicode":"163","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@id":"FontID5","@horiz-adv-x":"1000","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"font-face":{"@id":"Humnst777_Lt_BT","@font-variant":"normal","@font-style":"italic","@font-weight":"400","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"missing-glyph":{"@horiz-adv-x":"500","@d":"M63 0V800H438V0H63ZM125 63H375V738H125V63Z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"glyph":[{"path":{"@d":"M5 3698l41 0 -2 9 -41 0 2 -9z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@unicode":"45","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":{"@d":"M15 3632l54 0 0 10 -43 -1 0 42 41 0 0 10 -41 0 0 55 -11 0 0 -116z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@unicode":"70","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":{"@d":"M15 3632l17 0 39 95c0,2 1,3 1,5 1,2 1,4 1,6 1,-2 1,-4 1,-5 1,-2 1,-3 2,-5l41 -96 16 0 0 116 -10 0 0 -98c0,0 -1,0 -1,-1 0,-1 0,-1 0,-2 0,-1 0,-2 1,-3 0,-1 0,-2 0,-4 -1,3 -2,6 -3,8 0,1 0,1 0,1l-42 99 -10 0 -41 -99c0,-1 -1,-3 -2,-6 0,-1 0,-2 0,-3 0,2 0,4 0,7 0,2 0,3 0,3l0 98 -10 0 0 -116z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@unicode":"77","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":{"@d":"M101 3677c0,-12 -3,-21 -9,-28 -6,-6 -14,-10 -24,-10 -6,0 -12,2 -18,5 -6,2 -11,7 -15,12 -5,6 -9,13 -11,21 -3,8 -5,17 -5,25 0,12 3,21 9,28 6,7 14,10 24,10 7,0 13,-1 19,-4 6,-3 11,-8 16,-15 4,-5 8,-12 10,-20 3,-8 4,-16 4,-24zm-32 -47c13,0 24,4 32,13 8,8 11,19 11,33 0,8 -1,16 -3,24 -2,8 -5,15 -9,21 -6,9 -13,17 -21,22 -8,5 -17,7 -27,7 -14,0 -24,-4 -32,-13 -8,-9 -12,-20 -12,-35 0,-10 2,-20 5,-30 4,-10 10,-18 16,-25 5,-5 11,-9 18,-12 7,-3 14,-5 22,-5z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@unicode":"79","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":{"@d":"M68 3642l-39 65 50 0 -11 -65zm-4 -10l12 0 23 116 -11 0 -7 -31 -58 0 -19 31 -12 0 72 -116z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@unicode":"65","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":{"@d":"M26 3642l0 47 12 0c9,0 16,-2 21,-7 6,-4 8,-10 8,-17 0,-7 -2,-13 -7,-17 -5,-4 -11,-6 -19,-6l-15 0zm-11 -10l25 0c12,0 22,3 29,9 6,5 10,13 10,24 0,10 -4,19 -11,25 -7,5 -17,8 -30,8l-12 0 0 50 -11 0 0 -116z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@unicode":"80","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":{"@d":"M44 3672c-8,0 -13,3 -18,9 -4,6 -6,14 -6,24 0,11 2,19 6,25 5,6 11,9 18,9 8,0 14,-3 18,-9 5,-6 7,-14 7,-24 0,-11 -2,-19 -7,-25 -4,-6 -10,-9 -18,-9zm26 9l0 -16 10 0 0 74c0,15 -3,27 -10,34 -6,8 -15,12 -28,12 -4,0 -9,-1 -14,-2 -4,0 -8,-2 -12,-3l1 -11c4,2 8,4 12,5 4,1 9,1 13,1 9,0 16,-3 21,-9 5,-6 7,-14 7,-25l0 -11c-3,6 -7,11 -12,14 -4,3 -10,4 -16,4 -10,0 -18,-4 -24,-11 -6,-8 -9,-18 -9,-31 0,-13 3,-24 9,-31 6,-8 14,-12 25,-12 6,0 11,2 16,5 5,3 9,7 11,13z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@unicode":"103","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":{"@d":"M15 3624l10 0 0 73 37 -32 13 0 -40 35 45 48 -14 0 -41 -44 0 44 -10 0 0 -124z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@unicode":"107","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":{"@d":"M46 3672c-8,0 -14,3 -19,9 -5,7 -8,15 -8,25 0,11 3,19 8,25 5,7 11,10 19,10 9,0 15,-3 20,-10 5,-6 8,-14 8,-25 0,-10 -3,-18 -8,-25 -4,-6 -11,-9 -20,-9zm0 -9c12,0 22,4 29,12 6,8 10,18 10,31 0,14 -4,24 -10,32 -7,8 -17,12 -29,12 -11,0 -21,-4 -28,-12 -7,-8 -10,-18 -10,-31 0,-14 3,-24 10,-32 7,-8 17,-12 28,-12z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@unicode":"111","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":{"@d":"M67 3698c0,-8 -2,-14 -6,-18 -4,-5 -9,-8 -16,-8 -3,1 -6,1 -9,2 -3,2 -6,4 -8,6 -4,4 -7,10 -10,16 -2,7 -4,14 -4,21 0,7 2,13 6,18 4,4 9,6 15,6 5,0 9,-1 13,-4 4,-3 8,-7 11,-12 3,-3 4,-8 6,-12 1,-5 2,-10 2,-15zm17 -74l10 0 -26 124 -9 0 2 -14c-4,5 -8,9 -13,12 -5,3 -10,4 -15,4 -9,0 -17,-3 -22,-9 -5,-6 -8,-14 -8,-25 0,-5 1,-11 3,-17 1,-6 4,-11 7,-16 4,-7 8,-11 14,-15 5,-3 11,-5 17,-5 7,0 13,2 18,5 4,3 8,8 10,14l12 -58z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@unicode":"100","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":{"@d":"M77 3702l0 6 -59 0c0,11 3,19 8,25 6,5 13,8 22,8 4,0 8,-1 11,-2 4,-1 8,-2 11,-4l0 10c-3,2 -7,3 -11,4 -4,1 -8,1 -12,1 -12,0 -22,-4 -29,-12 -7,-7 -10,-18 -10,-32 0,-13 3,-23 10,-31 7,-8 16,-12 27,-12 9,0 17,4 23,11 6,7 9,16 9,28zm-10 -1c-1,-10 -3,-17 -7,-22 -4,-5 -10,-7 -17,-7 -6,0 -12,2 -17,8 -4,5 -7,12 -8,21l49 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@unicode":"101","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":{"@d":"M15 3624l10 0 0 55c3,-5 7,-9 11,-12 5,-2 10,-4 17,-4 9,0 15,3 20,9 5,6 7,14 7,25l0 51 -10 0 0 -48c0,-10 -2,-16 -5,-21 -3,-4 -8,-6 -15,-6 -8,0 -14,2 -18,8 -5,6 -7,14 -7,24l0 43 -10 0 0 -124z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@unicode":"104","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":{"@d":"M69 3668l-1 10c-2,-1 -5,-3 -8,-3 -3,-1 -7,-1 -10,-1 -9,0 -17,3 -22,9 -6,6 -9,14 -9,23 0,11 3,19 8,24 6,6 13,9 22,9 3,0 6,0 9,-1 4,-1 7,-2 11,-3l1 10c-4,1 -7,2 -11,3 -3,1 -7,1 -11,1 -12,0 -22,-4 -29,-12 -7,-7 -11,-18 -11,-31 0,-12 4,-22 12,-30 7,-8 18,-12 30,-12 4,0 7,1 10,1 3,1 6,1 9,3z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@unicode":"99","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":{"@d":"M14 3665l10 0 0 83 -10 0 0 -83zm-1 -39l12 0 0 14 -12 0 0 -14z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@unicode":"105","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":{"@d":"M80 3697l0 51 -10 0 0 -48c0,-10 -2,-16 -5,-21 -3,-4 -8,-6 -15,-6 -8,0 -14,2 -18,8 -5,6 -7,14 -7,24l0 43 -10 0 0 -83 9 0 0 16c3,-6 7,-11 12,-13 5,-3 10,-5 17,-5 9,0 15,3 20,9 5,6 7,14 7,25z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@unicode":"110","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":{"@d":"M48 3706c-10,0 -17,1 -22,5 -6,3 -8,8 -8,14 0,4 1,8 4,11 3,3 8,5 13,5 7,0 13,-3 18,-8 5,-5 7,-11 7,-20l0 -7 -12 0zm22 -11l0 53 -9 0 0 -14c-3,5 -7,9 -12,11 -4,3 -10,4 -16,4 -8,0 -14,-2 -19,-6 -5,-5 -7,-10 -7,-18 0,-9 4,-15 11,-20 7,-5 18,-8 31,-8l11 0c0,0 0,0 0,-1 0,-1 0,-1 0,-1 0,-7 -2,-13 -5,-17 -4,-4 -8,-6 -14,-6 -5,0 -9,1 -13,2 -4,1 -7,3 -11,5l0 -10c4,-2 8,-3 12,-4 4,-1 9,-2 13,-2 9,0 16,3 21,8 5,5 7,13 7,24z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@unicode":"97","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":{"@d":"M14 3624l10 0 0 124 -10 0 0 -124z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@unicode":"108","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":{"@d":"M13 3665l10 0 0 48c0,9 2,16 5,20 3,5 8,7 15,7 8,0 14,-3 18,-9 5,-6 7,-15 7,-27l0 -39 10 0 0 83 -9 0 0 -16c-4,5 -7,10 -12,13 -5,3 -10,4 -17,4 -9,0 -16,-3 -20,-9 -5,-5 -7,-14 -7,-25l0 -50z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@unicode":"117","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":{"@d":"M14 3665l61 0 -2 9 -64 66 51 0 -2 8 -64 0 2 -10 65 -65 -48 0 1 -8z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@unicode":"122","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":{"@d":"M53 3664l0 11c-1,0 -2,0 -3,-1 -1,0 -2,0 -3,0 -7,0 -12,3 -16,8 -4,5 -6,13 -6,22l0 44 -10 0 0 -83 9 0 0 18c2,-6 5,-11 10,-14 4,-3 9,-5 14,-5 1,0 2,0 2,0 1,0 2,0 3,0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@unicode":"114","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":{"@d":"M61 3667l-3 10c-3,-2 -6,-3 -9,-4 -3,-1 -6,-1 -10,-1 -5,0 -10,1 -13,3 -4,2 -6,5 -6,9 0,4 5,9 14,15 3,2 5,4 6,5 5,3 8,6 10,10 2,3 3,7 3,11 0,8 -3,14 -9,18 -6,5 -14,7 -25,7 -4,0 -8,0 -12,-1 -4,-1 -8,-2 -12,-4l4 -10c3,2 7,3 10,4 4,1 8,2 12,2 6,0 11,-2 15,-4 4,-3 5,-7 5,-12 0,-3 0,-5 -2,-8 -2,-2 -5,-5 -11,-9 -1,-1 -1,-1 -1,-1 -12,-8 -17,-15 -17,-21 0,-7 3,-13 8,-17 5,-4 13,-6 22,-6 4,0 7,0 10,1 4,1 7,2 11,3z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@unicode":"115","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":{"@d":"M32 3640l-1 25 20 0 0 9 -20 0 0 48c0,7 1,11 3,14 2,3 5,4 9,4 2,0 3,0 5,0 1,-1 2,-1 4,-2l0 10c-2,0 -4,1 -5,1 -2,0 -4,0 -6,0 -7,0 -12,-2 -15,-6 -3,-3 -5,-10 -5,-19l0 -50 -17 0 0 -9 17 0 0 -21 11 -4z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@unicode":"116","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":{"@d":"M58 3705c-1,0 -2,0 -3,0 -1,0 -3,0 -6,0 -13,0 -23,2 -29,5 -6,3 -9,9 -9,16 0,4 2,8 5,10 3,3 6,5 11,5 9,0 16,-4 21,-10 5,-6 9,-15 10,-26zm11 -5l-5 26c-1,7 -2,12 -3,14 0,3 -1,6 -1,8l-9 0 2 -13c-4,5 -8,8 -13,11 -4,2 -9,3 -15,3 -7,0 -13,-2 -18,-6 -5,-4 -7,-10 -7,-17 0,-9 4,-17 12,-22 8,-5 19,-8 33,-8 2,0 4,0 6,1 2,0 5,0 8,0 1,-2 1,-4 1,-5 0,-1 0,-2 0,-3 0,-5 -1,-10 -4,-13 -3,-3 -8,-4 -14,-4 -3,0 -6,0 -10,1 -5,1 -9,3 -15,5l1 -11c6,-1 10,-3 14,-3 4,-1 8,-1 11,-1 9,0 15,2 20,6 5,5 7,11 7,19 0,1 0,3 0,5 0,2 -1,4 -1,7zm-13 -66l12 0 -3 14 -12 0 3 -14zm-26 0l11 0 -2 14 -12 0 3 -14z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@unicode":"228","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@id":"FontID1","@horiz-adv-x":"1000","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"font-face":{"@id":"Humnst777_BT","@font-variant":"normal","@font-style":"italic","@font-weight":"400,700","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"missing-glyph":{"@horiz-adv-x":"500","@d":"M63 0V800H438V0H63ZM125 63H375V738H125V63Z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"glyph":[{"path":{"@d":"M56 3723c-2,0 -4,1 -5,3 -1,1 -2,4 -2,7 0,4 1,6 2,8 1,2 3,3 5,3 2,0 4,-1 5,-3 2,-2 2,-4 2,-8 0,-3 0,-6 -2,-7 -1,-2 -3,-3 -5,-3zm0 -5c4,0 8,1 10,4 2,3 4,7 4,11 0,5 -2,9 -4,12 -2,3 -6,4 -10,4 -4,0 -7,-1 -10,-4 -2,-3 -3,-7 -3,-12 0,-4 1,-8 3,-11 3,-3 6,-4 10,-4zm-39 -24c-2,0 -4,1 -5,3 -2,2 -2,4 -2,8 0,3 0,6 2,7 1,2 3,3 5,3 2,0 3,-1 5,-3 1,-1 1,-4 1,-7 0,-4 0,-6 -1,-8 -2,-2 -3,-3 -5,-3zm32 -5l6 0 -31 60 -6 0 31 -60zm-32 0c4,0 7,1 9,4 3,3 4,7 4,12 0,4 -1,8 -4,11 -2,3 -5,4 -9,4 -4,0 -8,-1 -10,-4 -3,-3 -4,-6 -4,-11 0,-5 1,-9 4,-12 2,-3 6,-4 10,-4z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@unicode":"37","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":{"@d":"M16 3699l5 0 -20 55 -5 0 20 -55z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@unicode":"47","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":{"@d":"M4 3722l21 0 0 6 -21 0 0 -6z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@unicode":"45","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":{"@d":"M2 3685l6 0c5,7 8,13 10,19 2,6 3,12 3,18 0,6 -1,12 -3,18 -2,6 -5,13 -10,19l-6 0c4,-7 7,-13 9,-19 2,-6 3,-12 3,-18 0,-6 -1,-12 -3,-18 -2,-6 -5,-12 -9,-19z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@unicode":"41","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":{"@d":"M19 3685l6 0c-4,7 -7,13 -9,19 -2,6 -3,12 -3,18 0,6 1,12 3,18 2,6 5,12 9,19l-6 0c-5,-6 -8,-13 -10,-19 -2,-6 -3,-12 -3,-18 0,-6 1,-12 3,-18 2,-6 5,-13 10,-19z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@unicode":"40","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":{"@d":"M9 3739l9 0 -7 19 -7 0 5 -19z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@unicode":"44","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":{"@d":"M8 3739l8 0 0 9 -8 0 0 -9z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@unicode":"46","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":{"@d":"M8 3690l32 0 0 6 -24 0 -1 16c2,0 3,0 4,0 2,0 3,-1 4,-1 6,0 11,2 14,5 4,3 5,8 5,13 0,6 -2,11 -6,14 -4,4 -9,6 -16,6 -3,0 -5,-1 -7,-1 -2,0 -4,-1 -6,-2l0 -7c2,1 4,2 6,2 2,1 4,1 7,1 4,0 8,-1 10,-3 3,-3 4,-6 4,-10 0,-3 -1,-6 -4,-8 -2,-2 -5,-3 -10,-3 -1,0 -3,0 -5,0 -2,0 -5,1 -7,2l0 -30z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@unicode":"53","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":{"@d":"M5 3690l36 0 0 7 -22 51 -9 0 23 -51 -28 0 0 -7z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@unicode":"55","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":{"@d":"M35 3708c0,-4 -1,-7 -3,-9 -2,-3 -5,-4 -8,-4 -3,0 -6,2 -8,4 -2,2 -3,6 -3,9 0,4 1,7 3,9 2,2 4,3 8,3 3,0 6,-1 8,-3 2,-2 3,-6 3,-9zm-28 39l1 -7c1,1 3,1 4,2 2,0 4,0 6,0 6,0 10,-2 13,-6 3,-3 5,-9 5,-17 -1,3 -3,5 -6,6 -2,1 -5,2 -8,2 -5,0 -9,-2 -12,-5 -4,-4 -5,-8 -5,-13 0,-6 2,-11 5,-14 4,-4 8,-6 14,-6 6,0 11,2 14,7 4,5 6,12 6,20 0,11 -3,19 -7,24 -4,6 -10,9 -18,9 -2,0 -4,0 -6,-1 -2,0 -4,-1 -6,-1z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@unicode":"57","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":{"@d":"M8 3739l8 0 0 9 -8 0 0 -9zm0 -33l8 0 0 9 -8 0 0 -9z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@unicode":"58","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":{"@d":"M28 3718c4,0 7,2 10,4 2,3 3,6 3,9 0,5 -2,10 -6,13 -4,3 -10,4 -17,4 -2,0 -5,0 -7,0 -3,0 -5,-1 -7,-2l1 -7c2,1 4,2 6,2 2,1 4,1 6,1 5,0 8,-1 11,-3 3,-2 4,-5 4,-8 0,-3 -1,-6 -3,-7 -2,-2 -6,-3 -10,-3l-6 0 0 -6 6 0c4,0 7,-1 10,-3 2,-2 3,-4 3,-7 0,-2 -1,-5 -3,-6 -3,-2 -6,-3 -9,-3 -2,0 -4,0 -6,1 -3,0 -5,1 -7,2l0 -7c2,-1 5,-1 7,-2 3,0 5,0 7,0 6,0 11,1 14,4 4,3 5,6 5,11 0,3 -1,6 -3,8 -2,2 -5,4 -9,5z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@unicode":"51","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":{"@d":"M12 3743l22 0 0 5 -30 0 0 -6c9,-8 15,-15 18,-19 3,-4 4,-8 4,-11 0,-2 -1,-4 -2,-5 -2,-1 -4,-2 -7,-2 -2,0 -3,0 -5,1 -2,0 -4,1 -6,2l0 -6c2,-1 4,-2 6,-2 3,-1 5,-1 7,-1 4,0 7,1 10,4 3,2 4,5 4,9 0,4 -2,8 -5,12 -3,5 -8,11 -16,19z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@unicode":"50","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":{"@d":"M30 3697l-21 32 21 0 0 -32zm-2 -7l9 0 0 39 9 0 0 6 -9 0 0 13 -7 0 0 -13 -28 0 0 -7 26 -38z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@unicode":"52","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":{"@d":"M25 3718c-3,0 -6,1 -8,3 -2,3 -3,6 -3,9 0,4 1,7 3,9 2,3 5,4 8,4 3,0 6,-1 8,-4 2,-2 3,-5 3,-9 0,-4 -1,-7 -3,-9 -2,-2 -5,-3 -8,-3zm17 -27l-1 7c-1,-1 -3,-1 -4,-2 -2,0 -4,0 -6,0 -6,0 -10,2 -13,6 -3,4 -5,9 -5,17 1,-3 3,-4 6,-6 2,-1 5,-2 8,-2 5,0 9,2 12,5 4,4 5,8 5,13 0,6 -2,11 -5,14 -4,4 -8,6 -14,6 -6,0 -11,-2 -15,-7 -3,-5 -5,-11 -5,-20 0,-11 2,-18 7,-24 4,-6 10,-9 18,-9 2,0 4,1 6,1 2,0 4,1 6,1z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@unicode":"54","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":{"@d":"M24 3715c4,-1 6,-3 8,-5 1,-2 2,-4 2,-7 0,-2 -1,-4 -2,-6 -2,-1 -5,-2 -7,-2 -4,0 -6,1 -8,2 -2,2 -3,4 -3,7 0,2 1,4 2,6 2,2 5,4 8,5zm-1 6c-4,1 -6,3 -8,5 -2,2 -3,4 -3,6 0,3 1,6 3,8 3,2 5,3 9,3 3,0 6,-1 8,-3 2,-2 4,-4 4,-7 0,-3 -1,-5 -3,-7 -2,-2 -6,-4 -10,-5zm8 -3c4,1 7,3 10,6 2,2 3,5 3,9 0,5 -2,9 -6,12 -3,3 -8,4 -14,4 -6,0 -11,-2 -15,-5 -3,-3 -5,-6 -5,-11 0,-4 1,-7 3,-9 3,-3 6,-5 10,-6 -3,-2 -6,-4 -8,-6 -2,-3 -3,-6 -3,-9 0,-4 2,-7 5,-10 4,-3 8,-4 14,-4 5,0 9,1 12,4 3,2 5,6 5,10 0,3 -1,6 -3,8 -2,3 -5,5 -8,7z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@unicode":"56","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":{"@d":"M24 3695c-4,0 -7,2 -9,6 -2,4 -3,10 -3,18 0,8 1,14 3,18 2,4 5,6 9,6 4,0 7,-2 8,-6 2,-4 3,-10 3,-18 0,-8 -1,-14 -2,-18 -2,-4 -5,-6 -9,-6zm0 -6c6,0 11,3 15,8 3,5 5,12 5,22 0,10 -2,17 -5,22 -4,6 -9,8 -15,8 -6,0 -11,-2 -15,-8 -3,-5 -5,-12 -5,-22 0,-10 2,-17 5,-22 4,-5 9,-8 15,-8z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@unicode":"48","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":{"@d":"M23 3690l7 0 0 58 -8 0 0 -49 -9 8 -4 -5 14 -12z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@unicode":"49","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":{"@d":"M7 3690l8 0 0 25 27 0 0 -25 8 0 0 58 -8 0 0 -27 -27 0 0 27 -8 0 0 -58z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@unicode":"72","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":{"@d":"M6 3700l8 0 21 37c1,1 1,2 1,3 1,1 1,2 2,4 -1,-2 -1,-4 -1,-5 0,-1 0,-3 0,-4l0 -35 6 0 0 48 -8 0 -22 -38c0,0 0,-1 -1,-2 0,-1 0,-3 -1,-4 1,2 1,4 1,6 0,1 0,2 0,3l0 35 -6 0 0 -48z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@unicode":"78","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":{"@d":"M13 3705l0 37 5 0c6,0 11,-1 14,-5 4,-3 5,-7 5,-13 0,-6 -1,-11 -5,-14 -3,-3 -7,-5 -14,-5l-5 0zm-7 -5l11 0c9,0 16,2 21,6 4,4 6,10 6,18 0,8 -2,14 -7,18 -4,4 -11,6 -20,6l-11 0 0 -48z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@unicode":"68","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":{"@d":"M10 3671l41 0 0 8 -31 0 0 25 30 0 0 8 -30 0 0 27 32 0 0 9 -42 0 0 -77z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@unicode":"69","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":{"@d":"M28 3697l-11 30 22 0 -11 -30zm-5 -7l10 0 23 58 -9 0 -5 -15 -28 0 -5 15 -9 0 23 -58z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@unicode":"65","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":{"@d":"M41 3702l-1 5c-2,0 -3,-1 -5,-1 -2,-1 -4,-1 -6,-1 -5,0 -10,2 -13,5 -4,4 -5,8 -5,14 0,6 1,10 5,14 3,3 8,5 14,5 1,0 3,-1 5,-1 2,0 3,-1 5,-2l0 6c-1,1 -3,1 -5,2 -2,0 -4,0 -6,0 -8,0 -14,-2 -19,-6 -4,-5 -7,-10 -7,-18 0,-7 3,-13 7,-18 5,-4 11,-6 19,-6 2,0 4,0 6,0 2,0 4,1 6,2z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@unicode":"67","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":{"@d":"M6 3700l7 0 0 48 -7 0 0 -48z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@unicode":"73","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":{"@d":"M29 3705l0 29 11 0c6,0 11,-1 15,-4 3,-2 5,-6 5,-11 0,-4 -2,-8 -5,-10 -3,-3 -8,-4 -14,-4l-12 0zm0 -40l0 27 9 0c7,0 11,-1 15,-4 3,-2 5,-5 5,-9 0,-5 -2,-8 -5,-10 -3,-3 -8,-4 -13,-4l-11 0zm-18 -13l32 0c11,0 19,2 25,6 6,4 9,10 9,19 0,5 -2,9 -5,13 -3,4 -8,6 -13,8 6,1 11,4 15,8 3,4 5,9 5,15 0,9 -3,16 -9,20 -7,5 -16,7 -28,7l-31 0 0 -96z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@unicode":"66","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":{"@d":"M7 3690l8 0 0 51 23 0 0 7 -31 0 0 -58z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@unicode":"76","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":{"@d":"M6 3700l7 0 0 21 20 -21 8 0 -22 22 24 26 -9 0 -21 -24 0 24 -7 0 0 -48z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@unicode":"75","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":{"@d":"M7 3690l12 0 18 45c0,1 0,2 0,3 1,2 1,3 1,4 0,-1 0,-3 1,-4 0,-2 0,-2 0,-3l18 -45 12 0 0 58 -8 0 0 -45c0,-2 0,-3 0,-5 1,-1 1,-3 1,-4 0,1 -1,3 -1,4 -1,1 -1,2 -1,4l-19 46 -7 0 -18 -47c-1,-1 -1,-2 -1,-3 0,-1 -1,-3 -1,-4 0,2 0,4 0,6 0,1 0,2 0,3l0 45 -7 0 0 -58z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@unicode":"77","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":{"@d":"M51 3693l-1 7c-2,-2 -4,-2 -7,-3 -2,0 -5,-1 -7,-1 -7,0 -13,2 -17,7 -4,4 -6,9 -6,16 0,7 2,13 6,17 4,4 10,6 17,6 2,0 3,0 5,-1 1,0 3,0 4,-1l0 -17 -12 0 0 -7 20 0 0 29c-3,1 -5,2 -8,2 -3,1 -6,1 -10,1 -9,0 -17,-2 -22,-8 -6,-5 -9,-12 -9,-21 0,-9 3,-16 9,-21 5,-5 13,-8 22,-8 3,0 6,0 9,1 2,0 5,1 7,2z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@unicode":"71","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":{"@d":"M42 3747l12 12 -9 0 -11 -10c-1,0 -1,0 -2,0 0,0 -1,0 -1,0 -8,0 -15,-3 -20,-8 -4,-5 -7,-13 -7,-22 0,-9 3,-17 7,-22 5,-5 11,-8 20,-8 8,0 14,3 19,8 4,5 7,13 7,22 0,7 -2,13 -4,17 -3,5 -6,8 -11,11zm-11 -51c-6,0 -10,2 -13,6 -4,4 -5,10 -5,17 0,7 1,13 5,17 3,4 7,6 13,6 5,0 9,-2 12,-6 4,-4 5,-10 5,-17 0,-7 -1,-13 -5,-17 -3,-4 -7,-6 -12,-6z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@unicode":"81","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":{"@d":"M1 3700l7 0 9 38c0,1 1,1 1,2 0,1 0,3 0,4 0,-1 0,-2 0,-3 1,-1 1,-2 1,-2l10 -39 9 0 9 39c1,0 1,1 1,2 0,1 0,2 0,3 0,-1 0,-2 1,-3 0,-1 0,-2 0,-2l10 -39 6 0 -13 48 -8 0 -10 -39c-1,-1 -1,-2 -1,-3 0,-1 0,-2 0,-3 0,2 0,4 -1,4 0,1 0,2 0,2l-10 39 -8 0 -13 -48z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@unicode":"87","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":{"@d":"M6 3700l6 0 0 28c0,5 1,9 3,12 2,2 5,3 9,3 4,0 6,-1 8,-4 2,-2 3,-6 3,-11l0 -28 7 0 0 28c0,7 -2,12 -5,16 -3,3 -7,5 -14,5 -5,0 -10,-2 -13,-5 -3,-4 -4,-9 -4,-16l0 -28z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@unicode":"85","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":{"@d":"M13 3705l0 16 5 0c3,0 6,0 8,-2 2,-1 3,-3 3,-6 0,-3 -1,-5 -3,-6 -2,-1 -5,-2 -8,-2l-5 0zm-7 -5l13 0c5,0 10,1 12,3 3,2 5,5 5,9 0,3 -1,6 -3,8 -2,2 -5,3 -8,4 1,0 3,1 4,2 0,1 1,2 2,5l8 17 -8 0 -6 -16c-1,-2 -2,-3 -3,-4 -1,-1 -3,-1 -5,-1l-4 0 0 21 -7 0 0 -48z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@unicode":"82","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":{"@d":"M1 3690l40 0 0 7 -16 0 0 51 -8 0 0 -51 -16 0 0 -7z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@unicode":"84","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":{"@d":"M15 3696l0 22 6 0c4,0 7,-1 9,-3 3,-2 4,-4 4,-8 0,-3 -1,-6 -3,-8 -2,-2 -5,-3 -9,-3l-7 0zm-8 -6l15 0c6,0 12,2 15,4 4,3 5,8 5,13 0,6 -2,10 -5,13 -4,3 -9,4 -16,4l-6 0 0 24 -8 0 0 -58z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@unicode":"80","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":{"@d":"M37 3692l-1 7c-2,-1 -3,-2 -5,-2 -2,-1 -4,-1 -6,-1 -4,0 -6,1 -8,2 -2,1 -3,3 -3,5 0,2 0,4 2,5 1,2 4,4 8,6 6,3 10,6 12,9 2,2 3,5 3,9 0,5 -2,9 -5,12 -4,3 -8,4 -14,4 -3,0 -5,0 -8,0 -2,-1 -5,-1 -7,-2l1 -8c2,1 5,2 7,3 2,0 4,1 6,1 4,0 7,-1 9,-3 2,-1 3,-3 3,-6 0,-3 -4,-8 -12,-12 -2,-1 -3,-2 -4,-2 -3,-2 -5,-4 -7,-7 -2,-2 -2,-5 -2,-8 0,-4 1,-8 5,-10 3,-3 8,-4 14,-4 2,0 4,0 6,0 2,1 4,1 6,2z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@unicode":"83","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":{"@d":"M1 3690l9 0 17 50 17 -50 8 0 -21 58 -9 0 -21 -58z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@unicode":"86","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":{"@d":"M4 3690l37 0 0 7 -30 44 31 0 0 7 -39 0 0 -8 30 -43 -29 0 0 -7z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@unicode":"90","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":{"@d":"M27 3711c-4,0 -7,2 -9,4 -2,3 -3,7 -3,12 0,5 1,8 3,11 2,3 5,4 8,4 4,0 6,-1 8,-4 3,-2 4,-6 4,-11 0,-5 -1,-9 -3,-12 -2,-2 -5,-4 -8,-4zm-20 -25l8 0 0 27c1,-3 3,-5 5,-6 3,-1 5,-2 8,-2 6,0 10,2 13,6 3,4 5,9 5,15 0,7 -2,12 -5,16 -3,5 -7,7 -13,7 -3,0 -6,-1 -8,-3 -2,-1 -4,-3 -6,-7l0 9 -7 0 0 -62z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@unicode":"98","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":{"@d":"M40 3714c2,-3 4,-5 6,-6 3,-2 5,-3 8,-3 5,0 8,2 10,5 3,3 4,7 4,13l0 25 -8 0 0 -24c0,-4 -1,-7 -2,-9 -1,-2 -3,-3 -6,-3 -3,0 -6,1 -8,4 -2,3 -3,6 -3,11l0 21 -8 0 0 -24c0,-4 0,-7 -2,-9 -1,-2 -3,-3 -6,-3 -3,0 -6,1 -7,4 -2,3 -3,6 -3,11l0 21 -8 0 0 -42 7 0 0 8c2,-3 3,-5 6,-7 2,-1 5,-2 8,-2 3,0 5,1 7,3 3,1 4,3 5,6z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@unicode":"109","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":{"@d":"M26 3727c-5,0 -9,1 -11,3 -3,1 -4,3 -4,6 0,2 1,4 2,5 2,1 3,2 6,2 3,0 6,-1 8,-3 2,-3 3,-6 3,-10l0 -3 -4 0zm12 -4l0 25 -7 0 0 -7c-2,3 -4,4 -6,6 -2,1 -5,2 -8,2 -4,0 -8,-2 -10,-4 -2,-2 -4,-5 -4,-9 0,-4 2,-8 6,-10 4,-3 9,-4 16,-4l5 0 0 -1c0,-3 0,-5 -2,-7 -2,-2 -5,-3 -8,-3 -2,0 -4,0 -6,1 -2,0 -4,1 -6,3l0 -7c2,-1 5,-2 7,-2 2,-1 5,-1 7,-1 6,0 9,2 12,5 3,2 4,7 4,13z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@unicode":"97","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":{"@d":"M6 3696l6 0 0 31 14 -14 8 0 -16 15 17 20 -8 0 -15 -18 0 18 -6 0 0 -52z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@unicode":"107","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":{"@d":"M7 3706l7 0 0 44c0,6 -1,10 -3,12 -1,3 -4,4 -9,4 0,0 -1,0 -2,0 -1,0 -2,-1 -3,-1l1 -5c0,0 1,0 1,0 1,0 1,0 2,0 2,0 3,-1 4,-2 1,-2 2,-4 2,-8l0 -44zm0 -19l7 0 0 8 -7 0 0 -8z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@unicode":"106","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":{"@d":"M23 3711c-3,0 -6,2 -8,4 -2,3 -3,7 -3,12 0,4 1,8 3,11 2,2 5,4 8,4 4,0 7,-2 9,-4 2,-3 3,-7 3,-11 0,-5 -1,-9 -3,-12 -2,-2 -5,-4 -9,-4zm13 3l0 -8 7 0 0 37c0,8 -2,14 -5,18 -4,3 -9,5 -16,5 -2,0 -5,0 -7,0 -3,-1 -5,-1 -7,-2l1 -7c2,1 4,2 6,2 2,1 4,1 6,1 5,0 8,-1 11,-4 2,-3 3,-6 3,-11l0 -5c-1,2 -3,4 -6,6 -2,1 -5,2 -8,2 -5,0 -9,-2 -12,-6 -3,-4 -5,-9 -5,-15 0,-7 2,-12 5,-16 3,-4 7,-6 13,-6 3,0 6,1 8,2 2,2 4,4 6,7z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@unicode":"103","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":{"@d":"M39 3665l0 8c-2,0 -3,0 -4,-1 0,0 -1,0 -2,0 -3,0 -5,1 -6,3 -2,2 -2,5 -2,9l0 8 13 0 0 8 -13 0 0 48 -11 0 0 -48 -11 0 0 -8 11 0 0 -9c0,-6 2,-11 5,-14 3,-3 7,-5 13,-5 1,0 2,0 3,0 1,0 3,1 4,1z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@unicode":"102","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":{"@d":"M23 3711c-3,0 -6,2 -8,4 -2,3 -3,7 -3,12 0,5 1,8 3,11 2,3 5,4 8,4 4,0 7,-1 9,-4 2,-3 3,-6 3,-11 0,-5 -1,-9 -3,-12 -2,-2 -5,-4 -9,-4zm12 -25l8 0 0 62 -7 0 0 -9c-2,4 -4,6 -6,7 -3,2 -6,3 -9,3 -5,0 -9,-2 -12,-7 -3,-4 -5,-9 -5,-16 0,-6 1,-11 5,-15 3,-4 7,-6 12,-6 3,0 6,1 8,2 3,1 4,3 6,6l0 -27z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@unicode":"100","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":{"@d":"M25 3711c-4,0 -7,2 -10,4 -2,3 -3,7 -3,12 0,5 1,9 3,11 3,3 6,5 10,5 3,0 6,-2 9,-4 2,-3 3,-7 3,-12 0,-5 -1,-9 -3,-12 -3,-2 -6,-4 -9,-4zm-1 -6c7,0 12,2 16,6 3,4 5,9 5,16 0,7 -2,12 -5,16 -4,4 -9,6 -16,6 -6,0 -11,-2 -15,-6 -3,-4 -5,-9 -5,-16 0,-7 2,-12 5,-16 4,-4 9,-6 15,-6z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@unicode":"111","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":{"@d":"M7 3686l8 0 0 27c1,-3 3,-5 5,-6 3,-1 5,-2 9,-2 4,0 8,2 10,5 3,3 4,7 4,13l0 25 -8 0 0 -24c0,-4 -1,-7 -2,-9 -2,-2 -4,-3 -7,-3 -4,0 -6,1 -8,4 -2,2 -3,6 -3,11l0 21 -8 0 0 -62z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@unicode":"104","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":{"@d":"M36 3708l-1 6c-1,0 -2,-1 -4,-1 -1,-1 -3,-1 -5,-1 -4,0 -7,1 -10,4 -3,3 -4,7 -4,11 0,5 1,8 4,11 2,3 6,4 10,4 2,0 3,0 5,-1 2,0 3,0 5,-1l0 7c-2,0 -3,1 -5,1 -2,0 -4,0 -6,0 -6,0 -12,-1 -15,-5 -4,-4 -6,-9 -6,-16 0,-6 2,-11 6,-15 4,-4 9,-6 16,-6 2,0 3,0 5,0 2,1 3,1 5,2z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@unicode":"99","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":{"@d":"M7 3706l7 0 0 42 -7 0 0 -42zm0 -19l7 0 0 8 -7 0 0 -8z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@unicode":"105","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":{"@d":"M43 3723l0 25 -8 0 0 -24c0,-4 -1,-7 -2,-9 -2,-2 -4,-3 -7,-3 -4,0 -6,1 -8,4 -2,2 -3,6 -3,11l0 21 -8 0 0 -42 7 0 0 8c2,-3 4,-5 6,-7 2,-1 5,-2 9,-2 4,0 8,2 10,5 3,3 4,7 4,13z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@unicode":"110","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":{"@d":"M7 3686l7 0 0 62 -7 0 0 -62z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@unicode":"108","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":{"@d":"M41 3726l0 3 -30 0c1,4 2,8 5,10 2,3 6,4 10,4 2,0 4,0 6,-1 2,0 4,-1 6,-2l0 7c-2,0 -4,1 -7,1 -2,1 -4,1 -7,1 -6,0 -11,-2 -15,-6 -3,-4 -5,-9 -5,-16 0,-7 2,-12 5,-16 4,-4 8,-6 14,-6 6,0 10,2 13,6 3,3 5,8 5,15zm-7 -2c-1,-4 -2,-8 -4,-10 -1,-2 -4,-3 -7,-3 -3,0 -6,1 -8,3 -2,3 -3,6 -4,10l23 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@unicode":"101","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":{"@d":"M1 3706l8 0 12 35 11 -35 8 0 -17 46c-2,5 -4,9 -6,11 -2,2 -5,3 -9,3 0,0 -1,0 -2,0 -1,0 -2,0 -3,0l1 -7c1,0 1,0 2,1 0,0 1,0 2,0 1,0 3,-1 5,-3 1,-1 2,-4 4,-7l-16 -44z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@unicode":"121","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":{"@d":"M2 3706l9 0 9 15 9 -15 9 0 -13 20 14 22 -9 0 -10 -17 -11 17 -8 0 14 -22 -13 -20z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@unicode":"120","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":{"@d":"M34 3723c0,-3 -1,-6 -2,-8 -2,-2 -5,-3 -8,-3 -3,0 -7,1 -10,5 -2,4 -4,9 -4,15 0,3 1,6 3,8 1,2 4,3 7,3 4,0 7,-2 10,-6 3,-4 4,-8 4,-14zm4 -17l8 0 -13 59 -7 0 5 -23c-2,3 -4,4 -6,5 -3,1 -5,2 -8,2 -5,0 -8,-2 -11,-5 -3,-3 -4,-7 -4,-13 0,-4 1,-7 2,-11 1,-3 3,-6 5,-9 2,-2 4,-3 7,-4 2,-1 4,-2 7,-2 4,0 6,1 9,3 2,1 4,4 4,7l2 -9z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@unicode":"113","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":{"@d":"M6 3706l8 0 0 23c0,5 0,8 2,10 1,2 4,3 7,3 4,0 6,-2 8,-4 2,-3 3,-7 3,-13l0 -19 8 0 0 42 -7 0 0 -8c-2,3 -4,5 -6,6 -2,2 -5,3 -9,3 -4,0 -8,-2 -10,-5 -3,-3 -4,-7 -4,-13l0 -25z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@unicode":"117","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":{"@d":"M15 3741l0 24 -8 0 0 -59 7 0 0 8c2,-3 4,-5 6,-7 3,-1 6,-2 9,-2 5,0 9,2 12,6 3,4 5,9 5,15 0,7 -2,13 -5,17 -3,4 -7,6 -13,6 -3,0 -5,-1 -8,-2 -2,-1 -4,-3 -5,-6zm23 -14c0,-5 -1,-9 -3,-12 -2,-2 -5,-4 -8,-4 -4,0 -7,2 -9,5 -2,2 -3,6 -3,11 0,5 1,9 3,11 2,3 5,5 8,5 4,0 7,-2 9,-5 2,-3 3,-6 3,-11z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@unicode":"112","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":{"@d":"M4 3706l31 0 0 7 -23 29 23 0 0 6 -32 0 0 -7 24 -29 -23 0 0 -6z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@unicode":"122","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":{"@d":"M29 3706l0 7c-1,0 -1,0 -2,0 0,0 -1,0 -1,0 -4,0 -7,1 -8,3 -2,3 -3,6 -3,11l0 21 -8 0 0 -42 7 0 0 9c1,-3 3,-6 5,-7 2,-2 4,-3 7,-3 0,0 1,0 2,0 0,1 1,1 1,1z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@unicode":"114","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":{"@d":"M1 3706l8 0 11 35 12 -35 7 0 -14 42 -9 0 -15 -42z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@unicode":"118","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":{"@d":"M18 3693l0 13 10 0 0 6 -10 0 0 22c0,3 0,5 1,7 1,1 3,2 5,2 1,0 1,0 2,0 1,-1 1,-1 2,-1l0 6c-1,0 -2,0 -3,1 -1,0 -2,0 -3,0 -4,0 -7,-1 -9,-4 -2,-2 -3,-5 -3,-11l0 -22 -8 0 0 -6 9 0 0 -10 7 -3z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@unicode":"116","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":{"@d":"M30 3707l0 7c-2,-1 -4,-2 -5,-2 -2,-1 -4,-1 -6,-1 -2,0 -4,1 -5,1 -1,1 -2,2 -2,4 0,1 1,2 2,3 1,1 3,3 6,4 5,2 8,4 9,6 2,2 3,4 3,7 0,4 -2,7 -5,9 -3,2 -7,3 -12,3 -2,0 -4,0 -6,0 -2,0 -3,-1 -5,-2l0 -6c2,1 4,2 6,2 2,1 4,1 5,1 3,0 5,-1 6,-2 2,-1 3,-2 3,-4 0,-2 -1,-3 -2,-4 -1,-1 -3,-2 -6,-4 -4,-2 -7,-4 -9,-6 -2,-2 -2,-4 -2,-6 0,-4 1,-6 4,-8 2,-2 6,-3 11,-3 1,0 3,0 5,0 2,0 3,1 5,1z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@unicode":"115","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":{"@d":"M2 3692l11 0 12 43c0,0 0,1 0,2 0,2 1,3 1,5 0,-3 0,-4 1,-5 0,-1 0,-2 0,-2l12 -43 13 0 13 43c0,0 0,1 0,2 0,1 1,3 1,5 0,-2 0,-3 0,-5 1,-1 1,-2 1,-2l12 -43 11 0 -19 56 -11 0 -14 -44c0,-1 0,-2 0,-3 0,-1 0,-2 -1,-4 0,2 0,3 0,4 0,1 0,2 -1,3l-13 44 -12 0 -17 -56z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@unicode":"119","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":{"@d":"M18 3708c0,-1 -1,-3 -2,-4 -1,-2 -3,-2 -5,-2 -1,0 -3,0 -4,2 -2,1 -2,3 -2,4 0,2 0,4 2,5 1,1 3,2 4,2 2,0 4,-1 5,-2 1,-1 2,-3 2,-5zm-7 -9c3,0 5,1 7,2 2,2 3,5 3,7 0,3 -1,5 -3,7 -2,2 -4,3 -7,3 -2,0 -5,-1 -7,-3 -1,-2 -2,-4 -2,-7 0,-2 1,-5 3,-7 1,-1 4,-2 6,-2z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@unicode":"176","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":{"@d":"M34 3720c-6,0 -11,1 -14,3 -4,2 -5,5 -5,9 0,3 1,5 3,7 1,1 4,2 7,2 5,0 8,-1 11,-4 3,-3 5,-7 5,-12l0 -5 -7 0zm17 -6l0 34 -10 0 0 -9c-2,3 -5,6 -8,7 -3,2 -7,3 -11,3 -5,0 -9,-2 -13,-5 -3,-3 -5,-7 -5,-12 0,-6 3,-10 8,-14 5,-3 12,-4 21,-4l8 0 0 -2c0,-4 -2,-7 -4,-10 -3,-2 -6,-3 -10,-3 -3,0 -5,0 -8,1 -2,1 -5,2 -8,3l0 -8c3,-1 6,-2 9,-3 3,-1 6,-1 10,-1 7,0 12,2 15,6 4,4 6,9 6,17zm-17 -43l9 0 0 10 -9 0 0 -10zm-18 0l9 0 0 10 -9 0 0 -10z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@unicode":"228","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":{"@d":"M8 3692l10 0 0 31c0,6 1,10 3,13 2,3 5,4 10,4 4,0 8,-2 11,-6 2,-3 4,-9 4,-16l0 -26 10 0 0 56 -10 0 0 -11c-2,4 -4,7 -7,9 -4,2 -7,3 -12,3 -6,0 -11,-2 -14,-6 -3,-4 -5,-10 -5,-18l0 -33zm29 -21l9 0 0 10 -9 0 0 -10zm-18 0l9 0 0 10 -9 0 0 -10z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@unicode":"252","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":{"@d":"M43 3689c-5,0 -10,2 -13,6 -4,5 -5,10 -5,18 0,7 1,12 5,17 3,4 8,6 13,6 6,0 10,-2 14,-6 3,-5 5,-10 5,-17 0,-8 -2,-13 -5,-18 -4,-4 -8,-6 -14,-6zm0 -13c12,0 21,3 28,10 6,6 10,15 10,27 0,11 -4,20 -10,27 -7,7 -16,10 -28,10 -11,0 -21,-3 -27,-10 -7,-7 -10,-16 -10,-27 0,-12 3,-21 10,-27 6,-7 16,-10 27,-10zm5 -27l14 0 0 15 -14 0 0 -15zm-24 0l14 0 0 15 -14 0 0 -15z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@unicode":"246","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@id":"FontID0","@horiz-adv-x":"1000","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"style":{"$":"\n .str18 {stroke:#1F1A17;stroke-width:3}\n .str7 {stroke:#0093DD;stroke-width:4;stroke-linejoin:round}\n .str2 {stroke:#0093DD;stroke-width:4;stroke-linejoin:round}\n .str11 {stroke:#1F1A17;stroke-width:4}\n .str15 {stroke:#1F1A17;stroke-width:4;stroke-linejoin:round}\n .str16 {stroke:#131516;stroke-width:4;stroke-linejoin:round}\n .str13 {stroke:#1F1A17;stroke-width:4;stroke-linejoin:round}\n .str6 {stroke:#0093DD;stroke-width:6;stroke-linejoin:round}\n .str17 {stroke:#1F1A17;stroke-width:6}\n .str9 {stroke:#131516;stroke-width:6;stroke-linejoin:round}\n .str0 {stroke:#4E4B4A;stroke-width:6;stroke-linejoin:round}\n .str5 {stroke:#0093DD;stroke-width:8;stroke-linejoin:round}\n .str12 {stroke:#1F1A17;stroke-width:8}\n .str14 {stroke:#131516;stroke-width:8;stroke-linejoin:round}\n .str8 {stroke:#449285;stroke-width:8;stroke-linejoin:round}\n .str4 {stroke:#0093DD;stroke-width:10;stroke-linejoin:round}\n .str3 {stroke:#0093DD;stroke-width:12;stroke-linejoin:round}\n .str10 {stroke:#131516;stroke-width:12;stroke-linejoin:round}\n .str1 {stroke:#4E4B4A;stroke-width:12;stroke-linejoin:round}\n .fil7 {fill:none}\n .fil19 {fill:#0093DD}\n .fil8 {fill:#1F1A17}\n .fil20 {fill:#FFFFFF}\n .fil9 {fill:#DA251D}\n .fil18 {fill:#F1A400}\n .fil16 {fill:#0096D4}\n .fil13 {fill:#96C7EB}\n .fil5 {fill:#C4E1F6}\n .fil15 {fill:#E1553F}\n .fil17 {fill:#E57A51}\n .fil10 {fill:#EDF5D4}\n .fil11 {fill:#EEA45C}\n .fil14 {fill:#EFB289}\n .fil12 {fill:#F5E0A0}\n .fil6 {fill:#C3C3C2;fill-opacity:0.501961}\n .fil4 {fill:#DA251D;fill-opacity:0.501961}\n .fil3 {fill:#EC914F;fill-opacity:0.501961}\n .fil1 {fill:#EECB97;fill-opacity:0.501961}\n .fil2 {fill:#F4B770;fill-opacity:0.501961}\n .fil0 {fill:#FFFEE3;fill-opacity:0.501961}\n .fnt0 {font-weight:normal;font-size:69;font-family:FontID0, 'Humnst777 BT'}\n .fnt42 {font-weight:normal;font-size:69;font-family:FontID34, 'Humnst777 BT'}\n .fnt8 {font-weight:normal;font-size:69;font-family:FontID4, 'Humnst777 BT'}\n .fnt41 {font-weight:normal;font-size:83;font-family:FontID34, 'Humnst777 BT'}\n .fnt5 {font-weight:normal;font-size:83;font-family:FontID4, 'Humnst777 BT'}\n .fnt17 {font-weight:normal;font-size:97;font-family:FontID10, 'Humnst777 BT'}\n .fnt19 {font-weight:normal;font-size:97;font-family:FontID12, 'Humnst777 BT'}\n .fnt21 {font-weight:normal;font-size:97;font-family:FontID14, 'Humnst777 BT'}\n .fnt23 {font-weight:normal;font-size:97;font-family:FontID16, 'Humnst777 BT'}\n .fnt25 {font-weight:normal;font-size:97;font-family:FontID18, 'Humnst777 BT'}\n .fnt27 {font-weight:normal;font-size:97;font-family:FontID20, 'Humnst777 BT'}\n .fnt29 {font-weight:normal;font-size:97;font-family:FontID22, 'Humnst777 BT'}\n .fnt31 {font-weight:normal;font-size:97;font-family:FontID24, 'Humnst777 BT'}\n .fnt33 {font-weight:normal;font-size:97;font-family:FontID26, 'Humnst777 BT'}\n .fnt35 {font-weight:normal;font-size:97;font-family:FontID28, 'Humnst777 BT'}\n .fnt37 {font-weight:normal;font-size:97;font-family:FontID30, 'Humnst777 BT'}\n .fnt39 {font-weight:normal;font-size:97;font-family:FontID32, 'Humnst777 BT'}\n .fnt13 {font-weight:normal;font-size:97;font-family:FontID6, 'Humnst777 BT'}\n .fnt15 {font-weight:normal;font-size:97;font-family:FontID8, 'Humnst777 BT'}\n .fnt18 {font-weight:normal;font-size:97;font-family:FontID11, Symbol}\n .fnt20 {font-weight:normal;font-size:97;font-family:FontID13, Symbol}\n .fnt22 {font-weight:normal;font-size:97;font-family:FontID15, Symbol}\n .fnt24 {font-weight:normal;font-size:97;font-family:FontID17, Symbol}\n .fnt26 {font-weight:normal;font-size:97;font-family:FontID19, Symbol}\n .fnt28 {font-weight:normal;font-size:97;font-family:FontID21, Symbol}\n .fnt30 {font-weight:normal;font-size:97;font-family:FontID23, Symbol}\n .fnt32 {font-weight:normal;font-size:97;font-family:FontID25, Symbol}\n .fnt34 {font-weight:normal;font-size:97;font-family:FontID27, Symbol}\n .fnt36 {font-weight:normal;font-size:97;font-family:FontID29, Symbol}\n .fnt38 {font-weight:normal;font-size:97;font-family:FontID31, Symbol}\n .fnt40 {font-weight:normal;font-size:97;font-family:FontID33, Symbol}\n .fnt12 {font-weight:normal;font-size:97;font-family:FontID5, Symbol}\n .fnt14 {font-weight:normal;font-size:97;font-family:FontID7, Symbol}\n .fnt16 {font-weight:normal;font-size:97;font-family:FontID9, Symbol}\n .fnt3 {font-weight:normal;font-size:111;font-family:FontID2, 'Humnst777 BT'}\n .fnt7 {font-weight:normal;font-size:111;font-family:FontID4, 'Humnst777 BT'}\n .fnt2 {font-weight:normal;font-size:130;font-family:FontID2, 'Humnst777 BT'}\n .fnt9 {font-weight:normal;font-size:130;font-family:FontID4, 'Humnst777 BT'}\n .fnt11 {font-weight:bold;font-size:130;font-family:FontID4, 'Humnst777 BT'}\n .fnt4 {font-weight:normal;font-size:167;font-family:FontID3, 'Humnst777 Lt BT'}\n .fnt10 {font-weight:bold;font-size:222;font-family:FontID4, 'Humnst777 BT'}\n .fnt6 {font-style:italic;font-weight:normal;font-size:83;font-family:FontID4, 'Humnst777 BT'}\n .fnt1 {font-style:italic;font-weight:normal;font-size:167;font-family:FontID1, 'Humnst777 Lt BT'}\n ","@type":"text\/css","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"g":[{"image":{"@transform":"matrix(0.555102 0 0 0.555268 -5368.74 5205.7)","@x":"0","@y":"-8696","@width":"15792","@height":"12444","@xlink:href":"tests\/resources\/images\/spainRelief.png","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@id":"relief","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":[{"@class":"fil0","@d":"M-1948 1100l87 -3 57 -27 23 7 33 53 60 13 10 77 14 7 30 -17 3 20 -30 17 57 36 -10 20 -20 -13 -80 50 13 43 -17 47 24 50 -4 23 -33 7 -13 20 10 33 26 0 44 184 46 3 24 20 -17 17 7 26 46 0 7 10 -13 27 13 17 53 -17 -3 20 -43 23 -10 27 -50 17 -4 26 27 47 -30 -3 -17 -24 -60 -3 -36 27 -47 -14 -20 20 -23 0 -17 -13 10 -27 -13 -13 -37 13 -33 -46 -27 -4 -33 34 -30 -7 -40 -63 -60 10 -10 -20 53 -107 -13 -43 -50 -10 16 -90 20 -4 10 -23 0 -13 -16 3 3 -23 37 -14 -10 -33 16 -67 -13 -13 23 -117 -33 -26 23 -30 0 -57 20 -7 37 -83 33 -20z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil0","@d":"M199 1140l0 20 53 23 37 54 20 -7 10 -27 60 17 47 -37 60 40 23 -3 27 47 53 26 100 -40 43 10 24 30 33 -36 40 23 113 -10 17 -23 -20 -24 10 -63 23 -13 70 20 -73 103 7 47 36 16 -16 74 -20 10 30 60 6 63 -20 143 -30 97 -40 43 24 44 -144 153 20 53 44 4 10 33 -24 40 -30 10 0 50 -6 3 -50 -10 -7 14 -7 -4 -3 -3 -7 -3 -6 0 -4 0 -6 3 -7 0 -3 3 -7 4 -3 3 -4 7 -3 3 -7 3 -3 4 -3 6 -4 4 0 6 -3 7 0 7 -37 0 -6 -14 -7 0 0 14 -27 -10 -66 -164 -24 -3 -20 17 -63 -40 -10 -37 -73 -27 -7 -80 -77 -80 -60 0 -60 -30 30 -66 17 26 13 -10 -6 -130 16 -40 -6 -50 -7 -3 -10 10 0 17 -17 46 -33 -6 -13 26 -17 -6 53 -104 -46 -23 3 -60 -23 -3 16 -27 -16 -17 13 -20 -7 -36 17 -24 -17 -16 4 -27 30 -27 -4 -46 17 -47 50 -10z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil0","@d":"M-3064 1633l40 34 36 -7 84 30 93 -13 53 43 97 -3 43 23 37 -17 20 27 43 -20 24 17 33 -17 43 67 34 -37 13 30 13 30 -10 23 20 7 10 -30 37 -17 47 47 -27 27 17 20 -14 63 7 3 -3 20 -30 24 0 23 23 37 0 50 30 10 -10 26 17 14 -4 23 -40 23 -3 4 17 43 -17 37 23 83 -26 47 26 6 -3 34 -20 13 -33 -17 -10 -36 -30 6 -7 24 -43 -54 -24 7 -26 -27 -67 17 -70 -17 -30 57 -10 3 -3 -10 -17 7 -10 -7 0 -30 -43 -3 -7 -7 -3 -3 -4 0 -6 7 -4 3 -6 0 -4 -3 -3 -4 -3 -6 -4 -7 0 -3 -6 -7 -4 -3 -3 -4 -7 0 -6 0 -4 -3 -3 -3 0 -7 0 -7 0 -6 0 -7 0 -3 -7 -7 -3 -3 -7 0 -3 3 -3 7 -4 3 -3 7 -7 3 -3 3 -7 4 -3 0 -7 0 -3 -4 -7 -3 -6 0 -4 0 -6 0 -7 -3 -7 0 -3 0 -7 0 -6 0 -7 0 -10 0 7 -7 3 -3 7 -4 3 -3 7 -3 3 -4 7 -3 3 -3 3 -7 4 -3 3 -7 0 -3 3 -7 4 -3 3 -7 3 0 7 0 7 0 6 -3 4 -4 3 -3 0 -7 0 -6 3 -7 0 -3 4 -7 3 -3 3 -7 4 -3 3 -7 3 -3 0 -7 4 -3 3 -7 3 -3 4 -7 3 -3 3 -7 4 -3 3 -7 3 -3 4 -4 3 -6 7 -4 10 -16 -84 -67 -50 -7 -36 17 -24 -20 -6 -47 30 -86 -30 -14 10 -40 -17 -20 -20 20 -53 0 -30 -26 -10 -14 -27 30 -50 0 -30 -20 13 -46 -20 -17 0 -23 30 -27 10 -33 40 -34 34 10 10 -30m530 317l-4 7 -3 3 -3 7 -4 3 -6 0 -4 0 -3 7 -3 3 0 7 0 6 3 7 3 3 4 7 0 3 0 7 0 7 -4 6 -3 4 -3 3 -4 3 -6 4 -4 6 -3 4 -3 6 0 4 -7 3 -3 7 -7 0 -3 0 -4 3 -3 7 0 6 0 7 0 7 -3 3 -7 3 -3 0 -7 4 -7 3 -3 3 -7 0 -6 0 -4 0 0 7 0 7 7 3 3 3 0 7 0 7 4 3 0 7 3 6 3 -3 7 -3 3 -4 0 -6 -3 -4 0 -6 3 -7 0 -3 4 -7 6 -3 7 0 3 0 7 -4 3 -3 0 -7 0 -6 4 -4 0 -6 3 -7 3 -3 7 0 3 -4 7 4 7 0 6 -4 0 -3 -3 -7 -3 -6 -4 -4 4 -6 0 -7 6 0 7 0 3 0 7 0 7 -3 6 -4 0 -3 0 -7 -3 -6 0 -7 -3 -3 -4 -7 -3 -3 -3 -7 0 -7 0 -3 0 -7 3 -3 3 -7 4 -3 3 -7 0 -6 -3 -7z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil0","@d":"M-964 1820l23 10 33 -23 7 -47 27 -13 16 23 -20 53 90 14 37 -50 0 -20 10 -14 7 4 33 -24 67 -3 20 40 40 -17 33 7 -13 37 26 23 4 47 76 23 57 -30 27 77 -24 43 40 57 -16 40 -24 0 -36 43 -20 -7 -17 10 13 30 -6 44 26 60 -50 23 -6 -37 -37 -6 -10 50 -23 36 16 100 50 24 -3 50 -7 0 -26 -20 -17 0 -13 20 -34 -4 -46 24 -20 -17 -30 20 -27 -17 -37 -56 -23 6 -7 -6 4 -14 -24 -10 14 -16 -4 -4 -13 4 -10 -20 -37 -4 -3 -13 -10 -3 -27 16 -30 -10 -26 -33 -20 0 -17 13 -57 14 -80 -20 -80 -64 7 -50 -47 -13 -16 -40 -20 10 -20 -13 -10 -30 3 -24 43 17 7 -20 20 -43 23 -14 4 -30 36 -23 0 -53 20 -10 50 40 30 -44 -3 -16 47 -7 10 -30 20 -3 3 -37 27 -30z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil0","@d":"M-1304 2147l10 30 20 13 20 -10 16 40 47 13 -7 50 80 64 -26 33 -77 -3 -17 13 4 27 -74 33 -43 13 -90 110 -63 24 -27 43 -17 87 -53 0 -47 70 -63 6 7 10 -10 10 -20 0 -24 4 -30 -10 -6 -54 -27 -30 -7 -43 -30 -3 0 -4 10 -16 -16 -14 -4 -50 -50 -66 -36 -14 0 -66 20 -24 20 7 6 -3 -6 -30 43 -37 -10 -27 7 -6 33 10 17 -24 -17 -50 90 -30 133 -23 64 -30 10 -43 43 20 43 53 17 -27 10 4 0 26 7 7 10 0 6 -40 27 -27 77 -16z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil0","@d":"M766 2463l6 24 27 10 13 36 -23 57 17 53 -24 37 -33 20 3 10 -73 33 -13 -30 -47 10 -63 -43 -20 27 -10 46 -37 20 -13 -13 -27 13 3 37 47 3 -3 70 23 24 -43 30 36 46 -60 57 -10 37 -50 16 -26 -10 0 40 -37 87 -30 23 -40 0 -10 30 -30 17 -3 43 26 30 -53 20 -23 -76 -44 -14 -80 10 -13 -30 47 -20 0 -20 -40 -36 -54 0 -16 -30 -14 -27 -13 0 -3 40 -67 -3 0 -37 -60 7 -73 -77 -4 3 -13 -13 3 -3 -3 -4 -7 -6 -3 -4 -3 -3 -7 -3 -3 -7 -4 -3 -3 -4 -3 -6 -4 -4 -3 -3 -7 -3 -3 -4 -7 -3 30 -47 30 -13 10 -80 47 17 27 -20 3 -64 -17 -36 14 -54 -47 -56 -3 -47 83 -7 13 -26 -10 -20 54 -54 16 24 24 3 23 -17 -7 -33 27 -17 33 7 27 -27 43 20 24 -6 -10 36 30 14 33 -50 17 26 30 0 23 -46 43 33 34 -60 -30 -23 20 -14 0 -43 23 -3 0 3 3 -3 4 -30 46 3 44 53 36 17 14 -13 50 46 120 47 33 53 17 -23 80 3z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil0","@d":"M-1118 2347l80 20 57 -14 17 -13 20 0 26 33 30 10 27 -16 10 3 3 13 37 4 10 20 13 -4 4 4 -14 16 24 10 -4 14 7 6 23 -6 37 56 27 17 30 -20 20 17 46 -24 34 4 13 -20 17 0 26 20 7 0 3 -50 54 -20 16 23 70 37 104 103 3 47 47 56 -14 54 17 36 -3 64 -27 20 -47 -17 -10 80 -30 13 -30 47 -6 -3 -4 -4 -3 0 -3 -3 0 -3 -4 -7 -3 -3 -3 -7 -4 -3 -6 -4 0 -6 -4 -7 0 -3 0 -7 -3 -7 0 -3 -3 -7 0 -6 0 -7 -4 -3 -3 -7 0 -7 -3 -3 0 -7 -4 -6 0 -4 -3 -6 -3 -10 -20 -10 -7 16 -27 -3 -40 -37 -33 -10 -23 30 -54 -6 4 36 -17 10 -50 -30 -10 20 23 27 -10 17 -63 10 -10 16 17 30 -7 14 -7 0 -3 -4 -3 -3 -4 -7 0 -3 -3 -7 -7 0 -6 0 -4 0 -6 4 -7 0 -3 3 -7 0 -7 3 -3 0 -7 0 -6 0 -7 0 -3 0 -7 4 -3 3 -7 0 -7 3 -3 4 -7 3 -3 3 -3 4 -7 -7 -17 7 -13 46 13 67 -13 43 -47 34 -53 -34 -10 37 -30 0 0 -3 -17 -84 -40 27 -10 -7 34 -106 -14 -24 -26 -13 0 -50 -30 -20 -20 7 0 -24 -24 -23 10 -37 -26 4 -14 -34 -10 14 -33 -14 13 -50 -33 -26 57 -147 -24 -37 4 -23 -34 -10 -30 -50 74 -33 -4 -27 17 -13 77 3 26 -33m314 456l-7 0 -3 0 -7 0 -7 4 -6 0 -4 3 -3 7 -3 3 0 7 -4 6 -3 4 -3 6 0 4 -4 6 0 7 -3 3 -3 7 0 7 3 3 3 7 4 3 0 7 -4 3 0 7 -3 6 0 7 0 3 -3 7 6 7 4 0 3 -7 3 -3 4 -7 0 -3 0 -7 3 -7 3 -3 4 -3 3 -7 3 -3 -3 -7 -3 -3 -7 -4 -3 -3 0 -7 0 -6 0 -7 3 -3 0 -7 3 -3 4 -7 6 -3 4 -4 3 -3 7 0 6 -3 4 -4 0 -10z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil0","@d":"M-1954 2457l0 66 36 14 50 66 4 50 16 14 -10 16 0 4 30 3 7 43 27 30 6 54 30 10 24 -4 20 0 10 -10 -7 -10 63 -6 -6 50 -40 13 -17 -13 -7 6 4 24 -24 26 0 97 -56 7 -24 60 -30 -14 -10 7 4 27 -24 56 -50 10 -23 -63 -57 10 -3 33 -90 80 -20 0 -10 -36 -77 53 -93 -23 -20 -47 10 -40 -20 -13 -23 3 -24 30 -36 10 -107 -77 30 -30 -3 -56 33 -34 37 -10 -7 24 30 16 3 -30 27 0 17 -53 -10 -17 -37 10 3 -33 30 7 27 -14 27 -33 -7 -23 73 -40 50 -57 37 -127 -7 -26 -23 -17 13 -63 74 -17 80 47 26 -30 44 -10z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil0","@d":"M-731 2977l7 -14 -17 -30 10 -16 63 -10 10 -17 -23 -27 10 -20 50 30 17 -10 -4 -36 54 6 23 -30 33 10 40 37 27 3 7 -16 20 10 3 10 3 6 0 4 4 6 0 7 3 3 0 7 3 7 4 3 0 7 0 6 3 7 0 3 3 7 0 7 0 3 4 7 0 6 6 4 4 3 3 7 3 3 4 7 0 3 3 3 3 0 4 4 6 3 7 3 3 4 7 3 3 3 4 4 3 6 3 4 4 3 3 7 7 3 3 3 3 4 7 6 3 4 -3 3 13 13 4 -3 73 77 60 -7 0 37 40 96 43 7 37 7 40 -14 13 30 -36 17 3 17 3 46 -36 87 3 43 -27 14 -36 -10 -64 86 -13 87 13 20 -133 77 -27 30 -60 -17 -53 7 -20 -44 -37 -3 0 10 4 3 0 7 0 7 3 3 0 7 3 6 0 4 4 6 3 7 0 3 3 7 -70 -10 -56 40 -30 -40 -30 33 -74 -73 -80 10 -6 0 -7 3 -3 0 -7 0 -7 4 -6 0 -4 0 -10 0 -13 -37 -20 -7 -20 24 -3 3 -30 -7 13 -23 -33 -57 6 -130 -46 -50 -44 -100 -30 -16 17 -80 -33 -7 -7 -53 57 -17 -20 -40 13 -10 30 0 10 -37 53 34 47 -34 13 -43 -13 -67 13 -46 17 -7 7 7 -4 6 -6 4 -4 6 0 4 7 3 3 3 7 4 3 3 4 7 0 6 0 4 0 6 0 7 3 7 0 3 3 7 4 3 3 3 7 0 6 0 4 0 3 -6 0 -7 3 -7 0 -3 0 -7 -3 -6 -3 -4 -4 -3 -3 -7 -3 -3 -4 -7 0 -3 0 -7 0 -6 4 -4 3 -6 3 -4 4 -3 6 -3 7 0 3 -4 7 0 7 0 6 0 4 0 6 0 7 0 7 4 3 0 7 3 3 3 7 0 3 4 7 3 6 0 4 3 6 0 7 0 3 -6 0 -4 -3 -3 -7 -3 -6 0 -7 0m247 626l-4 -6 -3 -4 -3 -6 -4 -4 0 -6 0 -4 -3 -6 -7 -4 -6 0 -7 0 -3 0 -7 -3 -3 -3 -4 -7 -6 -3 -4 -4 -3 -6 0 -4 -3 -6 0 -7 3 -3 3 -7 0 -3 -6 -7 -4 0 -6 0 -7 0 -7 -3 -3 -4 -3 -6 0 -4 -4 -6 -3 -4 -7 -3 -3 -3 -3 -4 -4 7 0 7 0 6 4 4 0 6 3 7 0 3 7 4 3 3 3 3 4 7 3 7 3 3 4 3 3 7 7 3 3 4 3 3 4 7 3 3 0 7 0 6 3 4 7 3 3 3 7 0 7 0 6 0 4 4 3 3 3 7 4 3 6 3 4 4 6 0 4 -4z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil0","@d":"M-2521 3073l107 77 36 -10 24 -30 23 -3 20 13 -10 40 20 47 -23 16 3 60 -27 97 44 -7 23 14 -20 70 7 6 3 4 3 3 7 0 7 3 3 0 7 0 3 -3 3 -7 4 -3 6 -7 4 0 6 -3 4 -3 6 0 7 0 3 0 7 0 -3 30 16 26 -36 90 133 134 -7 0 -6 0 -4 3 -6 0 -4 3 -6 4 -4 6 -3 4 -3 10 -7 0 -27 -17 -13 40 -57 23 -43 -20 -23 14 -7 53 -23 47 -37 3 -30 -33 -33 0 -20 16 16 24 -10 30 -43 20 -77 -44 -13 24 -53 16 -14 -20 -33 34 -7 -34 -20 -3 -53 53 -50 -40 -40 -10 -10 -46 -20 -4 -13 7 -87 -17 -7 20 -40 -30 -43 10 -43 -10 -17 -40 33 -53 -26 -17 -4 -33 -46 -3 -90 -37 -10 17 26 20 -26 46 -17 7 -7 -33 17 -17 -30 -7 -27 24 -6 16 10 4 -24 36 -20 -3 -43 -50 13 -90 -46 -23 -4 -24 -66 -60 -10 -43 6 0 4 0 6 0 7 0 7 0 3 3 7 0 6 4 4 0 6 3 7 0 3 0 7 3 7 0 6 0 4 4 6 0 7 3 7 0 3 -3 7 0 3 -4 7 -3 6 -3 4 0 6 -4 7 0 3 0 7 0 7 4 6 0 4 0 6 0 7 3 3 0 7 0 7 0 6 0 4 0 6 3 7 0 7 -3 3 0 7 0 6 0 7 -3 10 0 7 0 3 -4 7 0 20 -96 43 -40 30 -107 -33 -67 -44 -20 -10 -46 17 -27 77 -27 20 20 36 7 24 -17 16 14 67 -20 10 -40 190 -107 83 60 -3 7 -10 3 -3 7 -4 3 -3 3 -3 7 -4 3 -3 4 -7 3 -3 3 -7 7 -3 0 -7 -3 -6 0 -4 -4 -6 4 -4 6 -3 7 0 3 7 0 6 -3 7 0 7 -3 3 3 7 0 3 3 3 7 0 7 0 3 0 7 -6 3 -4 7 -3 3 -3 3 -4 7 0 7 -3 3 0 7 3 3 7 3 3 4 7 0 7 -4 6 0 7 0 3 -3 7 -3 3 -4 4 -3 3 -3 0 -7 0 -7 0 -6 -7 -4 -3 0 -7 -3 -3 -3 -7 -4 0 -6 -3 -7 0 -3 0 -7 0 -7 3 -6 4 -4 3 -3 7 -3 40 13 20 27 43 16 13 -30 50 -20 0 44 37 -4m-150 324l7 3 6 0 4 -3 3 -4 7 -3 3 -3 7 -4 6 -3 0 -3 0 -7 4 -7 0 -3 3 -7 0 -6 -3 -4 -7 0 -3 4 -4 6 0 7 0 3 -3 7 -3 7 -4 3 -3 3 -7 0 -6 4 -4 3 -3 7m207 56l6 0 4 0 6 -3 4 -3 6 -4 4 -3 6 0 7 -3 3 0 7 0 7 0 6 0 4 0 6 0 7 3 3 7 7 0 3 -4 7 -3 3 0 7 -3 7 0 6 -4 4 4 6 3 4 3 3 4 10 0 -7 -4 -3 -3 -3 -7 0 -6 0 -7 3 -3 0 -7 3 -7 0 -3 0 -7 -3 -6 -7 0 -6 0 0 3 -4 7 0 6 -3 7 -3 3 -7 4 -3 3 -7 0 -7 0 -3 3 -7 -3 -6 3 -7 0 -3 0 -7 0 -7 0 -6 0 -4 0 -6 0 -7 4 -3 0 -7 0 -7 3 -3 3 -7 4 -3 3 -3 3 0 10m-204 -46l7 3 3 3 7 4 3 3 7 0 3 3 4 7 3 7 3 0 7 3 7 0 6 0 4 0 6 0 7 3 3 4 4 6 3 4 3 3 4 3 6 0 7 0 7 0 3 0 7 -3 6 0 4 -3 6 0 7 0 3 -4 7 -3 -3 -3 3 -7 3 -3 4 -4 6 -3 0 -7 -3 -3 -7 0 -3 3 -3 4 -4 6 -3 4 -3 3 -7 3 -7 4 -3 3 -3 3 -7 0 -7 0 -6 0 -4 -3 -6 0 -4 -3 -3 -7 -7 -3 -3 -4 -7 -3 -3 0 -7 0 -6 -3 -4 0 -3 -7 -3 -7 -4 -3 -3 -3 -7 3 -6 0 -7 -3 -3 0 -14 0m-510 60l4 3 6 0 7 0 3 -3 7 -4 3 -3 4 -3 6 -4 4 -3 6 0 7 0 7 -3 3 0 7 3 6 0 4 0 6 0 7 0 7 0 3 0 7 0 6 0 7 0 3 0 7 -3 3 0 7 0 7 3 3 0 7 7 3 3 7 3 3 4 7 3 3 3 7 0 3 4 7 3 3 3 7 4 0 6 0 4 -4 6 4 7 6 0 4 0 6 0 4 3 3 7 3 3 4 7 3 3 3 7 0 7 4 3 3 7 3 3 4 7 3 3 3 3 7 4 3 3 7 3 3 4 7 0 7 0 6 0 4 0 6 0 7 0 7 0 3 0 7 3 6 0 4 3 6 4 7 0 3 3 7 3 3 4 4 3 6 3 4 4 6 3 4 3 6 0 7 0 3 0 7 -3 0 -7 -3 -3 -7 -3 -3 0 -7 -4 -7 0 -3 -3 -7 -3 -3 -4 -7 -3 -3 -3 -7 -4 -3 -3 -7 -3 -3 -4 -3 -3 -7 -3 -7 0 -3 0 -7 0 -6 3 -7 0 -3 0 -7 0 -7 0 -6 -3 -4 -4 -6 0 -4 -6 -3 -4 -3 -3 -4 -7 -3 -3 -3 -3 -4 -7 -6 -3 -4 -7 -3 -3 -3 -4 0 -6 -4 -7 -3 -3 3 -7 4 -3 6 -4 7 0 3 -3 7 0 7 -3 3 0 7 0 6 -4 7 0 3 0 7 -3 7 0 3 -3 7 0 6 0 7 0 3 0 7 0 7 0 3 -4 7 0 6 -3 4 -3 6 0 7 -4 3 -3 7 -3 3 0 7 -4 7 -3 3 0 7 -3 6 0 4 0 6 0 4 -4 3 -6 7 -4 3 -3 3 -3 10 -7 -3 -7 0 -6 0 -7 -3 0 -7 7 0 3 0 7 -7 6 -3 4 -3 3 -7 3 -3 0 -7 0 -7 4 -3 3 -7 0 -6 3 -4 4 -6 0 -7 3 -3 0 -7 3 -3 4 -7 0 -7 3 -3 0 -7 3 -6 0 -7 0 -3 0 -7 4 -7 0 -6 0 -4 0 -6 0 -7 3 -3 0 -7 0 -7 3 -3 4 -7 3 -3 3 -7 0 -3 0 -7 -3 0 -7 0 -3 -6 -3 -7 0 -3 -4 -7 0 -7 4 -3 6 0 4 -7 3 -6 -3 -7 0 -3 -4 -4 -3 -6 -3 -4 -4 -6 -3 -4 -3 -3 -4 -3 -6 -4 -7 -3 -3 -3 -4 -7 4 -7 0 -6 0 -4 3 -3 3 -7 4 -6 0 -7 0 -3 -4 0 -6 6 -4 4 -3 -4 -7 -3 0 -7 4 -3 3 -3 3 -7 4 -3 0 -7 3 -7 0 -6 0 -4 3 -6 4 -7 0 -3 3 -7 3 -3 0 -7 4 -3 3 -7 3 -3 -3 -4 -3 7 -7 3 -3 4 -4 3 -6 3 -4 4 -6 3 -4 3 -6 4 -4 0 -6 3 -4 3 -6 0 -7 4 -3 3 -7 0 -3 3 -7 7 0 7 -3 6 0 4 -4 6 0 7 0 3 -3 4 -7 6 -3 4 -3 3 -4 7 -3 3 -3 7 -4 3 0 7 -3 6 0 4 0 6 -3 7 -4 3 -3 7 0 7 0 0 -3 -4 -7 -6 0 -7 0 -7 3 -3 0 -7 4 -3 3 -7 3 -3 0 -7 4 -6 3 -4 3 -3 4 -7 3 -3 3 -7 0 -3 -3 0 -7 3 -6 -3 -4 -7 -3 -3 7 0 6 0 4 0 6 0 7 -7 3 -3 0 -7 4 -3 3 -7 3 -3 4 -7 3 -3 3 -3 7 -4 3 0 7 -3 3 -3 7 -4 3 0 7 -3 3 -3 7 -4 7 0 3 -3 7 -3 3 -4 7 -3 3 -3 7 -4 3 -3 7 0 3 3 7z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil0","@d":"M-901 3767l20 -24 20 7 13 37 14 40 -64 93 17 70 -43 73 63 34 23 73 57 40 -17 60 -33 27 -17 -7 0 70 -73 53 -17 -10 -63 17 -20 -23 -40 26 -113 -23 -20 7 -14 33 -40 20 -40 -7 -16 -30 -24 37 -110 -20 -53 43 -213 -23 -10 37 -104 -30 -46 -57 -44 -17 -56 -60 -84 -30 -6 -50 -54 0 -40 -33 30 -7 27 -90 23 -20 30 4 7 -30 -50 -27 -23 -63 46 13 27 -10 -23 -37 16 -50 20 -26 50 3 7 -13 -27 -70 27 -14 23 -60 -10 -26 37 -4 7 -26 60 -47 20 50 23 -30 107 33 26 -16 20 -50 60 -4 10 40 -16 7 -4 40 -23 0 -17 67 24 16 16 -16 54 10 6 43 60 27 44 -24 33 17 43 -20 64 -7 66 -70 60 4 10 -57 54 0 23 -17 83 37 44 -17 33 57 -13 23 30 7 3 -3z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil0","@d":"M-2094 3723l13 -13 23 -73 24 -17 53 40 -3 60 -57 30 -3 0 6 -3 -3 -7 0 -7 -7 -3 -3 -3 -7 0 -6 -4 -4 -3 -6 0 -7 0 -3 3 -10 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil0","@d":"M-798 3780l80 -10 74 73 30 -33 30 40 56 -40 70 10 -3 -7 0 -3 -3 -7 -4 -6 0 -4 -3 -6 0 -7 -3 -3 0 -7 0 -7 -4 -3 0 -10 37 3 20 44 53 -7 60 17 27 -30 133 -77 34 40 26 -10 34 27 100 20 -10 76 0 4 -40 106 73 84 103 -10 24 43 0 67 -20 16 33 64 -67 23 -50 -37 -6 -26 -30 -10 -47 16 -47 40 -16 -13 -20 7 -27 26 -3 57 -27 30 17 113 -44 44 -53 10 -23 -40 -37 -7 -3 3 -87 64 -47 13 -33 -20 -30 47 -63 36 -67 124 -120 -40 60 -87 7 -53 -10 -7 -24 -13 0 -70 -50 -14 -13 -70 -53 10 -44 -23 0 -70 17 7 33 -27 17 -60 -57 -40 -23 -73 -63 -34 43 -73 -17 -70 64 -93 -14 -40 10 0 4 0 6 0 7 -4 7 0 3 0 7 -3 6 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil1","@d":"M-3514 537l36 -4 10 37 10 7 20 -34 44 4 -4 13 54 20 36 63 34 24 103 10 -3 50 -30 40 -37 0 -3 30 20 6 3 34 33 30 4 46 46 27 0 47 44 -24 26 20 -23 37 -40 10 -30 40 13 23 24 -13 40 20 10 50 -20 27 0 53 -30 37 -27 0 -43 36 16 44 -23 16 7 27 -20 57 -50 83 -7 -3 -7 0 -3 -4 -7 -3 -3 -3 -3 -7 -4 -7 0 -3 -3 -7 0 -6 -3 -4 -7 -3 -3 -3 -7 -4 -3 -3 -7 0 -7 0 -6 0 -4 0 -6 0 -7 0 -7 0 -3 0 -7 3 -6 0 -4 4 -6 0 -4 3 -6 7 -4 3 -3 3 -7 4 -3 3 -7 3 -3 0 -7 4 -6 0 -4 3 -6 0 -7 0 -7 0 -3 -3 -7 0 -6 0 -4 0 -6 0 -7 3 -3 0 -7 0 -7 -3 -6 0 -4 -4 -6 0 -4 -3 -6 -3 -4 -4 -6 -3 -4 -3 -6 -4 -4 -3 -3 -3 -10 -7 3 0 -20 -13 10 -10 -3 -7 -73 -10 10 -33 -17 -20 37 -100 -57 -47 7 -53 -14 -4 50 -80 -16 -66 16 -34 -23 -70 23 -46 -6 -20 30 -37 0 -47 33 0 30 -50 27 -110 20 -16 -10 -27 10 -33m-54 810l7 -7 3 -3 0 -7 0 -7 0 -6 0 -4 0 -6 4 -7 0 -3 6 -4 4 -3 6 -3 0 -7 0 -7 4 -3 3 -7 3 -3 0 -7 4 -3 3 -7 3 -3 4 -7 3 -3 0 -7 3 -3 7 -3 7 -4 3 -3 3 -3 4 -7 3 -3 3 -7 4 -3 -7 -4 -7 4 -6 0 -4 3 -3 7 -7 3 -3 3 -3 7 -4 3 0 7 -3 3 -3 7 -4 3 -3 4 -7 6 -3 4 -3 3 0 7 -4 6 0 4 -3 6 -3 4 -4 3 -6 3 -4 7 -3 3 0 7 -3 7 0 3 0 7 0 6 0 7 3 3 3 7 0 7z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil1","@d":"M-2001 973l-3 57 36 20 20 50 -33 20 -37 83 -20 7 0 57 -23 30 33 26 -23 117 13 13 -16 67 10 33 -37 14 -3 23 16 -3 0 13 -10 23 -20 4 -23 -7 -3 13 -14 0 -6 -6 -14 -17 -36 33 -27 -6 -13 23 6 7 -6 6 -20 -3 -10 20 -20 -10 -20 20 0 33 3 70 -37 17 -10 30 -20 -7 10 -23 -13 -30 -13 -30 -34 37 -43 -67 -33 17 -24 -17 -43 20 -20 -27 -37 17 -43 -23 -97 3 -53 -43 -93 13 -84 -30 -36 7 -40 -34 30 -63 -57 -50 17 -50 -17 -10 -50 -23 -23 20 -50 -10 20 -57 -7 -27 23 -16 -16 -44 43 -36 27 0 30 -37 0 -53 20 -27 33 20 33 -27 77 10 63 -16 4 -17 -10 -7 6 -13 14 0 30 -47 73 37 10 -27 50 17 17 -30 33 10 20 -10 17 40 36 23 60 10 27 -36 43 -14 54 17 30 -3 10 -24 40 4 16 -30 80 6 37 -23 17 13 26 -56 37 0 47 -40 26 6 17 30z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil1","@d":"M-1251 1010l83 -47 67 27 -17 27 24 16 -4 47 -16 13 60 7 43 57 -67 23 -60 -33 -33 56 33 34 10 -27 24 0 10 -10 6 7 -10 66 10 10 10 -3 7 0 3 0 7 0 7 0 6 0 4 3 3 7 3 3 4 4 6 6 4 4 3 3 7 3 3 4 7 3 3 0 7 3 6 0 4 4 6 0 7 3 3 3 4 4 6 3 4 3 3 7 3 3 0 7 4 7 0 3 -27 13 -27 -13 -50 3 -6 14 3 20 -23 26 0 10 16 4 -6 36 23 27 -3 43 -7 4 -10 -24 -10 10 20 30 -30 14 17 60 -20 46 53 84 57 0 10 43 -27 30 -3 37 -20 3 -10 30 -47 7 3 16 -30 44 -50 -40 -20 10 0 53 -36 23 -4 30 -23 14 -20 43 -7 20 -43 -17 -3 24 -77 16 -27 27 -6 40 -10 0 -7 -7 0 -26 -10 -4 -17 27 -43 -53 -43 -20 -17 -27 0 -3 -17 6 7 -56 -30 -27 20 -30 -27 -47 4 -26 50 -17 10 -27 43 -23 3 -20 -53 17 -13 -17 13 -27 -7 -10 -46 0 -7 -26 17 -17 -24 -20 -46 -3 -44 -184 -26 0 -10 -33 13 -20 33 -7 4 -23 -24 -50 17 -47 -13 -43 80 -50 20 13 10 -20 76 4 27 -30 40 0 -3 -27 -4 -27 -33 20 -10 -23 43 -27 -10 -20 -53 30 -20 -16 17 -50 10 0 6 0 4 0 6 0 7 3 3 0 7 3 3 -6 4 -4 0 -6 0 -7 -4 -3 -3 -7 -3 -3 23 -14 7 -26 43 -7 50 -60 77 30 43 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil1","@d":"M1042 1167l50 23 14 -10 70 10 46 53 30 -13 67 3 53 80 -10 44 30 16 -26 20 20 37 53 0 23 -27 30 0 7 -26 30 -7 3 10 0 40 44 13 -4 34 0 3 30 -3 -3 43 -87 23 14 34 -7 26 27 7 6 17 -20 23 14 37 -24 26 14 20 -24 17 20 7 -3 6 -17 7 0 33 -36 37 30 10 -17 67 -27 16 -23 -20 -13 14 -4 -24 -26 7 3 50 -17 17 37 43 -43 20 20 27 -4 16 -93 -3 -27 27 7 36 -30 14 -27 -10 -10 6 10 20 -63 74 -43 10 -20 -14 -14 24 -30 0 -76 36 -20 -16 -74 10 -10 23 -23 0 -20 -37 13 -20 -33 -23 7 -17 6 -3 0 -50 30 -10 24 -40 -10 -33 -44 -4 -20 -53 144 -153 -24 -44 40 -43 30 -97 20 -143 -6 -63 -30 -60 20 -10 16 -74 -36 -16 -7 -47 73 -103z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil1","@d":"M-921 1257l123 20 7 16 -17 30 20 17 7 3 10 -6 10 0 3 16 -10 7 -53 0 -23 -20 -44 10 -53 -50 20 -43z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil1","@d":"M-2841 2347l3 3 7 7 3 3 4 3 3 7 -3 7 0 6 -4 4 -3 6 3 7 0 3 7 4 3 -4 7 -3 3 -7 4 -3 0 -7 3 -3 7 0 3 7 3 3 7 3 7 0 3 4 7 3 3 7 3 0 7 0 7 0 3 3 3 7 4 3 0 7 0 6 0 4 3 6 3 4 4 0 0 -7 3 -3 7 0 6 0 7 0 3 3 4 3 3 7 0 7 3 3 0 7 4 6 3 4 7 3 3 3 3 4 7 -7 0 -3 0 -7 -3 -7 0 -3 -4 -7 -3 -3 -3 -7 -4 -3 -3 -7 -3 -3 -7 -3 -3 -7 -4 -3 -3 -4 -3 -6 -4 -4 -6 -3 43 3 0 30 10 7 17 -7 3 10 10 -3 30 -57 70 17 67 -17 26 27 24 -7 43 54 7 -24 30 -6 10 36 33 17 20 -13 3 -34 7 -13 20 3 13 24 20 -4 30 24 -13 63 23 17 7 26 -37 127 -50 57 -73 40 7 23 -27 33 -27 14 -30 -7 -3 33 37 -10 10 17 -17 53 -27 0 -3 30 -30 -16 7 -24 -37 10 -33 34 3 56 -30 30 -37 4 0 -44 -50 20 -13 30 -43 -16 -20 -27 -40 -13 3 -4 3 -6 4 -4 3 -3 3 -7 -3 -6 3 -7 -83 -60 -190 107 -10 40 -67 20 -16 -14 -24 17 -36 -7 -20 -20 46 -60 -33 -66 33 -54 -26 -36 23 -64 -13 -73 6 -60 14 -10 -50 -93 6 -37 7 0 7 0 6 0 4 0 6 -3 7 -4 3 -3 7 -3 3 -4 4 -3 3 -7 3 -3 0 -7 4 -6 0 -4 3 -6 3 -4 0 -6 4 -7 3 -3 3 -7 4 -3 3 -7 3 -3 4 -7 0 -3 3 -7 3 -3 7 -4 3 -3 4 -7 3 -3 7 -3 3 -4 3 -6 7 -4 3 0 7 -3 7 0 3 0 7 0 6 -3 7 0 3 0 7 0 3 -4 7 -6 3 -4 4 -3 6 -3 7 0 3 -4 4 -3 3 -3 10 0 7 0 6 0 7 0 3 0 7 0 7 3 6 0 4 0 6 0 7 3 3 4 7 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil1","@d":"M-2301 3207l93 23 77 -53 10 36 20 0 90 -80 3 -33 57 -10 23 63 50 -10 27 14 47 -30 30 -44 16 4 7 26 30 27 30 -40 30 -13 30 36 43 -16 34 36 110 30 23 27 20 -7 57 20 6 24 -13 23 -7 0 -3 3 -7 4 -3 3 -3 3 -7 4 -3 6 -4 4 -6 3 -4 3 -3 4 -3 6 -4 4 0 6 -6 4 -4 0 -6 0 -7 0 -7 3 -3 3 -7 4 -3 0 -7 3 -3 3 -7 4 -3 3 -7 3 -3 4 -3 3 23 27 7 3 50 -47 50 -10 0 -20 60 -20 13 -20 27 0 6 0 7 0 7 0 3 0 7 0 6 0 10 0 7 0 7 0 6 0 4 0 6 0 7 0 3 -3 4 0 26 0 40 -30 7 17 7 53 33 7 -17 80 30 16 44 100 46 50 -6 130 -44 17 -83 -37 -23 17 -54 0 -10 57 -60 -4 -66 70 -64 7 -43 20 -33 -17 -44 24 -60 -27 -6 -43 -54 -10 -16 16 -24 -16 17 -67 23 0 4 -40 16 -7 -10 -40 -60 4 -20 50 -26 16 -107 -33 -23 30 -20 -50 -60 47 -7 26 -37 4 -36 23 3 -60 -53 -40 -24 17 -23 73 -13 13 -7 4 -133 -134 36 -90 -16 -26 3 -30 -7 0 -3 0 -7 0 -6 0 -4 3 -6 3 -4 0 -6 7 -4 3 -3 7 -3 3 -7 0 -3 0 -7 -3 -7 0 -3 -3 -3 -4 -7 -6 20 -70 -23 -14 -44 7 27 -97 -3 -60 23 -16z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil1","@d":"M-1984 3720l36 -23 10 26 -23 60 -27 14 27 70 -7 13 -50 -3 -20 26 -16 50 23 37 -27 10 -46 -13 23 63 50 27 -7 30 -30 -4 -23 20 -27 90 -30 7 -63 0 -13 10 6 23 -13 10 -43 24 -30 36 -40 0 -20 50 -90 57 -4 70 27 50 3 43 -10 34 -30 20 -26 -4 -50 40 -14 -30 30 -20 -10 -20 -26 -10 -47 10 -50 47 3 33 -20 40 -96 20 -44 30 -96 -46 -4 -24 -30 -20 -23 4 -13 33 -60 -13 -10 -44 -120 -23 10 -50 -80 -27 -90 24 -30 -74 -70 -110 -20 -13 3 -3 3 -7 4 -3 3 -7 3 -3 0 -7 -3 -7 0 -6 0 -4 0 -6 0 -7 0 -3 0 -7 3 -7 0 -6 4 -4 3 -6 3 -4 4 -3 3 -7 3 -3 4 -3 3 -7 3 -7 0 -3 4 -7 0 -6 -4 -4 0 -6 -3 -7 -7 -3 0 -7 0 -7 0 -6 0 -7 0 -3 0 -7 4 -7 3 -3 3 -3 7 -4 3 -6 4 -4 6 -3 4 -3 3 -4 7 -3 3 -3 7 -4 3 -3 7 -3 3 -4 3 -3 7 -3 3 -4 7 -3 3 -3 4 -4 6 -6 4 -4 3 -3 7 -3 3 -4 3 -3 7 -7 3 -3 -3 -30 53 -80 -6 -40 -27 -30 -73 0 6 -43 -56 -30 6 -47 20 3 24 -36 -10 -4 6 -16 27 -24 30 7 -17 17 7 33 17 -7 26 -46 -26 -20 10 -17 90 37 46 3 4 33 26 17 -33 53 17 40 43 10 43 -10 40 30 7 -20 87 17 13 -7 20 4 10 46 40 10 50 40 53 -53 20 3 7 34 33 -34 14 20 53 -16 13 -24 77 44 43 -20 10 -30 -16 -24 20 -16 33 0 30 33 37 -3 23 -47 7 -53 23 -14 43 20 57 -23 13 -40 27 17 7 0 0 3 -4 7 0 6 0 4 0 6 -3 7 0 7 0 3 -3 7 -4 6 -3 4 -3 6 -4 4 -3 3 -7 3 -3 4 -7 3 -3 3 -7 0 -3 -3 -3 -7 -4 -3 0 -7 -6 0 -4 4 0 3 0 7 0 6 0 7 0 3 -3 7 0 7 -3 3 0 7 -4 6 0 7 0 3 4 10 3 4 7 -4 -4 -6 0 -4 0 -6 0 -7 0 -7 4 -3 6 -3 4 -4 6 -3 4 -3 6 0 4 -4 6 -3 4 -3 6 -4 4 -3 6 -3 4 -4 3 -6 3 -4 4 -6 3 -4 3 -6 0 -4 4 -6 3 -7 0 -3 3 -7 0 -7 4 -3 3 -7 0 -3 7 -3 3 -4 7 -3 6 0 7 3 3 4 4 6 3 4 3 6 4 4 3 3 3 7 7 3 3 0 7 3 3 7 0 3 4 7 3 7 0 3 3 7 4 3 6 3 10 0 -3 -3 0 -7 -3 -6 -4 -4 -3 -6 -3 -4 3 -6 3 -7 -3 -3 -3 -4 -4 -3 -6 -3 -4 -4 -6 -3 -4 -3 -6 -4 -4 -3 0 -7 7 -3 3 3 7 0 7 -3 3 0 57 -30m-437 303l0 4 7 0 6 0 4 -4 6 -3 4 -3 6 -4 4 -3 6 0 7 -3 3 0 7 -4 7 -3 3 -3 7 -4 3 -3 3 -3 7 -4 3 -3 4 -3 3 -7 10 -7 -7 0 -6 0 -7 0 -3 4 -7 3 -3 3 -7 4 -3 3 0 7 -7 3 -3 3 -7 0 -7 4 -3 3 -7 0 -6 3 -4 0 -6 4 -7 0 -3 3 -4 7 -3 6m30 60l3 -3 7 0 7 0 6 3 4 0 6 0 7 4 3 0 7 3 7 0 6 0 4 0 6 -3 7 0 3 -7 7 0 3 0 7 -3 7 0 6 0 4 0 6 0 7 0 7 0 3 3 7 3 3 4 0 6 3 7 4 3 3 4 7 3 3 3 7 4 3 3 3 3 7 4 3 3 7 3 7 0 3 -6 0 -7 -3 -3 -4 -7 -3 -3 -7 0 -6 -4 -4 -3 -6 0 -4 -3 -6 -7 -4 -3 -3 -4 -3 -6 3 -7 0 -3 3 -7 0 -7 -3 -3 -7 0 -6 0 -4 3 -6 4 -4 3 -6 3 -7 0 -3 0 -7 0 -7 0 -6 0 -4 0 -6 0 -7 0 -3 4 -7 3 -3 3 -7 0 -7 4 -6 0 -4 0 -6 -4 -7 0 -3 -3 -7 -3 -3 -4 -7 0 -7 4 -3 3 0 7 0 6z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil1","@d":"M-2818 4783l4 17 26 7 -20 33 20 27 -36 20 -7 40 -17 3 -20 -20 -116 23 -44 60 7 17 80 10 0 33 47 90 -30 17 6 37 -23 13 27 37 -14 40 4 86 -27 30 17 64 -14 40 27 30 -17 50 -13 6 -20 -10 -23 -56 -57 -70 -217 -140 10 -27 -6 -3 -30 16 6 14 -10 6 -80 -33 -113 13 -27 14 -10 -7 -20 -37 -6 -13 -4 -7 0 -6 0 -7 0 -7 0 -3 0 -7 0 -6 0 -4 -3 -6 0 -7 0 -7 0 -3 0 -7 0 -6 0 -7 0 -3 -3 -7 0 -7 0 -6 0 -4 0 -6 0 -7 0 -7 0 -3 0 -7 0 -6 -4 -7 0 -7 0 -3 -3 -7 0 -3 -3 -7 -4 -3 -6 -7 -4 -3 -3 -3 -3 -7 -7 -7 47 -73 16 -73 77 -64 30 -106 70 -7 13 -30 57 13 47 -130 80 27 -10 50 120 23 10 44 60 13 13 -33 23 -4 30 20 4 24 96 46z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil2","@d":"M-348 880l47 -10 20 40 30 -30 83 17 7 50 -20 53 -27 27 27 33 43 7 4 -50 16 -10 10 6 -6 20 20 20 30 -6 146 70 60 3 44 -13 13 33 -50 10 -17 47 4 46 -30 27 -67 37 -7 40 -56 0 -27 70 -27 -7 -16 23 10 37 -37 37 -7 33 14 23 -30 37 -17 63 17 70 50 54 -50 86 -4 14 -46 -10 -30 13 -60 -40 -24 10 -40 -30 -43 -3 -27 -20 0 -34 44 -56 53 3 13 -20 -3 -13 -7 -4 -3 -3 -7 -3 -3 -4 -7 0 -3 -3 -7 -3 -6 -4 -4 -3 -6 0 -4 -3 -6 -4 -7 0 -3 -3 -7 0 -7 -3 -3 -4 -3 -3 0 -7 0 -6 -4 -7 -6 -7 -4 -3 -6 -7 -4 -3 -3 -3 -3 -4 -7 -3 -3 -7 -4 -3 -6 -3 -4 -4 -3 -3 -13 -3 -7 -4 -7 0 -3 0 -7 0 -6 0 -7 0 -3 0 -4 -3 -6 -7 -4 -3 -3 -7 -3 -3 -4 -3 -3 -4 -7 -3 -3 0 -7 0 -6 0 -7 0 -3 0 -7 -3 -7 0 -3 -4 -7 -3 -3 -3 -7 -4 -3 -3 -7 0 -3 -3 -7 -4 -6 0 -4 -3 -6 0 -7 0 -7 0 -3 -3 -7 0 -6 0 -7 -4 -3 0 -7 -3 -7 0 -3 0 -7 -3 -6 0 -4 -4 -6 0 -7 0 -7 -3 37 -7 13 -50 -13 -26 -23 20 -24 -30 47 -37 27 20 36 -17 -20 -56 27 -14 -3 -36 23 -34 -10 -36 23 -44 40 10 20 -26 27 -7 13 -60 60 -47 -6 -60 43 -10 23 -46 30 -7z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil2","@d":"M-391 1827l43 3 40 30 24 -10 60 40 30 -13 46 10 4 -14 50 -86 -50 -54 -17 -70 17 -63 30 -37 -14 -23 7 -33 37 -37 -10 -37 16 -23 27 7 27 -70 56 0 7 -40 67 -37 -4 27 17 16 -17 24 7 36 -13 20 16 17 -16 27 23 3 -3 60 46 23 -53 104 17 6 13 -26 33 6 17 -46 0 -17 10 -10 7 3 6 50 -16 40 6 130 -13 10 -17 -26 -30 66 60 30 60 0 77 80 7 80 73 27 10 37 63 40 20 -17 24 3 66 164 27 10 0 -14 7 0 6 14 37 0 -3 6 -4 4 -3 3 -7 3 -6 0 -4 0 -6 0 -7 0 -3 4 -7 3 0 7 0 6 -3 4 0 6 0 7 -7 0 -7 0 -3 0 -7 -3 -6 -4 -4 0 -6 0 -7 0 -3 4 -7 3 0 10 3 3 7 0 7 0 6 4 4 0 6 0 7 3 3 3 7 0 7 0 3 0 7 -3 3 -7 3 -3 0 -7 4 -6 3 -4 3 -6 4 -4 6 0 4 -3 6 0 7 -3 3 -4 4 -3 3 -7 3 -3 4 -7 3 -3 3 -7 0 -6 4 -4 0 -6 0 -7 3 -3 3 -4 7 -3 7 -3 6 0 4 0 6 0 7 0 3 3 7 3 3 7 4 3 3 4 7 3 6 0 10 0 -3 -7 -3 -3 -4 -7 -3 -3 -3 -3 -7 -4 -3 -3 -7 -3 7 -14 50 10 -7 17 33 23 -13 20 20 37 -3 23 0 4 -34 23 -6 37 -47 26 7 40 -80 -3 -17 23 -33 -53 -120 -47 -50 -46 -14 13 -36 -17 -44 -53 -46 -3 -4 30 -3 3 0 -3 -23 3 0 43 -20 14 30 23 -34 60 -43 -33 -23 46 -30 0 -17 -26 -33 50 -30 -14 10 -36 -24 6 -43 -20 -27 27 -33 -7 -27 17 7 33 -23 17 -24 -3 -16 -24 -54 54 10 20 -13 26 -83 7 -104 -103 -70 -37 -16 -23 -54 20 -50 -24 -16 -100 23 -36 10 -50 37 6 6 37 50 -23 -26 -60 6 -44 -13 -30 17 -10 20 7 36 -43 24 0 16 -40 -40 -57 24 -43 -27 -77 0 -33z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil2","@d":"M-914 1427l33 -47 33 27 -10 53 10 3 7 0 3 4 4 3 3 7 3 3 7 0 7 3 6 0 4 0 6 0 7 -3 3 -3 7 0 7 0 3 -4 7 0 6 0 7 0 3 4 7 0 3 3 7 3 7 0 6 0 4 4 6 0 7 3 3 0 7 0 7 3 3 0 7 4 6 0 7 0 3 3 7 0 7 0 6 0 4 3 6 0 7 4 3 3 7 0 3 3 7 4 3 3 7 3 3 4 7 0 7 3 3 0 7 0 6 0 7 0 3 0 7 3 3 4 4 3 3 3 3 7 4 3 6 7 4 3 3 0 7 0 6 0 7 0 3 0 7 0 7 4 13 3 3 3 4 4 6 3 4 3 3 7 7 3 3 4 3 3 4 3 6 7 4 3 6 7 4 7 0 6 0 7 3 3 3 4 7 3 7 0 3 3 7 0 6 4 4 3 6 0 4 3 6 4 7 3 3 3 7 0 3 4 7 3 3 3 7 4 3 13 -13 20 -53 -3 -44 56 0 34 27 20 0 33 -57 30 -76 -23 -4 -47 -26 -23 13 -37 -33 -7 -40 17 -20 -40 -67 3 -33 24 -7 -4 -10 14 0 20 -37 50 -90 -14 20 -53 -16 -23 -27 13 -7 47 -33 23 -23 -10 -10 -43 -57 0 -53 -84 20 -46 -17 -60 30 -14 -20 -30 10 -10 10 24 7 -4 3 -43 -23 -27 6 -36 -16 -4 0 -10 23 -26 -3 -20 6 -14 50 -3 27 13 27 -13 3 10 0 7 3 3 4 7 3 3 3 7 4 3 3 7 3 3 4 7z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil2","@d":"M-3671 1377l17 20 -10 33 73 10 3 7 -10 10 20 13 -3 0 10 7 3 3 4 3 6 4 4 3 6 3 4 4 6 3 4 3 6 0 4 4 6 0 7 3 7 0 3 0 7 -3 6 0 4 0 6 0 7 0 3 3 7 0 7 0 6 0 4 -3 6 0 7 -4 3 0 7 -3 3 -3 7 -4 3 -3 4 -3 6 -7 4 -3 6 0 4 -4 6 0 7 -3 3 0 7 0 7 0 6 0 4 0 6 0 7 0 7 0 3 3 7 4 3 3 7 3 3 4 0 6 3 7 0 3 4 7 3 7 3 3 7 3 3 4 7 0 7 3 50 -83 50 10 23 -20 50 23 17 10 -17 50 57 50 -30 63 -10 30 -34 -10 -40 34 -10 33 -30 27 0 23 20 17 -13 46 -30 17 -43 -33 -34 6 -10 70 -70 27 -26 -3 -27 23 -17 -37 -6 0 -17 -6 -13 23 -47 3 7 -33 -57 -23 -73 13 -20 17 -7 0 -3 -34 -14 0 -6 20 -27 0 -43 40 -44 7 -20 -10 4 -33 -24 -10 -6 -27 36 -50 40 -23 4 -27 -24 -20 -30 10 -6 -70 3 0 3 -7 4 -3 3 -7 0 -3 0 -7 0 -6 0 -7 -3 -3 3 -7 0 -7 -27 7 -16 -13 3 -40 -37 -37 -6 -100 93 -50 87 17 53 -20z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil2","@d":"M-2098 1627l-16 90 50 10 13 43 -53 107 10 20 60 -10 40 63 30 7 33 -34 27 4 33 46 37 -13 13 13 -10 27 17 13 23 0 20 -20 47 14 36 -27 60 3 17 24 30 3 -20 30 30 27 -7 56 17 -6 0 3 17 27 -10 43 -64 30 -133 23 -90 30 17 50 -17 24 -33 -10 -7 6 10 27 -43 37 6 30 -6 3 -20 -7 -20 24 -44 10 -26 30 -80 -47 -74 17 -30 -24 -20 4 -13 -24 -20 -3 -7 13 -26 -6 26 -47 -23 -83 17 -37 -17 -43 3 -4 40 -23 4 -23 -17 -14 10 -26 -30 -10 0 -50 -23 -37 0 -23 30 -24 3 -20 -7 -3 14 -63 -17 -20 27 -27 -47 -47 -3 -70 0 -33 20 -20 20 10 10 -20 20 3 6 -6 -6 -7 13 -23 27 6 36 -33 14 17 6 6 14 0 3 -13 23 7z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil2","@d":"M752 2710l24 0 13 20 33 10 -6 37 70 20 23 36 43 17 -83 170 -90 103 -17 60 -56 40 -20 80 -57 70 -43 80 -47 -16 -17 -30 -36 -7 -24 40 -43 33 -23 -33 -67 3 -10 -63 -20 -7 -20 27 -37 -47 -26 -30 3 -43 30 -17 10 -30 40 0 30 -23 37 -87 0 -40 26 10 50 -16 10 -37 60 -57 -36 -46 43 -30 -23 -24 3 -70 -47 -3 -3 -37 27 -13 13 13 37 -20 10 -46 20 -27 63 43 47 -10 13 30 73 -33z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil2","@d":"M-2148 4220l40 33 54 0 6 50 84 30 56 60 44 17 46 57 104 30 20 6 16 34 -3 36 30 64 -60 113 -3 3 -7 147 43 13 -20 40 40 27 -26 47 30 10 60 76 -7 14 43 63 -53 -7 -37 44 -43 6 -13 80 -40 34 -34 -27 -10 -43 -36 6 -17 37 -27 10 -33 0 -10 -30 -23 -3 -27 -70 -50 16 -17 -16 -10 -60 -30 -7 -30 -50 4 -67 -4 -6 -16 3 -4 -3 10 -27 -30 -47 -43 7 0 17 -7 0 -10 -14 -3 17 -10 3 -33 -6 -97 66 -30 -33 0 -33 3 -4 7 0 7 -3 3 -3 7 0 3 -4 7 -3 3 -3 7 0 6 -4 7 -3 -7 -47 -16 -13 -4 -40 -36 -23 0 -54 -37 -30 0 -33 -57 -73 30 -20 10 -34 -3 -43 -27 -50 4 -70 90 -57 20 -50 40 0 30 -36 43 -24 13 -10 -6 -23 13 -10 63 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil2","@d":"M-1714 4497l10 -37 213 23 53 -43 110 20 24 -37 16 30 40 7 40 -20 14 -33 20 -7 113 23 40 -26 20 23 63 -17 17 10 73 -53 44 23 53 -10 13 70 50 14 0 70 24 13 10 7 -7 53 -60 87 -27 13 -10 57 -26 16 -27 -6 -47 40 -63 123 7 53 -47 30 -10 27 -33 -10 -30 13 -50 -33 -27 0 -40 40 -47 20 -80 -40 -60 63 -80 37 -23 -3 -27 70 -56 10 -34 -17 -43 -63 7 -14 -60 -76 -30 -10 26 -47 -40 -27 20 -40 -43 -13 7 -147 3 -3 60 -113 -30 -64 3 -36 -16 -34 -20 -6m846 186l7 -3 7 -3 3 -4 3 -6 4 -4 0 -6 -4 -4 -3 -6 -3 -7 0 -3 0 -7 3 -3 3 -7 7 -3 3 -4 4 -6 3 -4 3 -3 0 -7 0 -3 -6 0 -4 7 -3 3 -3 7 -4 3 -3 3 -3 7 -7 3 3 4 0 6 0 7 -3 7 0 3 0 7 -3 6 -4 4 0 6 -3 7 3 3z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil2","@d":"M-721 4687l120 40 77 76 -47 37 -3 50 13 20 -27 67 7 40 -33 -4 -4 14 10 50 -10 16 -40 10 -3 14 -50 23 -53 47 -14 120 -13 10 -47 -14 -13 -20 -37 -10 -56 130 -30 -3 -10 10 26 90 -53 47 27 50 -67 40 3 26 -120 7 -23 23 -40 14 -93 -40 -74 16 -30 -10 7 -43 -33 -40 -127 -37 -33 -33 -64 -27 -6 -23 -30 -3 -10 -77 -20 -43 40 -34 13 -80 43 -6 37 -44 53 7 34 17 56 -10 27 -70 23 3 80 -37 60 -63 80 40 47 -20 40 -40 27 0 50 33 30 -13 33 10 10 -27 47 -30 -7 -53 63 -123 47 -40 27 6 26 -16 10 -57 27 -13z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil2","@d":"M-524 4803l23 20 23 -10 24 17 43 0 17 23 -10 40 3 104 103 146 54 0 63 47 -77 97 -16 -7 0 3 10 7 -64 220 -56 40 0 33 -34 24 -3 26 -37 30 -36 14 -57 -74 -43 -13 -37 20 -33 -10 -47 10 -43 80 -50 23 -34 -3 -23 -17 -27 7 -40 -40 -120 3 -3 -26 67 -40 -27 -50 53 -47 -26 -90 10 -10 30 3 56 -130 37 10 13 20 47 14 13 -10 14 -120 53 -47 50 -23 3 -14 40 -10 10 -16 -10 -50 4 -14 33 4 -7 -40 27 -67 -13 -20 3 -50 47 -37z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil3","@d":"M-3514 537l-10 33 10 27 -20 16 -27 110 -30 50 -33 0 0 47 -30 37 6 20 -23 46 23 70 -16 34 16 66 -50 80 -33 7 -17 -13 -53 -7 -17 7 4 16 -27 -6 -10 13 -20 -17 -10 10 -7 24 -30 0 -10 26 -73 -10 -97 40 -10 34 -23 10 -37 -20 -3 26 -7 4 -6 -14 -17 4 -10 33 -47 37 -10 -7 0 -27 -16 -3 -4 -17 30 -73 40 -27 -13 -23 -43 -7 -14 34 -30 -44 24 -20 -20 -30 6 -33 -3 -3 -23 -10 0 6 -24 -13 -16 27 -20 -27 20 -30 -7 -50 20 -37 47 -16 0 -14 -20 10 0 -26 40 -27 36 13 30 -33 20 3 7 -13 -10 -27 73 -36 70 40 57 -20 33 6 60 -43 30 17 14 -4 0 -23 16 -10 30 33 30 -6 7 -30 -27 0 -46 -34 10 -43 16 -7 -6 -10 16 -13 17 0 37 -47 13 10 30 -26 20 3 7 -43 40 0 46 -37 20 0 0 33 -3 7 7 10 13 3 7 -23 66 -37 14 7 -20 27z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil3","@d":"M-3174 727l20 -27 -4 -27 40 -10 80 20 20 -10 17 17 47 -13 70 16 90 -6 56 -17 64 20 46 -23 30 10 34 -34 36 -13 70 57 7 20 150 -4 67 20 36 37 47 -10 30 17 290 56 -17 30 14 30 -7 24 -40 -17 -13 20 -47 7 -7 53 -53 3 -17 -30 -26 -6 -47 40 -37 0 -26 56 -17 -13 -37 23 -80 -6 -16 30 -40 -4 -10 24 -30 3 -54 -17 -43 14 -27 36 -60 -10 -36 -23 -17 -40 -20 10 -33 -10 -17 30 -50 -17 -10 27 -73 -37 -30 47 -14 0 -6 13 10 7 -4 17 -63 16 -77 -10 -33 27 -33 -20 -10 -50 -40 -20 -24 13 -13 -23 30 -40 40 -10 23 -37 -26 -20 -44 24 0 -47 -46 -27 -4 -46 -33 -30 -3 -34 -20 -6 3 -30 37 0 30 -40z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil3","@d":"M-1831 823l157 0 220 -73 20 20 -34 17 4 16 13 4 40 -37 80 -30 77 33 0 14 -14 3 17 20 50 -3 7 10 46 3 44 33 0 27 -17 13 -77 -3 -63 47 10 73 -43 0 -77 -30 -50 60 -43 7 -7 26 -23 14 -7 0 -7 -4 -6 0 -4 0 -6 -3 -7 0 -3 3 -7 4 -3 3 -4 7 -3 3 -3 3 -7 4 -3 3 -7 0 -7 -3 -3 0 -7 -4 -6 0 -7 0 -3 4 -7 0 -3 3 -4 7 4 6 3 4 3 3 7 3 7 -3 6 0 7 0 7 -3 6 0 7 0 3 0 7 -4 7 -3 3 0 7 -3 -17 50 20 16 53 -30 10 20 -43 27 10 23 33 -20 4 27 3 27 -40 0 -27 30 -76 -4 -57 -36 30 -17 -3 -20 -30 17 -14 -7 -10 -77 -60 -13 -33 -53 -23 -7 -57 27 -87 3 -20 -50 -36 -20 3 -57 53 -3 7 -53 47 -7 13 -20 40 17 7 -24 -14 -30 17 -30z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil3","@d":"M-778 1040l10 30 -40 27 4 23 26 13 77 0 80 44 10 36 -23 34 3 36 -27 14 20 56 -36 17 -27 -20 -47 37 24 30 23 -20 13 26 -13 50 -37 7 -3 -3 -7 0 -3 -4 -7 0 -6 0 -7 0 -3 4 -7 0 -7 0 -3 3 -7 3 -6 0 -4 0 -6 0 -7 -3 -7 0 -3 -3 -3 -7 -4 -3 -3 -4 -7 0 -10 -3 10 -53 -33 -27 -33 47 -4 -7 -3 -3 -3 -7 -4 -3 -3 -7 -3 -3 -4 -7 -3 -3 0 -7 -3 -10 0 -3 -4 -7 0 -7 -3 -3 -3 -7 -4 -3 -6 -3 -4 -4 -3 -3 -7 -3 -6 0 -4 -4 -6 0 -7 -3 -3 0 -7 -3 -3 -4 -7 -3 -3 -3 -4 -4 -6 -6 -4 -4 -3 -3 -3 -7 -4 -3 -6 0 -7 0 -7 0 -3 0 -7 0 -10 3 -10 -10 10 -66 -6 -7 -10 10 -24 0 -10 27 -33 -34 33 -56 60 33 67 -23 -43 -57 -60 -7 16 -13 4 -47 -24 -16 17 -27 57 3 3 -36 30 3 20 40 -13 40 93 43 83 7 -10 -40 60 -10m-143 217l-20 43 53 50 44 -10 23 20 53 0 10 -7 -3 -16 -10 0 -10 6 -7 -3 -20 -17 17 -30 -7 -16 -123 -20z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil3","@d":"M1532 1380l114 27 3 6 20 47 23 13 40 -10 27 -43 67 -17 93 27 20 30 30 10 23 -23 40 6 20 -43 57 -10 80 -53 50 0 30 30 43 -10 0 56 20 14 37 -7 20 20 -10 40 -37 23 -26 -20 -24 37 10 63 34 14 20 30 -10 33 23 40 -10 50 -53 40 -24 43 -53 54 -60 23 -23 30 -14 -60 -56 -3 -60 26 -44 -46 -73 -14 -7 -43 4 -7 20 4 50 -30 -4 -17 -26 -20 26 -10 10 -37 -10 -30 -36 4 -34 -37 -33 10 -20 -27 -73 30 -64 -23 -16 -20 3 -13 23 0 0 -14 -10 -13 17 -47 -77 -13 -43 10 3 -43 -30 3 0 -3 4 -34 -44 -13 0 -40z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil3","@d":"M1396 2057l26 6 4 20 -27 20 47 30 3 54 57 26 -10 14 16 33 24 -3 -7 30 -20 3 3 7 30 10 0 23 -230 77 -23 40 -30 -10 -77 30 -140 176 24 27 33 -3 57 36 -4 4 -63 46 -50 64 -33 0 -7 -14 43 -10 -3 -30 -47 17 -40 70 -43 -17 -23 -36 -70 -20 6 -37 -33 -10 -13 -20 -24 0 -3 -10 33 -20 24 -37 -17 -53 23 -57 -13 -36 -27 -10 -6 -24 -7 -40 47 -26 6 -37 34 -23 0 -4 3 -23 23 0 10 -23 74 -10 20 16 76 -36 30 0 14 -24 20 14 43 -10 63 -74 -10 -20 10 -6 27 10 30 -14 -7 -36 27 -27 93 3 4 -16z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil3","@d":"M-601 4727l67 -124 63 -36 30 -47 33 20 47 -13 87 -64 3 -3 37 7 23 40 53 -10 44 -44 -17 -113 27 -30 3 -57 27 -26 20 -7 16 13 47 -40 47 -16 30 10 6 26 50 37 10 113 -43 60 7 50 50 14 16 33 -6 57 -30 56 6 34 7 10 67 103 43 40 43 13 7 27 -7 10 -10 -7 -13 7 -30 60 33 40 40 13 7 -3 -3 -17 3 0 20 24 -20 23 -113 40 -37 -23 -50 6 -27 17 4 10 -10 3 -54 -26 -20 16 -43 0 -70 54 -17 50 -23 0 -60 33 -63 -47 -54 0 -103 -146 -3 -104 10 -40 -17 -23 -43 0 -24 -17 -23 10 -23 -20 -77 -76z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil3","@d":"M-2468 4647l57 73 0 33 37 30 0 54 36 23 4 40 16 13 7 47 -7 3 -6 4 -7 0 -3 3 -7 3 -3 4 -7 0 -3 3 -7 3 -7 0 -3 4 0 33 30 33 97 -66 33 6 10 -3 3 -17 10 14 7 0 0 -17 43 -7 30 47 -10 27 4 3 16 -3 4 6 -4 67 30 50 30 7 10 60 17 16 50 -16 27 70 -44 3 7 37 -40 30 -23 -34 -30 30 -24 -6 -6 6 16 17 -6 20 -60 43 -70 17 -7 17 -43 36 -20 -3 -24 -37 -26 -3 -57 50 -10 -3 -10 -24 23 -20 0 -26 -33 -7 -17 10 17 30 -3 17 -30 33 -17 0 -13 -17 -24 -10 -33 4 -13 20 -84 13 -26 43 -100 -3 -64 -33 -43 -4 0 -3 -20 -13 -30 10 -27 -30 14 -40 -17 -64 27 -30 -4 -86 14 -40 -27 -37 23 -13 -6 -37 30 -17 -47 -90 0 -33 -80 -10 -7 -17 44 -60 116 -23 20 20 17 -3 7 -40 36 -20 -20 -27 20 -33 -26 -7 -4 -17 44 -30 96 -20 20 -40 -3 -33 50 -47 47 -10 26 10 10 20 -30 20 14 30 50 -40 26 4z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil3","@d":"M-2871 5540l0 3 43 4 64 33 100 3 26 -43 84 -13 13 -20 33 -4 24 10 13 17 17 0 30 -33 3 -17 -17 -30 17 -10 33 7 0 26 -23 20 10 24 10 3 57 -50 26 3 24 37 20 3 43 -36 23 30 7 40 -27 50 -33 10 -37 -30 -26 -4 -30 30 30 44 -24 66 -36 34 -37 10 -40 63 -47 -10 -6 3 3 20 43 10 20 -23 17 -3 30 3 43 80 10 60 10 7 17 -7 20 20 -43 60 -14 53 -6 0 -14 -13 -30 -3 -6 3 0 77 -90 43 -17 -3 -40 -37 -73 -17 -54 -66 -16 -7 -57 -3 -17 -14 -36 -63 -27 -17 -90 -170 17 0 26 47 7 3 20 -26 -3 -7 -17 3 -7 -13 0 -37 -36 -30 -44 -3 -33 -73 10 -24 53 -30 14 -60 13 -13 30 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil4","@d":"M-1104 853l26 -10 37 20 -3 -30 46 -23 4 -20 73 3 23 -20 34 34 100 23 50 40 -10 23 10 17 -37 47 -3 63 -24 20 -60 10 10 40 -83 -7 -93 -43 13 -40 -20 -40 -30 -3 -3 36 -57 -3 -67 -27 -83 47 -10 -73 63 -47 77 3 17 -13 0 -27z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil4","@d":"M-378 833l30 47 -30 7 -23 46 -43 10 6 60 -60 47 -13 60 -27 7 -20 26 -40 -10 -23 44 -80 -44 -77 0 -26 -13 -4 -23 40 -27 -10 -30 24 -20 3 -63 37 -47 -10 -17 10 -23 50 17 63 -14 40 17 127 -40 46 -37 10 20z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil4","@d":"M-4108 1297l10 -34 97 -40 73 10 10 -26 30 0 7 -24 10 -10 20 17 10 -13 27 6 -4 -16 17 -7 53 7 17 13 33 -7 14 4 -7 53 57 47 -37 100 -53 20 -87 -17 -93 50 6 100 37 37 -3 40 16 13 27 -7 0 7 -3 7 3 3 0 7 0 6 0 7 0 3 -3 7 -4 3 -3 7 -3 0 -7 3 -3 4 -7 3 -7 0 -3 3 -7 0 -6 4 -4 3 -6 3 -4 4 -3 3 -7 3 -3 4 -7 3 -3 3 -7 0 -6 4 -4 0 -6 3 -7 0 -7 0 -3 0 -7 0 -6 0 -7 0 -3 0 -7 -3 -7 0 -3 0 -7 0 -6 0 -7 3 -3 3 -4 4 -6 3 -4 3 -6 4 -4 0 -6 0 -7 -4 -7 0 -3 4 -7 3 -3 0 -7 3 -3 4 -7 3 -3 3 -3 7 -4 3 -3 7 -3 3 -4 4 -3 6 -7 4 -3 3 -3 3 -4 4 -6 6 -4 4 -3 3 -73 40 0 -160 23 -13 7 3 6 -10 -6 -13 43 -47 83 -43 7 -40 -7 -7 -30 50 -70 13 0 -53 20 -3 54 -64 -7 -10 -40 30 -43 0 -17 -46 -27 -7 4 -10 26 -17 10 14 -3 10 10 10 13 -4 -3 -20 13 -3 -13 -53 33 -17 20 -43z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil4","@d":"M1599 1510l43 -10 77 13 -17 47 10 13 0 14 -23 0 -3 13 16 20 64 23 73 -30 20 27 33 -10 34 37 36 -4 10 30 -10 37 -26 10 26 20 4 17 -50 30 -20 -4 -4 7 7 43 73 14 44 46 60 -26 56 3 14 60 -274 167 -70 126 -260 87 0 -23 -30 -10 -3 -7 20 -3 7 -30 -24 3 -16 -33 10 -14 -57 -26 -3 -54 -47 -30 27 -20 -4 -20 -26 -6 -20 -27 43 -20 -37 -43 17 -17 -3 -50 26 -7 4 24 13 -14 23 20 27 -16 17 -67 -30 -10 36 -37 0 -33 17 -7 3 -6 -20 -7 24 -17 -14 -20 24 -26 -14 -37 20 -23 -6 -17 -27 -7 7 -26 -14 -34 87 -23z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil4","@d":"M-1308 2450l30 50 34 10 -4 23 24 37 -57 147 33 26 -13 50 33 14 10 -14 14 34 26 -4 -10 37 24 23 0 24 20 -7 30 20 0 50 26 13 14 24 -34 106 10 7 40 -27 17 84 0 3 -13 10 20 40 -57 17 -7 -17 -40 30 -26 0 -4 0 -3 3 -7 0 -6 0 -4 0 -6 0 -7 0 -7 0 -10 0 -6 0 -7 0 -3 0 -7 0 -7 0 -6 0 -27 0 -13 20 -60 20 0 20 -50 10 -50 47 -7 -3 -23 -27 3 -3 3 -4 7 -3 3 -3 7 -4 3 -3 7 -3 3 0 7 -4 3 -3 7 -3 7 0 6 0 4 0 6 -4 0 -6 4 -4 3 -6 3 -4 4 -3 6 -3 4 -4 3 -6 7 -4 3 -3 3 -3 7 -4 3 -3 7 0 13 -23 -6 -24 -57 -20 -20 7 -23 -27 -110 -30 -34 -36 -43 16 -30 -36 -30 13 -30 40 -30 -27 -7 -26 -16 -4 -30 44 -47 30 -27 -14 24 -56 -4 -27 10 -7 30 14 24 -60 56 -7 0 -97 24 -26 -4 -24 7 -6 17 13 40 -13 6 -50 47 -70 53 0 17 -87 27 -43 63 -24 90 -110 43 -13z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil4","@d":"M3082 3223l-163 -76 -83 16 -10 -6 0 -47 -24 -17 20 -30 124 -10 16 -10 0 -10 14 24 16 -7 0 -3 4 -7 13 0 23 43 37 4 13 53 24 23 0 7 -20 -7 0 7 16 20 -20 33z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil4","@d":"M-131 3167l67 3 3 -40 13 0 14 27 16 30 54 0 40 36 0 20 -47 20 -40 14 -37 -7 -43 -7 -40 -96z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil4","@d":"M2509 3607l-7 10 -3 0 -60 53 -13 0 -54 -60 -73 10 -30 -10 -33 -70 13 -27 -47 -36 -73 30 -10 46 -7 0 -30 -43 -50 0 -13 -30 7 -27 113 -80 107 -113 36 -10 54 -47 66 -6 57 -37 17 3 3 4 -63 40 13 30 43 -20 7 3 -7 30 -33 7 10 36 70 34 53 -47 60 23 10 20 -13 64 -23 6 6 34 -53 60 -13 66 -7 14 -27 36 -3 4z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil4","@d":"M242 3353l37 47 20 -27 20 7 10 63 67 -3 23 33 43 -33 24 -40 36 7 17 30 47 16 -7 47 -63 113 -7 57 0 7 27 83 46 83 -6 24 -4 6 37 84 90 103 0 23 -23 -23 -40 23 -14 -16 -30 23 -53 -20 -83 60 -67 3 0 24 40 3 7 13 -67 47 -17 -37 -50 -16 -46 23 -20 -27 -27 0 -13 -16 0 -67 -24 -43 -103 10 -73 -84 40 -106 0 -4 10 -76 -100 -20 -34 -27 -26 10 -34 -40 -13 -20 13 -87 64 -86 36 10 27 -14 -3 -43 36 -87 -3 -46 -3 -17 36 -17 80 -10 44 14 23 76 53 -20z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil4","@d":"M2382 3780l-23 -20 3 -3 24 -4 3 7 -7 20z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil4","@d":"M1499 4057l-13 -27 -7 0 -57 0 -10 -3 -6 -54 3 -6 40 -10 3 -10 -6 -34 36 -30 94 -43 43 17 -7 20 17 20 0 10 -40 33 -23 43 -40 20 -4 47 -23 7z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil4","@d":"M699 4060l130 50 0 17 27 33 -70 50 -14 30 -60 13 -33 67 -33 -3 -117 63 -23 30 -10 50 -20 -7 -30 20 0 94 -64 33 -3 33 -7 94 -26 13 -34 93 -43 -13 -43 -40 -67 -103 -7 -10 -6 -34 30 -56 6 -57 -16 -33 -50 -14 -7 -50 43 -60 -10 -113 67 -23 -33 -64 20 -16 13 16 27 0 20 27 46 -23 50 16 17 37 67 -47 -7 -13 -40 -3 0 -24 67 -3 83 -60 53 20 30 -23 14 16 40 -23 23 23 0 -23z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil4","@d":"M1519 4193l-10 -56 27 -30 6 0 34 46 23 10 20 -10 3 0 4 7 -4 7 -23 13 -33 -17 -14 0 -33 30z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil4","@d":"M-1934 5297l23 3 10 30 33 0 27 -10 17 -37 36 -6 10 43 34 27 20 43 10 77 30 3 6 23 64 27 33 33 127 37 33 40 -7 43 -33 -13 -77 23 -66 -20 -34 27 -156 -7 -64 94 -53 20 -20 43 -57 17 -126 -7 -134 57 -43 73 -20 -20 -17 7 -10 -7 -10 -60 -43 -80 -30 -3 -17 3 -20 23 -43 -10 -3 -20 6 -3 47 10 40 -63 37 -10 36 -34 24 -66 -30 -44 30 -30 26 4 37 30 33 -10 27 -50 -7 -40 -23 -30 7 -17 70 -17 60 -43 6 -20 -16 -17 6 -6 24 6 30 -30 23 34 40 -30 -7 -37 44 -3z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil5","@d":"M-3514 537l20 -27 -14 -7 -66 37 -7 23 -13 -3 -7 -10 3 -7 0 -33 -20 0 -46 37 -40 0 -7 43 -20 -3 -30 26 -13 -10 -37 47 -17 0 -16 13 6 10 -16 7 -10 43 46 34 27 0 -7 30 -30 6 -30 -33 -16 10 0 23 -14 4 -30 -17 -60 43 -33 -6 -57 20 -70 -40 -73 36 10 27 -7 13 -20 -3 -30 33 -36 -13 -40 27 0 26 20 -10 0 14 -47 16 -20 37 7 50 -20 30 20 27 16 -27 24 13 0 -6 23 10 3 3 -6 33 20 30 -24 20 30 44 14 -34 43 7 13 23 -40 27 -30 73 4 17 16 3 0 27 10 7 47 -37 10 -33 17 -4 6 14 7 -4 3 -26 37 20 23 -10 -20 43 -33 17 13 53 -13 3 3 20 -13 4 -10 -10 3 -10 -10 -14 -26 17 -4 10 27 7 17 46 43 0 40 -30 7 10 -54 64 -20 3 0 53 70 -13 30 -50 7 7 -7 40 -83 43 -43 47 6 13 -6 10 -7 -3 -23 13 0 160 73 -40 3 -3 -73 60 -10 83 23 47 24 156 -10 40 23 64 10 103 20 33 7 7 6 87 -66 250 3 0 23 -34 20 -80 10 0 7 10 0 7 -20 20 -3 10 0 20 23 10 0 3 -17 4 -20 50 -33 0 -10 26 -60 214 -37 83 27 40 0 3 -123 287 -20 103 -94 117 -73 33 -7 30 10 24 0 43 -53 113 0 94 -57 120 14 26 -7 20 7 14 80 23 100 -17 20 -13 30 -83 36 -50 14 0 3 50 27 50 -4 13 -70 33 4 17 36 -3 0 3 -16 7 -4 13 -3 0 -17 -10 -20 7 7 30 0 3 -10 -13 -23 -4 -4 -3 7 -3 -10 -24 -13 0 -44 14 -6 13 33 83 -20 74 7 6 16 -10 57 0 110 -53 63 33 10 -36 10 0 10 6 4 10 -20 37 16 17 -3 6 -53 -16 0 10 -7 0 -17 -17 -3 0 30 50 10 127 -33 123 -37 57 43 30 -10 126 20 14 0 6 -10 7 -20 70 10 107 -53 103 7 37 -37 53 3 30 -50 97 24 16 70 -43 93 -10 33 -37 44 17 3 -13 7 3 3 17 27 16 56 -10 54 27 60 -13 113 66 110 -3 127 -87 60 -20 20 4 13 -10 -3 -47 6 13 20 37 10 7 27 -14 113 -13 80 33 10 -6 -6 -14 30 -16 6 3 -10 27 217 140 57 70 23 56 20 10 13 -6 17 -50 30 -10 20 13 -30 0 -13 13 -14 60 -53 30 -10 24 33 73 44 3 36 30 0 37 7 13 17 -3 3 7 -20 26 -7 -3 -26 -47 -17 0 90 170 27 17 36 63 17 14 57 3 16 7 54 66 73 17 40 37 17 3 90 -43 0 -77 6 -3 30 3 14 13 0 24 6 -24 14 -53 43 -60 43 -73 134 -57 126 7 57 -17 20 -43 53 -20 64 -94 156 7 34 -27 66 20 77 -23 33 13 30 10 74 -16 93 40 40 -14 23 -23 120 -7 120 -3 40 40 27 -7 23 17 34 3 50 -23 43 -80 47 -10 33 10 37 -20 43 13 57 74 36 -14 37 -30 3 -26 34 -24 0 -33 56 -40 64 -220 -10 -7 0 -3 16 7 77 -97 60 -33 23 0 17 -50 70 -54 43 0 20 -16 54 26 10 -3 -4 -10 27 -17 50 -6 37 23 113 -40 20 -23 -20 -24 -3 0 3 17 -7 3 -40 -13 -33 -40 30 -60 13 -7 10 7 7 -10 -7 -27 34 -93 26 -13 7 -94 3 -33 64 -33 0 -94 30 -20 20 7 10 -50 23 -30 117 -63 33 3 33 -67 60 -13 14 -30 70 -50 -27 -33 0 -17 -130 -50 -90 -103 -37 -84 4 -6 6 -24 -46 -83 -27 -83 0 -7 7 -57 63 -113 7 -47 43 -80 57 -70 20 -80 56 -40 17 -60 90 -103 83 -170 40 -70 47 -17 3 30 -43 10 7 14 33 0 50 -64 63 -46 4 -4 -57 -36 -33 3 -24 -27 140 -176 77 -30 30 10 23 -40 230 -77 260 -87 70 -126 274 -167 23 -30 60 -23 53 -54 24 -43 53 -40 10 -50 -23 -40 10 -33 -20 -30 -34 -14 -10 -63 24 -37 26 20 37 -23 10 -40 -20 -20 -37 7 -20 -14 0 -56 -26 -34 3 -23 -50 -23 -17 -220 -3 0 -10 43 -23 -3 -10 -24 20 -43 20 -7 0 -16 -20 -14 3 -6 13 0 17 -67 -17 -10 0 -7 17 4 23 -60 80 -90 64 -30 43 6 70 -90 190 -140 47 0 10 40 30 20 40 0 3 -6 -13 -10 20 -17 16 7 7 23 37 -3 60 -7 40 0 36 23 34 14 16 0 37 6 0 -3 3 -20 24 -3 23 23 17 20 43 3 33 -3 34 0 20 -17 -20 -10 13 -10 53 0 24 -3 16 -7 0 4750 -36 -6 -277 40 -37 -17 -86 30 -50 53 -90 44 -100 0 -50 -20 -10 43 -40 17 -30 -7 -40 -40 -70 13 -57 84 -123 80 -100 6 -10 -20 -34 -6 -183 66 -93 0 -220 47 -77 -10 -50 30 -50 0 -67 23 -66 30 -44 54 -66 36 -64 10 -106 80 -67 20 -23 44 -50 23 -47 47 -3 10 -40 120 -87 70 -110 -24 -3 -3 -7 -30 -40 -23 -67 20 -23 76 -30 10 -30 37 -37 0 -16 -20 -64 -17 -26 40 -37 -3 -60 33 -70 80 -20 0 -40 130 -27 37 -43 33 -53 4 -37 20 -140 120 -23 -4 -87 40 -57 4 -63 -20 -40 10 -67 -27 -50 -20 -53 40 -100 -3 -57 -24 -66 -66 20 36 53 44 -20 6 -67 -33 -10 -83 -20 -40 -13 -34 10 -40 -17 -6 -53 110 -33 0 -34 36 -83 34 -140 -17 -73 -50 -37 10 -13 40 -30 13 -50 -10 -20 -33 -34 20 -36 -7 -60 34 -67 6 -43 27 -220 -43 -217 -147 -67 -97 -43 -23 -17 -80 -26 -13 -14 -107 30 -30 -3 -13 -53 -10 -47 3 -70 60 -60 -7 -47 37 -70 -13 -26 10 -60 213 -170 433 -144 284 -2296 0 0 -6920 5206 0 -33 183 3 73 -43 80 -33 70 -44 40 -43 4 -17 16 -10 -20 -46 37 -127 40 -40 -17 -63 14 -50 -17 -50 -40 -100 -23 -34 -34 -23 20 -73 -3 -4 20 -46 23 3 30 -37 -20 -26 10 -44 -33 -46 -3 -7 -10 -50 3 -17 -20 14 -3 0 -14 -77 -33 -80 30 -40 37 -13 -4 -4 -16 34 -17 -20 -20 -220 73 -157 0 -290 -56 -30 -17 -47 10 -36 -37 -67 -20 -150 4 -7 -20 -70 -57 -36 13 -34 34 -30 -10 -46 23 -64 -20 -56 17 -90 6 -70 -16 -47 13 -17 -17 -20 10 -80 -20 -40 10 4 27 -20 27 3 -50 -103 -10 -34 -24 -36 -63 -54 -20 4 -13 -44 -4 -20 34 -10 -7 -10 -37 -36 4m6596 2686l20 -33 -16 -20 0 -7 20 7 0 -7 -24 -23 -13 -53 -37 -4 -23 -43 -13 0 -4 7 0 3 -16 7 -14 -24 0 10 -16 10 -124 10 -20 30 24 17 0 47 10 6 83 -16 163 76m-573 384l3 -4 27 -36 7 -14 13 -66 53 -60 -6 -34 23 -6 13 -64 -10 -20 -60 -23 -53 47 -70 -34 -10 -36 33 -7 7 -30 -7 -3 -43 20 -13 -30 63 -40 -3 -4 -17 -3 -57 37 -66 6 -54 47 -36 10 -107 113 -113 80 -7 27 13 30 50 0 30 43 7 0 10 -46 73 -30 47 36 -13 27 33 70 30 10 73 -10 54 60 13 0 60 -53 3 0 7 -10m-127 173l7 -20 -3 -7 -24 4 -3 3 23 20m-883 277l23 -7 4 -47 40 -20 23 -43 40 -33 0 -10 -17 -20 7 -20 -43 -17 -94 43 -36 30 6 34 -3 10 -40 10 -3 6 6 54 10 3 57 0 7 0 13 27m20 136l33 -30 14 0 33 17 23 -13 4 -7 -4 -7 -3 0 -20 10 -23 -10 -34 -46 -6 0 -27 30 10 56z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil5","@d":"M-1494 1087l3 3 3 7 4 3 0 7 0 6 -4 4 -3 6 -7 -3 -3 0 -7 -3 -6 0 -4 0 -6 0 -10 0 -7 3 -3 0 -7 3 -7 4 -3 0 -7 0 -6 0 -7 3 -7 0 -6 0 -7 3 -7 -3 -3 -3 -3 -4 -4 -6 4 -7 3 -3 7 0 3 -4 7 0 6 0 7 4 3 0 7 3 7 0 3 -3 7 -4 3 -3 3 -3 4 -7 3 -3 7 -4 3 -3 7 0 6 3 4 0 6 0 7 4 7 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil5","@d":"M-3568 1347l0 -7 -3 -7 -3 -3 0 -7 0 -6 0 -7 0 -3 3 -7 0 -7 3 -3 4 -7 6 -3 4 -3 3 -4 3 -6 0 -4 4 -6 0 -7 3 -3 3 -4 7 -6 3 -4 4 -3 3 -7 3 -3 0 -7 4 -3 3 -7 3 -3 7 -3 3 -7 4 -3 6 0 7 -4 7 4 -4 3 -3 7 -3 3 -4 7 -3 3 -3 3 -7 4 -7 3 -3 3 0 7 -3 3 -4 7 -3 3 -3 7 -4 3 0 7 -3 3 -3 7 -4 3 0 7 0 7 -6 3 -4 3 -6 4 0 3 -4 7 0 6 0 4 0 6 0 7 0 7 -3 3 -7 7z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil5","@d":"M-2534 1950l3 7 0 6 -3 7 -4 3 -3 7 -3 3 0 7 0 3 0 7 3 7 3 3 4 7 3 3 0 7 3 6 0 7 0 3 -6 4 -7 3 -7 0 -3 0 -7 0 -6 0 0 7 -4 6 4 4 3 6 3 7 0 3 -6 4 -7 0 -7 -4 -3 4 -7 0 -3 3 -3 7 0 6 -4 4 0 6 0 7 -3 3 -7 4 -3 0 -7 0 -6 3 -4 7 0 3 -3 7 0 6 3 4 0 6 -3 4 -7 3 -3 3 -3 -6 0 -7 -4 -3 0 -7 0 -7 -3 -3 -7 -3 0 -7 0 -7 4 0 6 0 7 0 3 -3 7 -3 7 -4 3 0 7 -3 3 -3 0 -7 0 -7 0 -6 3 -7 4 -3 3 0 7 0 3 -7 7 -3 0 -4 3 -6 3 -4 4 -6 6 -4 4 -3 3 -3 3 -4 4 -6 0 -7 0 -7 0 -3 -4 -7 -3 -3 -3 -7 0 -6 0 -7 3 -3 3 -7 4 0 6 0 4 -3 3 -7 3 -3 4 -7z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil5","@d":"M759 2217l7 3 3 3 7 4 3 3 3 3 4 7 3 3 3 7 -10 0 -6 0 -7 -3 -3 -4 -4 -3 -3 -7 -7 -3 -3 -3 -7 0 -6 0 -4 0 -6 0 -7 3 -7 3 -3 4 -3 3 0 7 0 6 -4 4 0 6 -3 7 -3 3 -4 7 -3 3 -3 7 -4 3 -3 4 -7 3 -6 0 -4 3 -6 0 -4 4 -3 6 -3 4 -4 6 0 7 -3 3 -3 7 -7 3 -3 0 -7 0 -7 0 -3 -3 -7 -3 -6 0 -4 0 -6 -4 -7 0 -7 0 -3 -3 0 -10 7 -3 3 -4 7 0 6 0 4 0 6 4 7 3 3 0 7 0 7 0 0 -7 0 -6 3 -4 0 -6 0 -7 7 -3 3 -4 7 0 6 0 4 0 6 0 7 -3 3 -3 4 -4 3 -6 0 -7 3 -7 0 -6 4 -4 3 -6 3 -4 7 -3 3 -3 4 -7 3 -3 7 -4 3 -3 7 0 6 -3 4 0 6 0 7 3 3 3 7 4z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil5","@d":"M-2838 2350l-3 -3 3 0 7 -4 3 -3 7 -3 3 -7 4 -3 3 -7 3 -3 7 0 3 3 7 7 0 3 0 7 0 6 0 7 0 7 3 3 4 3 6 0 7 0 3 4 4 3 6 7 0 3 4 7 3 6 3 4 4 3 6 0 4 -3 6 -7 4 0 3 3 7 7 6 3 4 4 3 6 3 4 4 3 3 7 7 3 3 3 3 7 4 3 3 7 3 3 4 7 0 3 3 7 0 7 0 3 -7 7 -3 -4 -3 -3 -7 -3 -3 -4 -4 -6 0 -7 -3 -3 0 -7 -3 -7 -4 -3 -3 -3 -7 0 -6 0 -7 0 -3 3 0 7 -4 0 -3 -4 -3 -6 0 -4 0 -6 0 -7 -4 -3 -3 -7 -3 -3 -7 0 -7 0 -3 0 -3 -7 -7 -3 -3 -4 -7 0 -7 -3 -3 -3 -3 -7 -7 0 -3 3 0 7 -4 3 -3 7 -7 3 -3 4 -7 -4 0 -3 -3 -7 3 -6 4 -4 0 -6 3 -7 -3 -7 -4 -3 -3 -3 -7 -7z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil5","@d":"M-804 2803l0 10 -4 4 -6 3 -7 0 -3 3 -4 4 -6 3 -4 7 -3 3 0 7 -3 3 0 7 0 6 0 7 3 3 7 4 3 3 3 7 -3 3 -3 7 -4 3 -3 3 -3 7 0 7 0 3 -4 7 -3 3 -3 7 -4 0 -6 -7 3 -7 0 -3 0 -7 3 -6 0 -7 4 -3 0 -7 -4 -3 -3 -7 -3 -3 0 -7 3 -7 3 -3 0 -7 4 -6 0 -4 3 -6 3 -4 4 -6 0 -7 3 -3 3 -7 4 -3 6 0 7 -4 7 0 3 0 7 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil5","@d":"M-731 2977l7 0 6 0 7 3 3 3 0 4 -3 6 -7 0 -6 0 -4 -3 -6 0 -7 -3 -3 -4 -7 0 -3 -3 -7 -3 -3 0 -7 -4 -7 0 -6 0 -4 0 -6 0 -7 0 -7 0 -3 4 -7 0 -6 3 -4 3 -3 4 -3 6 -4 4 0 6 0 7 0 3 4 7 3 3 3 7 4 3 3 4 3 6 0 7 0 3 -3 7 0 7 -3 6 -4 0 -6 0 -7 0 -3 -3 -4 -3 -3 -7 0 -3 -3 -7 0 -7 0 -6 0 -4 0 -6 -4 -7 -3 -3 -7 -4 -3 -3 -7 -3 0 -4 4 -6 6 -4 4 -6 3 -4 3 -3 7 -3 3 -4 7 -3 7 0 3 -3 7 -4 3 0 7 0 6 0 7 0 3 0 7 -3 7 0 3 -3 7 0 6 -4 4 0 6 0 7 0 3 7 0 3 4 7 3 3 3 4 7 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil5","@d":"M-2711 2997l3 6 -3 7 -3 3 -4 4 -3 6 -3 4 -7 3 -3 3 -4 4 -3 6 0 7 0 7 0 3 3 7 0 6 7 4 3 3 7 3 3 0 7 4 0 6 0 7 0 7 -3 3 -4 3 -3 4 -7 3 -3 3 -7 0 -6 0 -7 4 -7 0 -3 -4 -7 -3 -3 -3 0 -7 3 -3 0 -7 4 -7 3 -3 3 -3 4 -7 6 -3 0 -7 0 -3 0 -7 -3 -7 -3 -3 -7 0 -3 -3 -7 3 -7 0 -6 3 -7 0 0 -3 3 -7 4 -6 6 -4 4 4 6 0 7 3 3 0 7 -7 3 -3 7 -3 3 -4 4 -3 3 -7 3 -3 4 -3 3 -7 10 -3z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil5","@d":"M-3178 3467l-3 -7 0 -3 3 -7 4 -3 3 -7 3 -3 4 -7 3 -3 3 -7 0 -3 4 -7 3 -7 3 -3 0 -7 4 -3 3 -7 3 -3 0 -7 4 -3 3 -7 3 -3 7 -3 3 -4 7 -3 3 -3 7 -4 3 0 7 -3 0 -7 0 -6 0 -4 0 -6 3 -7 7 3 3 4 -3 6 0 7 3 3 7 0 3 -3 7 -3 3 -4 4 -3 6 -3 7 -4 3 0 7 -3 3 -3 7 -4 3 0 7 -3 7 0 6 0 4 7 0 3 -7 0 -7 0 -3 3 -7 4 -6 3 -4 0 -6 0 -7 3 -3 0 -7 4 -3 3 -7 3 -3 4 -4 3 -6 3 -4 7 -3 3 -7 0 -6 0 -4 4 -6 0 -7 3 -7 0 -3 7 0 3 -3 7 -4 3 0 7 -3 6 -3 4 0 6 -4 4 -3 6 -3 4 -4 6 -3 4 -3 6 -4 4 -3 3 -7 7 4 3 3 3 7 -3 3 -3 7 -4 3 0 7 -3 3 -3 7 0 6 -4 4 -3 6 0 7 0 7 -3 3 0 7 -4 3 -3 3 -3 7 -4 3 0 4 7 -4 3 -6 4 0 6 3 4 7 0 6 0 7 -4 3 -3 4 -3 6 0 7 0 7 -4 3 4 3 3 4 7 3 6 3 4 4 3 6 3 4 4 6 3 4 3 3 4 7 0 6 3 7 -3 0 -4 3 -6 7 -4 7 0 3 4 7 0 6 3 0 3 0 7 7 3 3 0 7 0 3 -3 7 -3 3 -4 7 -3 7 0 3 0 7 -3 6 0 4 0 6 0 7 0 7 -4 3 0 7 0 6 0 7 -3 3 0 7 -3 7 0 3 -4 7 -3 3 0 7 -3 6 0 4 -4 6 -3 7 0 3 -3 7 -4 7 0 3 0 7 -3 3 -3 3 -4 7 -6 0 -7 0 -3 7 -7 3 0 0 7 0 6 3 7 -10 7 -3 3 -3 3 -7 4 -3 6 -4 4 -6 0 -4 0 -6 0 -7 3 -3 0 -7 3 -7 4 -3 0 -7 3 -3 3 -7 4 -6 0 -4 3 -6 3 -7 0 -3 4 -7 0 -7 0 -3 0 -7 0 -6 0 -7 0 -3 3 -7 0 -7 3 -3 0 -7 0 -6 4 -7 0 -3 0 -7 3 -7 0 -3 3 -7 0 -6 4 -4 3 -3 7 3 3 4 7 0 6 3 4 3 3 4 7 6 3 4 7 3 3 3 3 4 7 3 3 3 4 4 6 6 0 4 4 6 3 7 0 7 0 3 0 7 0 6 -3 7 0 3 0 7 0 7 3 3 3 3 4 7 3 3 3 7 4 3 3 7 3 3 4 7 3 3 3 7 0 7 4 3 0 7 3 3 3 0 7 -7 3 -3 0 -7 0 -6 0 -4 -3 -6 -3 -4 -4 -6 -3 -4 -3 -3 -4 -7 -3 -3 -3 -7 0 -6 -4 -4 -3 -6 0 -7 -3 -3 0 -7 0 -7 0 -6 0 -4 0 -6 0 -7 0 -7 0 -3 -4 -7 -3 -3 -3 -7 -4 -3 -3 -3 -3 -4 -7 -3 -3 -3 -7 -4 -3 0 -7 -3 -7 -3 -3 -4 -7 -3 -3 -3 -7 -4 -3 -6 0 -4 0 -6 0 -4 -7 4 -6 0 -4 0 -6 -7 -4 -3 -3 -7 -3 -3 -4 -7 0 -3 -3 -7 -3 -3 -4 -7 -3 -3 -3 -7 -7 -3 0 -7 -3 -7 0 -3 0 -7 3 -3 0 -7 0 -6 0 -7 0 -3 0 -7 0 -7 0 -6 0 -4 0 -6 0 -7 -3 -3 0 -7 3 -7 0 -6 0 -4 3 -6 4 -4 3 -3 3 -7 4 -3 3 -7 0 -6 0 -4 -3z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil5","@d":"M-2671 3397l3 -7 4 -3 6 -4 7 0 3 -3 4 -3 3 -7 3 -7 0 -3 0 -7 4 -6 3 -4 7 0 3 4 0 6 -3 7 0 3 -4 7 0 7 0 3 -6 3 -7 4 -3 3 -7 3 -3 4 -4 3 -6 0 -7 -3z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil5","@d":"M-2464 3453l0 -10 3 -3 3 -3 7 -4 3 -3 7 -3 7 0 3 0 7 -4 6 0 4 0 6 0 7 0 7 0 3 0 7 0 6 -3 7 3 3 -3 7 0 7 0 3 -3 7 -4 3 -3 3 -7 0 -6 4 -7 0 -3 6 0 7 0 3 6 0 7 0 3 -3 7 0 7 -3 3 0 7 0 6 3 7 3 3 7 4 -10 0 -3 -4 -4 -3 -6 -3 -4 -4 -6 4 -7 0 -7 3 -3 0 -7 3 -3 4 -7 0 -3 -7 -7 -3 -6 0 -4 0 -6 0 -7 0 -7 0 -3 0 -7 3 -6 0 -4 3 -6 4 -4 3 -6 3 -4 0 -6 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil5","@d":"M-3991 3567l0 -7 0 -7 3 -6 4 -4 6 0 7 4 3 -4 7 -3 3 -3 0 -7 -3 -3 -7 -4 0 -6 0 -7 4 -3 3 -7 3 -3 4 -7 3 -3 3 -4 4 -6 3 -4 0 -6 0 -7 0 -7 0 -3 0 -7 0 -6 0 -7 3 -3 0 -7 -3 -3 -3 -7 -4 -3 0 -7 4 0 6 0 7 3 7 0 3 4 3 6 -3 7 0 7 -3 3 0 7 -4 6 0 4 0 6 0 7 0 7 0 3 -3 7 0 6 0 7 0 3 7 4 6 0 4 3 3 3 -3 4 -7 0 -7 0 -3 0 -7 0 -3 6 0 4 3 6 0 7 0 7 -3 0 -3 3 -7 3 -3 7 -4 3 -3 7 -3 3 -4 4 -6 3 -7 0 -3 -3 -7 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil5","@d":"M-2668 3407l14 0 3 0 7 3 6 0 7 -3 3 3 4 3 3 7 3 7 4 0 6 3 7 0 3 0 7 3 3 4 7 3 3 7 4 3 6 0 4 3 6 0 7 0 7 0 3 -3 3 -3 7 -4 7 -3 3 -3 3 -4 4 -6 3 -4 3 -3 7 0 3 3 0 7 -6 3 -4 4 -3 3 -3 7 3 3 -7 3 -3 4 -7 0 -6 0 -4 3 -6 0 -7 3 -3 0 -7 0 -7 0 -6 0 -4 -3 -3 -3 -3 -4 -4 -6 -3 -4 -7 -3 -6 0 -4 0 -6 0 -7 0 -7 -3 -3 0 -3 -7 -4 -7 -3 -3 -7 0 -3 -3 -7 -4 -3 -3 -7 -3z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil5","@d":"M-484 3603l-4 4 -6 0 -4 -4 -6 -3 -4 -3 -3 -7 -3 -3 -4 -4 -6 0 -7 0 -7 0 -3 -3 -7 -3 -3 -4 0 -6 0 -7 -3 -3 -4 -7 -3 -3 -3 -4 -7 -3 -3 -7 -4 -3 -3 -3 -3 -7 -4 -7 -3 -3 -3 -3 -7 -4 0 -3 -3 -7 0 -6 -4 -4 0 -6 0 -7 4 -7 3 4 3 3 7 3 3 4 4 6 0 4 3 6 3 4 7 3 7 0 6 0 4 0 6 7 0 3 -3 7 -3 3 0 7 3 6 0 4 3 6 4 4 6 3 4 7 3 3 7 3 3 0 7 0 6 0 7 4 3 6 0 4 0 6 4 4 3 6 3 4 4 6z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil5","@d":"M-2094 3723l10 0 3 -3 7 0 6 0 4 3 6 4 7 0 3 3 7 3 0 7 3 7 -6 3 -7 3 -7 0 -3 -3 -7 3 0 7 4 3 6 4 4 3 6 3 4 4 6 3 4 3 3 4 3 3 -3 7 -3 6 3 4 3 6 4 4 3 6 0 7 3 3 -10 0 -6 -3 -4 -3 -3 -7 0 -3 -3 -7 -4 -7 0 -3 -3 -7 -7 -3 -3 0 -7 -3 -3 -7 -3 -3 -4 -4 -3 -6 -3 -4 -4 -6 -3 -4 -7 -3 -6 0 -7 3 -3 4 -7 3 0 3 -3 7 -4 3 0 7 -3 7 0 3 -3 7 -4 6 0 4 -3 6 -3 4 -4 6 -3 4 -3 6 -4 4 -6 3 -4 3 -6 4 -4 3 -6 3 -4 4 -6 0 -4 3 -6 3 -4 4 -6 3 -4 3 0 7 0 7 0 6 0 4 4 6 -7 4 -3 -4 -4 -10 0 -3 0 -7 4 -6 0 -7 3 -3 0 -7 3 -7 0 -3 0 -7 0 -6 0 -7 0 -3 4 -4 6 0 0 7 4 3 3 7 3 3 7 0 3 -3 7 -3 3 -4 7 -3 3 -3 4 -4 3 -6 3 -4 4 -6 3 -7 0 -3 0 -7 3 -7 0 -6 0 -4 0 -6 4 -7 0 -3 3 -10 3 -4 4 -6 6 -4 4 -3 6 0 4 -3 6 0 7 0 7 -4z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil5","@d":"M-2421 4023l3 -6 4 -7 3 -3 7 0 6 -4 4 0 6 -3 7 0 3 -3 7 -4 7 0 3 -3 7 -3 0 -7 3 -3 7 -4 3 -3 7 -3 3 -4 7 0 6 0 7 0 -10 7 -3 7 -4 3 -3 3 -7 4 -3 3 -3 3 -7 4 -3 3 -7 3 -7 4 -3 0 -7 3 -6 0 -4 3 -6 4 -4 3 -6 3 -4 4 -6 0 -7 0 0 -4z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil5","@d":"M-2391 4083l0 -6 0 -7 3 -3 7 -4 7 0 3 4 7 3 3 3 7 0 6 4 4 0 6 0 7 -4 7 0 3 -3 7 -3 3 -4 7 0 6 0 4 0 6 0 7 0 7 0 3 0 7 0 6 -3 4 -3 6 -4 4 -3 6 0 7 0 3 3 0 7 -3 7 0 3 -3 7 3 6 3 4 4 3 6 7 4 3 6 0 4 3 6 4 7 0 3 3 4 7 3 3 0 7 -3 6 -7 0 -7 -3 -3 -3 -7 -4 -3 -3 -3 -3 -7 -4 -3 -3 -7 -3 -3 -4 -4 -3 -3 -7 0 -6 -3 -4 -7 -3 -3 -3 -7 0 -7 0 -6 0 -4 0 -6 0 -7 0 -7 3 -3 0 -7 0 -3 7 -7 0 -6 3 -4 0 -6 0 -7 0 -7 -3 -3 0 -7 -4 -6 0 -4 0 -6 -3 -7 0 -7 0 -3 3z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil5","@d":"M-3454 4400l-7 7 -3 3 -4 3 -3 7 -3 3 -4 7 -3 3 -3 7 -4 3 -3 7 -3 3 -4 4 -3 6 -3 4 -4 6 -3 4 0 6 0 7 3 3 7 4 3 0 7 0 7 0 3 -4 7 0 6 -3 4 0 6 -3 7 0 3 -4 7 0 7 0 6 -3 4 0 6 0 7 3 7 0 3 4 7 0 3 6 0 7 0 7 -3 3 -4 0 -6 0 -7 0 -3 -3 -7 0 -7 0 -6 -4 -7 0 -3 0 -7 0 -7 0 -3 0 -7 0 -6 4 -4 3 -3 7 0 3 0 7 -3 6 -4 4 -3 6 -7 0 -3 4 -7 0 -6 0 -7 3 -3 0 -7 3 -3 4 -7 3 -3 3 -7 4 -3 3 0 7 -4 3 -3 7 -3 3 -7 3 -7 -6 0 -7 -3 -7 0 -3 0 -7 3 -6 0 -4 0 -6 0 -7 0 -7 -3 -3 0 -7 -3 -3 -7 -3 -3 -4 -7 -3 -7 0 -3 -7 3 -6 0 -4 -3 -6 0 -7 -3 -3 0 -7 0 -7 3 -3 7 -3 3 -4 3 4 4 6 0 7 0 7 3 3 3 7 4 3 3 7 3 3 4 3 3 7 3 3 4 7 3 3 0 7 3 7 4 0 3 -4 3 -6 4 -7 0 -3 3 -7 3 -7 0 -3 4 -7 0 -6 3 -4 0 -6 0 -7 0 -3 3 -7 4 -7 0 -6 -4 -4 -3 -6 -3 -4 0 -6 0 -4 3 -3 7 -3 6 0 7 0 7 3 6 0 4 -3 3 -4 3 -6 0 -7 4 -3 3 -7 0 -7 3 -3 4 -7 3 -3 3 -7 4 -3 0 -7 3 -3 0 -7 0 -6 0 -7 3 -3 0 -7 0 -7 -3 -6 -3 -4 -4 -3 -3 -7 0 -6 3 -4 7 4 7 3 6 0 4 0 6 -3 4 -7 0 -3 3 -7 0 -7 -3 -6 3 -4 0 -6 3 -4 7 -6 3 0 7 3 3 7 0 6 4 4 0 6 -4 7 0 3 -3 7 -3 7 -4 3 -3 3 -3 7 -4 3 -3 4 -3 6 -4 4 0 6 -3 7 0 7 0 3 0 7 0 6 0 4 0 6 3 7 0 7 -3 3 -3 7 -4 3 -3 7 -3 3z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil5","@d":"M-868 4683l-3 -3 3 -7 0 -6 4 -4 3 -6 0 -7 0 -3 3 -7 0 -7 0 -6 -3 -4 7 -3 3 -7 3 -3 4 -3 3 -7 3 -3 4 -7 6 0 0 3 0 7 -3 3 -3 4 -4 6 -3 4 -7 3 -3 7 -3 3 0 7 0 3 3 7 3 6 4 4 0 6 -4 4 -3 6 -3 4 -7 3 -7 3z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil5","@d":"M3402 6413l-6 -6 -4 0 -6 0 -7 0 -7 0 -3 -4 -7 -3 0 -7 0 -6 4 -4 0 -6 0 -7 0 -7 0 -6 0 -7 3 -3 3 0 7 3 7 0 6 3 7 0 3 4 0 56z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil5","@d":"M366 6487l6 -4 7 0 3 -3 7 0 7 -3 3 -4 7 0 6 -3 4 0 6 -3 7 -4 3 0 7 -3 7 0 3 0 7 3 6 4 4 3 0 7 0 3 0 7 -4 6 -3 4 -3 6 -4 4 -3 3 -7 3 -6 4 -4 0 -6 0 -7 0 -7 3 -3 0 -7 0 -6 0 -7 0 -3 3 -7 0 -7 0 -3 4 -7 3 -3 0 -7 7 -3 3 -3 3 -7 4 -3 3 -7 3 -3 4 -7 0 -7 0 -3 -4 -7 0 -6 -3 -7 0 -3 0 -7 0 -7 3 -3 0 -7 0 -6 4 -7 0 -3 0 -7 0 -7 0 -3 -4 -3 -6 3 -7 3 -3 7 -4 7 -3 3 0 3 -7 7 -3 3 -3 4 -4 6 -3 4 -3 6 -4 4 0 6 -3 7 -3 7 0 3 0 7 -4 6 4 4 3 6 3 4 0 6 -3 4 -3 6 -4 7 -3 7 -3z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil5","@d":"M2859 6683l0 -3 3 -7 0 -6 4 -4 0 -6 3 -7 3 -3 0 -7 4 -3 3 -7 3 -3 4 -7 3 -3 3 -7 4 -3 3 -7 3 -3 4 -7 3 -3 0 -7 3 -3 4 -7 3 -7 3 -3 4 -3 3 -7 7 -3 3 0 7 -4 3 -3 7 0 6 0 7 -3 3 0 7 -4 7 -3 3 -3 3 -4 4 -3 6 -3 4 -4 6 -3 7 0 3 -3 7 -4 7 -3 3 0 7 -3 6 0 4 3 3 7 3 3 4 7 0 6 0 7 0 3 -4 7 -3 3 -7 4 -3 0 -7 3 -6 -3 -7 3 -3 0 -7 0 -7 3 -3 4 -7 3 0 7 -3 3 -3 7 -4 6 0 4 -6 3 -4 7 -3 3 -7 3 -3 4 -7 3 -3 0 -7 0 -6 3 -4 4 -3 3 -7 3 -3 4 -3 6 -7 4 -3 3 -4 3 -6 4 -4 6 -3 4 -3 3 -4 7 -3 3 -3 3 -7 7 -3 3 -7 0 -10 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil5","@d":"M2599 6813l-3 7 -4 3 -3 7 0 3 -7 7 -3 3 -3 4 -7 0 -7 0 -6 0 -4 0 -6 3 -4 3 0 7 -6 3 -4 4 -6 3 -4 3 -6 0 -7 0 -7 0 -3 -3 -7 0 -6 0 -4 0 -6 0 -7 0 -7 0 -3 0 -7 0 -6 -3 -4 -4 -6 -3 -4 -3 -6 -4 -4 -3 0 -7 0 -6 7 -4 7 0 6 0 4 0 6 0 7 4 3 3 7 3 3 0 4 -6 3 -4 0 -6 3 -7 4 -3 3 -7 3 -3 7 -4 3 -3 7 0 7 3 3 0 7 -3 6 0 7 -3 3 0 7 -4 3 -3 4 -7 3 -3 3 -3 7 -4 7 0 6 0 4 -3 6 0 7 0 7 0 3 0 7 -3 6 0 7 3 3 3 0 7 -3 3 -3 7 -4 3 -6 4 -4 6 -3 4 -7 3 -3 3z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil5","@d":"M1512 7287l-220 0 7 -4 7 -3 3 -3 7 0 3 -4 7 0 6 -3 4 -3 6 -4 4 -3 3 -7 7 0 3 -3 7 3 6 0 7 0 7 0 3 -6 3 -4 0 -6 4 -7 0 -3 -4 -7 -3 -3 -3 -7 -4 -3 -6 -7 0 -3 0 -7 0 -3 3 -7 3 -7 4 -3 3 -3 3 -7 7 -3 3 -4 7 -3 3 0 7 -3 3 3 4 7 -4 3 0 7 0 6 0 7 0 7 4 3 3 3 7 4 6 0 7 0 3 -4 7 0 7 0 6 -3 4 0 6 -3 7 0 3 -4 7 -3 3 0 7 -3 3 -4 7 -3 0 -7 3 -6 4 -4 3 -6 3 -4 4 -6 3 -4 3 -3 7 -7 3 -3 7 0 3 3 4 7 0 7 3 6 0 4 3 6 -3 7 0 3 -3 7 -4 3 -6 4 -4 3 -6 3 -4 7 -3 3 -3 4 -7 3 -3 7 -4 3 -3 7 -3 3 -4 3 -3 7 0 7 0 3 0 7 0 6 0 7 0 3 0 7 0 7 3 6 0 4z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil6","@d":"M2996 367l3 0 403 0 0 206 -16 7 -24 3 -53 0 -13 10 20 10 -20 17 -34 0 -33 3 -43 -3 -17 -20 -23 -23 -24 3 -3 20 0 3 -37 -6 -16 0 -34 -14 -36 -23 -40 0 -60 7 -37 3 -7 -23 -16 -7 -20 17 13 10 -3 6 -40 0 -30 -20 -10 -40 -47 0 -190 140 -70 90 -43 -6 -64 30 -80 90 -23 60 -17 -4 0 7 17 10 -17 67 -13 0 -3 6 20 14 0 16 -20 7 -20 43 10 24 23 3 10 -43 3 0 17 220 50 23 -3 23 26 34 -43 10 -30 -30 -50 0 -80 53 -57 10 -20 43 -40 -6 -23 23 -30 -10 -20 -30 -93 -27 -67 17 -27 43 -40 10 -23 -13 -20 -47 -3 -6 -114 -27 -3 -10 3 -37 24 -13 -27 -10 -3 -20 -130 -17 -7 37 -17 3 -53 -80 -67 -3 -30 13 -46 -53 -70 -10 -14 10 -50 -23 -70 -20 -23 13 -10 63 20 24 -17 23 -113 10 -40 -23 -33 36 -24 -30 -43 -10 -100 40 -53 -26 -27 -47 -23 3 -60 -40 -47 37 -60 -17 -10 27 -20 7 -37 -54 -53 -23 0 -20 -13 -33 -44 13 -60 -3 -146 -70 -30 6 -20 -20 6 -20 -10 -6 -16 10 -4 50 -43 -7 -27 -33 27 -27 20 -53 -7 -50 -83 -17 -30 30 -20 -40 -47 10 -30 -47 17 -16 43 -4 44 -40 33 -70 43 -80 -3 -73 33 -183 3164 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil6","@d":"M1372 1313l17 -3 7 -37 130 17 3 20 27 10 -24 13 -3 37 -30 7 -7 26 -30 0 -23 27 -53 0 -20 -37 26 -20 -30 -16 10 -44z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil6","@d":"M-3834 1670l6 70 30 -10 24 20 -4 27 -40 23 -36 50 6 27 24 10 -4 33 20 10 44 -7 43 -40 27 0 6 -20 14 0 3 34 7 0 20 -17 73 -13 57 23 -7 33 47 -3 13 -23 17 6 6 0 17 37 27 -23 26 3 70 -27 10 -70 34 -6 43 33 30 -17 30 20 50 0 27 -30 10 14 30 26 53 0 20 -20 17 20 -10 40 30 14 -30 86 6 47 24 20 36 -17 50 7 84 67 -10 16 -7 4 -3 6 -4 4 -3 3 -3 7 -4 3 -3 7 -3 3 -4 7 -3 3 -3 7 -4 3 0 7 -3 3 -3 7 -4 3 -3 7 -3 3 -4 7 0 3 -3 7 0 6 0 7 -3 3 -4 4 -6 3 -7 0 -7 0 -3 0 -3 7 -4 3 -3 7 0 3 -3 7 -4 3 -3 7 -3 3 -7 3 -3 4 -7 3 -3 3 -7 4 -3 3 -7 7 -3 3 -4 3 -3 4 -7 0 -6 3 -4 3 -3 4 -7 6 -3 4 -7 0 -3 0 -7 0 -6 3 -7 0 -3 0 -7 0 -7 3 -3 0 -7 4 -3 6 -3 4 -7 3 -3 3 -4 7 -3 3 -7 4 -3 3 -3 7 0 3 -4 7 -3 3 -3 7 -4 3 -3 7 -3 3 -4 7 0 6 -3 4 -3 6 0 4 -4 6 0 7 -3 3 -3 7 -4 3 -3 4 -7 3 -3 3 -7 4 -6 3 -4 0 -6 0 -7 0 -7 0 -6 37 50 93 -14 10 -6 60 13 73 -23 64 26 36 -33 54 33 66 -46 60 -77 27 -17 27 10 46 44 20 33 67 -30 107 -43 40 -20 96 -7 0 -3 4 -7 0 -10 0 -7 3 -6 0 -7 0 -3 0 -7 3 -7 0 -6 -3 -4 0 -6 0 -7 0 -7 0 -3 0 -7 -3 -6 0 -4 0 -6 0 -7 -4 -7 0 -3 0 -7 0 -6 4 -4 0 -6 3 -7 3 -3 4 -7 0 -3 3 -7 0 -7 -3 -6 0 -4 -4 -6 0 -7 0 -7 -3 -3 0 -7 0 -6 -3 -4 0 -6 -4 -7 0 -3 -3 -7 0 -7 0 -6 0 -4 0 -6 0 10 43 66 60 4 24 46 23 -13 90 43 50 -6 47 56 30 -6 43 73 0 27 30 6 40 -53 80 3 30 -3 3 -7 7 -3 3 -3 4 -7 3 -3 3 -4 4 -6 6 -4 4 -3 3 -7 3 -3 4 -7 3 -3 3 -3 4 -7 3 -3 3 -7 4 -3 3 -7 3 -3 4 -4 3 -6 3 -4 4 -3 6 -7 4 -3 3 -3 3 -4 7 0 7 0 3 0 7 0 6 0 7 0 7 -3 0 -7 6 -3 4 0 6 -3 4 3 6 0 7 -3 7 0 3 -4 7 -6 3 -4 0 -6 0 -7 -3 -7 -4 -3 4 0 6 3 7 4 3 3 4 3 6 0 7 0 7 -3 3 0 7 0 6 0 7 -3 3 0 7 -4 3 -3 7 -3 3 -4 7 -3 3 0 7 -3 7 -4 3 0 7 -3 6 -3 4 -4 3 -6 0 -7 -3 -7 0 -6 0 -7 3 -3 3 0 4 0 6 3 4 3 6 4 4 0 6 -4 7 -3 7 0 3 0 7 0 6 -3 4 0 6 -4 7 0 3 -3 7 -3 7 0 3 -4 7 -3 6 -3 4 -4 0 -3 -7 0 -7 -3 -3 -4 -7 -3 -3 -3 -7 -4 -3 -3 -3 -3 -7 -4 -3 -3 -7 -3 -3 0 -7 0 -7 -4 -6 -3 -4 -3 4 -7 3 -3 3 0 7 0 7 3 3 0 7 3 6 0 4 -3 6 3 7 7 0 7 3 3 4 7 3 3 3 0 7 3 3 0 7 0 7 0 6 0 4 -3 6 0 7 0 3 3 7 0 7 7 6 7 -3 3 -3 3 -7 4 -3 0 -7 3 -3 7 -4 3 -3 7 -3 3 -4 7 -3 3 0 7 -3 6 0 7 0 3 -4 7 0 3 -6 4 -4 3 -6 0 -7 0 -3 3 -7 4 -3 6 -4 7 0 3 0 7 0 7 0 3 0 7 0 6 4 7 0 7 0 3 3 7 0 6 0 4 0 3 -3 0 -7 0 -7 -3 -6 -7 0 -3 -4 -7 0 -7 -3 -6 0 -4 0 -6 3 -7 0 -7 0 -3 4 -7 0 -6 3 -4 0 -6 3 -7 0 -3 4 -7 0 -7 0 -3 0 -7 -4 -3 -3 0 -7 0 -6 3 -4 4 -6 3 -4 3 -6 4 -4 3 -3 3 -7 4 -3 3 -7 3 -3 4 -7 3 -3 3 -7 4 -3 3 -3 7 -7 20 13 70 110 30 74 90 -24 -47 130 -57 -13 -13 30 -70 7 -30 106 -77 64 -16 73 -47 73 7 7 3 7 3 3 4 3 6 7 4 3 3 7 0 3 3 7 0 3 0 7 4 7 0 6 0 7 0 3 0 7 0 7 0 6 0 4 0 6 0 7 3 7 0 3 0 7 0 6 0 7 0 3 0 7 0 7 3 6 0 4 0 6 0 7 0 3 0 7 0 7 0 6 4 7 3 47 -13 10 -20 -4 -60 20 -127 87 -110 3 -113 -66 -60 13 -54 -27 -56 10 -27 -16 -3 -17 -7 -3 -3 13 -44 -17 -33 37 -93 10 -70 43 -24 -16 50 -97 -3 -30 37 -53 -7 -37 53 -103 -10 -107 20 -70 10 -7 0 -6 -20 -14 10 -126 -43 -30 37 -57 33 -123 -10 -127 -30 -50 3 0 17 17 7 0 0 -10 53 16 3 -6 -16 -17 20 -37 -4 -10 -10 -6 -10 0 -10 36 -63 -33 -110 53 -57 0 -16 10 -7 -6 20 -74 -33 -83 6 -13 44 -14 13 0 10 24 -7 3 4 3 23 4 10 13 0 -3 -7 -30 20 -7 17 10 3 0 4 -13 16 -7 0 -3 -36 3 -4 -17 70 -33 4 -13 -27 -50 -3 -50 -14 0 -36 50 -30 83 -20 13 -100 17 -80 -23 -7 -14 7 -20 -14 -26 57 -120 0 -94 53 -113 0 -43 -10 -24 7 -30 73 -33 94 -117 20 -103 123 -287 0 -3 -27 -40 37 -83 60 -214 10 -26 33 0 20 -50 17 -4 0 -3 -23 -10 0 -20 3 -10 20 -20 0 -7 -7 -10 -10 0 -20 80 -23 34 -3 0 66 -250 -6 -87 -7 -7 -20 -33 -10 -103 -23 -64 10 -40 -24 -156 -23 -47 10 -83 73 -60 4 -4 6 -6 4 -4 3 -3 3 -3 7 -4 3 -6 4 -4 3 -3 3 -7 4 -3 3 -7 3 -3 7 -3 3 -4 7 -3 3 0 7 -3 3 -4 7 0 7 4 6 0 4 0 6 -4 4 -3 6 -3 4 -4 3 -3 7 -3 6 0 7 0 3 0 7 0 7 3 3 0 7 0 6 0 7 0 3 0 7 0 7 0 6 -3 4 0 6 -4 7 0 3 -3 7 -3 3 -4 7 -3 3 -3 4 -4 6 -3 4 -3 6 -4 7 0 3 -3 7 0 7 -3 3 -4 7 -3m-157 1897l7 0 3 3 7 0 6 -3 4 -4 3 -3 3 -7 4 -3 3 -7 7 -3 3 -3 3 0 0 -7 0 -7 -3 -6 0 -4 3 -6 7 0 3 0 7 0 7 0 3 -4 -3 -3 -4 -3 -6 0 -7 -4 0 -3 0 -7 0 -6 3 -7 0 -3 0 -7 0 -7 0 -6 0 -4 4 -6 0 -7 3 -3 0 -7 3 -7 -3 -6 -3 -4 -7 0 -7 -3 -6 0 -4 0 0 7 4 3 3 7 3 3 0 7 -3 3 0 7 0 6 0 7 0 3 0 7 0 7 0 6 -3 4 -4 6 -3 4 -3 3 -4 7 -3 3 -3 7 -4 3 0 7 0 6 7 4 3 3 0 7 -3 3 -7 3 -3 4 -7 -4 -6 0 -4 4 -3 6 0 7 0 7z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil6","@d":"M3402 6357l-3 -4 -7 0 -6 -3 -7 0 -7 -3 -3 0 -3 3 0 7 0 6 0 7 0 7 0 6 -4 4 0 6 0 7 7 3 3 4 7 0 7 0 6 0 4 0 6 6 0 874 -1890 0 0 -4 -3 -6 0 -7 0 -7 0 -3 0 -7 0 -6 0 -7 0 -3 0 -7 3 -7 4 -3 3 -3 3 -7 4 -3 3 -7 7 -3 3 -4 3 -3 4 -7 6 -3 4 -3 6 -4 4 -3 3 -7 0 -3 3 -7 -3 -6 0 -4 -3 -6 0 -7 -4 -7 -3 -3 -7 0 -3 3 -7 7 -3 3 -3 4 -4 6 -3 4 -3 6 -4 4 -3 6 0 7 -7 3 -3 4 -7 3 -3 0 -7 3 -3 4 -7 0 -6 3 -4 0 -6 3 -7 0 -7 0 -3 4 -7 0 -6 0 -7 -4 -3 -3 -4 -3 0 -7 0 -7 0 -6 0 -7 4 -3 -4 -7 -3 -3 -7 3 -3 0 -7 3 -3 4 -7 3 -3 7 -3 3 -4 3 -3 7 -3 7 0 3 0 7 0 3 6 7 4 3 3 7 3 3 4 7 0 3 -4 7 0 6 -3 4 -3 6 -7 0 -7 0 -6 0 -7 -3 -3 3 -7 0 -3 7 -4 3 -6 4 -4 3 -6 3 -7 0 -3 4 -7 0 -3 3 -7 3 -7 4 -1633 0 -57 -94 0 -46 34 -57 -34 -63 -40 -84 -30 -23 -23 -53 40 -10 63 20 57 -4 87 -40 23 4 140 -120 37 -20 53 -4 43 -33 27 -37 40 -130 20 0 70 -80 60 -33 37 3 26 -40 64 17 16 20 37 0 30 -37 30 -10 23 -76 67 -20 40 23 7 30 3 3 110 24 87 -70 40 -120 3 -10 47 -47 50 -23 23 -44 67 -20 106 -80 64 -10 66 -36 44 -54 66 -30 67 -23 50 0 50 -30 77 10 220 -47 93 0 183 -66 34 6 10 20 100 -6 123 -80 57 -84 70 -13 40 40 30 7 40 -17 10 -43 50 20 100 0 90 -44 50 -53 86 -30 37 17 277 -40 36 6 0 1034m-3036 130l-7 3 -7 3 -6 4 -4 3 -6 3 -4 0 -6 -3 -4 -3 -6 -4 -7 4 -3 0 -7 0 -7 3 -6 3 -4 0 -6 4 -4 3 -6 3 -4 4 -3 3 -7 3 -3 7 -3 0 -7 3 -7 4 -3 3 -3 7 3 6 3 4 7 0 7 0 3 0 7 0 6 -4 7 0 3 0 7 -3 7 0 3 0 7 0 6 3 7 0 3 4 7 0 7 0 3 -4 7 -3 3 -3 7 -4 3 -3 3 -3 7 -7 3 0 7 -3 3 -4 7 0 7 0 3 -3 7 0 6 0 7 0 3 0 7 -3 7 0 6 0 4 0 6 -4 7 -3 3 -3 4 -4 3 -6 3 -4 4 -6 0 -7 0 -3 0 -7 -4 -3 -6 -4 -7 -3 -3 0 -7 0 -7 3 -3 0 -7 4 -6 3 -4 0 -6 3 -7 0 -3 4 -7 3 -7 0 -3 3 -7 0 -6 4m2493 196l10 0 7 0 3 -3 7 -7 3 -3 3 -3 4 -7 3 -3 3 -4 4 -6 6 -4 4 -3 3 -3 7 -4 3 -6 3 -4 7 -3 3 -3 4 -4 6 -3 7 0 3 0 7 -3 3 -4 7 -3 3 -3 4 -7 6 -3 0 -4 4 -6 3 -7 3 -3 0 -7 7 -3 3 -4 7 -3 7 0 3 0 7 -3 6 3 7 -3 3 0 7 -4 3 -3 4 -7 0 -3 0 -7 0 -6 -4 -7 -3 -3 -3 -7 -4 -3 -6 0 -7 3 -3 0 -7 3 -7 4 -3 3 -7 0 -6 3 -4 4 -6 3 -4 3 -3 4 -3 3 -7 3 -7 4 -3 0 -7 3 -6 0 -7 0 -3 3 -7 4 -3 0 -7 3 -3 7 -4 3 -3 3 -3 7 -4 7 -3 3 0 7 -3 3 -4 7 -3 3 -3 7 -4 3 -3 7 -3 3 -4 7 -3 3 -3 7 -4 3 0 7 -3 3 -3 7 0 6 -4 4 0 6 -3 7 0 3m-260 130l3 -3 7 -3 3 -4 4 -6 6 -4 4 -3 3 -7 3 -3 0 -7 -3 -3 -7 -3 -6 0 -7 3 -3 0 -7 0 -7 0 -6 0 -4 3 -6 0 -7 0 -7 4 -3 3 -3 3 -4 7 -3 3 -7 4 -3 0 -7 3 -6 0 -7 3 -3 0 -7 -3 -7 0 -3 3 -7 4 -3 3 -3 7 -4 3 -3 7 0 6 -3 4 -4 6 -3 0 -7 -3 -3 -3 -7 -4 -6 0 -4 0 -6 0 -7 0 -7 4 0 6 0 7 4 3 6 4 4 3 6 3 4 4 6 3 7 0 3 0 7 0 7 0 6 0 4 0 6 0 7 0 3 3 7 0 7 0 6 0 4 -3 6 -3 4 -4 6 -3 0 -7 4 -3 6 -3 4 0 6 0 7 0 7 0 3 -4 3 -3 7 -7 0 -3 3 -7 4 -3 3 -7z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil6","@d":"M-2354 6093l6 0 -6 24 0 -24z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil6","@d":"M-2358 6320l14 107 26 13 17 80 43 23 67 97 217 147 220 43 43 -27 67 -6 60 -34 36 7 34 -20 20 33 50 10 30 -13 13 -40 37 -10 73 50 140 17 83 -34 34 -36 33 0 53 -110 17 6 -10 40 13 34 -10 36 30 4 10 83 67 33 20 -6 -53 -44 -20 -36 66 66 57 24 100 3 53 -40 50 20 67 27 23 53 30 23 40 84 34 63 -34 57 0 46 57 94 -2737 0 144 -284 170 -433 60 -213 26 -10 70 13 47 -37 60 7 70 -60 47 -3 26 53z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil6","@d":"M-2358 6320l-26 -53 53 10 3 13 -30 30z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil6","@d":"M-928 6697l0 0 -10 36 30 4 -20 -40z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@id":"areas_density","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"g":[{"path":[{"@class":"fil7 str0","@d":"M3001 367l-3 0","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M-1830 821l-15 32 14 28 -8 26 -41 -18 -13 22 -47 6 -6 51 -54 3","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M-1248 1007l83 -46 67 27","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M-1104 851l2 29 -16 12 -78 -4 -63 48 11 71","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M-712 867l-11 25 10 16 -37 47 -2 65 -25 18","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M-1493 1087l24 -16 6 -26 43 -7 52 -59 76 29 44 -1","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M-777 1038l-60 13 11 38 -83 -7 -94 -45 14 -37 -20 -40 -29 -5 -5 36 -55 -3","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M-2000 971l-1 57 34 20 22 50","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M-3173 725l-30 42 -37 0 -4 28 21 8 3 33 33 28 5 49 45 27 2 46 43 -23 27 19 -25 35 -41 10 -27 41 12 23 23 -12 39 20 12 50","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M-2000 971l-15 -29 -28 -7 -47 41 -35 -2 -27 59 -18 -13 -37 21 -77 -6 -17 30 -43 -1 -8 20 -30 6 -53 -18 -45 12 -25 38 -61 -8 -37 -26 -15 -38 -20 10 -34 -12 -17 32 -50 -16 -8 24 -74 -36 -31 45 -12 1 -7 14 9 8 -3 16 -64 18 -76 -11 -36 26 -31 -20","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M-3511 537l-13 33 10 24 -19 18 -25 110 -31 51 -32 -2 -3 48 -30 36 10 20 -24 48 21 71 -17 31 18 66 -50 80","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M-346 877l-29 9 -25 46 -43 12 7 59 -60 46 -12 59 -28 8 -21 26 -40 -11 -22 44","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M-777 1038l11 32 -39 25 3 23 28 13 77 0 78 44","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M200 1138l-48 12 -19 45 3 46 -28 29","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M-1098 988l-19 28 23 16 -2 46 -16 13 58 9 46 57 -67 20 -62 -33 -34 59 36 32 11 -25 23 -2 7 -9 8 7 -10 65 12 10","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M-1945 1098l88 -3 54 -25 24 7 35 52 58 13 10 77 14 7 31 -16 2 19 -28 17 55 38","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M-1602 1284l75 1 27 -28 42 -3 -3 -24 -5 -29 -32 21 -12 -25 44 -24 -10 -22 -53 31 -20 -15 17 -50","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M-4107 1294l13 -32 95 -41 72 10 12 -25 28 0 8 -25 12 -8 18 17 11 -15 25 7 -4 -15 18 -7 54 5 15 15 34 -9","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M-920 1257l123 19 9 17 -17 28 18 19 7 1 10 -7 10 2 3 17 -10 7 -52 -3 -22 -17 -46 9 -53 -51 20 -41","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M-3696 1171l14 4 -8 53 58 46 -36 101","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M-3212 1444l19 -54 -6 -27 24 -16 -16 -45 42 -37 25 1 30 -36 1 -54 21 -27","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M-914 1424l34 -44 34 27 -10 51","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M-3668 1375l16 22 -10 31 71 12 6 6 -9 11 17 12","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M-619 1175l10 37 -22 33 3 38 -28 12 21 56 -37 19 -26 -21 -46 37 22 30 23 -22 12 28 -13 50 -34 6","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M1535 1379l-1 39 45 14 -3 34 0 2 30 -3 -4 44","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M-3264 1528l52 -84","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M-3668 1375l-54 21 -87 -19 -93 53 6 99 35 35 -2 40 18 15 27 -6","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M-1945 1098l-33 21 -38 85 -20 6 0 55 -23 30 32 29 -23 114 15 14 -16 66 7 35 -35 13 -4 23 18 -2 1 13 -13 24 -20 1","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M-3212 1444l49 11 25 -19 48 24 18 8 -17 51 57 49 -31 64","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M-2097 1625l-21 -7 -4 13 -15 2 -5 -7 -13 -17 -38 34 -25 -8 -13 22 4 8 -6 7 -20 -4 -10 21 -19 -9 -21 18 1 35 2 69","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M-941 1370l-28 13 -27 -15 -48 3 -9 14 5 20 -24 26 1 11 16 2 -8 38 23 27 -3 44 -5 2 -12 -23 -10 9 20 30 -28 14 17 62 -21 45 55 83 53 1 10 43","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M-310 1686l4 13 -14 20 -54 -3 -41 55 0 35 26 19","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M-3063 1632l-10 31 -32 -12 -41 35 -11 32 -30 28 0 24 21 14 -12 48","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M-3063 1632l41 34 35 -5 83 29 95 -14 53 42 97 -1 42 23 38 -17 21 26 44 -19 21 17 35 -18 43 65 33 -34 14 30 12 28 -11 23 20 9 11 -31 36 -17","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M-389 1825l-2 34","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M108 1270l-68 34 -6 40 -55 0 -29 71 -25 -5 -16 24 8 35 -36 37 -6 35 13 22 -31 35 -15 65 15 69 50 52 -48 90 -6 11 -45 -8 -31 11 -58 -39 -26 10 -40 -30 -42 -4","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M-964 1819l24 9 35 -21 6 -47 26 -14 17 24 -21 53 93 14 34 -52 2 -19 11 -12 6 2 32 -25 68 -3 20 40 38 -17 35 7 -13 36 25 26 3 44 78 25 54 -30","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M1602 1509l42 -11 78 15 -18 46 11 15 -1 13 -22 -1 -5 13 17 20 64 22 74 -28 18 27 36 -11 33 38 35 -6 12 30 -10 38 -28 10 28 20 1 18 -48 29 -20 -5 -6 8 10 44 70 14 43 47 60 -27 58 3 13 60","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M-1602 1284l-11 19 -21 -13 -78 49 13 42 -18 48 24 50 -4 24 -31 6 -13 19 9 33 27 1 43 183 45 5 24 19 -17 16 9 28 45 0 8 9 -14 28 13 15 52 -16 0 21 -45 21 -9 30 -52 14 -3 27 26 47","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M-2097 1625l-15 92 50 8 14 43 -55 107 11 22 61 -11 39 64 28 5 35 -32 25 3 35 45 36 -11 13 11 -8 28 14 13 25 0 18 -19 48 14 36 -29 62 6 17 22 28 3","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M1602 1509l-88 24 15 33 -7 25 26 7 5 17 -18 23 14 39 -24 24 14 20 -25 19 19 4 -1 9 -16 5 -2 35 -37 34 31 13 -17 66 -28 18 -23 -22 -12 13 -2 -22 -29 5 4 50 -16 17 37 45 -43 18 17 28","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M-1580 2009l-18 28 30 30 -6 56 15 -6 1 1 15 27","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M-964 1819l-26 30 -3 37 -21 4 -10 29 -46 7 4 16 -31 45 -48 -43 -20 11 0 55 -39 22 -1 31 -23 12 -20 44 -8 19 -43 -16 -4 24","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M1043 1166l-73 104 9 47 35 14 -16 75 -20 9 30 61 5 64 -18 142 -30 97 -40 43 24 45 -144 151 18 55 44 2 9 35 -22 38 -29 10 -2 50","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M760 2215l8 -11 49 10","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M-1303 2146l-76 17 -26 27 -6 37 -12 2 -7 -6 0 -28 -8 -3 -18 27 -44 -54 -43 -20","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M108 1270l-4 27 19 15 -20 25 8 34 -15 23 20 15 -17 28 20 2 0 61 44 24 -51 101 15 7 13 -28 33 9 20 -46 -4 -18 12 -11 8 4 4 49 -14 42 5 131 -14 7 -17 -26 -29 66 61 33 59 -1 78 79 6 80 73 28 11 35 61 41 21 -17 25 4 64 164 29 9 -2 -13 8 -1 7 12 35 1","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M1396 2056l-3 17 -91 -3 -29 26 7 35 -30 14 -26 -10 -10 9 10 17 -63 75 -43 11 -22 -14 -12 24 -30 -1 -77 36 -19 -15 -75 10 -7 22 -27 0","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M812 2230l31 21 -12 21 18 37","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M1396 2056l30 6 1 19 -27 20 49 30 3 55 55 25 -9 14 15 35 24 -5 -7 31 -18 3 3 5 30 10 -1 25","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M-1303 2146l11 31 20 12 19 -9 18 39 45 14 -5 51 79 63","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M-2300 1802l49 48 -26 27 15 18 -15 63 8 4 -3 20 -31 23 -1 25 25 35 1 50 28 10 -8 26 16 15 -2 21 -42 26 -3 2 17 45 -17 36 22 82 -26 47 28 6","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M-391 1859l27 75 -20 46 38 56 -15 39 -25 1 -35 43 -21 -8 -16 12 12 28 -6 46 25 59 -49 21 -7 -34 -37 -9 -7 52 -26 35 16 101 53 25","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M-1116 2347l-28 32 -74 -5 -17 16 4 26 -75 34","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M-1543 2145l-9 43 -65 32 -133 21 -88 30 14 50 -14 25 -35 -9 -7 6 11 25 -44 39 7 27 -6 6 -20 -7 -21 24","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M849 2309l-2 24 -1 3 -31 22 -6 38 -48 26 6 40","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M-2265 2431l4 -13 22 3 12 23 21 -1 29 24","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M-2265 2431l-4 34 -19 13 -33 -16 -12 -35 -30 4 -6 23 -44 -53 -22 8 -29 -27 -66 16 -69 -15 -29 57 -10 3 -6 -11 -15 6 -9 -7 -1 -28 -43 -3","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M-1953 2457l-43 10 -26 29 -82 -47 -73 18","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M-484 2447l-4 48 -8 2 -25 -21 -16 0 -17 19 -32 -3 -46 24 -20 -18 -29 19 -29 -15 -36 -58 -23 9 -6 -6 4 -15 -23 -10 13 -17 -3 -4 -14 4 -12 -19 -35 -4 -6 -14 -9 -2 -24 15 -33 -8 -24 -33 -22 -2 -16 15 -56 13 -81 -19","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M767 2462l-78 -4 -19 24 -32 -52 -121 -48 -49 -45 -12 13 -38 -18 -44 -52 -45 -6 -3 32 -6 2 -1 -2 -22 1 2 46 -21 12 31 24 -36 59 -43 -33 -22 47 -29 0 -18 -27 -34 50 -29 -14 9 -37 -24 9 -41 -21 -26 28 -34 -9 -28 19 6 32 -22 18 -25 -3 -14 -24 -55 52 12 21 -14 26 -85 8","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M-484 2447l52 -20 17 24 70 34 102 105","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M767 2462l8 23 28 9 12 39 -25 56 19 52 -24 38 -36 20 6 11","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M-1306 2450l-42 14 -91 109 -63 23 -28 43 -16 85 -52 2 -47 70","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M-1645 2796l-64 6 6 11 -9 9 -21 2 -22 3 -32 -10 -4 -55 -27 -31 -6 -43 -30 -3 -3 -4 10 -15 -15 -15 -4 -49 -50 -65 -35 -14 -2 -66","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M755 2710l23 -1 12 21 33 10 -7 36 71 19 23 36 44 17","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M-728 2977l5 -16 -15 -29 8 -18 63 -7 12 -19 -23 -25 9 -21 51 29 14 -10 -2 -34 53 7 24 -33 35 12 37 36 28 4 5 -16 22 9","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M-243 2590l3 46 48 56 -13 53 17 37 -6 64 -26 20 -46 -17 -9 81 -29 11 -32 48","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M-2177 2467l-13 62 26 17 4 28 -36 124 -51 57 -72 41 7 22 -28 35 -26 14 -29 -7 -4 32 36 -9 12 15 -17 53 -29 1 -2 30 -30 -15 6 -26 -36 11 -32 34 3 55 -31 32","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M-2519 3073l-37 2 0 -42 -49 20 -14 30 -43 -17 -19 -27 -42 -13","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M-2710 2997l5 -9 -86 -59 -187 105 -12 43 -65 17 -19 -12 -22 16 -37 -5 -19 -20","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M-1645 2796l-7 50 -40 13 -18 -12 -7 5 3 24 -22 26 2 96 -59 7 -22 61 -32 -14 -8 6 4 27 -24 56","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M-276 3045l-1 3 12 14 3 -2 74 75 58 -5 -1 37","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M-1306 2450l31 49 32 10 -4 23 24 37 -56 147 32 25 -12 52 33 13 11 -15 13 34 28 -3 -11 37 24 23 -2 25 21 -9 29 20 0 51 29 12 11 24 -32 106 11 8 38 -27 17 83 1 4","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M-1038 3179l28 2 12 -39 54 35 46 -33 13 -44 -13 -69 14 -44 14 -9 7 9","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M-2519 3073l107 75 35 -8 26 -32 24 -3 17 15 -9 39 21 48","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M-2298 3207l91 22 76 -53 11 35 22 0 87 -80 5 -30 55 -11 24 61 52 -10","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M-1088 3246l55 -19 -18 -38 13 -10","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M-1164 3258l0 1 28 1 41 -30 7 16","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M-1875 3141l25 14 48 -28 30 -44 15 3 8 25 29 27 31 -39 31 -14 28 36 45 -16 33 37 108 32 26 26 18 -7 58 21 5 22 -12 24","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M-131 3167l70 3 1 -40 15 -2 14 27 16 31 51 0 43 36 -2 19 -45 22","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M-131 3167l42 97 44 6 35 6 42 -13","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M32 3263l11 28","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M755 2710l-75 32 -12 -28 -46 7 -63 -41 -23 24 -9 50 -35 20 -15 -14 -26 13 4 36 48 4 -4 70 20 21 -41 32 37 47 -61 55 -9 39 -51 14 -25 -8 0 39 -37 87 -33 22 -40 2 -6 30 -34 16 0 44 25 30","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M244 3353l-53 21 -22 -79 -43 -13 -83 9","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M-1483 3350l23 27 8 1 50 -46 49 -10 -1 -20 61 -20 15 -21","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M-2298 3207l-23 15 3 60 -26 96 42 -7 22 15 -19 70","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M588 3454l-46 -18 -18 -32 -36 -7 -23 43 -45 31 -22 -31 -67 4 -11 -65 -18 -7 -23 27 -35 -46","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M-1088 3246l7 54 30 6 -16 81 32 15 44 99 46 52 -8 129","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M43 3291l-36 17 3 17 6 46 -39 90 5 41 -26 13 -40 -8 -63 85 -11 87 13 19","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M-1981 3718l34 -22","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M-2092 3722l15 -13 22 -73 23 -16 53 40 -2 58","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M-2208 3444l-6 32 18 25 -36 91 132 132","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M-1981 3718l-58 31 -2 -1","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M-953 3682l35 56 -14 24 28 5","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M-901 3767l24 -24 17 6 13 36","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M-477 3749l37 5 20 43 53 -9 63 19 25 -31 134 -78","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M-1947 3696l40 -4 4 -25 61 -47 20 49 22 -29 108 31 25 -15 21 -51 59 -2 11 38 -15 7 -5 42 -24 0 -17 66 24 17 18 -17 54 9 6 43 59 29 42 -24 34 17 45 -22 61 -5 67 -70 61 1 12 -54 50 -2 24 -16 85 38 42 -18","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M-797 3779l82 -10 74 74 29 -35 31 42 55 -40 69 9","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M-2142 3754l-7 3 -26 -19 -16 40 -56 23 -44 -18 -21 11 -7 55 -24 47 -36 4 -31 -33 -34 -2 -20 18 19 21 -10 32 -43 21 -79 -46 -13 24 -53 17 -12 -19 -33 33 -7 -34 -20 -2 -54 53 -49 -39 -41 -12 -9 -46 -21 -5 -12 7 -89 -15 -5 18 -42 -29 -41 10 -44 -11 -18 -37 34 -54 -25 -18 -6 -35 -47 0 -87 -39 -12 17 26 22 -26 47 -17 3 -7 -33 17 -15 -30 -7 -25 23 -7 17 11 5 -25 34 -20 -1","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M-145 3698l34 41 24 -11 33 26 103 22 -10 78 -1 2 -42 105 74 85 104 -9 24 42 0 67","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M701 4059l0 23 -22 -22 -42 22 -12 -16 -32 22 -51 -19 -85 60 -66 2 1 24 38 5 7 13 -67 45 -15 -35 -51 -19 -47 23 -19 -25 -28 0 -12 -16","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M-2147 4219l30 -7 28 -91 25 -18 27 3 9 -31 -51 -25 -22 -64 47 14 27 -11 -24 -37 14 -51 21 -24 49 2 10 -12 -1 -1 -29 -72 29 -13 22 -57 -11 -28","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M198 4146l-20 17 34 63 -68 22","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M-844 4360l-1 -70 16 4 35 -24 15 -61 -57 -41 -22 -71 -63 -35 43 -75 -19 -67 64 -96 -14 -39 0 0","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M-1714 4497l10 -39 214 23 55 -41 111 20 23 -39 17 30 39 7 40 -19 12 -35 19 -6 114 26 42 -28 19 23 64 -17 16 10 75 -52","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M-2147 4219l41 32 54 0 7 51 81 30 60 61 43 17 45 55 102 32","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M-2147 4219l-61 1 -15 8 6 23 -10 12 -46 22 -28 38 -40 -1 -22 49 -89 56 -4 73 28 48 3 43 -12 34 -28 21","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M-844 4360l41 23 55 -10 12 70 50 11 2 71 21 15 9 7 -6 53 -60 87","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M-599 4725l66 -122 65 -39 29 -44 35 17 45 -10 87 -65 3 -3 35 6 25 42 55 -10 42 -46 -16 -112 26 -30 3 -56 26 -28 21 -7 18 15 47 -42 45 -15 31 11 7 26 48 35","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M-720 4687l121 38","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M-2465 4646l-28 -4 -49 40 -15 -28 31 -23 -11 -20 -27 -10 -45 11 -51 48 5 33 -21 41 -95 17 -44 31","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M-2815 4782l-97 -45 -5 -23 -29 -22 -22 4 -15 31 -58 -10 -11 -46 -119 -23 8 -49 -78 -26","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M-599 4725l76 79","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M144 4248l9 116 -41 59 6 50 50 13 17 34 -7 56 -30 57 6 31 8 12 66 102 44 42 42 11","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M-2465 4646l55 73 0 34 37 29 0 54 38 23 3 38 18 17 4 45","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M-523 4804l25 18 21 -11 25 18 43 1 17 23 -10 40 4 102 103 147 53 1 62 45","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M-1554 5190l-45 -64 5 -15 -60 -75 -29 -9 29 -48 -41 -27 20 -40 -45 -14 9 -145 3 -5 60 -111 -30 -65 2 -36 -17 -34 -21 -5","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M-720 4687l-26 11 -11 58 -26 15 -24 -6 -49 40 -64 125 8 53 -46 29 -12 27 -31 -9 -33 12 -48 -32 -28 0 -38 40 -49 20 -80 -40 -57 62 -81 38 -23 -4 -26 71 -57 8 -33 -15","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M-2370 4984l0 33 32 34 96 -67 34 9 10 -4 1 -17 2 -1 9 15 7 -2 0 -14 42 -6 32 46 -10 26 3 4 15 -4 5 7 -3 68 30 47 28 8 10 59 19 17 48 -16 28 69","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M-1554 5190l-55 -6 -37 43 -42 5 -15 79 -40 34","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M-1932 5295l23 3 10 32 34 0 25 -10 19 -39 37 -4 9 41 32 27","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M-2219 5475l7 -15 68 -19 62 -42 5 -19 -15 -19 5 -6 24 8 29 -31 24 34 42 -31 -7 -37 43 -3","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M-2920 5534l-26 -28 15 -41 -16 -62 24 -31 -4 -87 15 -40 -26 -36 21 -12 -5 -36 30 -19 -48 -89 0 -36 -80 -9 -4 -15 40 -60 118 -26 21 23 17 -5 6 -40 37 -19 -21 -26 22 -33 -28 -8 -3 -17","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M-2870 5540l1 1 45 4 62 35 100 4 25 -46 86 -11 13 -23 33 -1 21 9 14 16 16 -1 32 -32 3 -16 -16 -30 17 -10 32 8 -1 25 -23 19 12 26 11 1 55 -50 26 4 23 36 20 3 44 -36","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M-523 4804l-47 34 -3 51 14 21 -26 64 6 42 -35 -3 -3 13 12 49 -11 19 -38 7 -4 16 -52 21 -53 47 -11 119 -16 10 -47 -10 -13 -22 -37 -9 -56 130 -29 -5 -11 12 26 90 -52 46 26 50 -66 38 3 29","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M-1743 5345l22 43 10 79 28 1 7 23 62 27 35 35 128 37 32 38 -8 43","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str0","@d":"M-2219 5475l25 31 4 41 -26 50 -33 10 -36 -32 -28 -3 -28 32 28 41 -24 69 -35 33 -39 7 -39 65 -45 -10 -7 4 2 18 43 10 22 -22 15 -4 29 6 44 77 12 62 10 4 17 -4 18 18","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":[{"@class":"fil7 str1","@d":"M-374 834l28 43","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str1","@d":"M-346 877l49 -8 18 40 31 -29 81 17 9 48 -20 54 -27 28 27 34 42 3 2 -49 17 -8 10 6 -7 18 22 21 28 -5 149 70 61 3 40 -16 14 34","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str1","@d":"M200 1138l0 21 54 25 38 51 18 -5 11 -26 61 16 46 -39 60 42 24 -6 25 48 55 28 97 -41 45 9 24 31 32 -37 39 25 116 -10 15 -23 -18 -24 9 -64 25 -12 67 19","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str1","@d":"M1043 1166l50 24 14 -10 72 10 45 52 30 -14 66 3 56 81","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str1","@d":"M1376 1312l15 -5 7 -34 128 14 4 22 29 10 -24 13 -6 37","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str1","@d":"M1529 1369l6 10","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str1","@d":"M1376 1312l-11 44 28 18 -24 19 19 35 52 -1 25 -24 29 -1 8 -27 27 -6","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str1","@d":"M1535 1379l114 25 3 7 20 47 22 14 39 -9 29 -45 67 -16 91 27 21 29 31 11 22 -22 42 6 17 -45 57 -9 81 -55 50 0 29 30 46 -8","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str1","@d":"M-3834 1670l7 69 31 -9 25 18 -5 27 -41 23 -34 51 6 27 22 11 -1 31 17 10 46 -7 42 -38 27 -2 8 -18 10 0 5 31 8 2 20 -17 72 -12 58 22 -9 34 46 -6 15 -22 18 6 4 2 17 37 27 -26 26 5 70 -27 11 -68 33 -9 44 33 31 -16","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str1","@d":"M-3178 1832l30 20 49 2 25 -32 13 12 29 30 54 -2 19 -18 18 20 -13 38 32 14 -31 87 6 47 25 20 35 -19 50 9 84 66 -10 17","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str1","@d":"M-3146 2517l-8 38 50 93 -13 10 -5 61 14 74 -24 62 26 37 -34 55 36 64 -48 62","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str1","@d":"M-3152 3073l-77 25 -16 28 8 47 44 21 34 64 -30 108 -43 41 -20 95","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str1","@d":"M-3544 3500l13 43 64 58 3 24 50 24 -14 90 42 51","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str1","@d":"M-3386 3790l-6 46 56 30 -6 42 73 3 27 29 8 40 -56 79 4 32","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str1","@d":"M-3453 4399l21 15 70 108 30 72 91 -21","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str1","@d":"M-3241 4573l-47 129 -57 -14 -14 31 -71 8 -30 107 -76 62 -17 72 -46 73 7 9","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str1","@d":"M-2352 6093l7 0","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str1","@d":"M-2355 6320l-29 -55","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str1","@d":"M-906 6736l-31 -4 11 -36","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str1","@d":"M-489 6865l22 54 30 23 40 83 33 65 -33 57 2 44 56 96","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@id":"borders","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"g":[{"path":[{"@class":"fil7 str2","@d":"M-1532 1117l-6 2 -5 1 -6 2 -6 2 -5 1 -6 1 -6 1 -6 1 -9 2","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str2","@d":"M-1587 1130l-6 1 -6 0 -5 -1 -6 -3 -3 -5 -1 -6 1 -6 4 -3 5 -3 6 -1 6 0 6 1 6 1 5 1 6 1 6 1 5 -2 6 -3 4 -3 4 -5 2 -5 4 -5 4 -4 6 -1 5 0 6 1 6 1 6 1 6 2 6 2","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str2","@d":"M-3565 1344l-2 -5 -2 -6 -2 -5 -1 -6 0 -6 0 -6 1 -6 1 -5 2 -6 2 -5 4 -5 5 -3 4 -3 4 -5 3 -5 2 -5 1 -6 2 -6 3 -4 4 -5 4 -4 4 -4 3 -5 3 -5 3 -5 3 -5 3 -5 3 -5 4 -5 4 -4 4 -4 5 -3 5 -2 7 -1 5 1 -1 4 -4 6 -3 5 -4 5 -3 4 -5 4 -5 2 -6 3 -3 4 -2 6 -1 5 -3 5 -4 5 -4 4 -2 6 -3 5 -3 5 -4 4 0 6 -1 6 -2 6 -4 4 -5 2 -5 3 -3 5 -1 6 -1 6 0 6 0 6 0 6 0 6 -3 4 -6 5","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str2","@d":"M-2635 2170l6 -3 2 -4 0 -6 -1 -6 -1 -6 2 -6 3 -5 3 -5 4 -4 6 0 7 0 5 -1 3 -5 1 -6 1 -6 0 -6 1 -6 3 -5 4 -3 6 -3 6 -1 6 1 6 1 5 -2 1 -5 -2 -7 -4 -4 -3 -5 1 -6 3 -5 5 -3 6 1 6 0 6 -1 6 -3 5 -3 1 -4 0 -6 -2 -6 -2 -6 -2 -6 -3 -5 -4 -4 -2 -5 -1 -6 0 -6 0 -6 3 -5 4 -4 3 -5 2 -6 2 -5 -4 -8","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str2","@d":"M-2532 1949l-3 6 -3 5 -3 5 -4 3 -6 1 -5 1 -4 5 -1 6 -1 5 1 6 1 6 3 5 3 5 2 6 0 6 0 5 -2 6 -4 5 -4 3 -5 4 -4 4 -4 4 -4 4 -2 6 -3 5 -4 4 -4 4 -6 1 -5 1 -3 4 -2 6 -2 6 1 6 0 6 -4 4 -5 3 -6 2 -5 3 -5 3 -5 2 -6 1 -7 0 -5 2 0 6 3 4 5 4 3 5 1 5 1 6 1 6 2 6 1 5 5 -1","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str2","@d":"M680 2265l-2 6 -3 5 -5 3 -5 2 -6 2 -6 0 -5 -2 -6 2 -5 3 -4 4 -3 5 -1 6 0 6 0 7 -2 4 -5 2 -7 0 -6 -1 -5 -3 -5 -3 -6 -2 -5 0 -6 2 -6 3 -3 3 -1 9","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str2","@d":"M-2723 3026l-5 3 -5 4 -4 4 -2 6 -1 5 0 6 2 6 2 6 2 5 3 4 5 3 6 3 5 2 5 3 1 6 -1 6 1 6 -2 5 -4 4 -5 4 -5 3 -5 2 -6 1 -6 1 -6 1","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str2","@d":"M-2668 3397l6 1 5 0 5 -3 5 -4 4 -3 6 -3 5 -2 5 -3 2 -5 1 -6 0 -6 3 -5 2 -5 0 -6 -5 -4 -5 -1 -3 4 -3 6 -1 6 -1 6 -1 5 -3 5 -5 4 -4 3 -6 3 -6 1 -3 4 -3 8","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str2","@d":"M-2311 3446l-4 -4 -3 -5 -3 -5 -1 -6 0 -5 2 -6 2 -6 1 -5 1 -6 -1 -6 -3 -5 -5 -2 -6 1 -3 5 0 6 -2 6 -3 5 -4 4 -4 3 -6 3 -6 1 -5 2 -6 0 -6 -1 -6 1 -5 1 -6 1 -6 0 -6 0 -6 0 -6 0 -5 1 -6 0 -6 1 -6 2 -5 1 -5 3 -5 3 -4 5 -3 5 -1 8","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str2","@d":"M-2463 3452l6 1 5 -1 6 -3 5 -2 5 -3 5 -3 5 -3 6 -2 5 0 6 0 6 1 6 0 6 0 6 0 5 3 4 4 5 1 6 -2 5 -3 6 -2 5 -2 6 -1 6 -1 6 0 4 5 4 4 5 2 7 1","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str2","@d":"M-2509 3450l-3 -5 2 -5 4 -4 5 -4 4 -4 2 -6 -4 -3 -6 0 -4 3 -4 5 -3 5 -3 5 -5 3 -5 3 -5 2 -5 4 -4 3 -6 1 -6 0 -6 -1 -6 -1 -5 -3 -4 -4 -4 -4 -4 -4 -5 -4 -5 -2 -6 -1 -6 -1 -6 -1 -5 -3 -3 -5 -2 -5 -3 -5 -5 -3 -6 2 -6 -1 -6 -1 -5 -1 -12 1","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str2","@d":"M-2665 3406l5 4 5 3 4 3 6 3 6 1 3 4 3 5 3 5 5 3 6 1 6 1 6 -1 6 1 5 0 5 3 5 4 4 5 2 5 3 4 6 1 6 1 6 1 5 0 6 0 6 -3 5 -2 5 -3 6 -1 6 0 5 -2 6 -2","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str2","@d":"M-2994 3305l-3 -5 -5 0 -6 0 -6 1 -6 2 -4 4 -5 2 -6 2 -5 2 -6 3 -5 3 -5 2 -4 4 -5 4 -5 3 -6 0 -3 -4 0 -6 2 -6 -3 -4 -6 -2 -3 5 -1 6 1 6 1 6 -1 5 -5 3 -6 2 -5 3 -6 2 -5 3 -5 3 -4 4 -4 4 -3 5 -2 6 -2 5 -2 6 -4 4 -3 5 -2 6 -3 5 -2 5 -2 6 -3 5 -3 5 -3 5 -3 5 -3 5 -3 5 -2 5 -4 5 -2 5 4 7","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str2","@d":"M-2707 3409l-1 -6 -1 -6 -1 -6 -3 -1 -5 5 -2 6 -1 5 -3 5 -5 4 -4 4 -5 3 -5 1 -6 1 -6 2 -5 2 -6 2 -5 2 -5 2 -6 2 -5 2 -6 2 -5 2 -6 2 -5 2 -6 2 -5 2 -6 1 -6 1 -6 1 -5 0 -6 1 -6 1 -6 -1 -6 0 -5 1 -6 2 -6 2 -5 1 -6 2 -5 2 -5 4 -4 4 -6 1 -6 0 -3 -5 -1 -6 -1 -4 -5 -2 -6 -2 -6 0 -7 0 -4 2 -4 6 -3 5 -5 1 -6 -1 -5 -3 -5 -2 -5 -4 -5 -3 -5 -3 -5 -3 -4 -4 -5 -4 -2 -5 -1 -6 -4 -4 -6 -3 -5 2 -6 1 -6 1 -5 2 -4 4 -6 3 -6 0 -6 -1 -3 -3 0 -7 5 -3 3 -5 -1 -6 -5 0 -6 3 -4 4 -4 4 -6 3 -5 2 -6 2 -5 0 -6 1 -6 2 -5 2 -5 2 -6 3 -5 2 -6 2 -5 3 -5 4 -5 2 -5 -2 0 -5 4 -5 3 -5 5 -4 3 -4 4 -5 3 -5 3 -5 3 -5 3 -5 2 -5 2 -6 2 -5 2 -6 2 -5 2 -6 3 -5 4 -4 5 -2 6 -2 6 -1 5 -1 6 -1 6 -2 5 -3 4 -4 4 -4 4 -4 5 -4 4 -3 5 -4 5 -2 6 -2 6 -1 6 0 5 -2 5 -3 6 -2 5 -3 6 -1 6 0 -1 -4","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str2","@d":"M-3947 3399l2 5 2 6 3 5 4 4 1 6 -3 5 -1 6 0 6 -1 6 0 5 1 6 0 6 0 6 -2 5 -3 5 -4 5 -4 4 -3 5 -4 5 -3 5 -2 5 -2 6 1 6 5 4 4 4 -1 5 -3 5 -5 4 -5 0 -6 -2 -6 1 -5 3 -2 6 0 6 0 7","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str2","@d":"M-3989 3565l5 2 6 2 6 -1 5 -2 5 -3 4 -5 2 -5 4 -5 4 -4 4 -4 6 -3 4 -3 -1 -5 -2 -6 -1 -6 0 -6 3 -5 5 -1 6 2 6 0 7 -1 3 -2 -3 -6 -6 -3 -6 -1 -5 -1 -2 -5 2 -6 0 -6 1 -6 0 -6 0 -6 0 -6 0 -5 2 -6 2 -6 1 -5 2 -6 2 -5 1 -6 -2 -6 -5 -4 -5 -1 -6 -2 -6 0 -6 -1","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str2","@d":"M-604 3461l5 3 5 4 4 4 4 4 3 5 2 6 3 5 4 4 5 3 6 2 6 -2 5 1 5 4 0 5 -4 5 -1 6 0 6 1 5 3 6 3 5 4 4 4 5 4 3 5 4 5 3 6 1 6 0 5 2 5 3 5 4 1 5 -1 6 3 5 3 4 4 5 5 6","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str2","@d":"M-481 3602l-5 3 -6 0 -4 -2 -5 -5 -4 -4 -4 -5 -3 -5 -4 -2 -6 0 -7 0 -5 0 -6 -2 -5 -3 -2 -5 -2 -6 -2 -6 -1 -6 -3 -5 -4 -4 -4 -4 -5 -3 -4 -5 -4 -4 -3 -5 -2 -5 -3 -5 -5 -4 -5 -3 -4 -4 -2 -5 -2 -6 -1 -6 -1 -5 -1 -6 0 -6 1 -8","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str2","@d":"M-3176 3467l4 3 6 0 6 -1 5 -2 5 -3 4 -4 4 -5 5 -2 6 -3 5 -1 6 -2 6 0 6 0 5 2 6 1 6 0 6 0 5 0 6 0 6 0 6 0 6 0 6 0 5 -2 5 -3 6 0 6 1 6 2 5 2 4 4 5 4 5 3 4 3 5 4 5 3 5 3 5 3 5 3 5 3 5 3 3 5 -1 6 -2 6 1 4 6 3 6 0 6 -1 4 4 3 5 3 5 3 6 2 5 3 5 2 5 3 5 3 5 3 6 3 4 4 5 4 4 5 3 5 3 5 3 6 2 5 1 6 0 6 0 6 1 6 0 6 0 6 0 5 0 6 2 6 2 5 2 5 2 6 3 5 2 5 4 4 3 5 4 4 4 5 3 5 3 5 2 6 2 6 0 6 -1 4 -5 1 -6 -4 -4 -5 -3 -6 -1 -6 0 -5 -3 -5 -2 -5 -4 -5 -3 -5 -3 -5 -3 -5 -3 -5 -3 -4 -4 -5 -3 -5 -4 -5 -3 -6 0 -5 0 -6 1 -6 1 -6 1 -6 1 -5 -1 -6 -1 -6 -2 -5 -2 -5 -3 -5 -4 -4 -4 -4 -4 -3 -5 -3 -5 -4 -5 -3 -4 -4 -5 -3 -5 -4 -4 -3 -5 -3 -5 -2 -6 -1 -6 1 -5 5 -4 5 -2 6 -2 6 -1 5 -1 6 -2 5 -2 6 -1 6 -1 5 -1 6 -1 6 -2 5 -1 6 -1 6 0 6 0 6 0 5 -1 6 -1 6 -1 6 -1 5 -2 6 -2 5 -2 5 -2 6 -3 5 -2 5 -3 5 -3 6 -2 5 -3 5 -2 6 -1 6 0 6 1 5 -2 5 -3 3 -5 4 -4 5 -4 4 -4 8 -6","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str2","@d":"M-2017 3833l-1 -6 -2 -5 -3 -5 -3 -5 -3 -5 -2 -5 1 -6 3 -6 -1 -5 -4 -4 -5 -4 -5 -3 -5 -3 -5 -3 -5 -3 -5 -3 -4 -4 1 -6 5 -2 6 1 6 1 7 -4","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str2","@d":"M-2142 3754l-1 6 -1 6 -1 5 -1 6 -1 6 -1 6 -1 5 -2 6 -2 5 -2 6 -3 5 -3 5 -4 4 -5 4 -5 3 -5 3 -5 4 -5 3 -5 0 -5 -3 -4 -5 -2 -6 -1 -6 -4 -1 -6 4 0 5 2 6 -1 6 0 6 -1 6 -1 5 -2 6 -2 5 -1 6 -2 6 -1 5 -1 6 3 10","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str2","@d":"M-2224 3903l5 2 5 -3 0 -5 -1 -6 -2 -6 0 -6 2 -5 3 -5 5 -4 4 -4 6 -2 5 -2 6 -3 5 -3 5 -3 5 -3 4 -3 5 -3 5 -4 4 -4 4 -5 3 -4 3 -5 3 -5 3 -6 2 -5 3 -5 2 -6 2 -5 2 -6 2 -5 2 -6 2 -5 2 -5 5 -4 5 -2 6 -2 6 1 6 1 4 4 3 5 3 5 3 5 4 5 3 5 5 3 5 3 5 3 4 4 4 4 3 5 2 6 2 5 2 6 3 5 4 5 5 2 9 1","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str2","@d":"M-2310 3962l-6 1 -6 0 -6 1 -5 1 -6 2 -5 4 -4 4 -3 5 -3 5 -4 4 -5 3 -6 2 -5 2 -6 2 -5 1 -6 2 -6 1 -5 2 -5 3 -5 3 -3 5 -5 7","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str2","@d":"M-2420 4022l2 3 6 1 6 -1 5 -3 5 -3 5 -3 5 -3 5 -3 6 -2 5 -2 6 -2 5 -2 5 -3 5 -3 5 -3 5 -3 5 -4 4 -3 5 -4 4 -4 4 -5 7 -8","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str2","@d":"M-2391 4081l1 -7 1 -5 4 -3 6 -2 6 -1 6 1 4 5 5 3 5 2 6 1 6 0 6 0 6 -1 5 -2 6 -3 4 -3 5 -3 6 0 6 0 6 0 6 0 6 0 5 0 6 -1 6 -1 5 -2 6 -2 5 -4 4 -3 6 -2 6 2 4 3 0 5 -3 6 -1 6 -1 6 2 5 4 5 4 4 4 4 5 4 5 2 6 3 5 1 6 2 4 4 4 5 3 6 0 5 -5 5 -5 0 -5 -2 -5 -3 -6 -3 -4 -3 -5 -5 -4 -4 -5 -2 -6 -2 -3 -5 -3 -5 -3 -5 -2 -5 -4 -5 -4 -4 -6 -2 -5 -1 -6 0 -6 1 -6 0 -6 1 -6 0 -5 1 -6 1 -6 1 -4 4 -5 3 -6 1 -6 0 -6 0 -6 0 -5 -1 -6 -2 -6 -2 -5 -1 -6 -1 -6 -1 -6 0 -5 1 -7 0","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str2","@d":"M-858 4621l4 -3 5 -4 4 -4 4 -5 3 -5 3 -5 3 -5 5 -3 3 5 -1 6 -4 4 -4 4 -4 5 -4 4 -4 4 -3 5 -3 5 -1 6 1 5 3 6 2 5 3 6 0 5 -3 5 -4 5 -4 4 -4 4 -9 3","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str2","@d":"M-867 4683l-1 -5 1 -6 2 -6 2 -5 2 -5 2 -6 1 -5 1 -6 1 -6 -1 -6 -1 -6","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str2","@d":"M3405 6355l-6 -2 -5 -2 -6 -1 -5 -2 -7 -2 -5 0 -2 4 0 6 0 7 0 6 -1 6 -2 6 -1 6 -1 5 2 6 4 5 5 2 6 0 6 -1 6 1 5 2 7 4","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str2","@d":"M369 6486l6 -2 5 -2 6 -2 5 -2 6 -2 5 -2 6 -2 5 -2 6 -2 5 -2 6 -3 5 -2 6 -1 5 -1 6 0 6 2 5 4 4 4 2 5 -1 6 -2 6 -2 6 -3 5 -3 5 -4 5 -4 3 -5 2 -6 2 -6 1 -6 1 -5 1 -6 0 -6 0 -6 1 -6 1 -5 1 -6 1 -6 1 -6 2 -5 1 -6 3 -5 2 -4 4 -4 4 -4 5 -5 4 -4 3 -6 2 -5 2 -6 1 -6 0 -5 -1 -6 -2 -6 -2 -6 -1 -5 0 -6 1 -6 1 -6 1 -5 1 -6 1 -6 1 -6 0 -6 0 -6 0 -4 -3 -1 -6 2 -6 5 -3 5 -3 5 -3 5 -4 5 -3 4 -4 5 -4 4 -4 5 -3 5 -3 5 -3 5 -2 6 -2 6 -2 5 -2 6 -1 6 0 5 1 5 4 5 3 5 -1 5 -3 6 -4 5 -2 5 -2 10 -4","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str2","@d":"M2860 6683l2 -5 2 -6 1 -6 2 -5 2 -6 2 -5 2 -5 3 -6 2 -5 3 -5 3 -5 3 -5 3 -5 4 -5 3 -5 3 -5 3 -4 3 -5 4 -5 2 -5 3 -6 3 -5 3 -5 4 -5 3 -5 4 -4 4 -3 5 -3 6 -2 5 -1 6 -2 6 -1 6 -2 6 -1 5 -2 5 -3 5 -3 4 -5 4 -4 5 -3 5 -2 6 -3 5 -2 6 -2 5 -3 6 -3 6 -2 5 -1 5 0 5 3 4 5 3 5 2 6 1 6 0 6 -1 6 -2 5 -5 4 -5 3 -6 1 -5 0 -6 0 -6 0 -6 1 -6 2 -5 3 -5 3 -4 4 -3 5 -1 6 -3 5 -3 5 -3 5 -4 4 -4 4 -4 4 -5 4 -5 3 -5 2 -6 2 -6 1 -5 3 -5 3 -4 4 -5 3 -5 4 -4 4 -4 4 -5 4 -4 4 -4 4 -4 4 -4 4 -4 5 -4 4 -3 5 -4 5 -4 4 -5 3 -5 1 -12 1","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str2","@d":"M-3569 4591l5 -3 5 -3 4 -5 1 -5 2 -6 4 -4 5 -3 5 -3 5 -3 5 -3 5 -3 6 -2 5 -2 6 -1 6 0 6 -1 5 -3 4 -4 3 -5 2 -5 0 -7 1 -5 3 -5 5 -4 5 -3 5 -2 6 0 6 0 6 1 5 1 6 1 6 1 6 1 6 0 6 1 7 2 6 1 4 -1 3 -4 0 -7 -1 -6 -4 -5 -5 -3 -6 -2 -5 -1 -6 -1 -6 0 -6 0 -6 1 -5 1 -6 1 -6 1 -5 2 -6 1 -6 2 -6 2 -5 2 -6 2 -6 1 -5 1 -5 0 -6 -3 -3 -6 0 -5 1 -6 3 -6 2 -5 4 -5 3 -4 5 -4 3 -5 4 -4 3 -5 3 -5 3 -5 3 -6 2 -5 3 -5 4 -4 4 -4 6 -6","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str2","@d":"M-3415 4234l-6 3 -4 4 -3 5 -2 5 -2 6 2 6 0 5 -2 6 -1 6 -3 5 -5 4 -5 1 -6 -3 -6 -2 -6 -2 -3 2 -1 7 2 6 4 4 4 5 1 5 0 6 0 6 -1 6 0 6 -1 6 0 6 -2 5 -3 5 -3 5 -3 5 -4 5 -2 5 -2 5 -2 6 -2 5 -3 6 -2 5 -3 6 -3 5 -4 2 -6 0 -7 -1 -6 0 -6 0 -5 1 -5 3 -2 6 1 5 4 5 4 5 2 5 -1 6 -2 5 -1 6 -1 6 -1 6 -1 6 -1 5 -2 6 -2 5 -2 6 -2 5 -2 6 -2 5 -3 6 -2 6 -3 4 -4 -1 -3 -6 -3 -5 -2 -6 -2 -5 -4 -5 -3 -5 -4 -4 -4 -5 -4 -4 -3 -5 -2 -5 -2 -5 -1 -6 -1 -7 -2 -6 -3 -3 -6 1 -6 4 -2 4 0 6 1 6 1 6 2 6 1 5 0 6 -1 6 3 5 5 2 6 2 5 3 5 4 4 4 2 5 2 6 1 6 0 6 0 6 -1 5 -3 5 -1 6 1 5 2 6 3 5 5 7","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str2","@d":"M-2748 3125l-6 -1 -6 -1 -5 -2 -3 -5 1 -6 1 -6 1 -6 2 -4 5 -5 3 -4 4 -5 4 -4 2 -5 1 -6 -1 -6 -3 -5 -5 -4 -5 -2 -6 -1 -6 1 -5 1 -7 2 -6 0 -1 -3 3 -7 4 -5 5 -2 6 0 6 1 5 2 6 0 4 -3 5 -4 4 -4 5 -4 4 -4 4 -4 4 -5 3 -5 4 -4 7 -3","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str2","@d":"M-856 2935l4 -1 4 -4 4 -4 1 -6 0 -6 0 -5 3 -6 3 -5 5 -3 3 -5 2 -6 -1 -5 -4 -3 -6 -3 -3 -5 -2 -6 0 -6 1 -6 2 -5 2 -6 3 -5 4 -4 4 -5 4 -3 5 -3 7 -1 5 -2 2 -5 2 -9","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str2","@d":"M-802 2802l-6 0 -6 0 -6 1 -6 2 -5 2 -4 3 -4 5 -3 5 -2 6 -2 5 -3 5 -2 6 -2 5 -2 6 -1 5 -3 6 -2 5 0 6 2 5 4 5 3 5 -1 5 -3 6 -1 5 0 6 -1 6 -3 5 0 6 5 6","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str2","@d":"M572 2328l4 3 5 2 6 1 6 1 6 1 5 1 6 2 5 3 6 2 5 -1 6 -2 5 -3 4 -5 2 -5 2 -6 2 -5 3 -5 3 -5 5 -4 5 -1 6 -1 6 -3 5 -3 4 -3 5 -4 3 -4 4 -5 3 -5 2 -6 2 -5 2 -6 1 -6 1 -6 2 -5 2 -5 5 -4 5 -2 6 -2 6 -2 6 0 6 1 5 1 5 3 5 4 4 4 4 5 4 3 5 2 6 0 11 0","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str2","@d":"M794 2248l-2 -5 -3 -6 -3 -4 -5 -4 -5 -3 -4 -4 -5 -3 -7 -4","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str2","@d":"M1514 7287l-1 -6 -1 -6 0 -6 -1 -6 -1 -5 0 -6 -1 -6 0 -6 1 -6 1 -5 3 -5 4 -5 3 -5 4 -5 3 -4 4 -4 4 -5 4 -4 5 -4 4 -4 5 -4 4 -4 5 -4 4 -4 3 -5 2 -4 1 -6 -1 -6 -1 -6 -2 -6 -2 -6 -4 -6 -3 -3 -5 0 -6 4 -4 4 -4 4 -4 5 -3 5 -4 5 -3 4 -3 6 -2 5 -3 5 -4 4 -4 4 -5 3 -6 2 -5 2 -6 3 -5 2 -6 1 -5 2 -6 2 -6 1 -5 1 -6 1 -7 0 -6 -1 -5 -1 -4 -3 -3 -5 -1 -6 0 -7 0 -6 2 -6 1 -5 -1 -5 -6 -3 -5 1 -5 2 -6 4 -4 3 -5 3 -5 4 -3 5 -4 5 -3 5 -2 6 -2 5 0 5 3 5 4 5 5 4 3 5 4 5 2 5 -1 6 -1 6 -2 6 -3 5 -4 4 -6 0 -6 0 -6 0 -6 -1 -6 1 -4 3 -5 3 -4 5 -5 4 -5 3 -5 2 -5 2 -6 2 -5 2 -6 2 -5 3 -8 5","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str2","@d":"M2600 6812l5 -4 5 -3 4 -4 5 -4 4 -5 4 -4 4 -4 2 -5 0 -7 -3 -4 -6 -1 -6 0 -6 1 -6 0 -6 1 -6 1 -5 0 -6 2 -6 1 -6 0 -6 2 -4 3 -4 4 -3 5 -4 5 -5 3 -5 2 -6 2 -6 1 -6 1 -6 0 -6 -1 -6 0 -5 2 -4 3 -5 4 -3 5 -3 5 -2 6 -1 6 -2 5 -4 5 -5 1 -5 -3 -5 -4 -6 -2 -5 -1 -6 0 -6 0 -6 1 -5 3 -2 5 1 7 3 4 5 4 5 3 5 3 6 3 5 2 5 2 6 0 6 0 6 0 6 0 6 0 5 0 6 2 6 1 6 1 5 0 6 -2 6 -2 5 -2 5 -3 4 -5 3 -5 3 -5 4 -3 6 -1 6 1 6 1 6 -1 5 -4 4 -4 4 -5 3 -4 2 -6 3 -5 2 -6","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str2","@d":"M-2710 2997l3 5 -1 6 -4 5 -3 4 -4 4 -4 5","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str2","@d":"M-2041 3748l4 -3 -1 -6 -3 -5 -4 -4 -5 -3 -5 -3 -6 -2 -5 -1 -6 -1 -6 0 -6 1 -8 1","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str2","@d":"M-2100 3724l-5 1 -6 1 -6 2 -5 2 -5 3 -5 4 -4 4 -4 4 -2 9","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str2","@d":"M-2092 3722l-8 2","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str2","@d":"M-728 2977l-6 0 -5 -3 -4 -5 -1 -6 -2 -5 -4 -5 -5 -2 -6 0 -6 1 -5 2 -6 2 -5 2 -6 2 -5 1 -6 1 -6 1 -6 0 -6 0 -5 0 -6 2 -5 3 -5 2 -5 3 -6 2 -5 3 -4 4 -4 5","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str2","@d":"M-863 2987l-4 5 -4 4 -4 5 0 5 5 4 5 3 6 3 4 4 2 5 1 6 1 6 0 5 0 6 0 6 2 6 2 6 3 4 6 2 6 1 6 0 5 -2 2 -5 1 -6 1 -6 1 -6 -1 -6 -3 -5 -2 -5 -4 -4 -4 -5 -4 -5 -2 -5 -1 -6 0 -6 1 -5 3 -5 4 -4 3 -5 5 -3 5 -3 6 -2 6 0 5 -1 6 -1 6 0 6 0 6 1 5 0 6 1 6 1 5 3 5 3 5 3 6 2 5 2 5 2 6 1 6 1 6 -1 5 -5 -1 -4 -5 -4 -5 -3 -6 1 -7 1","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str2","@d":"M760 2215l-5 -3 -5 -3 -5 -2 -6 -1 -6 0 -6 1 -6 2 -4 3 -5 4 -4 4 -4 4 -5 4 -4 5 -3 4 -4 5 -2 5 -3 5 -1 6 -2 7","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str2","@d":"M-2840 2347l5 -3 5 -3 5 -3 4 -4 5 -4 4 -5 3 -5 4 -4 5 1 6 3 4 5 1 5 -1 6 0 6 1 6 1 7 2 5 4 2 6 0 7 0 4 3 4 4 4 5 3 6 3 6 3 5 3 5 3 3 5 0 5 -4 6 -5 5 -1 3 4 6 7","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str2","@d":"M-2712 2400l5 3 4 4 4 4 4 5 4 4 4 4 3 5 4 4 4 5 3 5 4 4 3 5 2 6 3 5 2 6 1 6 -1 5 -5 4 -5 -1 -5 -4 -5 -4 -4 -4 -3 -5 -1 -6 -2 -6 -1 -6 -2 -5 -3 -4 -5 -3 -6 -2 -6 0 -6 1 -5 3 0 8 -2 1 -4 -4 -3 -7 -1 -5 2 -6 0 -6 -3 -5 -5 -5 -4 -3 -6 0 -6 1 -5 -3 -4 -5 -4 -3 -6 -2 -5 -2 -5 -3 -5 -5 -5 -4 -4 -1 -3 3 -3 6 -3 6 -3 5 -5 5 -5 2 -4 -2 -3 -6 -1 -6 2 -5 2 -6 2 -6 1 -6 0 -5 -4 -5 -4 -4 -6 -6","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str2","@d":"M-3453 4399l5 -4 3 -5 4 -5 3 -5 1 -5 0 -6 -1 -6 -1 -6 0 -6 -1 -5 0 -6 0 -6 2 -6 1 -5 2 -6 2 -5 3 -5 4 -4 4 -5 4 -4 4 -5 3 -4 3 -6 2 -5 1 -6 1 -6 0 -5 -1 -6 -2 -6 -3 -4 -5 -7","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str2","@d":"M-1493 1087l4 3 4 5 3 5 1 5 -1 7 -2 5 -4 4 -6 -1 -6 -2 -6 -1 -5 -2 -6 0 -6 0 -9 2","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":[{"@class":"fil7 str3","@d":"M-3176 3467l-5 3 -4 3 -5 4 -5 3 -5 4 -4 3 -5 3 -5 3 -5 3 -6 2 -6 1 -5 1 -6 1 -10 1","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str3","@d":"M-3544 3500l-6 0 -6 1 -6 0 -5 2 -5 2 -5 3 -5 4 -5 3 -5 3 -6 2 -5 0 -6 -2 -6 -1 -5 -2 -6 -2 -6 1 -5 2 -5 4 -4 4 -4 4 -4 4 -4 4 -4 4 -5 4 -4 4 -4 4 -5 4 -4 3 -5 4 -5 4 -4 3 -5 4 -4 3 -5 4 -4 4 -4 4 -4 4 -4 5 -3 4 -4 5 -4 5 -4 4 -4 4 -5 2 -6 1 -6 0 -6 -2 -5 -2 -6 -1 -6 -1 -6 -1 -5 1 -6 2 -5 2 -6 2 -6 1 -6 1 -5 1 -6 1 -6 0 -6 -1 -6 -1 -5 -1 -5 -3 -6 -2 -5 -2 -6 -1 -6 -1 -5 1 -6 2 -5 3 -5 4 -4 4 -5 3 -6 2 -6 1 -5 0 -5 -3 -5 -3 -5 -4 -5 -3 -5 -2 -6 -1 -6 0 -6 1 -5 -1 -6 0 -7 -1","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str3","@d":"M-3997 3618l-4 4 -5 3 -5 2 -6 1 -6 0 -6 0 -5 0 -6 0 -6 0 -6 1 -6 1 -5 2 -4 4 -3 5 -2 6 -2 5 -2 6 -2 5 -4 5 -4 4 -4 4 -4 4 -4 5 -4 4 -4 4 -4 4 -4 5 -4 3 -5 4 -5 3 -5 4 -4 3 -5 3 -5 3 -5 4 -5 3 -4 4 -4 4 -3 5 -3 5 -1 6 -1 6 -3 4 -5 4 -5 3 -4 4 -3 5 -4 5 -4 4 -3 5 -2 5 -2 6 -1 6 0 6 0 5 -2 6 -2 6 -2 5 -2 5 -3 5 -4 5 -3 5 -4 4 -3 5 -4 5 -3 4 -4 5 -4 4 -4 4 -4 4 -5 4 -5 3 -4 4 -5 3 -5 4 -5 3 -5 3 -5 2 -5 1 -6 0 -6 0 -6 0 -6 0 -6 0 -6 1 -5 1 -6 2 -5 3 -5 3 -4 5 -3 4 -1 6 -2 6 -2 5 -2 6 -2 5 -3 5 -2 5 -3 6 -3 5 -3 5 -3 5 -3 6","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str3","@d":"M-3252 3502l-6 1 -5 1 -6 1 -11 2","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str3","@d":"M-3280 3507l-6 0 -6 1 -6 1 -5 1 -6 1 -6 0 -6 -1 -6 0 -5 -1 -6 0 -6 -1 -6 0 -6 -1 -5 -1 -6 0 -6 -2 -6 -1 -5 -1 -6 0 -6 2 -5 2 -6 1 -5 2 -6 2 -5 3 -5 2 -6 2 -6 -1 -5 -1 -6 -2 -6 -1 -6 -1 -5 -1 -6 -1 -6 0 -6 -1 -5 -2 -6 -2 -5 -1 -6 -2 -6 -2 -5 0 -6 -1 -6 0 -6 1 -7 0","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str3","@d":"M-2869 5541l6 -3 5 -2 5 -4 4 -4 4 -5","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str3","@d":"M1155 2704l-6 1 -6 1 -5 1 -6 1 -6 1 -6 1 -5 1 -6 1 -6 1 -6 0 -5 0 -6 -2 -6 -2 -5 -1 -6 -1 -6 -1 -6 -1 -6 0 -5 -1 -6 0 -6 0 -6 0 -6 0 -6 0 -5 1 -6 2 -5 3 -6 1 -5 -1 -5 -3 -5 -4 -4 -3 -5 -4 -5 -3 -5 -4 -4 -3 -5 -3 -6 -3 -5 -3 -4 -4 -3 -4 -3 -6 -1 -6 0 -5 2 -6 1 -6 2 -6 0 -5 0 -6 0 -6 0 -6 -1 -6 0 -5 -2 -6 -1 -6 -2 -5 -2 -6 -1 -6 -2 -5 -1 -6 -1 -6 -1 -6 0 -5 0 -6 1 -6 2 -5 2 -6 3 -5 4 -4 4 -4 5 -3 5 -3 6 -3 5 -2 6 -2 5 -2 6 -3 4 -3 3 -5 3 -5 2 -5 3 -6 2 -5 3 -6 2 -5 2 -6 1 -5 1 -6 1 -6 1 -6 0 -5 -1 -6 -1 -6 -2 -6 -3 -5 -4 -4 -5 -3 -4 -4 -5 -3 -4 -4 -5 -4 -4 -5 -2 -5 -2 -5 -1 -6 0 -6 -1 -6 -3 -5 -5 -3 -6 -3 -5 -2 -6 -1 -6 -1 -5 -1 -6 1 -6 2 -5 2 -6 1 -6 2 -5 2 -6 1 -6 1 -5 1 -6 0 -6 0 -6 0 -6 -1","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str3","@d":"M-3921 2460l-6 2 -5 2 -4 4 -5 4 -4 3 -6 2 -6 1 -5 -1 -6 -2 -5 -3 -6 -1 -5 1 -6 1 -6 -1 -6 -2 -5 -2 -3 -5 -3 -5 -5 -2 -6 -2 -6 -1 -5 -2 -5 -3 -5 -4 -3 -5 -3 -5 -3 -5 -4 -4 -3 -5 -4 -4 -5 -5 -4 -3 -5 -3 -5 -2 -6 -2 -6 -2 -5 -2 -6 -1 -5 -2 -6 -1 -11 -2","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str3","@d":"M847 2333l-6 -1 -7 -1 -4 -3 -3 -5 -2 -5 -1 -6 -1 -6 0 -6 2 -6 1 -5 1 -6 1 -6 1 -6 0 -6 -3 -4 -6 -4 -5 -2 -8 -3","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str3","@d":"M794 2248l4 0 9 4","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str3","@d":"M3001 367l0 6 0 6 0 6 0 5 1 6 0 6 1 6 2 5 2 6 2 5 3 5 2 6 2 5 3 5 2 6 2 5 3 5 2 6 3 5 3 5 2 5 3 6 3 5 3 5 2 5 3 5 3 5 3 5 3 5 3 5 3 5 3 5 4 5 3 4 4 5 3 4 4 5 4 4 4 5 4 4 4 4 4 5 4 4 4 4 4 5 3 6","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":[{"@class":"fil7 str4","@d":"M1184 367l2 5 3 5 3 5 3 5 4 5 3 5 3 5 3 5 2 5 3 5 2 6 3 5 3 5 4 4 4 4 4 5 4 4 4 4 2 6 2 5 1 6 2 5 3 5 3 5 4 5 4 4 4 5 3 4 4 5 4 4 3 5 4 5 3 5 2 5 3 5 2 5 3 6 2 5 3 5 3 5 4 4 5 4 7 5","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str4","@d":"M-2665 3406l-5 -2 -6 -2 -10 -1","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str4","@d":"M-2686 3401l-6 2 -5 2 -10 4","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str4","@d":"M-2463 3452l-5 2 -6 2 -5 0 -6 -1 -6 -1 -5 -2 -6 -1 -7 -1","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str4","@d":"M-3569 4591l-6 1 -5 1 -6 1 -6 -1 -6 -1 -5 -1 -6 0 -6 0 -6 2 -4 3 -4 5 -3 5 -3 5 -4 4 -4 4 -4 5 -3 5 -3 5 -2 5 -1 6 -1 6 -1 6 0 5 0 6 0 6 1 6 1 6 1 6 2 5 1 6 0 6 -1 5 -3 5 -3 5 -3 5 -3 5 -4 5 -3 5 -1 6 -1 6 1 6 1 5 3 6 2 5 2 5 0 6 1 6 0 6 0 6 0 6 0 5 1 6 2 6 1 6 1 5 2 6 0 6 0 5 -1 6 -2 6 -1 5 -1 6 0 6 1 6 2 6 -1 5 -1 6 -3 5 -2 6 -2 5 -2 6 -2 5 -2 6 -1 5 -1 6 -1 6 0 6 0 6 1 5 2 6 2 6 3 5 3 5 4 4 5 3 5 3 4 4 5 4 4 4 4 4 4 4 5 4 4 4 5 3 5 1 6 1 6 2 8 6","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str4","@d":"M-3592 5050l3 5 4 4 4 5 4 4 4 5 3 5 2 5 2 5 1 6 1 6 0 5 0 6 0 6 0 6 1 6 0 6 0 6 1 6 0 6 1 5 0 6 1 6 0 6 1 6 0 5 1 6 0 6 0 6 1 6 0 5 1 6 0 6 0 6 1 6 0 6 1 5 0 7","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str4","@d":"M-2224 3903l-4 4 -5 4 -4 3 -5 3 -6 3 -5 2 -6 2 -5 2 -5 2 -6 3 -5 3 -4 3 -5 4 -4 4 -4 4 -4 4 -5 5 -4 4","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str4","@d":"M-2420 4022l-6 2 -6 1 -5 0 -6 -2 -6 -2 -5 -2 -5 -3 -5 -3 -5 -3 -5 -3 -6 -1 -6 -1 -5 1 -6 0 -6 0 -6 0 -6 0 -6 0 -6 0 -5 -1 -6 0 -6 -1 -6 0 -6 -1 -5 -1 -10 -2","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str4","@d":"M-2571 4000l-6 0 -6 -1 -6 -1 -6 0 -6 0 -5 2 -6 1 -5 2 -6 3 -5 2 -5 3 -6 2 -5 3 -4 3 -5 4 -5 4 -4 4 -4 4 -4 5 -4 4 -4 4 -4 4 -5 3 -6 1 -6 -1 -6 0 -6 0 -5 0 -6 -2 -5 -3 -5 -3 -5 -3 -6 -2 -5 -1 -6 1 -6 0 -6 2 -6 1 -5 2 -6 2 -4 3 -4 5 -3 5 -3 5 -2 5 -2 6 -1 6 -1 5 -1 6 -1 6 -2 6 -3 4 -5 4 -5 3 -5 3 -6 2 -5 2 -6 2 -6 0 -5 -1 -6 -1 -6 -3 -5 -3 -5 -3 -4 -4 -3 -5 -1 -6 -2 -6 0 -5 0 -6 0 -6 -2 -6 -3 -5 -4 -4 -5 -3 -5 -2 -6 -2 -6 -1 -6 0 -6 1 -5 1 -6 2 -5 3 -6 2 -4 4 -5 3 -4 4 -4 5 -4 4 -5 2 -6 2 -6 2 -6 1 -5 0 -6 0 -6 1 -6 0 -6 0 -6 0 -5 0 -6 0 -6 0 -6 0 -6 0 -6 -1 -5 0 -6 -1 -6 0 -6 -1 -5 -2 -6 -1 -6 -2 -5 -2 -5 -3 -5 -3 -4 -4 -5 -4 -5 -3 -5 -3 -5 -3 -5 -3 -5 -2 -6 -1 -6 -1 -6 0 -6 1 -5 1 -6 1 -6 1 -6 1 -5 2 -6 1 -6 2 -5 1 -6 2 -5 3 -5 2 -6 2 -5 2 -6 2 -5 3 -5 2 -6 3 -5 2 -10 5","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str4","@d":"M-3286 4091l-5 3 -4 4 -4 3 -5 4 -4 4 -4 4 -5 4 -4 4 -5 3 -4 4 -5 4 -5 3 -4 3 -5 4 -5 3 -5 3 -5 4 -4 3 -5 3 -5 3 -5 4 -4 4 -4 4 -5 4 -4 4 -4 4 -4 4 -4 4 -3 5 1 6 -1 6 0 6 0 6 0 6 0 6","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str4","@d":"M-2310 4959l5 -3 5 -3 5 -3 5 -1 6 -2 6 -1 6 -1 4 -3 4 -5 3 -5 3 -5 3 -5 4 -5 4 -3 6 -2 6 -1 5 -1 6 -1 6 -2 5 -3 5 -2 6 -2 5 -2 6 -1 6 -1 6 -1 5 0 6 0 6 1 6 1 5 1 6 0 6 -1 6 -1 6 -1 5 -1 6 -2 5 -1 6 -2 6 -2 5 -2 6 -2 5 -2 6 -1 5 -2 6 -2 5 -2 6 -2 5 -1 6 -2 5 -3 6 -2 5 -3 5 -3 5 -3 5 -3 5 -2 5 -2 6 -2 6 -2 5 -3 6 -2 5 -2 5 -3 5 -2 3 -5 3 -5 4 -5 4 -4 5 -3 5 -3 5 -4 5 -2 5 -1 6 1 6 1 6 1 6 1 5 -1 6 -1 6 -1 6 -1 5 -2 6 -1 6 -2 5 -2 6 -1 5 -3 5 -2 6 -3 5 -3 4 -3 5 -4 3 -5 3 -5 3 -5 2 -6 2 -5 3 -5 5 -3 5 -3 6 -2 6 -1 5 -1 6 0 6 1 6 1 5 1 6 2 6 1 5 2 6 2 4 4 6 1 6 0 8 0","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str4","@d":"M-2481 5030l5 0 6 -1 6 -1 5 -2 5 -3 6 -3 5 -3 5 -3 5 -3 4 -3 5 -3 6 -3 5 -1 6 -1 6 -2 5 -1 6 -2 5 -3 5 -2 10 -6","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str4","@d":"M-2845 5523l2 -6 3 -5 2 -5 2 -5 2 -6 2 -6 1 -5 2 -6 2 -5 3 -6 2 -5 3 -5 3 -5 3 -5 4 -4 6 -2 6 -2 5 -3 4 -3 5 -4 4 -4 3 -5 3 -5 1 -6 1 -6 0 -6 -1 -6 0 -5 -2 -6 -1 -6 -1 -6 -2 -5 -1 -6 -1 -6 -1 -5 0 -6 1 -6 2 -6 1 -5 3 -5 3 -5 3 -5 3 -5 3 -6 2 -5 1 -6 1 -6 1 -5 2 -6 3 -5 2 -5 3 -5 3 -5 3 -5 4 -5 4 -4 4 -5 3 -4 3 -5 2 -6 1 -6 1 -5 1 -6 1 -6 1 -6 2 -5 1 -6 1 -6 1 -6 0 -5 -1 -6 -1 -6 -2 -6 -1 -5 0 -6 1 -6 1 -6 2 -5 2 -6 3 -5 4 -4 4 -4 5 -4 5 -3 5 -2 6 -2 5 -2 5 -3 5 -4 4 -3 5 -4 4 -4 4 -4 5 -4 4 -4 4 -4 5 -3 5 -2 6 -2 6 -2 5 -2 6 -1 5 -3 5 -2 6 -3 5 -2 6 -1 6 -1 5 0 6 0 6 0 6 1 5 2 6 3 5 2 6 2 5 0 6 0 6 -1 6 0 6 -1 5 0 7 -1","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str4","@d":"M-2845 5523l5 0 6 1 6 1 6 2 5 2 5 3 4 5 3 5 4 3 6 -1 4 -5 1 -6 2 -5 2 -5 4 -5 4 -4 5 -4 4 -3 5 -4 5 -3 4 -4 5 -3 5 -3 5 -3 5 -4 4 -3 5 -3 5 -4 5 -2 5 -3 6 -3 5 -2 6 -1 6 -1 6 0 5 3 5 3 5 -1 5 -4 5 -3 4 -4 4 -5 3 -5 2 -6 2 -5 0 -6 0 -6 0 -6 0 -6 2 -5 3 -5 3 -5 2 -6 0 -5 0 -6 0 -6 -1 -6 -2 -6 -2 -5 -3 -5 -4 -5 -4 -4 -5 -2 -5 -3 -6 -2 -5 -2 -6 -2 -5 -2 -5 -3 -5 -4 -5 -3 -3 -4 -3 -6 -2 -5 -2 -6 -1 -6 -1 -5 1 -6 0 -6 2 -6 1 -5 1 -6 1 -6 2 -6 1 -5 2 -6 3 -5 3 -5 3 -4 5 -4 5 -3 5 -3 5 -2 3 -5 2 -6 2 -5 2 -6 2 -5 2 -6 1 -6 1 -5 2 -6 1 -6 1 -6 0 -5 -1 -6 0 -6 0 -6 0 -6 1 -5 2 -6 3 -5 3 -5 3 -5 3 -5 4 -4 5 -4 5 -3 5 -3 5 -3 5 -3 5 -3 5 -2 6 -2 5 -2 6 -2 5 -2 6 -1 6 -1 6 0 6 0 5 0 6 0 6 0 6 1 6 0 5 -1 6 -2 5 -2 6 -3 5 -2 5 -3 7 -9","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str4","@d":"M-2370 4984l5 -2 6 -1 5 -2 6 -2 5 -3 5 -2 5 -3 6 -2 5 -3 5 -2 7 -3","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str4","@d":"M-141 1874l-3 -5 -4 -5 -5 -3 -4 -3 -5 -3 -5 -4 -5 -3 -4 -4 -5 -4 -4 -4 -4 -4 -5 -3 -5 -4 -5 -2 -5 -3 -5 -3 -5 -3 -4 -5 -2 -5 0 -6 1 -6 -1 -5 -4 -3 -6 -2 -6 -3 -4 -3 -4 -5 -3 -5 -2 -6 1 -5 2 -6 1 -6 -1 -6 -1 -5 -3 -6 -3 -5 -4 -4 -4 -4 -5 -4 -5 -3 -5 -3 -4 -4 -5 -3 -6 -2 -5 -3 -9 -5","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str4","@d":"M572 2328l-5 -3 -5 -2 -5 -3 -6 -3 -5 -2 -5 -2 -6 -2 -6 -1 -6 -1 -5 0 -6 0 -6 0 -5 2 -6 3 -5 2 -6 2 -5 1 -6 1 -6 1 -6 1 -6 1 -6 1 -6 1 -5 0 -5 -4 -3 -5 1 -4 5 -4 6 -4 3 -4 4 -5 2 -6 1 -5 -3 -6 -5 -2 -6 0 -5 3 -5 4 -5 3 -5 0 -5 -3 -6 -2 -6 -2 -5 -3 -3 -4 -3 -5 -2 -6 -2 -6 -4 -5 -3 -4 -3 -5 -4 -5 -4 -4 -4 -4 -4 -5 -4 -4 -4 -4 -4 -4 -3 -5 -4 -5 -3 -4 -3 -5 -3 -5 -3 -6 -2 -5 -1 -6 -3 -6 -3 -4 -4 -3 -6 -1 -7 -1 -5 0 -6 0 -6 1 -6 -1 -6 -1 -5 -2 -5 -2 -5 -3 -6 -3 -5 -3 -5 -3 -5 -3 -5 -3 -4 -3 -5 -3 -5 -4 -5 -3 -5 -3 -5 -3 -5 -3 -5 -3 -5 -3 -5 -3 -5 -3 -5 -3 -5 -3 -5 -3 -5 -3 -5 -3 -5 -3 -5 -3 -5 -3 -5 -3 -5 -3 -5 -2 -5 -3 -5 -3 -5 -3 -5 -3 -5 -3 -5 -4 -5 -3 -5 -3 -5 -3 -5 -4 -4 -3 -5 -3 -5 -4 -5 -3 -5 -2 -5 -3 -6 -2 -5 -2 -6 -3 -5 -2 -4 -4 -5 -3 -5 -3 -5 -4 -4 -3 -5 -4 -4 -4 -5 -3 -5 -4 -4 -3 -5 -4 -4 -4 -5 -3 -5 -4 -4 -3 -5 -3 -5 -3 -5 -3 -5 -3 -5 -4 -4 -4 -4 -4 -4 -4 -4 -5 -4 -4 -4 -5 -4 -4 -4 -4 -4 -4 -5 -3 -5 -3 -5 -3 -5 -4 -4 -4 -4 -3 -6 -6","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str4","@d":"M-473 1564l-5 -1 -6 0 -6 0 -6 0 -6 0 -6 1 -5 -2 -4 -4 -4 -5 -3 -5 -4 -4 -3 -5 -3 -5 -5 -3 -5 -1 -6 -2 -6 0 -6 1 -6 0 -5 -1 -6 -1 -5 -3 -5 -3 -5 -3 -6 -3 -5 -2 -5 -3 -5 -2 -6 -2 -5 -3 -6 -2 -5 -1 -6 -1 -6 -1 -5 -1 -6 0 -6 -1 -6 -1 -5 -2 -6 -1 -6 -1 -5 -2 -6 -1 -6 -2 -5 -1 -6 -1 -6 -2 -5 -1 -6 -3","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str4","@d":"M-3298 2439l-6 1 -5 1 -6 0 -6 -1 -6 -1 -5 -2 -6 -1 -6 -1 -5 -1 -6 -1 -6 -1 -6 0 -6 -1 -5 -1 -6 -2 -5 -2 -5 -4 -4 -4 -5 -4 -4 -4 -4 -4 -3 -5 -3 -5 -4 -4 -5 -4 -4 -4 -5 -3 -5 -2 -6 -1 -6 0 -6 1 -6 1 -6 1 -5 2 -6 2 -5 2 -5 2 -6 3 -5 3 -5 3 -5 3 -5 2 -6 2 -5 1 -6 0 -6 0 -6 -1 -6 0 -5 -1 -6 1 -6 1 -6 2 -5 2 -6 1 -5 3 -5 4 -5 0 -5 -2 -6 -4 -5 -2 -6 -2 -5 -1 -6 -1 -6 -1 -6 0 -6 0 -5 -1 -6 0 -6 0 -6 0 -6 0 -6 1 -5 1 -6 2 -5 2 -6 2 -5 3 -5 2 -5 3 -5 3 -5 3 -5 4 -4 4 -5 2 -6 3 -5 1 -6 2 -6 1 -6 1 -5 1 -6 0 -6 0 -6 0 -6 0 -5 0 -6 0 -6 0 -6 1 -6 1 -5 1 -6 1 -6 -1 -6 -1 -5 0 -6 0 -6 1 -6 1 -6 1 -5 2 -6 1 -6 1 -5 2 -6 2 -6 2","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str4","@d":"M-3146 2517l-6 -1 -6 -2 -5 0 -6 1 -5 2 -6 2 -6 2 -5 2 -6 2 -5 1 -6 -1 -6 -2 -5 -3 -4 -4 -4 -4 -4 -4 -3 -6 -3 -4 -6 -3 -4 -3 -5 -4 -5 -4 -4 -4 -2 -4 1 -6 2 -5 2 -6 0 -7 0 -6 -4 -3 -5 -3 -6 -1 -6 -1 -6 -1 -6 1 -7 1","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str4","@d":"M-2917 2335l-4 5 -4 4 -6 2 -6 0 -5 2 -4 4 -4 5 -4 4 -5 3 -5 2 -6 1 -6 0 -6 0 -6 1 -6 1 -5 1 -6 1 -5 2 -5 4 -4 4 -4 4 -5 4 -4 4 -4 4 -4 5 -4 4 -4 4 -3 5 -3 5 -3 5 -3 5 -3 5 -3 5 -3 5 -3 5 -2 5 -3 6 -2 5 -2 6 -2 5 -2 5 -2 6 -3 5 -2 5 -4 5 -4 4 -5 3 -4 4 -6 2 -6 1 -5 2 -6 0 -6 -1 -8 -1","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str4","@d":"M-310 1686l-5 -3 -5 -3 -5 -4 -5 -2 -5 -3 -5 -3 -6 -2 -5 -3 -5 -2 -5 -3 -5 -3 -6 -2 -5 -2 -6 -2 -6 -1 -6 -2 -4 -3 -3 -5 -1 -6 0 -6 -3 -6 -7 -8 -4 -4 -4 -4 -4 -5 -4 -4 -5 -4 -4 -4 -4 -3 -5 -4 -4 -4 -5 -4 -5 -2 -10 -5","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":[{"@class":"fil7 str5","@d":"M2998 367l0 6 -3 5 -5 2 -6 -1 -6 -1 -6 -1 -5 -1 -6 0 -6 1 -6 2 -5 2 -6 2 -4 3 -5 4 -4 4 -4 5 -2 5 -2 5 -2 6 -1 6 -1 5 -1 6 0 6 0 7 2 5 6 1 6 0 2 6 -2 5 -4 4 -5 4 -5 4 -4 3 -4 5 -4 4 -5 3 -4 4 -5 4 -4 4 -2 6 -1 5 1 6 1 6 1 6 1 5 2 6 2 5 3 6 2 5 4 9","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str5","@d":"M1321 577l6 1 4 4 5 3 3 5 3 5 3 5 3 5 2 6 3 5 3 5 3 5 3 5 2 5 3 6 3 5 4 4 3 5 4 4 4 4 5 4 4 3 5 4 5 3 5 3 5 3 5 4 5 3 4 3 5 3 5 3 5 4 5 3 4 4 5 4 4 3 5 3 5 3 5 3 5 3 5 3 6 3 5 2 5 3 6 2 5 2 5 2 6 2 5 2 6 2 5 2 6 1 6 2 5 2 6 2 5 2 6 1 5 2 6 3 5 2 6 1 5 2 6 0 6 0 6 1 5 2 6 2 5 3 5 2 6 2 5 3 5 2 6 2 5 2 6 3 5 2 6 1 5 2 6 2 5 1 6 2 5 2 6 2 6 2 5 1 6 2 5 1 6 1 6 0 6 1 6 0 5 0 6 0 6 0 6 0 6 2 5 2 6 3 5 2 5 2 6 0 5 -2 5 -3 6 -2 6 -2 5 -1 6 1 6 1 6 1 5 1 6 -1 6 -1 6 0 5 1 6 3 5 2 6 2 5 1 6 0 6 -2 5 -2 5 -4 4 -4 4 -4 4 -4 4 -5 3 -5 4 -4 4 -4 5 -4 5 -3 5 -3 5 -3 5 -3 5 -2 5 -3 6 -2 5 -2 6 -2 6 -1 6 0 5 2 5 3 5 4 5 3 5 3 5 2 6 1 6 0 5 0 6 -1 6 -1 6 -1 6 -1 5 -1 5 -3 4 -4 4 -5 3 -5 3 -5 3 -5 3 -5 3 -5 4 -4 4 -5 5 -3 5 -3 5 -2 6 -2 6 -2 5 -1 6 -2 6 -1 5 -1 6 -1 6 0 6 1 5 2 6 2 5 2 6 -2 5 -2 6 -2 5 -1 6 -1 6 0 6 -1 6 -1 5 -1 6 -1 6 -1 6 1 5 2 6 1 5 2 6 2 6 1 5 0 6 0 6 0 6 1 5 2 6 2 6 1 6 1 6 1 5 1 6 0 6 0 5 0 5 -4 4 -4 3 -5 2 -6 2 -6 3 -5 4 -4 6 -1 5 0 6 1 6 0 6 -2 4 -3 5 -5 3 -4 3 -5 2 -6 2 -6 1 -5 3 -5 3 -6 3 -4 3 -5 4 -5 4 -4 4 -4 4 -4 4 -4 4 -5 5 -4 5 -3 5 2 5 3 6 1 6 0 6 -1 5 -1 6 -2 6 -1 5 -2 6 -2 5 -3 4 -3 5 -4 4 -4 5 -4 4 -4 4 -4 4 -4 4 -5 4 -4 4 -4 4 -4 4 -5 4 -4 4 -4 4 -4 5 -4 4 -4 5 -4 4 -3 5 -3 5 -3 6 -2 5 -3 5 -2 6 -1 6 -2 5 -2 6 -1 5 -2 6 -2 6 -1 5 -2 6 -2 5 -4 4 -4 5 -3 5 -1 6 1 6 2 5 2 6 2 6 1 5 -1 6 -3 4 -3 4 -5 4 -4 3 -5 4 -4 4 -5 4 -4 4 -4 4 -5 4 -4 5 -3 4 -4 5 -4 5 -3 5 -2 5 -2 6 1 6 0 6 1 6 1 6 1 6 -1 6 -1 5 -3 2 -4 2 -6 1 -6 1 -6 1 -6 2 -5 4 -5 3 -4 3 -5 3 -11","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str5","@d":"M1321 367l3 5 3 5 2 5 3 5 4 5 3 5 4 4 4 4 5 4 4 4 5 3 5 4 5 3 5 3 5 3 5 2 5 2 6 2 6 1 6 1 5 1 6 0 6 0 6 -1 6 -1 5 -1 6 -3 5 -2 5 -3 4 -4 5 -3 5 -4 5 -3 5 -3 5 -2 6 -2 5 -2 5 -3 5 -4 3 -4 4 -5 3 -5 4 -5 4 -4 4 -3 6 -2 10 -2","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str5","@d":"M770 1225l-1 -5 -1 -6 -1 -6 0 -6 -1 -6 -1 -5 0 -6 -1 -6 -1 -6 0 -6 1 -5 2 -6 1 -6 2 -5 1 -6 0 -6 1 -6 1 -5 1 -6 0 -6 1 -6 0 -6 1 -5 0 -6 0 -6 -1 -6 0 -6 -1 -6 0 -5 -1 -6 0 -6 0 -6 0 -6 0 -6 1 -6 1 -5 2 -6 4 -4 4 -5 5 -3 5 -1 6 0 6 1 6 1 6 0 6 -1 6 0 6 -1 5 0 6 -1 6 -1 6 -1 5 -1 6 -1 6 -2 5 -1 6 -2 6 -1 5 -2 5 -2 6 -3 5 -3 5 -2 6 -2 5 -1 6 0 6 0 6 0 6 0 6 0 5 1 6 0 6 0 6 -1 6 0 6 0 5 -1 6 -1 6 0 6 -1 5 -1 6 -2 6 -1 5 -2 6 -2 5 -3 5 -3 4 -4 5 -4 4 -4 4 -4 3 -5 2 -6 3 -5 3 -5 4 -4 4 -4 4 -5 4 -3 5 -4 4 -4 5 -3 5 -3 5 -3 5 -3 6 -2 5 -2 6 -2 5 -1 6 -2 6 -2 4 -3 5 -3 4 -4 4 -5 4 -4 4 -4 4 -5 4 -4 3 -5 4 -4 5 -4 4 -4 4 -4 4 -4 4 -4 4 -5 3 -5 4 -4 3 -5 3 -5 3 -5 3 -5 3 -5 1 -6 2 -5 0 -6 1 -6 1 -6 1 -6 2 -5 1 -6 2 -6 1 -5 2 -6 1 -6 2 -5 2 -5 3 -6 2 -5 3 -5 3 -5 3 -5 4 -4 4 -5 4 -4 5 -4 4 -4 4 -4 5 -4 2 -5 3 -5 2 -5 1 -6 2 -6 0 -6 1 -6 -1 -5 -1 -6 -1 -10","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str5","@d":"M706 1099l1 -5 1 -6 -2 -6 -3 -5 -4 -4 -5 -4 -4 -3 -5 -3 -5 -4 -5 -3 -3 -5 -4 -5 -3 -5 -2 -5 -2 -5 0 -6 0 -6 -1 -6 -2 -5 -2 -6 -2 -5 -3 -5 -3 -6 -2 -5 -3 -5 -2 -5 -3 -6 -3 -5 -3 -5 -2 -5 -2 -6 -2 -5 -1 -6 -2 -6 -1 -5 -1 -6 -2 -6 -1 -5 -1 -6 -1 -6 -1 -6 -1 -5 0 -6 -1 -6 0 -6 0 -6 1 -5 0 -6 0 -6 1 -6 0 -6 1 -6 0 -5 0 -6 1 -6 0 -6 0 -6 0 -6 0 -5 0 -6 -1 -6 0 -6 -1 -6 -1 -5 -2 -6 -2 -5 -3 -5 -3 -5 -3 -5 -4 -5 -3 -5 -2 -5 -1 -6 -1 -6 -1 -6 0 -5 0 -6 -1 -6 -1 -6 -1 -6 -1 -5 -2 -6 -2 -5 -2 -6 -3 -5 -2 -5 -3 -6 -2 -5 -3 -5 -2 -5 -3 -6 -3 -5 -2 -5 -3 -5 -4 -5 -4 -4 -5 -2 -6 -2 -6 0 -6 -1 -6 1 -5 0 -6 1 -6 1 -6 1 -6 0 -5 0 -6 -1 -6 -2 -5 -2 -5 -3 -5 -3 -5 -3 -5 -3 -5 -4 -4 -3 -5 -4 -4 -4 -4 -5 -4 -4 -3 -5 -4 -4 -4 -4 -4 -5 -4 -4 -4 -4 -5 -4 -5 -2 -5 -2 -6 -2 -6 -1 -6 0 -6 -1 -5 1 -6 0 -6 1 -6 0 -6 -1 -5 0 -6 0 -6 0 -6 0 -6 -1 -6 0 -5 -1 -6 0 -6 -1 -6 0 -6 0 -5 1 -6 1 -6 2 -5 2 -6 1 -5 3 -5 3 -5 3 -6 2 -5 1 -6 0 -6 0 -6 0 -6 0 -6 1 -6 0 -5 -1 -6 0 -6 -2 -5 -1 -6 -2 -5 -2 -6 -2 -5 -3 -5 -3 -5 -4 -5 -3 -5 -2 -6 -2 -5 -2 -6 0 -6 2 -4 3 -4 5 -4 4 -5 3 -5 4 -3 5 -2 6 -2 5 -3 5 -4 3 -6 3 -5 2 -5 2 -6 3 -5 2 -5 3 -5 3 -5 2 -6 2 -6 2 -5 2 -5 2 -5 4 -3 5 -4 4 -4 5 -3 5 -3 5 -4 4 -4 4 -5 3 -6 2 -5 2 -6 1 -5 2 -5 4 -3 5 -4 4 -3 6 -2 5 -1 6 2 5 2 6 3 5 2 5 1 6 1 6 0 6 -1 5 -1 6 -2 6 -3 5 -4 4 -5 3 -5 3 -5 3 -5 3 -5 3 -5 3 -5 3 -6 1 -6 0 -6 -1 -6 0 -5 0 -6 0 -6 0 -6 1 -6 0 -5 1 -6 0 -6 2 -5 3 -6 1 -5 -2 -6 -2 -4 -4 -3 -5 -4 -5 -4 -4 -4 -5 -4 -5","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str5","@d":"M3405 5687l-5 2 -6 3 -5 2 -5 3 -4 5 -3 5 -3 5 -3 4 -4 6 -3 4 -4 4 -5 3 -6 2 -6 2 -5 1 -6 0 -6 1 -6 0 -6 -1 -5 0 -6 0 -6 0 -6 0 -6 -1 -6 1 -5 1 -6 2 -5 2 -6 2 -6 1 -5 0 -6 0 -6 -1 -6 -1 -6 -1 -5 -1 -6 -1 -6 0 -6 -1 -5 0 -6 1 -6 1 -6 1 -6 1 -5 0 -6 0 -6 1 -6 0 -6 -1 -5 0 -6 0 -6 0 -6 -1 -6 0 -6 -1 -5 0 -6 -1 -7 -1 -6 -1 -5 0 -6 1 -4 2 -4 5 -3 6 -2 5 0 6 0 6 0 6","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str5","@d":"M2442 6139l2 -6 2 -6 1 -5 1 -6 2 -6 2 -6 1 -6 1 -5 -1 -6 -2 -4 -5 -4 -5 -4 -5 -3 -6 -1 -6 -2 -5 -1 -6 -1 -6 -2 -5 -2 -6 -2 -6 -2 -6 -2 -5 -3 -4 -3 -2 -5 0 -6 0 -6 1 -6 -1 -6 -1 -6 -2 -6 -2 -5 -2 -6 -2 -5 -2 -6 -2 -5 -2 -6 -3 -4 -4 -5 -3 -4 -4 -5 -4 -4 -4 -4 -5 -4 -4 -4 -4 -4 -4 -5 -4 -4 -4 -4 -5 -4 -4 -4 -4 -4 -5 -4 -4 -3 -5 -3 -6 -3 -5 -1 -6 -1 -6 0 -6 0 -6 2 -5 2 -5 3 -5 3 -5 3 -5 2 -6 2 -6 1 -6 0 -5 0 -6 0 -6 -1 -6 0 -6 -1 -6 0 -5 -1 -6 -1 -6 -1 -6 -1 -5 -1 -6 -2 -6 -1 -5 -1 -6 -2 -6 -2 -5 -1 -6 -2 -5 -1 -6 -2 -6 -1 -5 -2 -6 -1 -6 -2 -5 -1 -6 -2 -6 -1 -5 -1 -6 -1 -6 -1 -6 0 -5 0 -6 -1 -6 0 -6 0 -6 -1 -6 0 -5 -1 -6 -1 -6 0 -6 -1 -6 0 -5 0 -6 0 -6 1 -6 1 -5 1 -6 2 -6 1 -5 2 -6 2 -5 2 -6 2 -5 2 -6 2 -5 3 -5 3 -5 2 -6 2 -5 1 -6 1 -6 1 -6 1 -5 1 -6 2 -6 1 -5 2 -6 1 -6 2 -5 0 -6 1 -6 0 -6 0 -6 1 -5 0 -6 1 -6 1 -6 1 -5 1 -6 1 -6 1 -6 1 -5 1 -6 1 -6 1 -6 1 -6 1 -5 1 -6 1 -5 2 -6 2 -5 3 -5 2 -6 2 -5 2 -6 2 -5 2 -6 2 -5 2 -6 2 -5 2 -6 2 -5 3 -5 3 -5 3 -4 4 -5 3 -5 3 -5 3 -5 3 -6 2 -5 2 -5 3 -6 2 -5 3 -5 2 -5 4 -5 3 -5 2 -6 2 -6 0 -6 -1 -5 0 -6 1 -6 2 -5 2 -6 3 -5 2 -5 3 -5 3 -2 5 -1 6 -2 6 -3 5 -5 3 -5 2 -6 2 -6 1 -5 1 -6 1 -6 1 -6 1 -5 2 -6 2 -5 3 -4 3 -4 5 -4 4 -3 5 -4 5 -4 4 -4 4 -4 4 -4 4 -5 4 -4 4 -4 4 -5 4 -5 2 -6 2 -5 1 -6 2 -6 1 -5 2 -4 4 -4 5 -5 4 -5 2 -5 1 -6 2 -6 1 -6 1 -6 1 -5 1 -6 0 -6 0 -6 0 -5 -1 -6 -1 -6 -1 -6 -1 -5 -2 -6 -1 -6 -1 -6 0 -5 1 -6 1 -6 0 -6 1 -6 0 -5 0 -6 0 -6 1 -6 1 -6 1 -5 1 -6 1 -6 0 -6 0 -6 -2 -4 -4 -3 -5 -2 -6 -4 -4 -5 -3 -5 -3 -5 -2 -6 -2 -5 -2 -6 -1 -6 -2 -6 -1 -5 0 -6 1 -6 1 -6 1 -6 2 -5 1 -6 2 -5 1 -6 2 -6 0 -6 1 -5 0 -6 0 -6 0 -6 0 -6 1 -6 0 -6 0 -5 0 -6 0 -6 0 -6 0 -6 0 -5 -1 -6 -1 -6 -1 -6 -1 -5 0 -6 -1 -6 0 -6 1","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str5","@d":"M-556 6840l-5 2 -5 3 -6 3 -5 2 -5 3 -5 4 -4 3 -4 5 -4 5 -2 5 -2 5 -1 6 0 6 -1 6 0 6 -1 5 -2 6 -2 5 -2 6 -2 5 -3 6 -3 5 -3 4 -4 5 -4 4 -5 3 -5 3 -6 2 -5 2 -6 1 -6 1 -5 1 -6 1 -6 1 -6 2 -5 1 -6 3 -5 2 -5 3 -5 3 -5 2 -5 3 -6 3 -5 3 -5 3 -5 3 -4 4 -3 5 -4 4 -4 5 -4 4 -4 4 -4 4 -5 4 -4 4 -4 4 -4 4 -4 4 -4 5 -4 4 -4 4 -4 5 -4 4 -3 5 -3 5 -2 5 -2 6 -2 5 -2 6 -2 5 -3 6 -3 5 -3 5 -3 4 -4 5 -4 4 -4 4 -5 4 -5 3 -5 3 -5 2 -6 2 -5 0 -6 1 -6 2 -6 2 -5 2 -5 3 -4 4 -3 5 -2 6 -1 5 2 6 2 6 0 5 0 6 -2 6 -2 5 -2 6 -3 5 -4 5 -4 4 -4 3 -6 3 -5 2 -6 2 -5 3 -5 3 -4 4 -4 4 -3 5 -4 4 -4 5 -5 8","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str5","@d":"M648 6287l0 6 0 6 0 6 1 6 2 5 1 6 2 6 2 5 3 5 1 6 0 5 -2 6 -3 5 -2 6 -4 5 -3 4 -4 5 -4 4 -3 5 -4 4 -4 5 -4 4 -5 3 -4 4 -5 3 -5 4 -4 4 -3 5 -2 5 -1 6 -4 5 -4 4 -4 4 -4 4 -5 4 -4 4 -3 4 -2 6 0 6 2 5 2 6 3 5 4 4 4 5 3 5 2 5 3 5 2 6 2 5 3 6 2 5 1 6 -1 5 -1 6 -1 6 -1 6 -1 5 -1 6 0 6 -1 6 -1 6 -1 5 -2 6 -1 6 -2 5 -2 6 -2 5 -2 6 -3 5 -3 5 -3 4 -4 5 -4 4 -5 4 -4 4 -5 3 -4 4 -5 4 -5 3 -5 3 -5 3 -4 3 -5 4 -4 4 -3 5 -4 4 -4 5 -3 5 -4 4 -3 5 -4 4 -3 5 -4 5 -3 5 -3 5 -3 5 -3 5 -3 5 -3 5 -3 4 -4 5 -4 4 -4 5 -3 4 -4 5 -3 5 -4 4 -4 5 -4 5 -3 4 -3 5 -3 5 -2 5 -2 6 -1 6 0 6 0 6 -1 5 0 6 0 6 0 6 1 6 0 6 0 5 1 6 0 6 1 6 0 6 1 5 0 6 1 6 0 6 1 6 0 6 1 5 0 6 -1 6 -1 6 -1 5 -1 6 -1 6 0 6 -1 5 0 6 -1 6 -1 6 -2 5 -1 6 -1 6 -1 5 -2 6 -1 6 -1 6 0 5 0 6 0 6 1 6 1 6 2 5 0 6 1 6 0 6 -1 6 0 6 -1 5 -2 6 -2 5 -3 5 -3 5 -4 5 -4 4 -4 5 -3 5 -2 5 -2 5 -2 6 -2 5 -2 6 -1 6 -2 5 -2 5 -3 6 -2 5 -4 5 -3 5 -3 4 -4 5 -4 4 -4 5 -3 4 -4 5 -3 5 -2 5 -5 10","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str5","@d":"M-2705 7287l-4 -5 -3 -5 -3 -5 0 -6 -1 -6 0 -6 1 -6 0 -5 -2 -6 -3 -5 -5 -2 -6 -1 -6 -1 -6 -1 -6 0 -5 -1 -6 0 -6 -1 -6 -1 -5 -2 -6 -2 -5 -2 -6 -2 -5 -2 -6 -1 -5 -2 -6 -1 -6 -1 -6 -1 -6 -1 -5 -1 -6 0 -6 2 -5 2 -5 2 -5 3 -5 4 -4 4 -4 4 -4 5 -4 4 -5 4 -4 4 -4 4 -5 3 -4 4 -5 3 -5 2 -6 3 -5 3 -4 4 -5 3 -6 1 -6 0 -6 -1 -4 -4 -2 -6 -5 -2 -6 0 -6 1 -5 3 -3 5 -2 6 -1 11","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str5","@d":"M-3947 3399l-5 -4 -4 -3 -2 -6 0 -6 0 -6 1 -5 2 -6 2 -6 3 -5 4 -3 6 -2 5 -1 6 -1 6 -1 5 -2 5 -3 5 -3 5 -4 5 -3 4 -3 5 -4 4 -4 4 -5 4 -4 3 -5 3 -5 3 -5 3 -5 3 -5 4 -4 4 -4 5 -4 5 -3 5 -3 5 -2 5 -3 5 -3 6 -3 5 -2 6 -1 5 -1 6 -1 6 0 6 0 6 -1 6 -1 5 -1 6 -1 6 -2 5 -1 6 -2 4 -4 5 -4 5 -2 6 0 6 1 6 0 6 1 5 -1 4 -3 4 -6 3 -4 3 -5 3 -6 1 -5 1 -6 3 -5 3 -5 5 -4 5 -3 5 -3 4 -3 5 -4 5 -4 4 -3 5 -4 5 -3 5 -3 5 -3 5 -3 5 -3 5 -3 4 -3 5 -4 5 -3 5 -2 6 -2 6 -1 5 0 6 -2 6 -1 6 -1 5 -2 6 -1 5 -2 6 -3 5 -3 4 -3 5 -4 4 -4 4 -5 3 -4 3 -5 4 -5 3 -4 4 -5 4 -4 5 -4 4 -4 5 -3 5 -4 4 -3 4 -4 4 -5 2 -5 2 -6 3 -5 3 -5 3 -5 4 -4","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str5","@d":"M-4270 3123l5 2 6 2 5 1 6 2 6 2 5 0 6 -1 6 -2 5 -2 6 -2 5 -2 5 -3 4 -4 5 -4 5 -2 6 -2 5 -2 6 -1 6 -2 5 -1 6 -2 5 -2 6 -1 6 -2 5 -2 6 -2 5 -1 6 -2 5 -2 6 -2 5 -2 6 -2 5 -1 6 -2 6 -1 6 -1 5 -1 6 0 6 -1 6 1 6 1 5 2 5 4 3 5 3 5 4 4 5 4 5 3 5 2 5 -2 5 -4 5 -4 4 -4 5 -3 4 -4 5 -4 4 -4 5 -3 4 -4 4 -4 5 -4 4 -4 4 -5 3 -4 3 -5 3 -6 2 -5 2 -6 3 -5 3 -5 3 -4 5 -4 4 -4 5 -3 6 -3 5 -3 5 -2 6 -1 6 -1 5 0 6 0 6 0 6 1 6 0 6 0 6 -1 5 -1 5 -3 4 -4 5 -4 4 -4 5 -3 5 -3 6 -3 5 -2 5 -2 5 -3 6 -2 5 -2 6 -2 5 -3 6 -2 5 -2 5 -4 4 -3 4 -5 3 -4 4 -5 4 -4 4 -4 5 -4 4 -4 4 -4 5 -4 5 -3 4 -4 5 -2 6 -3 5 -1 6 -2 6 0 6 -1 6 -1 5 -2 5 -3 5 -3 5 -3 5 -2 6 -3 5 -2 5 -3 5 -2 6 -2 5 -2 6 -2 5 -1 6 -1 6 -1 6 -1 5 -2 6 -2 5 -2 5 -3 6 -3 5 -2 5 -3 5 -3 5 -3 5 -3 5 -3 5 -3 5 -3 5 -3 5 -4 4 -3 5 -3 5 -4 4 -3 5 -3 5 -3 6 -3 5 -3 5 -2 6 -1 6 0 6 0 6 0 6 1 6 1 5 1 5 3 4 4 3 5","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str5","@d":"M-3997 3618l-1 -6 0 -6 -1 -6 -1 -5 -2 -6 -1 -5 1 -6 4 -5 4 -4 5 -4","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str5","@d":"M-2994 3305l6 -3 4 -3 5 -5 5 -2 6 -1 5 0 6 -1 6 0 6 2 4 3 5 4 5 4 5 3 5 1 6 1 6 1 6 1 5 2 6 1 5 3 6 2 5 1 6 -1 5 -3 6 -1 6 0 6 0 5 -1 5 -4 1 -5 -3 -6 -3 -5 -3 -5 -4 -4 -2 -6 -1 -5 -1 -6 0 -6 0 -6 -1 -6 1 -6 3 -4 5 -4 4 -4 4 -4 5 -4 4 -4 4 -5 4 -4 3 -4 4 -5 4 -4 4 -5 3 -5 3 -5 3 -5 4 -4 4 -3 5 -4 5 -3 5 -3 5 -3 5 -4 4 -4 4 -4 3 -5 2 -6 2 -9","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str5","@d":"M-3280 3507l4 3 4 4 4 5 3 5 3 5 3 5 2 5 2 6 1 5 2 6 2 6 2 5 2 6 2 5 2 5 3 6 2 5 3 5 4 5 3 4 4 5 4 4 4 4 4 4 5 4 4 4 4 4 5 4 5 3 4 4 5 3 5 3 5 3 5 3 5 3 5 3 6 2 5 3 5 2 6 2 6 1 5 0 6 -1 5 -3 6 -2 5 -2 6 -2 6 -2 5 0 6 1 6 2 4 4 4 4 4 4 4 5 4 4 2 6 4 5 4 3 5 3 5 2 6 2 6 1 5 2 6 1 6 0 6 1 5 1 6 0 6 1 6 0 6 0 6 1 5 0 6 0 6 1 6 1 5 2 6 1 6 2 5 1 6 2 6 1 5 2 6 1 5 2 6 2 5 2 6 1 6 2 5 2 6 1 5 2 6 2 6 1 5 2","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str5","@d":"M-2668 3397l-6 0 -6 1 -6 3","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str5","@d":"M-1483 3350l-4 4 -6 3 -5 2 -5 3 -5 4 -4 3 -5 3 -5 4 -5 3 -4 4 -5 3 -5 2 -6 1 -6 -1 -6 0 -6 0 -6 0 -5 0 -6 0 -6 0 -6 0 -6 0 -6 0 -5 -1 -6 -2 -5 -2 -6 -2 -5 -2 -6 -1 -6 -1 -6 0 -6 1 -5 1 -6 2 -5 2 -5 3 -6 3 -4 3 -5 3 -6 3 -5 2 -5 3 -4 4 -4 5 -3 5 -3 4 -4 5 -5 4 -5 1 -6 -1 -6 -2 -4 -4 -4 -4 -4 -4 -6 -2 -5 -2 -6 -1 -6 -2 -5 -1 -6 -2 -6 -1 -5 -2 -5 -3 -4 -4 -4 -5 -4 -4 -4 -4 -4 -4 -5 -4 -4 -4 -5 -3 -5 -3 -6 -2 -5 -3 -5 -2 -6 -3 -5 -2 -5 -2 -6 -3 -5 -2 -5 -2 -5 -3 -6 -3 -5 -3 -5 -2 -5 -3 -5 -3 -5 -2 -6 -3 -5 -2 -6 -2 -5 -1 -6 -1 -6 -1 -6 0 -5 -1 -6 0 -6 -1 -6 0 -6 0 -5 1 -6 2 -6 2 -5 3 -4 3 -5 4 -4 4 -4 5 -4 4 -4 4 -4 4 -5 4 -4 4 -4 4 -4 4 -4 4 -3 5 -3 5 -3 5 -3 5 -3 5 -2 6 -3 5 -3 5 -2 5 -3 5 -3 6 -3 5 -3 5 -3 5 -4 4 -4 4 -5 3 -5 2 -6 1 -6 0 -6 0 -6 0 -6 -1 -5 -1 -6 -1 -6 -2 -5 -2 -6 -1 -5 -2 -6 -1 -6 0","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str5","@d":"M-2299 3456l-4 -5 -8 -5","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str5","@d":"M-2208 3444l-6 0 -6 0 -6 1 -5 1 -6 2 -5 3 -5 3 -4 4 -3 5 -4 5 -4 3 -6 0 -5 1 -6 -2 -6 -2 -5 -2 -4 -4 -5 -6","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str5","@d":"M-856 2935l-6 2 -6 1 -5 1 -4 5 -3 5 -4 4 -3 5 -3 5 -2 5 -2 6 -2 5 -2 6 -2 5 -2 6 -3 5 -3 5 -3 5 -3 5 -4 4 -4 4 -5 4 -4 4 -5 3 -5 3 -5 3 -5 3 -3 5 -1 6 -1 6 -3 5 -4 4 -4 5 -4 4 -4 4 -4 4 -3 5 -3 5 -3 5 -3 5 -2 6 -2 5 -2 5 -3 6 -3 5 -3 5 -3 5 -3 5 -3 4 -4 5 -4 4 -4 4 -5 4 -7 5","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str5","@d":"M-1039 3175l-4 4 -5 3 -5 3 -5 4 -5 3 -4 3 -5 4 -5 3 -4 4 -5 3 -5 4 -4 4 -5 3 -4 4 -5 3 -5 4 -4 3 -5 3 -5 3 -5 3 -6 3 -5 2 -5 3 -5 3 -10 4","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str5","@d":"M-1278 3261l-6 0 -5 0 -6 0 -6 -1 -6 0 -6 0 -6 -1 -5 0 -6 0 -6 0 -6 0 -7 1","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str5","@d":"M-1349 3260l-6 0 -5 3 -5 3 -4 4 -5 3 -4 4 -5 4 -4 4 -5 3 -4 4 -4 5 -4 4 -1 6 -2 6 -4 2 -6 0 -6 1 -6 1 -5 2 -5 3 -6 2 -5 3 -5 2 -5 3 -5 3 -5 3 -4 4 -5 4 -4 4","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str5","@d":"M-2391 4081l-6 0 -6 0 -6 0 -5 -1 -6 -2 -5 -2 -6 -2 -5 -3 -4 -4 -5 -4 -3 -4 -3 -5 -4 -5 -4 -4 -4 -4 -5 -3 -5 -3 -5 -3 -5 -3 -6 -2 -5 -2 -6 -1 -6 -1 -6 1 -6 0 -6 1 -6 0 -5 -1 -5 -2 -5 -3 -5 -3 -5 -4 -5 -3 -5 -4 -6 -5","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str5","@d":"M-1958 3866l-4 -3 -5 -3 -6 -2 -5 -3 -5 -2 -6 -2 -5 -3 -5 -3 -5 -3 -5 -3 -8 -6","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str5","@d":"M-904 3767l-6 1 -5 1 -6 1 -6 1 -6 1 -5 0 -6 0 -6 0 -6 -1 -6 0 -6 0 -5 0 -6 -1 -6 0 -6 0 -6 0 -6 -1 -6 0 -5 0 -6 1 -6 0 -5 3 -5 3 -5 3 -6 2 -5 3 -5 3 -5 2 -6 2 -5 2 -6 2 -6 0 -5 1 -6 0 -6 0 -6 1 -6 0 -6 0 -5 1 -6 0 -6 0 -6 0 -6 0 -6 1 -5 0 -6 0 -6 1 -6 0 -6 1 -5 1 -6 2 -5 2 -6 3 -5 3 -4 4 -3 5 -2 5 -2 6 -3 5 -3 4 -5 5 -4 3 -5 4 -5 3 -5 3 -6 2 -5 2 -6 2 -5 1 -6 1 -6 2 -5 1 -6 2 -6 1 -5 2 -6 1 -5 2 -6 3 -5 2 -5 2 -5 3 -5 3 -5 3 -5 4 -5 3 -5 3 -5 3 -5 4 -4 3 -5 4 -4 4 -4 4 -4 4 -5 3 -5 3 -5 3 -5 3 -5 3 -5 3 -6 2 -5 3 -5 3 -5 3 -5 3 -4 4 -5 3 -5 4 -5 2 -5 3 -6 2 -5 1 -6 1 -6 1 -6 0 -6 1 -6 -2 -5 -1 -6 -2 -6 0 -6 0 -6 1 -5 2 -5 2 -5 4 -4 4 -4 4 -4 5 -4 4 -3 5 -1 6 1 6 3 5 3 5 2 5 3 6 2 5 1 6 1 6 1 6 0 6 0 6 -1 5 -3 5 -5 3 -6 3 -5 3 -5 3 -6 2 -5 1 -5 0 -6 -3 -5 -3 -5 -3 -5 -3 -5 -4 -5 -3 -5 -1 -6 -1 -6 -1 -6 -1 -6 -1 -5 -2 -5 -3 -4 -4 -5 -4 -4 -4 -6 -2 -5 -2 -5 -3 -5 -4 -5 -3 -4 -4 -5 -3 -5 -3 -5 -2 -6 0 -6 1 -6 0 -6 0 -6 0 -6 1 -6 0 -5 0 -6 -1 -6 -1 -5 -2 -6 -2 -5 -3 -5 -3 -5 -3 -5 -3 -4 -4 -5 -3 -4 -4 -4 -5 -3 -5 -3 -5 -4 -4 -5 -3 -5 -3 -6 -2 -5 -2 -6 -2 -5 -3 -4 -3 -5 -4 -5 -3 -4 -4 -5 -4 -4 -4 -4 -4 -4 -4 -4 -4 -3 -5 -3 -6 -2 -5 0 -6 1 -6 1 -6 -1 -5 -2 -6 -1 -6 -3 -5 -3 -5 -5 -3 -5 -4 -5 -3 -6 -4","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str5","@d":"M-847 3785l-6 0 -5 -2 -5 -3 -5 -4 -5 -4 -4 -3 -5 -3 -6 -1 -6 1 -7 1","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str5","@d":"M-721 3304l-1 6 -1 6 0 6 -1 6 0 6 0 5 -1 6 -2 6 -3 5 -4 4 -5 3 -6 1 -5 2 -5 4 -3 5 -2 6 -2 5 -1 6 0 6 0 6 1 6 0 5 -2 6 -4 5 -3 4 -3 5 -3 5 -3 5 -2 6 -3 5 -2 6 -1 5 0 6 0 6 1 6 0 6 1 5 1 6 2 6 1 5 2 6 2 5 2 6 3 5 3 5 4 4 3 5 3 5 4 5 3 5 2 5 1 6 1 6 0 5 0 6 -1 6 -2 5 -2 6 -3 5 -1 6 -1 6 -1 6 0 5 0 6 1 6 1 6 1 5 2 6 0 6 1 6 0 6 0 5 1 6 0 6 1 6 0 6 1 6 0 5 0 6 0 6 0 6 -1 6 -1 5 -3 6 -3 5 -4 5 -4 3 -5 2 -6 1 -6 2 -6 1 -7 1","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str5","@d":"M-45 3270l-1 -5 -2 -6 -1 -6 -1 -5 0 -6 0 -6 1 -6 0 -6 1 -5 1 -6 1 -6 1 -6 1 -5 2 -6 1 -6 2 -5 1 -6 2 -6 2 -5 3 -7","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str5","@d":"M10 3325l-4 -4 -5 -4 -4 -4 -4 -4 -4 -4 -4 -4 -5 -4 -4 -4 -4 -4 -5 -4 -4 -4 -4 -4 -4 -7","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str5","@d":"M512 3668l-5 -1 -6 -1 -6 -1 -5 -2 -6 -1 -6 -2 -5 -2 -4 -4 -5 -4 -4 -4 -4 -4 -4 -5 -4 -4 -5 -3 -4 -4 -5 -4 -4 -3 -5 -3 -5 -4 -5 -3 -5 -3 -5 -4 -4 -3 -5 -3 -5 -3 -5 -3 -5 -3 -5 -3 -5 -3 -6 -2 -5 -3 -5 -3 -5 -3 -5 -3 -5 -3 -4 -4 -5 -4 -4 -3 -6 -1 -6 0 -6 1 -6 0 -6 0 -5 -1 -6 0 -6 1 -6 1 -5 1 -6 1 -6 1 -6 1 -6 1 -5 1 -6 1 -6 0 -6 -1 -5 -1 -6 -2 -5 -3 -5 -4 -4 -4 -3 -5 -2 -5 -2 -6 -2 -5 -1 -6 -2 -6 -1 -6 -1 -5 -2 -6 -2 -5 -2 -6 -3 -4 -4 -5 -4 -5 -4 -4 -4 -3 -6 -1 -6 -1 -6 0 -6 0 -6 0 -5 1 -6 1 -6 1 -6 0 -6 1 -5 0 -7 0 -5 -2 -4 -3 -4 -5 -3 -5 -4 -5 -3 -4 -3 -6 -3 -5 -4 -4 -4 -5 -4 -4 -4 -4 -3 -5 -3 -5 0 -5 1 -6 1 -6 -1 -6 -1 -6 -1 -6 -2 -5 -1 -6 -2 -6 -2 -5 -3 -5 -3 -5 -4 -4 -8 -8","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str5","@d":"M-477 3749l-1 -6 0 -6 -1 -5 0 -6 0 -6 0 -6 0 -6 0 -6 1 -5 0 -6 1 -6 1 -6 1 -5 2 -6 3 -5 2 -6 2 -5 1 -6 1 -6 -1 -6 -1 -5 -1 -6 -3 -5 -3 -5 -3 -5 -5 -6","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str5","@d":"M39 3854l-6 -2 -6 -1 -6 -1 -5 0 -6 0 -6 -1 -6 0 -6 0 -5 1 -6 0 -6 0 -6 0 -6 0 -6 0 -5 1 -6 0 -6 1 -6 0 -6 1 -6 0 -5 1 -6 1 -6 2 -5 1 -6 2 -6 1 -5 2 -6 2 -5 3 -5 3 -5 3 -4 4 -5 3 -6 2 -5 2 -6 1 -6 2 -5 1 -6 1 -6 1 -5 2 -6 1 -6 1 -6 1 -5 1 -6 0 -6 0 -6 0 -6 0 -6 0 -5 0 -6 0 -6 0 -6 0 -6 0 -6 0 -5 0 -6 -1 -6 0 -6 -2 -5 -1 -6 -1 -6 -2 -5 -1 -6 -1 -6 -2 -5 -1 -6 -1 -6 -1 -6 0 -6 0 -6 1 -5 0 -6 0 -6 0 -6 -2 -5 -1 -6 -2 -5 -3 -5 -3 -5 -3 -4 -4 -4 -4 -4 -5 -4 -4 -3 -5 -4 -5 -3 -4 -3 -5 -3 -5 -4 -10","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str5","@d":"M577 3867l-5 -3 -5 -3 -5 -3 -5 -3 -5 -3 -5 -3 -5 -3 -5 -4 -5 -3 -5 -3 -5 -2 -5 -3 -6 -1 -6 1 -6 0 -6 2 -5 1 -6 3 -5 3 -4 3 -5 4 -4 4 -4 4 -4 5 -3 4 -4 5 -3 5 -4 4 -3 5 -4 5 -4 4 -3 5 -3 5 -4 4 -2 6 -2 6 -3 5 -3 4 -5 3 -5 2 -6 2 -6 0 -6 0 -6 -1 -5 -3 -4 -4 -3 -5 -3 -5 -2 -6 -2 -5 -1 -6 -1 -6 -2 -5 -4 -5 -3 -4 -4 -5 -4 -4 -4 -5 -4 -4 -4 -4 -4 -4 -5 -4 -4 -3 -5 -4 -4 -4 -4 -4 -4 -5 -3 -4 -4 -5 -4 -4 -4 -4 -4 -4 -5 -4 -5 -3 -5 -3 -6 -2 -5 -2 -6 -2 -5 -2 -6 -1 -6 -1 -5 -2 -6 0 -6 -1 -6 0 -5 1 -6 1 -6 2 -5 1 -6 2 -5 3 -5 2 -6 3 -5 2 -6 2 -5 1 -6 1 -6 1 -6 1 -5 1 -6 1 -6 2 -5 2 -4 5 -2 5 -3 5 -3 5 -4 5 -4 4 -5 3 -5 3 -5 3 -6 1 -5 0 -6 1 -6 0 -9 0","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str5","@d":"M-353 3088l-3 5 -3 5 -4 4 -3 5 -4 5 -4 4 -3 4 -5 5 -4 4 -5 3 -5 1 -6 0 -6 -1 -5 -2 -5 -3 -5 -3 -5 -4 -4 -4 -4 -4 -5 -4 -5 -3 -5 -1 -6 -1 -6 0 -6 0 -6 0 -6 0 -5 1 -6 2 -5 2 -5 3 -5 4 -4 4 -4 5 -3 5 -2 5 -2 6 -1 5 -2 6 -1 6 -1 6 0 5 -1 6 0 6 -1 6 -1 6 -2 5 -2 6 -2 5 -3 5 -3 5 -4 4 -5 3 -5 4 -3 4 -4 5 -3 5 -4 5 -3 5 -3 5 -2 5 -2 5 -2 6 -2 6 -2 5 -1 6 -1 5 -1 6 0 6 0 6 0 6 0 6 0 5 0 6 -1 6 -2 6 -2 5 -4 5 -4 4 -3 5 -2 5 -2 6 -1 6 -1 5 1 6 1 6 1 6 2 5 1 6 1 6 1 6 0 5 0 6 0 6 0 6 -1 7","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str5","@d":"M-31 3155l2 -5 3 -6 3 -5 3 -5 3 -4 3 -5 3 -5 4 -5 3 -5 3 -5 4 -4 3 -5 4 -4 4 -4 4 -4 4 -5 4 -4 3 -5 3 -5 3 -5 3 -5 3 -6 2 -5 2 -5 1 -6 1 -6 -1 -6 -4 -3 -5 -3 -6 -2 -5 -2 -6 -1 -6 -1 -6 -1 -5 -1 -6 -2 -6 -1 -5 -2 -6 -1 -6 -2 -5 -1 -6 -2 -5 -2 -6 -3 -4 -3 -5 -3 -5 -4 -4 -4 -5 -3 -6 -2 -5 -2 -6 -1 -5 -2 -6 -1 -6 -2 -5 -1 -6 -1 -6 -1 -6 1 -5 2 -6 2 -5 3 -5 3 -6 1 -5 0","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str5","@d":"M-797 3779l-6 1 -5 2 -6 1 -6 1 -5 1 -6 0 -6 0 -10 0","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str5","@d":"M-457 3819l-2 -6 -2 -5 -2 -5 -2 -6 -1 -5 -2 -6 -2 -6 -1 -5 -1 -6 -1 -6 -2 -5 -2 -9","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str5","@d":"M-272 4462l-6 -1 -6 -1 -6 0 -5 0 -6 0 -6 -1 -5 -2 -6 -2 -5 -2 -6 -1 -6 -2 -5 -2 -6 -1 -6 0 -6 0 -6 0 -5 0 -6 1 -6 2 -5 1 -6 0 -5 -3 -6 -2 -5 -2 -6 -2 -5 -1 -6 -1 -6 -1 -6 -1 -6 0 -5 -1 -6 0 -6 0 -6 0 -6 0 -6 1 -5 0 -6 0 -6 1 -6 1 -6 1 -5 1 -6 1 -5 2 -6 2 -5 3 -6 2 -5 3 -5 3 -5 3 -4 4 -5 3 -4 4 -5 3 -5 4 -5 3 -4 3 -5 4 -5 3 -5 4 -5 3 -4 3 -5 3 -6 2 -6 1 -6 0 -5 2 -5 3 -4 4 -4 4 -4 5 -3 5 -4 9","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str5","@d":"M380 4634l-4 3 -5 4 -5 3 -5 3 -5 2 -6 2 -6 2 -5 1 -6 2 -6 1 -5 1 -6 1 -6 1 -6 1 -5 0 -6 0 -6 0 -6 -2 -5 -1 -6 -1 -6 0 -6 0 -6 0 -5 0 -6 0 -6 0 -6 0 -6 1 -6 0 -5 1 -6 0 -6 1 -6 2 -5 1 -6 2 -5 2 -6 3 -5 2 -5 4","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str5","@d":"M162 4676l-5 3 -4 5 -4 4 -4 4 -4 4 -5 4 -5 3 -4 4 -5 3 -4 4 -4 4 -5 4 -5 3 -4 4 -5 3 -5 3 -5 3 -5 3 -6 2 -5 0 -6 0 -6 -1 -6 -1 -5 -3 -3 -5 -2 -6 -1 -6 -1 -6 0 -5 0 -6 -1 -6 0 -6 -2 -6 -1 -5 -1 -6 -1 -6 -2 -5 -1 -6 -2 -6 -1 -5 -2 -6 -1 -5 -2 -6 -2 -5 -3 -6 -2 -5 -2 -6 -4 -5 -3 -4 -4 -4 -4 -4 -5 -4 -4 -4 -5 -3 -5 -4 -5 -3 -5 -3 -5 -3 -5 -2 -6 -2 -5 -2 -6 -2 -5 -2 -6 -1 -6 -1 -5 -1 -6 -1 -6 0 -6 -1 -6 0 -6 -1 -5 0 -6 0 -6 -1 -6 0 -6 0 -5 -1 -6 -1 -6 0 -6 -1 -6 -1 -5 0 -6 -1 -6 0 -6 0 -6 0 -6 0 -5 -1 -6 0 -6 -1 -6 -1 -6 -2 -5 -2 -4 -3 -2 -6 0 -6 0 -6 1 -6 2 -5 2 -6 2 -5 1 -6 1 -6 0 -6 -2 -5 -5 -4 -5 -3 -6 -1 -5 -1 -6 -1 -9 0","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str5","@d":"M-1708 4748l5 -1 6 -1 6 -2 5 -2 5 -3 5 -4 4 -4 3 -5 3 -5 4 -4 5 -3 6 -2 6 0 6 0 5 2 6 2 5 2 6 2 5 1 6 2 6 1 5 1 6 2 6 1 5 2 6 2 5 2 5 3 6 2 5 2 6 1 6 0 6 0 6 1 5 0 6 0 6 -2 5 -2 4 -4 3 -6 3 -4 6 -1 6 1 5 1 6 2 5 2 6 3 5 2 5 3 4 4 3 5 3 5 3 5 5 3 5 3 5 3 5 3 6 3 5 2 5 3 5 2 6 2 5 3 6 2 5 2 6 2 5 1 6 1 6 0 6 -1 6 0 5 -2 6 -1 6 -1 5 -1 6 -1 6 -1 6 1 5 1 6 1 6 1 6 1 5 1 6 2 6 2 5 2 5 2 6 2 5 2 6 3 5 2 5 3 6 1 5 1 6 0 6 -1 6 -1 6 -1 5 -2 6 -1 6 -2 5 -1 6 -2 5 -2 6 -1 6 -2 5 -1 6 -1 6 0 6 0 6 1 5 -2 5 -3 5 -3 5 -3 5 -4 4 -4 5 -4 4 -4 3 -5 3 -5 2 -5 2 -6 2 -5 3 -5 2 -6 4 -4 4 -5 4 -3 6 -2 5 -2 6 -2 5 -2 5 -3 4 -4 5 -4 5 -3 5 -3 5 -3 4 -4 4 -4 4 -5 3 -4 4 -5 3 -5 3 -5 3 -5 3 -5 3 -5 3 -5 3 -5 3 -5 4 -4 5 -4 4 -4 5 -2 6 -2 6 -2 5 -1 6 0 6 0 6 1 6 1 5 0 6 1 6 2 6 1 5 2 8 3","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str5","@d":"M1576 1466l-6 2 -5 1 -6 1 -6 1 -6 1 -5 1 -6 2 -6 1 -5 1 -6 0 -6 0 -6 0 -6 0 -5 0 -6 0 -6 0 -6 0 -6 0 -6 0 -5 0 -6 0 -6 0 -6 1 -6 0 -6 1 -5 1 -6 1 -6 1 -6 0 -5 2 -6 1 -6 2 -5 2 -6 2 -5 2 -6 2 -5 3 -4 3 -4 5 -4 4 -3 5 -3 5 -4 5 -3 5 -3 5 -2 5 -1 6 -1 6 -1 6 0 5 0 6 1 6 -1 6 -2 5 -3 6 -2 5 -2 5 -2 6 -2 6 -1 5 -2 6 -2 5 -1 6 -2 6 -1 5 0 6 0 6 0 6 0 6 1 5 0 6 1 6 1 6 1 6 1 5 0 6 -1 6 0 6 -2 5 -1 6 -3 5 -3 5 -3 5 -4 5 -4 4 -4 4 -5 3 -5 4 -4 3 -5 3 -5 3 -5 4 -5 3 -5 3 -5 3 -4 4 -5 3 -5 4 -4 4 -3 4 -5 4 -5 4 -5 3 -5 3 -5 3 -5 2 -6 1 -6 1 -5 -1 -6 -1 -6 -2 -5 -1 -6 -1 -6 0 -6 -1 -6 -1 -6 1 -6 0 -5 3 -3 3 -4 6 -3 5 -3 5 -4 4 -4 5 -4 4 -4 4 -4 5 -3 5 -2 5 -3 5 -2 6 -2 5 -2 5 -2 6 -2 6 -1 5 -1 6 -2 6 -2 5 -2 5 -3 6 -2 5 -3 5 -2 5 -3 6 -3 5 -3 4 -4 5 -3 5 -4 5 -3 4 -4 4 -4 5 -4 4 -4 5 -4 4 -4 4 -4 5 -3 4 -4 4 -4 5 -4 4 -4 4 -4 4 -5 4 -4 5 -4 4 -4 4 -4 4 -4 4 -4 4 -4 4 -5 4 -4 4 -4 4 -4 4 -4 5 -4 4 -5 4 -4 4 -3 4 -4 5 -4 4 -3 5 -3 5 -4 5 -4 4 -3 5 -4 4 -4 4 -4 5 -4 4 -4 4 -4 5 -4 4 -4 4 -4 4 -5 4 -4 3 -5 4 -8 7","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str5","@d":"M812 2230l-2 5 -1 6 -2 11","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str5","@d":"M823 2208l-6 6","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str5","@d":"M817 2214l-5 16","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str5","@d":"M-1461 1230l-6 -2 -6 -1 -6 -1 -5 0 -6 0 -6 0 -6 2 -5 1 -5 3 -5 4 -4 4 -4 4 -5 4 -4 4 -5 4 -5 2 -6 1 -6 0 -6 -2 -5 -2 -3 -5 -3 -5 -3 -6 -2 -5 -1 -6 -1 -5 -2 -6 -1 -6 -1 -6 -1 -5 -1 -6 -1 -6 -1 -6 -1 -5 0 -6 0 -6 0 -6 0 -6 1 -6 0 -5 1 -12","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str5","@d":"M-1084 1281l-6 1 -6 1 -6 -1 -5 -1 -6 -2 -5 -2 -6 -3 -5 -2 -6 -2 -5 -2 -6 -2 -5 0 -4 5 -4 3 -6 1 -6 -1 -6 -1 -6 -1 -5 0 -6 -1 -6 -1 -6 -2 -5 -3 -4 -5 -5 -4 -4 -1 -5 2 -5 4 -5 4 -4 5 -4 5 -4 1 -6 0 -6 -1 -6 -1 -6 -1 -6 0 -6 -2 -5 -1 -5 -3 -5 -3 -5 -4 -4 -4 -4 -4 -5 -4 -4 -4 -4 -4 -4 -5 -4 -4 -4 -5 -3 -4 -3 -5 -1 -6 1 -6 1 -6 -2 -6 -3 -5 -4 -3 -6 -2 -5 -2 -6 -1 -6 -1 -6 0 -6 0 -5 2 -6 3 -6 1 -6 1 -4 4 -3 5 -2 6 -1 5 1 6 1 6 -3 5 -4 4 -5 4 -6 2 -5 0 -6 0 -6 -1 -6 -2","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str5","@d":"M-856 1458l-6 -2 -4 -4 -5 -3 -5 -3 -6 -1 -5 -1 -5 -3 -5 -4 -5 -3 -4 -4 -8 -6","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str5","@d":"M-941 1370l-1 -6 -3 -5 -2 -5 -3 -5 -3 -5 -4 -4 -4 -4 -5 -4 -4 -4 -6 -1 -5 -2 -6 -2 -6 -1 -5 -2 -6 -2 -5 -2 -5 -3 -4 -4 -5 -4 -4 -4 -4 -4 -4 -5 -4 -4 -4 -5 -4 -3 -5 -2 -6 0 -6 0 -6 0 -6 2 -8 1","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str5","@d":"M-914 1424l-3 -4 -4 -5 -3 -5 -3 -5 -3 -5 -3 -5 -3 -5 -2 -5 -1 -6 -2 -9","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str5","@d":"M-734 1478l-6 -2 -5 -2 -6 -2 -5 -1 -6 1 -6 1 -5 1 -6 1 -6 2 -5 3 -5 1 -6 0 -6 0 -6 0 -6 -1 -5 -1 -4 -4 -4 -5 -4 -4 -4 -3 -6 -2 -10 -3","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str5","@d":"M-2142 1626l-4 4 -5 4 -4 3 -5 3 -5 4 -5 3 -5 3 -5 3 -5 3 -5 2 -5 3 -5 3 -5 3 -5 3 -5 3 -5 3 -5 4 -5 3 -5 3 -5 3 -4 4 -5 3 -5 4 -4 3 -5 4 -4 4 -5 4 -4 3 -5 3 -5 3 -6 3 -5 3 -5 3","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str5","@d":"M-2302 1733l-5 2 -5 3 -5 3 -5 4 -4 4 -4 4 -4 4 -4 4 -4 4 -4 4 -5 5 -4 4 -4 4 -4 4 -5 4","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str5","@d":"M-2368 1790l-5 4 -4 4 -4 4 -5 4 -5 3 -4 3 -5 3 -6 3 -5 3 -5 3 -5 3 -5 3 -5 3 -5 3 -5 2 -5 3 -6 2 -6 1 -5 2 -5 3 -4 4 -3 5 -4 5 -3 5 -3 5 -4 5 -3 4 -3 5 -3 5 -2 6 -2 6 -2 5 -2 5 -4 5 -4 4 -4 4 -4 4 -3 5 -3 5 -4 8","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str5","@d":"M-1248 2119l-5 -3 -5 -3 -5 -2 -5 -3 -6 -2 -5 -2 -6 -1 -5 -1 -6 -1 -6 -1 -6 -2 -5 -1 -6 -1 -6 -1 -5 -2 -6 -1 -6 -1 -5 -2 -6 -1 -6 -2 -5 -1 -6 -2 -5 -2 -6 -2 -5 -2 -6 -2 -6 -1 -5 0 -6 1 -6 1 -6 0 -6 0 -5 -1 -6 -2 -5 -2 -6 -2 -6 -2 -5 -2 -5 -2 -6 -3 -5 -2 -6 -1 -5 -1 -6 0 -6 0 -6 1 -6 2 -5 2 -4 4 -4 5 -2 5 -3 5 -3 6 -3 4 -4 5 -3 5 -4 4 -4 5 -3 4 -5 5","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str5","@d":"M-2635 2170l-1 5 -2 6 -2 6 -2 5 -4 4 -5 2 -6 2 -6 1 -6 0 -5 3 -7 5","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str5","@d":"M-2286 2213l-3 -5 -3 -6 -3 -5 -5 -2 -5 -2 -6 0 -6 -1 -6 0 -6 -1 -6 0 -6 -1 -5 0 -6 1 -6 0 -6 1 -6 0 -6 0 -6 0 -5 -1 -5 -4 -4 -4 -4 -4 -6 -1 -5 3 -5 3 -5 4 -4 3 -6 2 -6 1 -6 -1 -5 -2 -5 -3 -6 -1 -6 -1 -6 0 -5 1 -6 1 -6 1 -5 2 -6 1 -6 1 -5 2 -6 1 -6 1 -6 1 -5 1 -6 1 -6 1 -6 1 -5 -1 -3 -6 -4 -4 -5 -3 -6 -1 -5 3 -4 4 -4 4 -3 5 -2 6 0 6 -2 6 -2 5 -3 5 -5 4 -5 1 -6 -1 -6 -2 -5 -2 -6 -2 -5 -2 -5 -2 -6 -3 -5 -2 -5 -3 -6 -2 -5 -2 -6 -2 -6 -2","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str5","@d":"M-1558 2118l-5 3 -6 3 -5 1 -6 -1 -6 0 -6 -1 -5 -1 -6 -2 -6 -1 -5 -2 -6 -3 -5 -3 -5 -3 -5 -2 -5 0 -6 3 -5 2 -6 0 -6 -1 -6 0 -6 -1 -5 0 -6 0 -6 0 -6 0 -6 -1 -5 -1 -6 -1 -6 -1 -6 0 -6 0 -5 0 -6 1 -6 1 -5 2 -6 2 -5 3 -6 2 -5 3 -5 3 -5 2 -6 1 -6 0 -6 0 -5 -1 -6 0 -6 0 -6 0 -6 0 -6 1 -5 0 -6 2 -6 1 -5 2 -6 2 -5 1 -6 2 -5 2 -6 2 -5 3 -6 2 -5 3 -5 2 -5 3 -6 2 -5 2 -6 2 -5 2 -6 1 -6 1 -5 1 -6 0 -6 0 -6 0 -6 0 -5 -1 -6 -1 -6 -1 -6 -1 -6 0 -5 1 -6 1 -5 3 -5 4 -4 3 -5 4 -4 4 -5 4 -4 4 -4 4 -5 3 -5 4 -4 3 -6 2 -5 1 -6 0 -6 1 -6 1 -6 1 -5 1 -6 1 -6 1 -6 1 -6 1 -5 1 -6 1 -5 2 -6 3 -5 3 -5 2 -5 3 -6 1 -6 1 -5 1 -6 0 -6 1 -6 2 -5 2 -5 3 -4 4 -4 4 -4 5 -4 5 -4 4 -4 1 -6 -2 -5 -4 -4 -4 -3 -5 -4 -4 -4 -5 -4 -4 -4 -4 -4 -4 -4 -5 -5 -7","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str5","@d":"M-2114 1350l-1 6 -1 5 -1 6 -1 6 -1 5 -2 6 -2 5 -3 6 -2 5 -2 6 -2 5 -1 6 -1 6 -1 5 1 6 2 6 1 6 2 5 1 6 2 6 1 5 1 6 1 6 0 5 0 6 1 6 0 6 0 6 0 6 0 5 0 6 0 6 0 6 0 6 0 6 0 5 0 6 -1 6 0 6 -1 6 0 6 -1 6 -1 5 -1 6 -1 6 -2 5 -3 5 -5 4 -4 4","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str5","@d":"M-872 1910l5 2 5 3 5 3 6 1 5 2 6 2 6 1 5 1 6 0 6 0 6 -1 6 -2 6 -1 5 1 3 5 2 6 4 4 4 4 5 3 6 2 5 2 6 2 5 2 6 2 5 2 6 2 5 3 5 2 6 3 4 4 3 5 1 5 1 6 1 6 0 6 0 6 0 6 -2 6 -2 5 -2 5 -1 6 0 6 2 6 3 5 3 4 4 5 4 4 4 5 4 4 4 4 3 5 2 5 1 6 1 6 0 6 -1 6 -1 5 -2 6 -2 5 -4 5 -4 4 -5 3 -6 2 -5 2 -6 1 -6 2 -4 4 -3 4 -2 6 -3 5 -2 6 -2 6 -2 5 -1 6 -3 5 -3 5 -4 4 -5 2 -6 2 -5 2 -6 2 -6 2 -5 1 -6 1 -6 0 -6 0 -6 -1 -5 0 -6 0 -6 1 -6 -1 -5 -3 -5 -3 -6 -1 -5 0 -6 0 -6 0 -6 0 -6 0 -6 -1 -5 -2 -6 -2 -5 -3 -5 -3 -6 -2 -5 -3 -5 -1 -6 0 -5 2 -6 3 -5 2 -6 3 -5 3 -5 2 -5 3 -6 2 -5 1 -6 0 -6 1 -6 -1 -6 0 -6 0 -6 -1 -6 -1 -3 -4 0 -7 -3 -4 -6 -3 -5 -1 -6 2 -5 3 -6 0 -5 -2 -6 -3 -5 -2 -6 -2 -5 -2 -5 -3 -4 -5 -3 -5 -4 -2 -6 2 -6 2 -4 -3 -3 -6 -3 -5 -4 -3 -6 -2 -6 -1 -5 -2 -6 -2 -5 -2 -6 -2 -6 0 -5 0 -6 1 -6 1 -6 0 -6 -1 -5 -2 -6 -2 -5 -2 -6 -2 -5 -2 -6 -2 -5 -2 -6 -2 -5 -3 -9 -5","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str5","@d":"M-3441 1901l1 6 0 6 0 6 0 6 0 6 -1 5 0 6 -1 6 -1 6 -1 6 -2 5 -2 6 -2 5 -3 5 -3 5 -3 5 -4 4 -4 5 -4 4 -4 4 -5 4 -4 4 -5 3 -4 4 -5 4 -5 3 -4 3 -5 3 -5 4 -5 3 -4 4 -4 4 -4 5 -4 4 -4 4 -4 4 -5 4 -4 3 -5 4 -5 3 -6 2 -5 2 -5 2 -6 2 -6 1 -5 2 -6 2 -5 2 -6 2 -5 3 -4 3 -5 4 -5 3 -5 4 -4 3 -5 4 -4 4 -5 3 -4 4 -4 4 -5 4 -5 3 -5 3 -5 2 -6 2 -5 3 -5 2 -6 3 -5 3 -5 3 -4 4 -5 4 -3 4 -2 5 -2 6 -2 6 -1 5 -2 6 -1 6 0 6 -2 5 -1 6 -3 5 -2 6 -2 5 -3 5 -3 5 -3 5 -3 5 -3 5 -3 5 -4 5 -4 4 -4 4 -4 4 -4 4 -4 4 -4 5 -4 4 -3 5 -2 6 -3 5 -4 4 -4 4 -4 5 -4 4 -4 4 -5 4 -4 4 -4 4 -4 4 -4 4 -4 5 -4 4 -4 4 -4 4 -4 5 -4 4 -3 5 -4 4 -4 4 -4 5 -3 4 -4 5 -3 5 -3 5 -4 4 -3 5 -3 5 -3 5 -4 5 -4 7","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str5","@d":"M-3720 1802l5 -4 4 -3 5 -4 5 -3 5 -3 5 -3 5 -2 6 -2 5 -2 6 -1 6 -2 5 -1 6 -1 6 -2 5 -2 5 -3 5 -3 5 -4 5 -3 5 -3 5 -1 6 -1 6 1 6 1 5 1 6 0 6 0 6 0 6 0 6 0 5 -1 6 0 6 0 6 -1 6 -1 5 -1 6 -2 5 -3 5 -4 4 -3 5 -3 5 -3 5 -4 5 -3 5 -2 6 -1 6 1 5 3 4 4 3 5 3 5 3 5 3 5 3 5 3 5 3 6 2 5 2 5 1 6 1 6 1 6 1 5 1 6 0 6 0 6 -1 6 -2 5 -2 6 -2 5 -1 6 -1 5 -1 6 -1 6 -1 6 -1 6 0 5 -1 6 0 6 1 6 0 6","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str5","@d":"M-3032 1971l3 5 3 5 2 5 3 6 2 5 3 5 1 6 2 5 2 6 1 6 1 6 1 5 1 6 1 6 0 6 0 5 0 6 0 6 -1 6 0 6 -1 6 -1 5 -1 6 -1 6 -1 5 -2 6 -1 6 -2 5 -1 6 -1 6 -1 6 0 5 -1 6 0 6 -1 6 -1 6 -1 5 -2 6 -2 6 -2 5 -3 5 -4 4 -5 3 -5 4 -6 2 -5 2 -6 1 -5 2 -6 1 -6 2 -5 2 -6 2 -6 3 -5 2 -5 3 -4 4 -3 5 -2 5 0 5 0 7 -1 6 0 6 -1 6 -2 5 -2 5 -3 5 -3 5 -4 5 -3 5 -2 6 -3 5 -2 5 -3 6 -2 5 -3 5 -4 4 -5 3 -5 3 -6 2 -5 3 -5 2 -6 2 -5 2 -6 3 -5 2 -5 4 -5 3 -4 3 -6 3 -5 2 -5 1 -6 1 -6 0 -6 0 -6 2 -4 3 -5 4 -4 4 -4 5 -4 4 -3 5 -3 5 -4 5 -3 5 -2 5 -5 8","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str5","@d":"M-2763 2143l-5 4 -4 4 -4 5 -3 4 -3 5 -4 5 -3 5 -3 5 -3 5 -3 5 -3 5 -3 5 -3 5 -3 5 -3 5 -3 5 -3 5 -3 5 -3 5 -1 6 -2 5 -1 6 0 6 -3 4 -5 3 -5 3 -6 0 -6 1 -6 1 -3 4 -4 5 -1 6 -2 5 -3 5 -3 5 -4 5 -4 4 -5 3 -4 3 -5 4 -5 3 -5 4 -4 3 -5 6","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str5","@d":"M-2840 2347l-5 -2 -6 -2 -5 -2 -6 -2 -5 -1 -6 -1 -6 0 -6 0 -6 0 -5 0 -6 -1 -6 0 -9 -1","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str5","@d":"M-3565 1344l0 6 0 6 -1 5 0 6 0 6 0 6 1 6 3 5 2 6 -1 5 0 6 -1 6 0 6 -1 6 0 6 0 5 0 6 -1 6 0 6 -1 6 -3 4 -9 5","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str5","@d":"M-3264 1528l-5 -1 -5 -3 -6 -3 -4 -3 -4 -4 -4 -5 -2 -5 -3 -6 -2 -5 -2 -6 -3 -4 -4 -5 -5 -3 -5 -3 -5 -2 -6 -1 -6 0 -6 0 -6 0 -6 0 -5 0 -6 0 -6 1 -6 1 -5 1 -6 2 -5 3 -5 3 -4 4 -4 4 -5 4 -5 3 -5 3 -5 3 -5 3 -6 2 -5 1 -6 2 -6 0 -6 1 -5 -1 -6 -2 -6 -1 -6 -2 -5 0 -6 2 -5 3 -6 0 -6 -1 -5 -1 -6 -2 -5 -2 -6 -2 -5 -3 -5 -3 -5 -3 -4 -4 -5 -3 -5 -4 -5 -3 -4 -4 -7 -5","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str5","@d":"M-3090 1460l1 5 1 6 0 6 -1 6 -3 5 -3 5 -3 5 -4 5 -4 4 -4 3 -6 2 -6 -1 -6 -1 -5 -1 -6 -2 -6 -2 -5 -1 -6 0 -6 1 -5 1 -6 2 -6 2 -5 2 -6 2 -5 3 -5 2 -6 2 -5 2 -6 2 -5 1 -6 2 -6 1 -6 1 -5 1 -6 0 -6 -1 -7 -2","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str5","@d":"M-3577 1469l-5 3 -5 3 -6 3 -5 3 -5 2 -4 4 -3 5 -3 5 -3 5 -4 5 -4 4 -4 4 -3 5 -4 5 -3 4 -4 5 -5 4 -5 1 -6 0 -6 0 -5 2 -6 3 -5 2 -6 3 -5 -1 -5 -4 -5 -1 -6 -1 -6 0 -6 0 -6 1 -6 1 -6 0 -5 1 -5 3 -5 4 -5 2 -6 1 -6 2 -5 1 -6 1 -6 1 -6 0 -5 3 -4 4 -3 5 -3 5 -3 5 -1 6 -2 6 -1 5 -2 6 -2 8","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str5","@d":"M-3818 1613l-2 5 -1 6 1 6 0 6 1 6 1 5 -1 6 -2 5 -3 5 -4 4 -6 3","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str5","@d":"M-2681 2209l-4 -4 -5 -4 -3 -4 -3 -5 -3 -5 -3 -6 -2 -5 -1 -6 1 -6 1 -6 -1 -5 -2 -5 -4 -5 -4 -4 -5 -3 -6 -2 -6 -1 -5 -1 -6 -1 -6 0 -6 2 -4 4 -5 6","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str5","@d":"M-3834 1670l-5 3 -5 3 -5 3 -6 1 -6 1 -5 2 -5 2 -5 3 -5 4 -5 3 -5 3 -5 4 -4 3 -5 3 -5 3 -6 2 -5 2 -6 2 -6 1 -5 0 -6 0 -6 0 -6 1 -6 0 -6 0 -5 -1 -6 -1 -6 -1 -6 -1 -5 0 -6 2 -6 1 -4 4 -5 3 -4 4 -5 3 -6 2 -5 2 -6 -2 -6 -1 -5 -1 -5 3 -6 3 -5 3 -5 2 -5 3 -5 4 -4 3 -4 5 -3 5 -3 5 -3 5 -4 4 -5 4 -4 4 -4 4 -4 4 -4 4 -4 4 -5 5","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str5","@d":"M-1164 3258l-6 3 -5 1 -6 0 -6 0 -6 0 -6 0 -5 0 -12 -1 -6 0 -5 0 -6 0 -6 0 -6 0 -6 0 -6 0 -5 0 -6 0 -10 0","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str5","@d":"M-402 2846l-3 -5 -3 -5 -4 -5 -3 -5 -3 -4 -4 -5 -4 -4 -5 -3 -5 -3 -5 -3 -5 -3 -5 -3 -5 -2 -5 -4 -5 -3 -4 -4 -5 -3 -5 -4 -5 -3 -5 -3 -4 -4 -4 -4 -4 -5 -2 -5 -2 -5 -2 -6 -2 -6 -1 -6 -1 -5 -2 -5 -4 -4 -5 -4 -5 -3 -5 -3 -6 -2 -6 -1 -5 -1 -6 -1 -6 0 -6 1 -6 1 -6 0 -5 1 -6 1 -6 1 -6 1 -5 0 -6 0 -6 0 -6 0 -6 -1 -6 0 -5 0 -6 1 -6 2 -5 3 -5 3 -4 4 -3 5 -2 6 -2 5 -3 5 -2 6 -3 5 -4 5 -4 3 -5 2 -6 2 -6 1 -6 1 -5 1 -6 1 -6 1 -6 2 -5 1 -6 1 -6 1 -5 1 -6 0 -6 1 -6 0 -6 1 -5 2 -5 3 -3 5 -3 6 -2 9","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str5","@d":"M-336 2989l-5 -3 -5 -3 -1 -1 -4 -2 -3 -5 -3 -5 -4 -5 -3 -5 -3 -4 -4 -5 -3 -5 -1 -6 -1 -6 -1 -5 -1 -6 -2 -6 -1 -5 -1 -6 -2 -6 -2 -5 -1 -6 -2 -5 -2 -6 -2 -5 -2 -6 -2 -5 -2 -6 -3 -10","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":[{"@class":"fil7 str6","@d":"M774 1248l0 -6 -1 -6 -2 -5 -1 -6","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str6","@d":"M692 1118l5 -4 3 -5 4 -4 2 -6","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str6","@d":"M3058 5776l-3 5 -3 5 -3 5 -3 5 -2 6 -3 5 -2 5 -2 6 -2 5 0 6 1 6 1 6 1 5","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str6","@d":"M2501 6261l-3 -6 -2 -5 -3 -5 -2 -6 -3 -5 -3 -5 -3 -4 -4 -5 -3 -5 -4 -4 -4 -5 -3 -4 -3 -5 -4 -5 -3 -5 -4 -5 -3 -5 -3 -5 -3 -5 -1 -6 -1 -5 0 -5 1 -6 2 -6","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str6","@d":"M-2298 7095l-6 -3 -5 -3 -5 -3 -5 -2 -5 -3 -6 -2 -5 -2 -6 -1 -6 0 -6 1 -5 1 -6 1 -6 1 -6 1 -6 2 -4 3 -4 5 -2 5 -2 6 -2 5 -3 6 -2 5 -3 5 -4 5 -3 4 -5 4 -4 4 -5 3 -6 3 -5 2 -6 1 -5 1 -6 1 -6 2 -5 2 -5 4 -3 5 -2 5 -1 6 0 6 0 6 0 6 0 6 0 6 0 5 -2 6 -2 6 -3 5 -4 4 -4 4 -5 4 -5 2 -6 2 -6 1 -6 0 -5 -1 -5 -3 -5 -4 -5 -3 -6 -1 -6 0 -5 1 -6 1 -6 2 -5 1 -6 0 -7 0 -5 1 -5 2 -4 4 -3 6 -3 4 -4 4 -5 4 -4 4 -4 4 -4 5 -4 4 -5 8","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str6","@d":"M-3441 3011l4 -4 5 -4 4 -5 2 -5 2 -6 1 -5 -2 -6 -4 -4 -6 -2 -5 -3 -6 -1 -5 -1 -6 -1 -6 -1 -6 -1 -6 0 -5 0 -6 0 -6 0 -6 0 -6 0 -6 0 -5 2 -5 3 -4 4 -4 5","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str6","@d":"M-3398 2795l3 5 3 6 2 5 1 6 1 6 -1 6 -1 6 -1 5 -1 6 -2 6 -2 5 -3 6 -2 5 -4 4 -3 5 -4 5 -4 4 -4 4 -4 4 -5 4 -4 4 -5 3 -5 3 -5 3 -5 3 -5 3","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str6","@d":"M-2710 2997l5 -4 4 -4 4 -4 4 -5 3 -4 4 -5 3 -5 4 -4 4 -5 3 -5 4 -4 3 -5 4 -4 4 -4 5 -4 5 -3 5 -3 5 -2 6 -2 5 -2 5 -3 6 -2 6 -2 4 -3 4 -4 3 -5 2 -6 2 -5 0 -6 1 -6 1 -6 2 -6 1 -5 2 -6 3 -5 3 -5 5 -4 5 -3 5 -1 6 -2 6 -1","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str6","@d":"M-2831 3750l6 1 6 1 6 1 5 0 6 1 6 1 6 1 5 2 5 3 5 4 3 5 3 5 2 6 0 6 0 6 0 5 -1 6 -1 6","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str6","@d":"M-285 3037l-4 -4 -4 -4 -4 -4 -4 -5 -3 -4 -4 -5 -3 -5 -4 -4 -4 -4 -5 -3 -5 -3 -7 -3","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str6","@d":"M-654 3268l-6 0 -6 0 -6 1 -6 0 -6 1 -6 1 -5 3 -5 3 -4 3 -4 5 -4 4 -4 5 -3 5 -2 5","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str6","@d":"M-160 2973l-6 0 -6 0 -6 -1 -6 -1 -5 -2 -6 -1 -6 -1 -5 2 -6 2 -5 2 -6 1 -6 2 -5 1 -6 1 -6 1 -6 1 -5 1 -6 1","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str6","@d":"M-358 3029l1 6 3 5 3 5 3 5 2 5 2 6 1 5 -2 6 -3 5 -2 5 -3 6","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str6","@d":"M-867 4683l-3 5 -3 5 -4 5 -3 5 -4 4 -3 5 -3 5 -4 4 -3 5 -4 5 -3 4 -4 5 -3 5 -4 4 -4 5 -4 4 -4 4 -3 5 -3 5 -3 5 -3 5 -3 5 -3 5 -2 5 -3 6 -3 5","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str6","@d":"M-663 4540l-3 5 -3 5 -3 5 -3 5 -4 5 -4 4 -5 3 -5 3 -5 3 -5 3 -5 3 -4 4 -5 3 -5 3 -5 4 -5 3","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str6","@d":"M1652 1411l-4 4 -5 3 -4 4 -5 3 -5 3 -5 3 -5 4 -4 4 -3 5 -4 4 -4 4 -5 4 -5 3 -5 3 -5 2 -8 2","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str6","@d":"M-2080 1229l0 6 0 5 -1 6 -1 6 -2 5 -3 6 -3 5 -3 4 -4 5 -3 5 -2 5 -3 6 -2 5 -2 6 -1 5 -1 6 -1 6 -1 5 0 6 -1 6 0 6 0 6","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str6","@d":"M-971 1874l3 5 3 5 4 5 4 4 5 3 5 3 5 2 6 2 5 1 6 2 6 1 6 1 6 1 5 1 6 0 6 0 6 -1 6 0 6 1","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str6","@d":"M-3798 1862l5 -3 5 -3 5 -3 5 -3 4 -4 4 -4 4 -4 4 -4 5 -4 4 -4 5 -4 4 -3 5 -3 5 -4 5 -3 5 -3 4 -4","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str6","@d":"M-3066 1874l2 5 4 6 2 5 3 5 2 5 2 6 1 6 0 5 0 6 0 6 1 6 1 6 1 6 2 5 2 5 3 5 4 5 4 4","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str6","@d":"M-2970 1415l-5 3 -5 3 -5 3 -6 2 -5 2 -6 1 -6 0 -6 1 -5 -1 -6 0 -6 -1 -6 -1 -6 0 -5 0 -6 1 -6 2 -5 2 -5 3 -5 3 -5 3 -4 4 -3 5 -3 10","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":[{"@class":"fil7 str7","@d":"M775 1260l-1 -6 0 -6","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str7","@d":"M688 1122l4 -4","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str7","@d":"M3038 5846l0 6 1 6 0 6 1 8","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str7","@d":"M2513 6287l-2 -5 -3 -6 -2 -5 -3 -5 -2 -5","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str7","@d":"M-3528 2976l-3 5 -3 5 -2 5 -2 6 -3 5 -4 4 -5 6","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str7","@d":"M-3458 2917l-5 3 -5 3 -5 2 -6 3 -5 2 -5 2 -9 3","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str7","@d":"M-2769 3810l-1 6 -1 5 -4 7","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str7","@d":"M-2554 2833l5 -1 6 -1 6 -2 4 -3 4 -5 2 -5 2 -7","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str7","@d":"M-276 3045l-5 -4 -4 -4","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str7","@d":"M-637 3268l-6 0 -6 0 -5 0","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str7","@d":"M-263 2982l-6 2 -5 1 -6 1 -8 2","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str7","@d":"M-358 3017l-1 6 1 6","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str7","@d":"M-953 4808l-2 5 -2 6 -1 5 -2 6 -1 6 -1 5 -1 10","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str7","@d":"M-732 4601l-4 3 -5 4 -5 3 -5 3 -4 4 -5 3 -8 6","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str7","@d":"M1680 1389l-5 3 -4 4 -5 3 -5 4 -4 4 -5 4","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str7","@d":"M-2084 1171l-1 6 -1 6 0 5 0 6 0 6 1 6 1 6 1 5 2 6 1 6","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str7","@d":"M-963 1840l-2 6 -2 5 -2 6 -2 5 0 6 0 6","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str7","@d":"M-3827 1868l6 0 6 -1 6 -1 5 -2 6 -2","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str7","@d":"M-3061 1834l-1 6 -2 6 -1 6 -1 5 -1 6 0 6 1 5","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str7","@d":"M-2935 1394l-5 3 -6 2 -5 3 -5 3 -5 3 -5 3 -4 4","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@id":"rivers_lakes","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":[{"@class":"fil7 str8","@d":"M-3511 537l35 -6 9 37 12 6 19 -31 45 2 -4 15 51 19 39 63 33 24 103 11 -4 48","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str8","@d":"M-3173 725l20 -27 -4 -27 40 -8 80 20 23 -9 14 14 48 -14 70 17 89 -4 56 -19 66 20 45 -21 32 10 30 -34 38 -13 70 54 6 21 150 -4 69 21 34 36 47 -8 30 17 290 54","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str8","@d":"M-374 834l16 -17 43 -4 42 -41 35 -69 42 -81 -2 -73 33 -182","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str8","@d":"M-1830 821l157 3 222 -74 18 18 -31 18 2 16 13 4 39 -38 81 -31 77 36 1 13 -16 1 18 23 51 -6 4 12 50 3 40 32","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str8","@d":"M-1104 851l27 -9 39 21 -3 -30 46 -26 2 -17 75 3 21 -19 34 33 102 23 49 37","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str8","@d":"M-712 867l50 18 63 -12 39 16 127 -40 48 -38 11 23","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str8","@d":"M2316 1366l-27 -35 2 -24 -51 -23 -16 -218 -5 -2 -9 44 -21 -2 -13 -22 20 -44 20 -9 0 -14 -18 -15 2 -8 13 1 17 -67 -16 -10 1 -6 15 2 26 -57 80 -92 61 -29 42 7 72 -90 191 -142 47 2 7 40 32 20 39 0 5 -7 -15 -12 21 -15 16 7 7 24 35 -4 60 -8 42 2 35 22 36 13 17 2 35 5 0 -2 2 -22 25 -1 23 23 18 20 41 4 35 -7 33 3 19 -19 -18 -10 12 -10 53 2 25 -5 16 -6","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str8","@d":"M-4107 1294l-22 11 -37 -18 -4 26 -7 3 -6 -13 -16 3 -9 34 -48 35 -10 -5 1 -29 -19 -1 -3 -17 33 -73 37 -26 1 -2 -14 -23 -41 -8 -15 36 -28 -45 21 -20 -20 -30 6 -33 -3 -4 -22 -11 0 8 -24 -12 -17 25 -18 -26 20 -29 -8 -51 19 -37 49 -15 -1 -16 -19 10 -3 -26 41 -27 39 13 28 -32 20 2 7 -14 -10 -26 74 -34 68 38 58 -19 33 8 61 -46 29 19 13 -5 1 -21 17 -11 31 32 29 -6 5 -32 -25 0 -47 -33 8 -43 18 -7 -5 -10 16 -13 17 -1 35 -43 14 8 28 -27 22 5 6 -44 39 1 47 -39 21 2 1 33 -5 7 9 10 13 2 7 -22 67 -39 11 7 -18 29","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str8","@d":"M-4136 1806l-4 2 -71 39 -2 -158 25 -15 7 4 4 -9 -5 -14 42 -46 86 -43 6 -41 -9 -5 -29 48 -70 14 1 -52 20 -5 53 -62 -8 -9 -40 29 -42 0 -18 -48 -25 -6 3 -9 26 -18 12 13 -5 9 11 10 12 -1 -4 -20 13 -6 -12 -51 34 -17 18 -45","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str8","@d":"M2316 1366l-1 55 19 13 39 -5 19 20 -10 41 -38 22 -27 -19 -23 37 12 63 31 12 20 31 -8 34 22 39 -10 50 -55 39 -21 45 -55 52 -59 25 -24 30","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str8","@d":"M2147 1950l-274 164 -68 128 -261 87","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str8","@d":"M1544 2329l-229 77 -24 40 -29 -12 -79 32 -139 177 24 26 32 -4 58 37 -3 2 -65 48 -50 64 -33 1 -5 -14 43 -12 -5 -28 -45 15 -41 70","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str8","@d":"M3085 3222l-165 -75 -83 15 -8 -7 -1 -47 -24 -15 21 -31 123 -10 17 -10 -2 -11 2 0 12 24 17 -7 0 0 1 -2 1 -6 14 0 25 42 37 4 11 53 24 24 0 4 -18 -4 -2 6 18 21 -20 32","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str8","@d":"M954 2848l-84 172 -88 101 -19 61 -56 40 -19 80 -58 69 -42 83","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str8","@d":"M2511 3605l2 -3 27 -37 0 0 9 -12 12 -67 53 -61 -6 -33 22 -8 15 -60 -10 -22 -61 -24 -53 46 -71 -33 -8 -35 34 -8 6 -28 -8 -4 -42 21 -15 -30 62 -41 0 -5 -18 0 -57 34 -67 9 -53 45 -36 9 -106 115 -113 80 -9 27 14 30 52 -1 28 44 7 1 11 -47 72 -31 46 37 -13 26 33 70 30 11 76 -12 53 59 11 3 63 -53 0 0 8 -12","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str8","@d":"M1501 4056l-14 -26 -6 -3 -58 2 -8 -4 -7 -52 3 -8 40 -9 4 -9 -6 -35 35 -31 94 -41 43 17 -5 20 14 18 1 10 -42 36 -20 42 -43 21 -3 45 -22 7","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str8","@d":"M588 3454l-9 46 -61 111 -6 57 0 8 24 81 50 86 -9 24 -3 7 37 82 90 103","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str8","@d":"M1520 4191l-7 -55 24 -29 6 -1 35 47 22 9 20 -11 4 1 4 7 -2 8 -26 12 -33 -18 -14 0 -33 30","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str8","@d":"M701 4059l131 50 -2 18 27 33 -68 49 -14 31 -61 12 -35 68 -32 -6 -115 65 -25 29 -8 51 -23 -5 -27 17 -1 94 -65 33 -3 36 -6 90 -25 16 -35 91","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str8","@d":"M314 4831l6 29 -5 8 -12 -7 -13 9 -29 59 33 41 40 13 6 -4 -3 -17 4 -1 19 26 -19 22 -114 40 -38 -25 -49 8 -25 17 3 10 -10 2 -52 -24 -23 16 -41 -1 -72 55 -15 48 -25 -1 -60 34","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str8","@d":"M-3554 5258l6 48 -14 10 -20 -4 -59 20 -127 87 -111 4 -112 -66 -63 12 -50 -26 -58 8 -29 -15 -1 -18 -5 -1 -5 11 -45 -17 -31 38 -95 9 -70 45 -24 -19 52 -97 -6 -29 38 -52 -7 -38 55 -103 -11 -107 20 -69 11 -7 1 -7 -22 -11 12 -129 -46 -30 36 -57 36 -123 -11 -125 -31 -50 4 -3 19 20 5 -1 1 -11 51 17 6 -6 -17 -16 20 -38 -3 -11 -11 -6 -9 1 -11 37 -65 -35 -109 56 -57 -2 -18 10 -6 -5 22 -76 -34 -83 7 -13 42 -13 13 1 12 23 -7 4 3 3 23 2 9 13 3 -3 -10 -29 22 -8 15 11 6 0 2 -15 16 -5 -1 -3 -36 2 -3 -16 70 -33 3 -12 -28 -53 -2 -47 -1 0 -11 -3 -36 51 -30 85 -21 11 -100 18 -79 -24 -6 -14 5 -18 -13 -29 55 -120 2 -90 53 -115 1 -44 -13 -24 7 -27 73 -35 96 -116 20 -102 121 -288 1 -3 -27 -41 39 -82 58 -214 10 -26 35 -3 18 -49 17 -3 0 -5 -24 -9 -1 -18 5 -11 21 -19 0 -8 -9 -10 -8 2 -21 78 -24 34 -3 -2 66 -249 -7 -86 -5 -8 -20 -32 -9 -104 -25 -62 10 -42 -23 -155 -22 -47 10 -82 72 -61","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str8","@d":"M-2870 5540l-20 -14 -30 8","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str8","@d":"M-2920 5534l-17 51 -11 7 -2 0 -18 -9 -23 -58 -59 -69 -215 -140 10 -27 -7 -5 -30 18 6 14 -9 5 -82 -32 -113 12 -25 14 -11 -5 -20 -37 -8 -15","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str8","@d":"M-1046 5663l-120 7 -22 23 -43 12 -90 -40 -73 16 -33 -10","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str8","@d":"M-180 5188l-76 98 -15 -8 -2 3 11 9 -65 219 -56 39 1 36 -35 21 -3 28 -34 31 -38 13 -57 -74 -45 -15 -36 22 -34 -13 -45 12 -43 79 -49 23 -35 -1 -22 -18 -28 7 -38 -39 -122 3","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str8","@d":"M-1427 5671l-31 -11 -77 21 -68 -18 -34 25 -154 -4 -65 91 -52 19 -22 43 -56 17 -128 -4 -133 55 -43 73","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str8","@d":"M-2290 5978l-42 60 -13 55","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str8","@d":"M-2345 6093l-6 24 -1 0 0 -24","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str8","@d":"M-2352 6093l-13 -15 -32 -2 -5 3 1 75 -90 44 -19 -3 -41 -37 -70 -14 -55 -69 -16 -7 -57 -3 -18 -12 -35 -65 -27 -14 -91 -171 16 -2 27 49 8 2 19 -27 -3 -6 -17 4 -7 -13 3 -38 -40 -31 -43 -2 -32 -72 10 -25 53 -29 14 -61 12 -13 30 1","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str8","@d":"M-2355 6320l30 -32 -3 -11 -56 -12","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str8","@d":"M-906 6736l-20 -40","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str8","@d":"M-926 6696l-13 -33 10 -41 -16 -7 -53 111 -33 0 -36 38 -82 33 -142 -19 -71 -49 -38 11 -14 39 -30 14 -49 -12 -18 -31 -36 19 -34 -5 -62 32 -66 5 -45 28 -219 -43 -217 -148 -66 -97 -43 -22 -16 -80 -26 -14 -14 -105","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str8","@d":"M-489 6865l-67 -25 -51 -21 -53 41 -98 -3 -56 -25 -68 -67 19 36 55 45 -19 6 -69 -33 -10 -83","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str8","@d":"M3405 5323l-36 -9 -278 41 -37 -17 -87 30 -49 53 -90 45 -100 -1 -51 -19 -9 43 -41 15 -29 -5 -41 -40 -69 13 -56 83 -125 82 -99 5 -11 -20 -32 -7 -185 66 -91 0 -222 49 -75 -11 -50 29 -49 0 -69 24 -66 29 -44 55 -66 36 -64 10 -106 80 -68 20 -23 45 -49 22 -48 47 -3 10 -41 118 -83 71 -114 -23 -1 -5 -8 -28 -40 -23 -66 18 -23 79 -30 8 -30 39 -38 0 -16 -20 -63 -16 -26 38 -38 -2 -58 34 -71 78 -20 2 -41 128 -27 38 -43 32 -53 2 -36 23 -140 119 -24 -3 -88 40 -54 3 -64 -19 -39 9 -1 -1","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str8","@d":"M-2384 6265l-45 4 -69 61 -61 -7 -48 35 -70 -13 -25 11 -62 211 -168 436 -144 284","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str8","@d":"M2383 3779l-21 -19 2 -4 22 -3 4 5 -7 21","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@id":"coastline","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":[{"@class":"fil7 str9","@d":"M-5373 7287l0 -6920 8778 0 0 6920 -8778 0","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str10","@d":"M-5472 7385l0 -7117 8975 0 0 7117 -8975 0","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"text":[{"$":"10","@x":"-4756","@y":"344","@class":"fil8 fnt0","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"10","@x":"-5234","@y":"7357","@class":"fil8 fnt0","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"8","@x":"-3682","@y":"344","@class":"fil8 fnt0","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"8","@x":"-3999","@y":"7357","@class":"fil8 fnt0","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"6","@x":"-2627","@y":"344","@class":"fil8 fnt0","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"6","@x":"-2784","@y":"7357","@class":"fil8 fnt0","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"4","@x":"-1581","@y":"344","@class":"fil8 fnt0","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"4","@x":"-1580","@y":"7357","@class":"fil8 fnt0","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"2","@x":"1592","@y":"344","@class":"fil8 fnt0","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"2","@x":"2060","@y":"7357","@class":"fil8 fnt0","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"0","@x":"534","@y":"344","@class":"fil8 fnt0","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"0","@x":"841","@y":"7357","@class":"fil8 fnt0","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"2","@x":"-522","@y":"344","@class":"fil8 fnt0","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"2","@x":"-365","@y":"7357","@class":"fil8 fnt0","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"4","@x":"2648","@y":"344","@class":"fil8 fnt0","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"4","@x":"3274","@y":"7357","@class":"fil8 fnt0","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"36","@x":"3412","@y":"5999","@class":"fil8 fnt0","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"36","@x":"-5457","@y":"6096","@class":"fil8 fnt0","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"38","@x":"3412","@y":"4539","@class":"fil8 fnt0","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"38","@x":"-5457","@y":"4636","@class":"fil8 fnt0","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"40","@x":"3414","@y":"3065","@class":"fil8 fnt0","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"40","@x":"-5457","@y":"3176","@class":"fil8 fnt0","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"42","@x":"3415","@y":"1608","@class":"fil8 fnt0","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"42","@x":"-5460","@y":"1720","@class":"fil8 fnt0","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"switch":[{"text":[{"$":"westl. v. Greenwich","@x":"-146","@y":"344","@class":"fil8 fnt0","@systemLanguage":"de","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"west of Greenwich","@x":"-146","@y":"344","@class":"fil8 fnt0","@systemLanguage":"en","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"text":[{"$":"westl. v. Greenwich","@x":"161","@y":"7357","@class":"fil8 fnt0","@systemLanguage":"de","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"west of Greenwich","@x":"161","@y":"7357","@class":"fil8 fnt0","@systemLanguage":"en","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"text":[{"$":"\u00f6stl. v. Greenwich","@x":"664","@y":"344","@class":"fil8 fnt0","@systemLanguage":"de","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"east of Greenwich","@x":"664","@y":"344","@class":"fil8 fnt0","@systemLanguage":"en","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"text":[{"$":"\u00f6stl. v. Greenwich","@x":"950","@y":"7357","@class":"fil8 fnt0","@systemLanguage":"de","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"east of Greenwich","@x":"950","@y":"7357","@class":"fil8 fnt0","@systemLanguage":"en","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"text":[{"$":"Modifizierte Kegelprojektion nach Lambert","@x":"3500","@y":"7501","@class":"fil8 fnt0","@style":"text-anchor:end;","@systemLanguage":"de","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"Modified conic projection after Lambert","@x":"3500","@y":"7501","@class":"fil8 fnt0","@style":"text-anchor:end;","@systemLanguage":"en","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"text":[{"$":"Ber\u00fchrungsbreitenkreise: 38\u00b0 und 42\u00b0 n\u00f6rdl. Breite, (Kanarische Inseln: 28\u00b0 n\u00f6rdl. Breite)","@x":"3500","@y":"7585","@class":"fil8 fnt0","@style":"text-anchor:end;","@systemLanguage":"de","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"Touching latitudes: 38\u00b0 and 42\u00b0 north latitude (Canary Islands: 28\u00b0 north latitude)","@x":"3500","@y":"7585","@class":"fil8 fnt0","@style":"text-anchor:end;","@systemLanguage":"en","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"text":[{"$":"Zentralmeridian: 4\u00b0 westl. L\u00e4nge, (Kanarische Inseln: 16\u00b0 westl. L\u00e4nge)","@x":"3500","@y":"7669","@class":"fil8 fnt0","@style":"text-anchor:end;","@systemLanguage":"de","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"Central meridian: 4\u00b0 west longitude, (Canary Islands: 16\u00b0 west longitude)","@x":"3500","@y":"7669","@class":"fil8 fnt0","@style":"text-anchor:end;","@systemLanguage":"en","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@id":"gridline_lettering","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"g":[{"path":[{"@class":"fil9 str11","@d":"M-1010 3230l0 -663 -663 0 0 663 663 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil10 str11","@d":"M-1150 3230l0 -523 -523 0 0 523 523 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":[{"@class":"fil11 str11","@d":"M1893 2362l0 -644 -647 0 0 644 647 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil10 str11","@d":"M1639 2362l0 -393 -393 0 0 393 393 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":[{"@class":"fil10 str11","@d":"M-791 977l0 -334 -334 0 0 334 334 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil10 str11","@d":"M-919 977l0 -210 -206 0 0 210 206 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":[{"@class":"fil10 str11","@d":"M-387 1045l0 -264 -264 0 0 264 264 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil10 str11","@d":"M-491 1045l0 -164 -160 0 0 164 160 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":[{"@class":"fil11 str11","@d":"M450 4025l0 -440 -437 0 0 440 437 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil12 str11","@d":"M290 4025l0 -274 -277 0 0 274 277 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str11","@d":"M0 3748l0 0","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":[{"@class":"fil11 str11","@d":"M-2287 5402l0 -384 -383 0 0 384 383 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil12 str11","@d":"M-2407 5402l0 -260 -263 0 0 260 263 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":[{"@class":"fil10 str11","@d":"M-2519 1022l0 -327 -327 0 0 327 327 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil12 str11","@d":"M-2682 1022l0 -164 -164 0 0 164 164 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":[{"@class":"fil10 str11","@d":"M-1537 1059l0 -237 -240 0 0 237 240 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil12 str11","@d":"M-1610 1059l0 -163 -167 0 0 163 167 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":[{"@class":"fil10 str11","@d":"M-195 1467l0 -237 -237 0 0 237 237 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil12 str11","@d":"M-272 1467l0 -160 -160 0 0 160 160 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":[{"@class":"fil13 str11","@d":"M-2737 2807l0 -207 -207 0 0 207 207 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil12 str11","@d":"M-2788 2807l0 -153 -156 0 0 153 156 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":[{"@class":"fil11 str11","@d":"M-2488 6003l0 -320 -320 0 0 320 320 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil12 str11","@d":"M-2655 6003l0 -153 -153 0 0 153 153 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":[{"@class":"fil13 str11","@d":"M-2811 4508l0 -260 -260 0 0 260 260 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil12 str11","@d":"M-2927 4508l0 -143 -144 0 0 143 144 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":[{"@class":"fil10 str11","@d":"M1303 1629l0 -203 -203 0 0 203 203 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil12 str11","@d":"M1237 1629l0 -137 -137 0 0 137 137 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":[{"@class":"fil13 str11","@d":"M-3308 1106l0 -213 -214 0 0 213 214 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil12 str11","@d":"M-3396 1106l0 -127 -126 0 0 127 126 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":[{"@class":"fil13 str11","@d":"M-2695 2041l0 -174 -173 0 0 174 173 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil12 str11","@d":"M-2752 2041l0 -117 -116 0 0 117 116 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":[{"@class":"fil13 str11","@d":"M-353 3592l0 -170 -170 0 0 170 170 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil12 str11","@d":"M-419 3592l0 -104 -104 0 0 104 104 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":[{"@class":"fil13 str11","@d":"M534 1659l0 -170 -170 0 0 170 170 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil12 str11","@d":"M467 1659l0 -103 -103 0 0 103 103 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":[{"@class":"fil11 str11","@d":"M-1904 2272l0 -233 -233 0 0 233 233 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil14 str11","@d":"M-1937 2272l0 -200 -200 0 0 200 200 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":[{"@class":"fil15 str11","@d":"M2541 3567l0 -273 -277 0 0 273 277 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil14 str11","@d":"M2461 3567l0 -196 -197 0 0 196 197 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":[{"@class":"fil11 str11","@d":"M-14 4970l0 -320 -317 0 0 320 317 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil14 str11","@d":"M-134 4970l0 -194 -197 0 0 194 197 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":[{"@class":"fil10 str11","@d":"M-1860 4895l0 -277 -273 0 0 277 273 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil14 str11","@d":"M-1940 4895l0 -194 -193 0 0 194 193 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":[{"@class":"fil10 str11","@d":"M-1100 5523l0 -283 -284 0 0 283 284 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil14 str11","@d":"M-1200 5523l0 -183 -184 0 0 183 184 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":[{"@class":"fil15 str11","@d":"M599 4608l0 -344 -343 0 0 344 343 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil14 str11","@d":"M439 4608l0 -184 -183 0 0 184 183 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":[{"@class":"fil10 str11","@d":"M-3800 1072l0 -326 -327 0 0 326 327 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil14 str11","@d":"M-3947 1072l0 -180 -180 0 0 180 180 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":[{"@class":"fil10 str11","@d":"M-1245 1681l0 -203 -207 0 0 203 207 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil14 str11","@d":"M-1299 1681l0 -157 -153 0 0 157 153 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":[{"@class":"fil10 str11","@d":"M-663 1315l0 -204 -206 0 0 204 206 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil14 str11","@d":"M-715 1315l0 -156 -154 0 0 156 154 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":[{"@class":"fil11 str11","@d":"M-458 5475l0 -224 -227 0 0 224 227 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil14 str11","@d":"M-532 5475l0 -156 -153 0 0 156 153 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":[{"@class":"fil13 str11","@d":"M-2517 1522l0 -237 -237 0 0 237 237 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil14 str11","@d":"M-2608 1522l0 -146 -146 0 0 146 146 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":[{"@class":"fil11 str11","@d":"M640 3226l0 -223 -223 0 0 223 223 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil14 str11","@d":"M564 3226l0 -143 -147 0 0 143 147 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":[{"@class":"fil10 str11","@d":"M-312 4250l0 -200 -200 0 0 200 200 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil14 str11","@d":"M-369 4250l0 -143 -143 0 0 143 143 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":[{"@class":"fil10 str11","@d":"M-723 1705l0 -183 -184 0 0 183 184 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil14 str11","@d":"M-767 1705l0 -143 -140 0 0 143 140 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":[{"@class":"fil11 str11","@d":"M1148 2597l0 -240 -240 0 0 240 240 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil14 str11","@d":"M1044 2597l0 -137 -136 0 0 137 136 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":[{"@class":"fil10 str11","@d":"M-1200 4922l0 -260 -257 0 0 260 257 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil14 str11","@d":"M-1320 4922l0 -137 -137 0 0 137 137 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":[{"@class":"fil13 str11","@d":"M-1802 1675l0 -163 -164 0 0 163 164 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil14 str11","@d":"M-1842 1675l0 -123 -124 0 0 123 124 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":[{"@class":"fil13 str11","@d":"M-2401 3769l0 -216 -216 0 0 216 216 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil14 str11","@d":"M-2493 3769l0 -120 -124 0 0 120 124 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":[{"@class":"fil11 str11","@d":"M2259 1720l0 -237 -233 0 0 237 233 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil14 str11","@d":"M2146 1720l0 -123 -120 0 0 123 120 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":[{"@class":"fil11 str11","@d":"M-3825 1565l0 -297 -300 0 0 297 300 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil14 str11","@d":"M-4005 1565l0 -120 -120 0 0 120 120 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":[{"@class":"fil10 str11","@d":"M-1662 3525l0 -230 -230 0 0 230 230 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil14 str11","@d":"M-1775 3525l0 -117 -117 0 0 117 117 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":[{"@class":"fil13 str11","@d":"M-1157 4308l0 -230 -230 0 0 230 230 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil14 str11","@d":"M-1274 4308l0 -113 -113 0 0 113 113 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":[{"@class":"fil13 str11","@d":"M-1612 2535l0 -150 -153 0 0 150 153 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil14 str11","@d":"M-1652 2535l0 -113 -113 0 0 113 113 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":[{"@class":"fil16 str11","@d":"M-803 2148l0 -130 -130 0 0 130 130 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil14 str11","@d":"M-837 2148l0 -96 -96 0 0 96 96 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":[{"@class":"fil13 str11","@d":"M234 2837l0 -150 -150 0 0 150 150 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil14 str11","@d":"M177 2837l0 -93 -93 0 0 93 93 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":[{"@class":"fil15 str11","@d":"M-1810 5814l0 -337 -337 0 0 337 337 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil17 str11","@d":"M-1904 5814l0 -243 -243 0 0 243 243 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":[{"@class":"fil11 str11","@d":"M-933 1247l0 -186 -183 0 0 186 183 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil17 str11","@d":"M-946 1247l0 -166 -170 0 0 166 170 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":[{"@class":"fil10 str11","@d":"M-3130 5156l0 -223 -223 0 0 223 223 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil17 str11","@d":"M-3203 5156l0 -147 -150 0 0 147 150 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":[{"@class":"fil10 str11","@d":"M-3291 1785l0 -220 -220 0 0 220 220 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil17 str11","@d":"M-3374 1785l0 -136 -137 0 0 136 137 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":[{"@class":"fil13 str11","@d":"M-1987 2939l0 -160 -160 0 0 160 160 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil17 str11","@d":"M-2041 2939l0 -106 -106 0 0 106 106 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":[{"@class":"fil15 str11","@d":"M25 2378l0 -303 -300 0 0 303 300 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil14 str11","@d":"M12 2378l0 -286 -287 0 0 286 287 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":[{"@class":"fil18 str11","@d":"M-723 2722l0 -150 -154 0 0 150 154 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil9 str11","@d":"M-760 2722l0 -116 -117 0 0 116 117 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@id":"rects_for_legend","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":[{"@id":"textPathAtlantic","@style":"visibility:hidden;","@d":"M -4900,5300 C -4950,4300 -4950,1800 -4900,800","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@id":"textPathMiddle","@style":"visibility:hidden;","@d":"M -1900,6500 C -1400,6400 -600,6150 -100,6000","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@id":"textPathMiddleSea","@style":"visibility:hidden;","@d":"M 1200,5500 C 2200,5100 2400,4950 3400,4500","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@id":"textPathBalearic","@style":"visibility:hidden;","@d":"M 1500,3600 C 2000,3200 2100,3150 2600,2900","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@id":"textPathMorocco","@style":"visibility:hidden;","@d":"M -2700,7120 C -2200,7070 -1000,7070 -500,7120","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@id":"textPathPortugal","@style":"visibility:hidden;","@d":"M -3900,4600 C -3850,4000 -3700,2900 -3500,2300","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@id":"textPathFranceText","@style":"visibility:hidden;","@d":"M 50,650 C 500,850 1400,1020 1850,1050","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@id":"textPathEbro","@style":"visibility:hidden;","@d":"M 30,1960 C 50,1970 170,2050 200,2065","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@id":"textPathGuadalquivir","@style":"visibility:hidden;","@d":"M -2860,5500 C -2850,5350 -2800,5200 -2700,5000","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@id":"textPathGuadiana","@style":"visibility:hidden;","@d":"M -3725,4950 C -3710,4800 -3700,4720 -3670,4570","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"switch":[{"text":[{"textPath":{"$":"Atlantischer Ozean","@xlink:href":"#textPathAtlantic","@startOffset":"5%","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@systemLanguage":"de","@class":"fil19 fnt1","@style":"letter-spacing:150px;","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"textPath":{"$":"Atlantic Ocean","@xlink:href":"#textPathAtlantic","@startOffset":"10%","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@systemLanguage":"en","@class":"fil19 fnt1","@style":"letter-spacing:200px;","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"text":[{"textPath":{"$":"Mittel-","@xlink:href":"#textPathMiddle","@startOffset":"25%","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@systemLanguage":"de","@class":"fil19 fnt1","@style":"letter-spacing:70px;","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"textPath":{"$":"Mediter-","@xlink:href":"#textPathMiddle","@startOffset":"5%","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@systemLanguage":"en","@class":"fil19 fnt1","@style":"letter-spacing:130px;","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"text":[{"textPath":{"$":"l\u00e4ndisches Meer","@xlink:href":"#textPathMiddleSea","@startOffset":"0%","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@systemLanguage":"de","@class":"fil19 fnt1","@style":"letter-spacing:70px;","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"textPath":{"$":"ranean Sea","@xlink:href":"#textPathMiddleSea","@startOffset":"5%","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@systemLanguage":"en","@class":"fil19 fnt1","@style":"letter-spacing:130px;","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"text":[{"textPath":{"$":"Balearen","@xlink:href":"#textPathBalearic","@startOffset":"5%","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@systemLanguage":"de","@class":"fil8 fnt2","@style":"letter-spacing:85px;","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"textPath":{"$":"Balearics","@xlink:href":"#textPathBalearic","@startOffset":"5%","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@systemLanguage":"en","@class":"fil8 fnt2","@style":"letter-spacing:80px;","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"text":[{"textPath":{"$":"Marokko","@xlink:href":"#textPathMorocco","@startOffset":"5%","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@systemLanguage":"de","@class":"fil8 fnt4","@style":"letter-spacing:220px;","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"textPath":{"$":"Morocco","@xlink:href":"#textPathMorocco","@startOffset":"5%","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@systemLanguage":"en","@class":"fil8 fnt4","@style":"letter-spacing:220px;","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"text":[{"textPath":{"$":"Frankreich","@xlink:href":"#textPathFranceText","@startOffset":"10%","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@systemLanguage":"de","@class":"fil8 fnt4","@style":"letter-spacing:70px;","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"textPath":{"$":"France","@xlink:href":"#textPathFranceText","@startOffset":"5%","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@systemLanguage":"en","@class":"fil8 fnt4","@style":"letter-spacing:190px;","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"text":[{"$":"Sevilla","@x":"-2247","@y":"5318","@class":"fil8 fnt5","@systemLanguage":"de","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"Seville","@x":"-2247","@y":"5318","@class":"fil8 fnt5","@systemLanguage":"en","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"text":[{"$":"Lissabon","@x":"-4885","@y":"4076","@class":"fil8 fnt5","@systemLanguage":"de","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"Lisbon","@x":"-4806","@y":"4076","@class":"fil8 fnt5","@systemLanguage":"en","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"text":[{"$":"Algier","@x":"2298","@y":"5447","@class":"fil8 fnt5","@systemLanguage":"de","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"Algiers","@x":"2298","@y":"5447","@class":"fil8 fnt5","@systemLanguage":"en","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"text":[{"$":"Mallorca","@x":"2488","@y":"3766","@class":"fil8 fnt3","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"Menorca","@x":"2928","@y":"3006","@class":"fil8 fnt3","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"textPath":{"$":"Portugal","@xlink:href":"#textPathPortugal","@startOffset":"5%","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@class":"fil8 fnt4","@style":"letter-spacing:200px;","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"Barcelona","@x":"1998","@y":"2171","@class":"fil8 fnt5","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"Valencia","@x":"619","@y":"3777","@class":"fil8 fnt5","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"Madrid","@x":"-966","@y":"3255","@class":"fil8 fnt5","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"Bilbao","@x":"-1400","@y":"715","@class":"fil8 fnt5","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"La Coru\u00f1a","@x":"-4377","@y":"663","@class":"fil8 fnt5","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"Marseille","@x":"3035","@y":"484","@class":"fil8 fnt5","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"Montpellier","@x":"2125","@y":"485","@class":"fil8 fnt5","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"Perpignan","@x":"1710","@y":"1200","@class":"fil8 fnt5","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"Porto","@x":"-4225","@y":"3046","@class":"fil8 fnt5","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"textPath":{"$":"Ebro","@xlink:href":"#textPathEbro","@startOffset":"0%","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@class":"fil19 fnt6","@style":"letter-spacing:5px;","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"textPath":{"$":"Guadalquivir","@xlink:href":"#textPathGuadalquivir","@startOffset":"0%","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@class":"fil19 fnt6","@style":"letter-spacing:0px;","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"textPath":{"$":"Guadiana","@xlink:href":"#textPathGuadiana","@startOffset":"0%","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@class":"fil19 fnt6","@style":"letter-spacing:0px;","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"Ibiza","@x":"1598","@y":"4068","@class":"fil8 fnt7","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"ellipse":[{"@class":"fil20 str12","@cx":"-4524","@cy":"4115","@rx":"20","@ry":"20","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil20 str12","@cx":"2539","@cy":"5508","@rx":"20","@ry":"20","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil20 str12","@cx":"-4248","@cy":"3087","@rx":"20","@ry":"20","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil20 str12","@cx":"3344","@cy":"541","@rx":"20","@ry":"20","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil20 str12","@cx":"2602","@cy":"516","@rx":"20","@ry":"20","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil20 str12","@cx":"2139","@cy":"1235","@rx":"20","@ry":"20","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"g":[{"text":{"$":"Tajo","@x":"0","@y":"3748","@class":"fil19 fnt6","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@transform":"matrix(0.999514 -0.0311582 0.0311582 0.999514 -774.816 -1079.23)","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"text":{"$":"Tejo","@x":"0","@y":"3748","@class":"fil19 fnt6","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@transform":"matrix(0.788941 -0.614468 0.614468 0.788941 -6525.95 784.685)","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"text":{"$":"Duero","@x":"0","@y":"3748","@class":"fil19 fnt6","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@transform":"matrix(0.974789 0.22313 -0.22313 0.974789 -642.438 -1622.51)","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@id":"lettering","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"g":{"path":[{"@class":"fil7 str13","@d":"M-5373 1689l93 8 103 7 103 8 103 7 103 8 53 3 50 4 104 6 103 7 103 6 103 6 103 6 104 6 103 5 103 5 104 5 103 5 3 0 100 5 103 4 104 4 103 4 103 3 104 4 103 3 104 3 103 3 103 2 56 2 48 1 103 2 103 2 104 1 103 2 104 1 103 1 103 1 104 0 103 1 104 0 5 0 98 0 103 -1 104 0 103 -1 104 -1 103 -1 103 -1 104 -2 103 -2 104 -2 58 -1 45 -1 103 -3 104 -3 103 -3 103 -3 104 -3 103 -4 104 -4 103 -4 103 -4 103 -5 9 0 95 -4 103 -5 103 -5 104 -6 103 -5 103 -6 103 -6 104 -7 103 -6 103 -7 61 -4 42 -3 103 -7 103 -7 104 -8 103 -8 103 -8 103 -8 103 -8 103 -9 103 -9 103 -9 11 -1 92 -9 103 -9 103 -10 103 -10 103 -10 103 -11 11 -1","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str13","@d":"M-5373 3150l87 7 106 8 106 7 107 8 54 3 52 4 106 7 107 7 106 6 106 6 106 6 107 6 106 6 107 5 106 5 106 5 3 0 104 5 106 4 107 5 106 3 107 4 106 4 106 3 107 3 106 3 107 3 57 1 49 1 107 2 106 2 107 2 106 1 107 2 106 1 107 0 106 1 107 0 106 1 6 0 101 -1 107 0 106 0 107 -1 106 -1 107 -1 106 -2 107 -2 106 -2 107 -2 60 -1 46 -1 107 -3 106 -2 106 -4 107 -3 106 -3 107 -4 106 -4 107 -4 106 -5 107 -4 8 -1 98 -4 106 -5 107 -6 106 -5 106 -6 107 -6 106 -6 106 -7 107 -6 106 -7 63 -5 43 -2 107 -8 106 -7 106 -8 106 -8 107 -9 106 -8 106 -9 106 -9 106 -9 106 -9 12 -1 94 -9 106 -10 106 -10 106 -10 75 -8","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str13","@d":"M-5373 4611l87 6 110 8 109 8 56 3 53 4 110 7 109 7 110 7 109 6 110 6 109 6 109 6 110 6 109 5 110 5 3 0 107 5 109 4 110 5 109 4 110 4 109 3 110 4 109 3 110 3 110 2 59 2 50 1 110 2 109 2 110 2 110 1 109 2 110 1 109 1 110 0 110 1 109 0 6 0 104 0 110 -1 109 0 110 -1 109 -1 110 -1 110 -2 109 -2 110 -2 109 -2 63 -1 47 -1 110 -3 109 -3 110 -3 109 -3 110 -4 110 -4 109 -4 110 -4 109 -5 110 -5 8 0 101 -5 110 -5 109 -5 110 -6 109 -6 110 -6 109 -7 109 -6 110 -7 109 -7 65 -5 45 -3 109 -7 109 -8 110 -8 109 -8 109 -9 110 -9 109 -9 109 -9 109 -9 109 -10 12 -1 98 -9 109 -10 109 -10 41 -4","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str13","@d":"M-5373 6072l94 7 112 8 58 3 55 4 112 7 113 8 112 6 113 7 113 6 112 7 113 6 112 5 113 6 113 5 3 0 109 5 113 4 112 5 113 4 113 4 112 4 113 3 113 4 112 3 113 2 61 2 52 1 113 2 112 2 113 2 113 2 112 1 113 1 113 1 113 1 112 0 113 0 6 0 107 0 113 0 112 -1 113 -1 113 -1 113 -1 112 -2 113 -1 113 -3 112 -2 64 -1 49 -1 113 -3 113 -3 112 -3 113 -4 113 -3 112 -4 113 -5 113 -4 112 -5 113 -5 9 0 103 -5 113 -5 113 -6 112 -6 113 -6 112 -6 113 -7 112 -7 113 -7 112 -7 67 -5 46 -3 112 -7 113 -8 112 -9 113 -8 112 -9 112 -9 113 -9 112 -10 112 -9 113 -10 12 -2 100 -9 112 -10 14 -1","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str13","@d":"M-5189 7287l1 -17 9 -139 9 -138 10 -139 9 -138 9 -139 10 -139 9 -138 9 -138 5 -72 5 -67 9 -138 9 -139 10 -138 9 -138 9 -139 10 -138 9 -138 9 -138 10 -139 9 -138 0 -4 9 -134 10 -138 9 -139 9 -138 10 -138 9 -138 9 -138 10 -139 9 -138 9 -138 5 -75 4 -63 10 -138 9 -138 9 -139 10 -138 9 -138 9 -138 10 -139 9 -138 9 -138 10 -138 0 -8 9 -131 9 -138 10 -139 9 -138 9 -138 10 -139 9 -138 9 -139 10 -138 8 -125","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str13","@d":"M-3976 7287l4 -88 6 -139 6 -138 6 -139 7 -139 6 -139 6 -138 6 -139 4 -71 3 -68 6 -138 6 -139 6 -138 6 -139 7 -138 6 -139 6 -138 6 -139 7 -138 6 -138 0 -4 6 -135 6 -138 6 -138 7 -139 6 -138 6 -139 6 -138 6 -138 7 -139 6 -138 3 -75 3 -63 6 -139 7 -138 6 -138 6 -139 6 -138 6 -139 7 -138 6 -139 6 -138 6 -138 1 -8 5 -131 7 -139 6 -138 6 -139 6 -138 7 -139 6 -139 6 -138 6 -139 7 -139 2 -45","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str13","@d":"M-2765 7287l1 -47 3 -139 3 -139 3 -139 3 -139 3 -138 3 -139 3 -139 2 -71 2 -68 3 -138 3 -139 3 -139 3 -138 3 -139 3 -138 3 -139 3 -138 4 -139 3 -139 0 -3 3 -135 3 -139 3 -138 3 -138 3 -139 3 -138 3 -139 4 -138 3 -139 3 -138 1 -75 2 -64 3 -138 3 -139 3 -138 3 -139 3 -138 4 -139 3 -138 3 -139 3 -138 3 -139 0 -7 3 -132 3 -138 3 -139 3 -138 4 -139 3 -139 3 -139 3 -138 3 -139 3 -139 2 -79 0 -2","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str13","@d":"M-1556 7287l0 -34 0 -139 0 -139 0 -138 0 -139 0 -139 0 -139 0 -139 0 -71 0 -67 0 -139 0 -139 0 -138 0 -139 0 -139 0 -138 0 -139 0 -138 0 -139 0 -139 0 -3 0 -135 0 -139 0 -138 0 -139 0 -138 0 -139 0 -138 0 -139 0 -138 0 -139 0 -74 0 -64 0 -139 0 -138 0 -139 0 -138 0 -139 0 -138 0 -139 0 -138 0 -139 0 -139 0 -7 0 -131 0 -139 0 -139 0 -138 0 -139 0 -139 0 -139 0 -139 0 -138 0 -139 0 -79 0 -14","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str13","@d":"M-346 7287l-1 -47 -3 -139 -4 -139 -3 -139 -3 -139 -3 -138 -3 -139 -3 -139 -2 -71 -1 -68 -3 -138 -3 -139 -4 -139 -3 -138 -3 -139 -3 -138 -3 -139 -3 -138 -3 -139 -3 -139 0 -3 -3 -135 -4 -139 -3 -138 -3 -138 -3 -139 -3 -138 -3 -139 -3 -138 -3 -139 -3 -138 -2 -75 -2 -64 -3 -138 -3 -139 -3 -138 -3 -139 -3 -138 -3 -139 -3 -138 -3 -139 -4 -138 -3 -139 0 -7 -3 -132 -3 -138 -3 -139 -3 -138 -3 -139 -3 -139 -3 -139 -4 -138 -3 -139 -3 -139 -2 -79 0 -2","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str13","@d":"M865 7287l-4 -88 -7 -139 -6 -138 -6 -139 -6 -139 -7 -139 -6 -138 -6 -139 -3 -71 -3 -68 -6 -138 -7 -139 -6 -138 -6 -139 -6 -138 -7 -139 -6 -138 -6 -139 -6 -138 -6 -138 -1 -4 -6 -135 -6 -138 -6 -138 -6 -139 -6 -138 -7 -139 -6 -138 -6 -138 -6 -139 -7 -138 -3 -75 -3 -63 -6 -139 -6 -138 -6 -138 -7 -139 -6 -138 -6 -139 -6 -138 -6 -139 -7 -138 -6 -138 0 -8 -6 -131 -6 -139 -7 -138 -6 -139 -6 -138 -6 -139 -7 -139 -6 -138 -6 -139 -6 -139 -2 -45","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str13","@d":"M2078 7287l-1 -17 -10 -139 -9 -138 -9 -139 -10 -138 -9 -139 -9 -139 -10 -138 -9 -138 -5 -72 -4 -67 -10 -138 -9 -139 -9 -138 -10 -138 -9 -139 -9 -138 -10 -138 -9 -138 -9 -139 -10 -138 0 -4 -9 -134 -9 -138 -10 -139 -9 -138 -9 -138 -10 -138 -9 -138 -9 -139 -10 -138 -9 -138 -5 -75 -4 -63 -9 -138 -10 -138 -9 -139 -9 -138 -10 -138 -9 -138 -9 -139 -10 -138 -9 -138 -9 -138 -1 -8 -9 -131 -9 -138 -9 -139 -10 -138 -9 -138 -9 -139 -10 -138 -9 -139 -9 -138 -9 -125","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str13","@d":"M3295 7287l-10 -112 -13 -138 -12 -139 -13 -138 -12 -139 -13 -138 -12 -138 -12 -138 -13 -139 -6 -71 -6 -67 -13 -138 -12 -138 -13 -138 -12 -138 -13 -138 -12 -138 -12 -138 -13 -138 -12 -138 -13 -138 0 -4 -12 -134 -12 -138 -13 -138 -12 -138 -13 -138 -12 -138 -13 -138 -12 -138 -12 -138 -13 -138 -6 -74 -6 -64 -13 -138 -12 -138 -12 -138 -13 -138 -12 -138 -13 -138 -12 -138 -13 -138 -12 -138 -12 -138 -1 -7 -12 -131 -12 -138 -13 -138 -12 -138 -13 -138 -12 -139 -12 -138 -13 -138 -12 -138 -4 -42","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@id":"gridlines","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":[{"@class":"fil20 str14","@d":"M-12 7218l0 0 0 -1637 3344 0 0 1637 -3344 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str15","@d":"M85 7122l0 -1444 3149 0 0 1444 -3149 0","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@id":"textPathCanary","@style":"visibility:hidden;","@d":"M 700,6300 C 1200,6125 2100,6000 2600,6000","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"image":{"@transform":"matrix(0.930151 0 0 0.929032 86.3544 3637.68)","@x":"0","@y":"2198","@width":"3383","@height":"1550","@xlink:href":"tests\/resources\/images\/canaryRelief.png","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"g":[{"g":[{"path":[{"@class":"fil4","@d":"M3152 5774l-14 0 0 -3 -3 -3 3 -4 4 -6 10 -7 6 0 4 3 0 7 0 3 -7 4 0 3 -3 3z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil4","@d":"M3138 5898l-3 0 -3 -4 0 -3 -4 -3 4 0 3 -4 7 -6 0 -4 0 -3 0 -3 6 -20 4 0 3 0 7 3 6 3 4 4 0 6 0 4 -4 0 -3 3 -7 10 0 3 -3 7 -7 0 -6 3 -4 4z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil4","@d":"M2988 6178l-6 0 0 -4 -4 -3 0 -3 -6 0 -7 0 -3 -4 -4 0 -10 0 -13 0 -3 4 -4 0 -3 -7 0 -7 -3 -3 0 -3 0 -4 0 -6 3 0 7 -4 3 -6 7 -4 3 -3 0 -3 3 -4 0 -6 0 -10 4 -17 -4 -13 0 -4 4 -6 0 -4 6 -10 0 -3 7 -7 3 -3 4 -10 3 0 7 -3 6 -7 10 -10 17 0 7 -3 6 3 4 -3 3 -4 7 -3 3 -7 7 -3 3 -3 7 -10 6 0 4 0 3 0 3 0 7 -4 3 -3 7 -3 3 0 4 -4 3 4 3 0 4 3 3 3 3 4 4 0 3 0 3 0 7 -4 3 -3 4 -7 0 -3 3 -3 0 -4 0 -6 3 -4 0 -3 4 -7 0 -3 0 -3 3 -7 3 -13 14 -17 3 -3 3 3 7 3 7 4 10 10 3 6 3 4 -3 6 0 14 0 3 0 7 -3 3 -7 3 -10 7 -3 7 0 3 0 7 3 6 0 7 3 3 0 7 0 3 0 4 -3 6 -3 7 -4 33 0 4 -6 0 0 10 -4 3 -6 3 0 4 -4 0 -3 3 -3 3 -7 4 -3 0 -7 3 0 3 0 7 -3 0 -4 0 -10 0 -6 -3 -4 3 -6 3 0 4 -4 0 -6 10 0 3 -17 3 -13 7 -4 0 -10 -3 -6 0 -7 0 -10 6 -3 0 -4 4 -6 3 -4 10 -3 13 -3 0 -4 7 -3 3 -7 4 0 10z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil4","@d":"M2638 6761l-10 -3 -13 0 -3 0 -10 0 -7 -7 -7 -3 -3 0 -10 -4 -10 0 -20 0 -7 0 -3 4 -3 0 -4 0 -3 0 -3 -4 6 -6 4 -7 0 -7 0 -3 6 0 4 0 3 3 10 0 10 4 17 -4 3 -3 10 -3 7 -4 3 -3 17 -7 20 -10 6 -3 4 -3 6 -10 4 0 6 -7 7 -3 3 -4 4 0 6 -6 10 -14 4 -6 10 -10 3 -4 3 -10 0 -10 -3 -20 3 -6 4 -10 3 -10 0 -4 7 -6 6 -7 4 -7 3 -6 0 -4 3 -13 0 -7 4 -3 0 -3 0 -4 0 -10 0 -3 6 -7 4 -3 3 -3 3 -7 4 -7 10 -10 3 -6 3 -10 4 -10 0 -4 3 -3 3 -3 4 -7 0 -7 3 -3 3 -7 4 -3 0 -3 6 -7 7 -10 3 -3 -3 -17 3 -3 0 -7 4 -3 3 -17 3 -3 0 -10 0 -14 0 -10 4 -3 0 -3 10 -4 3 0 3 -3 4 -3 6 0 7 -7 3 0 7 -3 3 -4 7 -3 3 0 7 0 3 0 7 -3 7 3 3 0 3 3 4 7 0 3 10 4 6 10 4 3 0 3 3 14 -3 13 3 17 0 6 3 7 0 3 0 14 4 10 0 10 -4 3 0 7 0 20 -3 3 -3 13 -4 7 -3 7 -3 3 -4 7 0 6 0 4 4 10 0 3 -4 7 0 6 4 7 3 7 3 3 0 3 -6 7 0 3 -4 7 -6 3 -4 17 -3 7 0 3 -3 10 0 3 -7 7 -3 3 0 7 0 3 0 10 -7 4 0 3 -3 10 -4 7 -3 6 -10 7 -3 3 -4 0 -3 -3 -3 0 -4 0 -10 7 -3 3 -13 0 -7 3 -7 0 -10 0 -13 4 -7 3 -13 3 -10 4 -7 3 -10 7 -10 6 -10 4 -16 0 -7 6 -7 10 -3 4 -10 16 -3 4 -7 6 -3 4 -4 3 -10 10 -3 7 -3 3 -4 0 -10 10 -3 3 -3 4 -4 3z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil4","@d":"M1835 6994l-10 -3 -7 -7 -3 0 -10 -3 -27 0 -6 0 0 -3 -14 -14 -10 -3 -3 -3 0 -4 -13 -10 -4 -3 -3 -7 -7 -6 -10 -4 -3 -3 -3 0 0 -3 -7 -20 -7 -4 0 -6 -3 -10 -10 -17 0 -3 3 -10 0 -4 0 -6 0 -4 0 -3 0 -3 0 -14 0 -13 4 -7 3 0 3 -3 10 0 4 0 3 0 3 -7 7 -6 3 -7 7 0 3 0 4 -3 3 -4 3 -3 0 -3 0 -4 4 -3 3 0 3 -3 0 -4 4 -3 0 -7 -4 -6 4 -7 3 -3 -3 -4 3 -6 0 -7 3 -3 -3 -7 -3 -7 0 -6 13 3 10 0 3 0 10 0 4 0 3 7 10 3 7 0 3 3 3 0 17 0 10 0 7 0 3 4 3 -4 7 -3 3 0 4 3 6 4 4 -4 3 4 10 6 7 0 3 4 3 -4 7 -3 7 0 3 0 3 -3 0 -4 0 -3 0 -3 -6 -7 3 -7 10 0 3 -6 4 3 6 3 4 4 -4 3 -10 13 0 4 -3 6 0 7 3 3 7 7 0 3 0 7 0 7 -3 3 0 3 0 7 0 3 0 4 3 10 0 3 7 3 3 7 7 0 0 3 6 4 4 3 0 3 -4 7 -3 10 -3 3 0 7 3 3 3 7 0 3 0 7 7 3 0 7 -10 0 -3 3 0 4 -4 6 -3 7 3 7 0 3 4 3 6 7 4 3 -4 4 0 3 -10 7 -6 3 0 3 -4 4 -3 0 -3 6 -4 7 -3 3 -3 10 -10 7 -4 0 -16 7 -7 0 -7 3 -3 3 -3 0 -7 0 -7 4 -3 0 -3 3 -14 7 0 3 -3 3 -3 7 -4 3 -3 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":[{"@class":"fil4","@d":"M415 6408l0 6 0 7 -3 3 -4 4 -3 3 -7 3 -3 4 0 6 -7 7 -3 10 -3 0 0 -3 -7 -4 -7 -6 -3 -4 0 -3 0 -7 0 -3 0 -3 -3 -4 -4 -3 0 -17 0 -6 0 -4 0 -3 0 -3 -3 -4 -13 -13 -7 -10 0 -3 0 -14 -3 -6 0 -7 -4 -3 -6 -7 0 -3 -4 -7 -6 -3 0 -7 0 -3 0 -4 -4 -6 0 -4 0 -3 -3 -7 -3 -3 -4 -3 -3 -10 -7 -4 -3 0 -7 -10 0 -3 0 -7 4 -6 0 -4 10 -10 3 -3 0 -7 0 -3 3 0 10 -3 7 -7 13 -7 7 -6 3 -4 4 -3 3 3 7 4 3 3 3 0 4 0 6 0 7 3 7 0 13 -3 7 -3 3 0 7 0 3 0 7 3 10 10 3 7 0 3 0 3 0 4 0 3 3 3 7 10 0 4 0 6 3 4 10 6 4 4 0 6 -4 7 0 3 -10 7 -6 13 -4 7 -3 10 0 10 0 3 3 7 4 13 3 10 0 7 -3 10 -4 3 0 4 -3 3 0 3 -3 7 -14 20 0 3 -3 4z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil4","@d":"M1128 6811l-3 0 -3 -3 -7 -4 0 -3 -3 -3 3 -14 0 -6 -3 -4 -4 -3 -3 -3 -3 0 -4 -4 -3 -3 0 -7 0 -6 -3 0 -7 -10 -10 -14 -7 -6 -3 -7 -7 -3 0 -4 -3 -3 -3 -7 -4 -16 -3 -7 -7 -3 -3 -4 -3 0 0 -3 -7 -7 0 -3 -3 -7 0 -13 -4 -17 0 -3 -3 -7 -10 -16 0 -4 -7 -10 -3 -3 -7 -3 -3 -4 -3 -6 -4 -4 -3 -6 3 -4 0 -3 10 0 7 -3 3 0 4 -4 6 -3 4 0 6 -3 10 -4 4 0 3 4 3 0 10 6 20 0 10 0 4 0 13 -6 10 0 10 3 10 -10 3 -3 4 0 3 -4 7 0 13 0 3 4 20 0 4 -4 16 0 4 -3 3 -3 3 -4 7 -6 7 -4 3 0 10 4 3 0 4 0 3 -4 3 -6 7 -4 7 -3 0 -3 3 -4 3 -6 4 -4 0 -3 6 -3 4 -4 3 0 3 -3 4 -3 3 -7 3 -13 4 -7 3 -3 7 0 6 -7 0 -3 10 3 10 -3 7 -7 7 -3 3 0 0 -4 3 -6 7 0 7 3 3 0 7 -3 3 -4 7 4 3 0 7 0 3 0 13 6 7 0 3 0 7 -3 10 0 3 0 7 -7 7 0 3 -6 3 -4 10 4 4 0 0 3 3 10 3 3 0 4 0 13 0 3 -3 7 0 3 -3 4 -7 3 -10 3 -3 0 -14 7 -13 7 -3 3 -4 0 -6 3 -7 4 -3 6 -10 10 -4 4 -3 3 -7 7 -6 10 -7 10 -7 6 -10 4 -3 3 -7 3 -6 7 -4 3 -3 4 0 13 0 3 0 14 3 6 0 4 -3 6 -3 4 -4 3 0 3 -3 4 0 6 -7 10 0 4 -10 20 -3 6 -3 10 -4 10 0 4 -6 16 0 10 0 4 0 3 -17 10 -7 3 0 4 -6 13 -7 10 -7 7 -3 3 -3 10 -4 3 -3 0 -7 10 -6 4 0 3 -4 3 -10 0 -10 0 -6 0 -20 7 -7 7 -3 3 -4 0 -10 0 -6 0 -4 3 -3 0 -7 7z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil4","@d":"M768 6788l-10 0 -10 -7 -13 -17 -7 0 -3 -3 -7 -7 -3 -10 -7 -6 -3 -4 0 -6 -3 -17 3 -3 0 -7 0 -10 7 -10 0 -3 0 -4 0 -3 3 -3 7 -4 3 -3 10 -7 17 -10 3 0 3 4 4 0 6 6 4 0 3 0 17 7 3 0 10 7 10 10 3 0 10 6 0 4 10 0 7 3 7 7 0 3 6 10 0 3 0 10 0 10 -3 4 0 3 -3 0 -7 10 -7 3 -3 7 -3 3 -4 0 -6 7 -7 7 -3 0 -7 3 -3 3 -4 0 -3 0 -13 -3 -4 3 -6 4 -4 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil4","@d":"M278 7051l-10 0 -3 0 -7 -7 -3 -3 -3 -3 -10 -20 -4 0 -3 -4 -3 0 -10 -3 -4 3 -6 -3 -10 0 -10 -3 -7 -4 -13 0 -4 -3 -3 0 -3 -10 -4 -10 0 -3 0 -4 0 -6 7 -7 10 -7 7 -3 3 3 7 7 3 0 7 0 6 0 7 0 7 3 3 0 7 0 6 -3 4 0 3 -3 7 -10 6 -7 4 0 10 -7 0 -3 -4 -3 -3 -4 3 -3 4 -3 3 0 10 0 3 0 4 -7 3 0 7 0 3 -3 3 -4 4 -3 3 -3 13 3 7 3 3 10 4 4 0 3 3 3 0 4 0 6 -3 4 -10 10 -4 3 -3 3 -3 7 0 3 0 4 -4 6 0 4 -3 16 -7 4 -3 3 -7 7 0 3 -3 3 -3 4 -4 3 0 7 0 6 0 4 -3 3 0 3 0 4 0 3 -7 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"path":{"@class":"fil5","@d":"M85 7121l0 -1443 3150 0 0 1443 -3150 0m3053 -1223l4 -4 6 -3 7 0 3 -7 0 -3 7 -10 3 -3 4 0 0 -4 0 -6 -4 -4 -6 -3 -7 -3 -3 0 -4 0 -6 20 0 3 0 3 0 4 -7 6 -3 4 -4 0 4 3 0 3 3 4 3 0m-150 280l0 -10 7 -4 3 -3 4 -7 3 0 3 -13 4 -10 6 -3 4 -4 3 0 10 -6 7 0 6 0 10 3 4 0 13 -7 17 -3 0 -3 6 -10 4 0 0 -4 6 -3 4 -3 6 3 10 0 4 0 3 0 0 -7 0 -3 7 -3 3 0 7 -4 3 -3 3 -3 4 0 0 -4 6 -3 4 -3 0 -10 6 0 0 -4 4 -33 3 -7 3 -6 0 -4 0 -3 0 -7 -3 -3 0 -7 -3 -6 0 -7 0 -3 3 -7 10 -7 7 -3 3 -3 0 -7 0 -3 0 -14 3 -6 -3 -4 -3 -6 -10 -10 -7 -4 -7 -3 -3 -3 -3 3 -14 17 -3 13 -3 7 0 3 0 3 -4 7 0 3 -3 4 0 6 0 4 -3 3 0 3 -4 7 -3 3 -7 4 -3 0 -3 0 -4 0 -3 -4 -3 -3 -4 -3 -3 0 -3 -4 -4 4 -3 0 -7 3 -3 3 -7 4 -3 0 -3 0 -4 0 -6 0 -7 10 -3 3 -7 3 -3 7 -7 3 -3 4 -4 3 -6 -3 -7 3 -17 0 -10 10 -6 7 -7 3 -3 0 -4 10 -3 3 -7 7 0 3 -6 10 0 4 -4 6 0 4 4 13 -4 17 0 10 0 6 -3 4 0 3 -3 3 -7 4 -3 6 -7 4 -3 0 0 6 0 4 0 3 3 3 0 7 3 7 4 0 3 -4 13 0 10 0 4 0 3 4 7 0 6 0 0 3 4 3 0 4 6 0m-2573 230l3 -4 0 -3 14 -20 3 -7 0 -3 3 -3 0 -4 4 -3 3 -10 0 -7 -3 -10 -4 -13 -3 -7 0 -3 0 -10 3 -10 4 -7 6 -13 10 -7 0 -3 4 -7 0 -6 -4 -4 -10 -6 -3 -4 0 -6 0 -4 -7 -10 -3 -3 0 -3 0 -4 0 -3 0 -3 -3 -7 -10 -10 -7 -3 -3 0 -7 0 -3 0 -7 3 -13 3 -7 0 -7 -3 -6 0 -4 0 -3 0 -3 -3 -7 -4 -3 -3 -4 3 -3 4 -7 6 -13 7 -7 7 -10 3 -3 0 0 3 0 7 -3 3 -10 10 0 4 -4 6 0 7 0 3 7 10 3 0 7 4 3 10 4 3 3 3 3 7 0 3 0 4 4 6 0 4 0 3 0 7 6 3 4 7 0 3 6 7 4 3 0 7 3 6 0 14 0 3 7 10 13 13 3 4 0 3 0 3 0 4 0 6 0 17 4 3 3 4 0 3 0 3 0 7 0 3 3 4 7 6 7 4 0 3 3 0 3 -10 7 -7 0 -6 3 -4 7 -3 3 -3 4 -4 3 -3 0 -7 0 -6m2223 353l4 -3 3 -4 3 -3 10 -10 4 0 3 -3 3 -7 10 -10 4 -3 3 -4 7 -6 3 -4 10 -16 3 -4 7 -10 7 -6 16 0 10 -4 10 -6 10 -7 7 -3 10 -4 13 -3 7 -3 13 -4 10 0 7 0 7 -3 13 0 3 -3 10 -7 4 0 3 0 3 3 4 0 3 -3 10 -7 3 -6 4 -7 3 -10 0 -3 7 -4 0 -10 0 -3 0 -7 3 -3 7 -7 0 -3 3 -10 0 -3 3 -7 4 -17 6 -3 4 -7 0 -3 6 -7 0 -3 -3 -3 -3 -7 -4 -7 0 -6 4 -7 0 -3 -4 -10 0 -4 0 -6 4 -7 3 -3 3 -7 4 -7 3 -13 3 -3 0 -20 0 -7 4 -3 0 -10 -4 -10 0 -14 0 -3 -3 -7 0 -6 -3 -17 3 -13 -3 -14 0 -3 -4 -3 -6 -10 -10 -4 0 -3 -4 -7 -3 -3 -3 0 -7 -3 -7 3 -3 0 -7 0 -3 0 -7 3 -3 4 -7 3 -3 0 -7 7 -6 0 -4 3 -3 3 -3 0 -10 4 0 3 -4 3 0 10 0 14 0 10 -3 3 -3 17 -4 3 0 7 -3 3 3 17 -3 3 -7 10 -6 7 0 3 -4 3 -3 7 -3 3 0 7 -4 7 -3 3 -3 3 0 4 -4 10 -3 10 -3 6 -10 10 -4 7 -3 7 -3 3 -4 3 -6 7 0 3 0 10 0 4 0 3 -4 3 0 7 -3 13 0 4 -3 6 -4 7 -6 7 -7 6 0 4 -3 10 -4 10 -3 6 3 20 0 10 -3 10 -3 4 -10 10 -4 6 -10 14 -6 6 -4 0 -3 4 -7 3 -6 7 -4 0 -6 10 -4 3 -6 3 -20 10 -17 7 -3 3 -7 4 -10 3 -3 3 -17 4 -10 -4 -10 0 -3 -3 -4 0 -6 0 0 3 0 7 -4 7 -6 6 3 4 3 0 4 0 3 0 3 -4 7 0 20 0 10 0 10 4 3 0 7 3 7 7 10 0 3 0 13 0 10 3m-1870 27l4 0 6 -4 4 -3 13 3 3 0 4 0 3 -3 7 -3 3 0 7 -7 6 -7 4 0 3 -3 3 -7 7 -3 7 -10 3 0 0 -3 3 -4 0 -10 0 -10 0 -3 -6 -10 0 -3 -7 -7 -7 -3 -10 0 0 -4 -10 -6 -3 0 -10 -10 -10 -7 -3 0 -17 -7 -3 0 -4 0 -6 -6 -4 0 -3 -4 -3 0 -17 10 -10 7 -3 3 -7 4 -3 3 0 3 0 4 0 3 -7 10 0 10 0 7 -3 3 3 17 0 6 3 4 7 6 3 10 7 7 3 3 7 0 13 17 10 7 10 0m360 23l7 -7 3 0 4 -3 6 0 10 0 4 0 3 -3 7 -7 20 -7 6 0 10 0 10 0 4 -3 0 -3 6 -4 7 -10 3 0 4 -3 3 -10 3 -3 7 -7 7 -10 6 -13 0 -4 7 -3 17 -10 0 -3 0 -4 0 -10 6 -16 0 -4 4 -10 3 -10 3 -6 10 -20 0 -4 7 -10 0 -6 3 -4 0 -3 4 -3 3 -4 3 -6 0 -4 -3 -6 0 -14 0 -3 0 -13 3 -4 4 -3 6 -7 7 -3 3 -3 10 -4 7 -6 7 -10 6 -10 7 -7 3 -3 4 -4 10 -10 3 -6 7 -4 6 -3 4 0 3 -3 13 -7 14 -7 3 0 10 -3 7 -3 3 -4 0 -3 3 -7 0 -3 0 -13 0 -4 -3 -3 -3 -10 0 -3 -4 0 -10 -4 -3 4 -3 6 -7 0 -7 7 -3 0 -10 0 -7 3 -3 0 -7 0 -13 -6 -3 0 -7 0 -3 0 -7 -4 -3 4 -7 3 -3 0 -7 -3 -7 0 -3 6 0 4 -3 0 -7 3 -7 7 -10 3 -10 -3 0 3 -6 7 -7 0 -3 3 -4 7 -3 13 -3 7 -4 3 -3 3 -3 0 -4 4 -6 3 0 3 -4 4 -3 6 -3 4 0 3 -7 3 -7 4 -3 6 -3 4 -4 0 -3 0 -10 -4 -3 0 -7 4 -7 6 -3 4 -3 3 -4 3 -16 0 -4 4 -20 0 -3 -4 -13 0 -7 0 -3 4 -4 0 -3 3 -10 10 -10 -3 -10 0 -13 6 -4 0 -10 0 -20 0 -10 -6 -3 0 -3 -4 -4 0 -10 4 -6 3 -4 0 -6 3 -4 4 -3 0 -7 3 -10 0 0 3 -3 4 3 6 4 4 3 6 3 4 7 3 3 3 7 10 0 4 10 16 3 7 0 3 4 17 0 13 3 7 0 3 7 7 0 3 3 0 3 4 7 3 3 7 4 16 3 7 3 3 0 4 7 3 3 7 7 6 10 14 7 10 3 0 0 6 0 7 3 3 4 4 3 0 3 3 4 3 3 4 0 6 -3 14 3 3 0 3 7 4 3 3 3 0m707 183l3 0 4 -3 3 -7 3 -3 0 -3 14 -7 3 -3 3 0 7 -4 7 0 3 0 3 -3 7 -3 7 0 16 -7 4 0 10 -7 3 -10 3 -3 4 -7 3 -6 3 0 4 -4 0 -3 6 -3 10 -7 0 -3 4 -4 -4 -3 -6 -7 -4 -3 0 -3 -3 -7 3 -7 4 -6 0 -4 3 -3 10 0 0 -7 -7 -3 0 -7 0 -3 -3 -7 -3 -3 0 -7 3 -3 3 -10 4 -7 0 -3 -4 -3 -6 -4 0 -3 -7 0 -3 -7 -7 -3 0 -3 -3 -10 0 -4 0 -3 0 -7 0 -3 3 -3 0 -7 0 -7 0 -3 -7 -7 -3 -3 0 -7 3 -6 0 -4 10 -13 4 -3 -4 -4 -6 -3 -4 -3 -3 6 -10 0 -3 7 6 7 0 3 0 3 0 4 -3 3 -3 0 -7 0 -7 3 -3 4 -3 -4 -7 0 -10 -6 -3 -4 -4 4 -6 -4 -4 -3 -3 0 -7 3 -3 4 -3 -4 -7 0 -10 0 -17 0 -3 0 -3 -3 -7 0 -10 -3 -3 -7 -4 0 -10 0 -3 0 -10 0 -13 -3 0 6 3 7 3 7 -3 3 0 7 -3 6 3 4 -3 3 -4 7 4 6 0 7 -4 3 0 4 -3 3 -3 0 -4 3 0 4 0 3 -3 3 -3 4 -4 3 -3 0 -7 0 -3 7 -7 6 -3 7 -3 0 -4 0 -10 0 -3 3 -3 0 -4 7 0 13 0 14 0 3 0 3 0 4 0 6 0 4 -3 10 0 3 10 17 3 10 0 6 7 4 7 20 0 3 3 0 3 3 10 4 7 6 3 7 4 3 13 10 0 4 3 3 10 3 14 14 0 3 6 0 27 0 10 3 3 0 7 7 10 3m-1557 57l7 0 0 -3 0 -4 0 -3 3 -3 0 -4 0 -6 0 -7 4 -3 3 -4 3 -3 0 -3 7 -7 3 -3 7 -4 3 -16 0 -4 4 -6 0 -4 0 -3 3 -7 3 -3 4 -3 10 -10 3 -4 0 -6 0 -4 -3 -3 0 -3 -4 -4 -3 -10 -7 -3 -13 -3 -3 3 -4 3 -3 4 -3 3 -7 0 -3 0 -4 7 -3 0 -10 0 -3 0 -4 3 -3 3 3 4 4 3 0 3 -10 7 -4 0 -6 7 -7 10 -3 3 -4 0 -6 3 -7 0 -3 0 -7 -3 -7 0 -6 0 -7 0 -3 0 -7 -7 -3 -3 -7 3 -10 7 -7 7 0 6 0 4 0 3 4 10 3 10 3 0 4 3 13 0 7 4 10 3 10 0 6 3 4 -3 10 3 3 0 3 4 4 0 10 20 3 3 3 3 7 7 3 0 10 0m2874 -1277l3 -3 0 -3 7 -4 0 -3 0 -7 -4 -3 -6 0 -10 7 -4 6 -3 4 3 3 0 3 14 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"text":[{"$":"18","@x":"242","@y":"5654","@class":"fil8 fnt8","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"16","@x":"1525","@y":"5654","@class":"fil8 fnt8","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"14","@x":"2797","@y":"5654","@class":"fil8 fnt8","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"18","@x":"222","@y":"7192","@class":"fil8 fnt8","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"16","@x":"1517","@y":"7192","@class":"fil8 fnt8","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"14","@x":"2834","@y":"7192","@class":"fil8 fnt8","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"28","@x":"3244","@y":"6808","@class":"fil8 fnt8","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"28","@x":"-2","@y":"6812","@class":"fil8 fnt8","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"switch":{"text":[{"$":"westl. v. Greenwich","@x":"377","@y":"5654","@class":"fil8 fnt8","@systemLanguage":"de","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"west of Greenwich","@x":"377","@y":"5654","@class":"fil8 fnt8","@systemLanguage":"en","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":[{"@class":"fil7 str8","@d":"M3152 5776l2 -4 2 -3 5 -5 2 -3 0 -5 -4 -5 -6 0 -2 3 -11 3 -3 7 -1 5 1 4 2 1 13 2","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str8","@d":"M3140 5897l-4 0 -4 -2 -1 -2 -1 -3 2 -3 3 -2 5 -5 0 -4 1 -4 1 -3 6 -19 4 -2 3 1 8 3 5 2 5 6 -1 4 -2 3 -3 2 -2 3 -6 10 0 4 -6 5 -4 0 -6 5 -3 1","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str8","@d":"M2987 6178l-5 -1 -2 -3 -1 -3 -2 -3 -4 -1 -9 1 -3 -2 -4 -1 -9 1 -12 0 -3 2 -4 -1 -3 -5 -2 -7 -2 -3 -2 -4 0 -4 2 -4 3 -2 8 -1 3 -8 5 -5 3 -2 2 -3 1 -3 0 -8 0 -10 3 -17 -3 -11 0 -5 3 -7 1 -4 6 -9 2 -3 5 -6 4 -6 3 -7 3 -2 6 -3 9 -7 10 -10 14 0 9 -1 4 0 4 -1 6 -4 5 -4 4 -7 6 -3 3 -3 6 -8 3 -3 4 0 3 2 5 1 4 -1 6 -4 3 -2 6 -4 4 -1 4 -1 3 0 3 2 4 5 3 1 2 3 4 2 4 0 4 -2 6 -3 2 -3 4 -6 1 -5 2 -3 1 -3 0 -5 2 -4 1 -4 4 -5 1 -5 0 -5 1 -3 2 -3 3 -13 12 -18 4 0 2 3 7 3 9 2 8 11 5 5 1 4 -2 8 -2 13 1 4 -1 5 -2 3 -5 5 -10 6 -3 7 -1 4 -1 5 3 7 2 8 2 4 1 4 0 3 -1 5 -5 6 -3 6 -1 35 -2 3 -4 1 -2 9 -2 2 -6 4 -3 2 -3 2 -2 3 -3 2 -7 3 -3 3 -6 3 -3 3 0 5 -2 2 -4 -1 -9 -2 -5 0 -4 1 -6 3 -3 3 -3 2 -4 11 -3 2 -15 2 -12 8 -5 0 -11 -4 -5 -1 -8 3 -10 4 -4 1 -3 2 -5 5 -5 10 -3 12 -3 3 -4 6 -2 3 -6 4 -2 8","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str8","@d":"M416 6407l2 -3 1 -4 13 -17 3 -7 0 -5 2 -4 1 -3 2 -3 5 -11 1 -4 -5 -11 -2 -12 -3 -7 -1 -4 0 -9 2 -12 4 -7 8 -12 8 -7 2 -3 2 -8 0 -4 -4 -4 -9 -7 -2 -2 0 -9 -2 -4 -7 -8 -2 -3 -1 -4 0 -5 2 -3 -1 -3 -4 -6 -10 -10 -7 -3 -4 -1 -5 0 -3 1 -7 4 -12 3 -8 -2 -8 -3 -5 0 -4 1 -4 -1 -4 -1 -5 -5 -3 -2 -3 2 -5 5 -7 4 -13 6 -7 9 -8 1 -3 3 -1 3 0 4 -2 4 -2 3 -8 7 -2 3 -3 7 -1 9 1 4 8 7 3 1 5 4 4 10 2 3 4 2 3 7 0 4 1 4 4 5 0 5 -1 5 2 3 3 6 6 5 1 4 4 6 4 6 2 3 1 8 2 14 0 4 7 8 12 14 2 3 0 3 1 4 1 4 0 5 1 19 2 2 2 3 1 4 -1 4 0 5 2 4 4 5 4 5 6 4 2 3 2 -1 4 -10 5 -5 3 -7 3 -3 6 -4 3 -2 4 -6 1 -3 2 -4 1 -10","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str8","@d":"M2637 6761l3 -2 6 -4 3 -3 10 -9 3 -2 2 -3 5 -6 8 -11 3 -3 6 -4 5 -4 4 -6 10 -17 2 -2 6 -9 8 -7 18 -2 8 -1 10 -6 2 -2 9 -6 8 -2 10 -5 12 -3 7 -3 12 -3 13 -1 3 -1 9 -1 12 -2 4 -2 9 -6 3 -1 3 0 6 4 2 0 2 -3 3 -2 8 -7 4 -6 4 -7 2 -8 1 -4 5 -5 1 -9 0 -4 1 -5 1 -3 8 -8 1 -4 2 -8 2 -3 2 -9 5 -14 4 -7 4 -6 1 -3 5 -5 0 -5 -2 -4 -2 -7 -4 -6 -1 -4 2 -8 1 -4 -2 -9 0 -5 0 -4 2 -7 5 -6 4 -6 0 -5 6 -14 1 -3 1 -19 1 -8 1 -4 1 -10 -2 -8 0 -15 -1 -4 -3 -7 0 -4 -3 -18 2 -14 -3 -12 -1 -3 -2 -3 -5 -11 -11 -4 -2 -2 -1 -8 -3 -3 -4 -1 -7 -2 -7 3 -4 1 -5 0 -4 0 -7 3 -4 1 -5 5 -5 0 -4 6 -9 1 -3 2 -2 3 -3 2 -11 4 -2 3 -2 3 -1 9 2 13 -1 10 -2 3 -4 16 -4 7 -1 3 -1 4 1 18 -1 4 -7 8 -7 9 -1 3 -3 3 -4 6 -1 4 0 4 -6 9 -2 4 -2 3 -2 3 -2 8 -2 3 -2 8 -3 7 -9 11 -5 5 -4 6 -2 4 -5 4 -4 6 -1 4 -2 9 1 5 -1 4 -1 4 -1 4 -2 13 -2 3 -4 7 -2 8 -8 7 -5 5 -1 4 -3 12 -3 7 -2 9 2 18 -1 10 -3 12 -2 3 -10 11 -4 6 -11 13 -6 5 -3 2 -2 3 -7 3 -9 6 -3 2 -6 9 -3 2 -7 3 -19 11 -17 7 -3 2 -8 3 -9 6 -3 1 -17 4 -11 -4 -9 0 -5 -1 -3 -1 -5 0 -2 3 1 8 -4 6 -5 6 2 3 3 2 4 -1 4 -1 2 -2 9 -2 19 0 9 0 12 4 3 2 7 3 6 4 9 1 4 -1 13 3 9 1","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str8","@d":"M767 6789l4 -1 6 -4 4 -1 13 2 4 0 5 -1 3 -1 6 -5 4 1 4 -6 3 -3 6 -3 3 -3 1 -3 5 -6 7 -3 6 -8 3 -3 2 -3 1 -4 1 -9 1 -9 -2 -3 -4 -11 -2 -3 -8 -8 -6 -2 -8 -2 -2 -1 -7 -8 -5 -1 -11 -9 -9 -6 -3 -2 -17 -4 -5 0 -3 -2 -6 -4 -2 -2 -4 -2 -5 0 -16 11 -10 5 -3 2 -6 4 -2 2 -2 4 -1 4 0 5 -5 10 0 10 -1 4 -2 4 1 18 3 7 2 4 7 6 4 10 5 6 3 2 7 3 15 15 9 6 9 1","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str8","@d":"M1128 6811l6 -4 3 -3 4 -1 8 -2 8 1 4 -2 2 -2 10 -6 17 -7 9 -1 9 1 10 -1 3 -1 2 -4 5 -5 6 -9 4 -1 2 -3 5 -10 2 -3 8 -7 6 -9 6 -14 3 -3 5 -5 15 -9 2 -3 0 -4 1 -9 5 -16 0 -4 2 -8 5 -10 2 -9 10 -20 1 -4 5 -10 1 -4 5 -6 1 -3 2 -3 2 -2 4 -7 1 -4 -4 -7 -1 -13 0 -4 2 -11 1 -4 5 -5 7 -7 7 -3 3 -2 10 -5 6 -4 5 -10 8 -12 5 -5 3 -2 3 -2 3 -3 8 -12 5 -4 6 -4 7 -3 3 -2 4 -1 12 -8 14 -7 3 -1 12 -3 6 -4 3 -2 1 -5 1 -4 2 -3 0 -14 -1 -4 -2 -2 -3 -12 -1 -3 -4 0 -11 -3 -2 4 -5 5 -4 1 -9 6 -3 1 -9 1 -8 3 -4 -1 -4 -1 -14 -4 -4 -1 -5 1 -4 -1 -7 -3 -3 1 -6 4 -5 0 -7 -3 -4 0 -3 2 -1 4 -2 3 -2 3 -8 2 -7 8 -9 1 -8 -2 -3 2 -5 6 -6 3 -4 2 -4 6 -3 13 -3 6 -5 5 -4 2 -3 2 -2 3 -5 4 -2 3 -2 4 -5 5 -2 3 -1 4 -7 2 -6 5 -2 7 -3 2 -5 1 -4 -1 -8 -2 -5 1 -7 2 -6 5 -4 6 -2 3 -3 2 -18 2 -3 1 -19 -1 -4 -1 -15 0 -4 1 -3 1 -5 1 -3 2 -10 9 -9 -1 -13 0 -10 5 -5 1 -9 -1 -20 0 -11 -4 -3 -2 -3 -2 -5 0 -9 1 -6 4 -3 2 -6 4 -4 1 -4 1 -7 3 -8 1 -3 2 -2 3 -1 2 4 6 2 3 4 6 3 2 7 3 2 3 1 3 6 10 2 3 9 16 3 7 2 3 4 16 -1 14 2 8 1 3 6 6 1 3 3 2 3 2 6 4 5 5 3 17 4 6 2 3 1 3 4 5 6 5 7 8 9 14 8 8 2 3 1 4 0 9 2 4 3 2 4 1 3 2 2 3 3 5 2 4 -2 13 1 4 2 3 5 5 3 2 4 0","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str8","@d":"M1833 6995l4 -1 3 -2 6 -8 1 -4 3 -3 10 -4 6 -4 4 -1 4 -1 7 -3 4 0 3 -2 6 -3 9 -2 16 -3 4 -2 8 -7 5 -10 1 -4 3 -6 6 -5 3 -2 2 -3 2 -3 5 -5 9 -6 2 -3 1 -4 -2 -3 -5 -5 -5 -6 -1 -3 -1 -5 2 -7 3 -7 2 -3 2 -3 8 -1 1 -4 -5 -4 -1 -7 -1 -3 -3 -7 -1 -4 0 -5 2 -3 5 -11 1 -7 0 -4 -3 -2 -5 -5 -3 -2 -4 -2 -6 -4 -4 -6 -1 -3 -2 -8 -1 -5 1 -5 -1 -4 0 -4 2 -3 2 -8 0 -5 -1 -3 -8 -8 -1 -4 0 -5 2 -8 1 -4 10 -11 1 -4 -2 -3 -5 -5 -3 -2 -4 6 -10 0 -3 2 0 4 4 6 2 4 -1 5 -1 3 -2 3 -4 1 -5 0 -7 4 -4 0 -4 0 -7 -3 -9 -7 -4 -1 -4 1 -4 -1 -6 -4 -3 0 -6 5 -5 0 -3 -1 -4 -1 -13 2 -14 -1 -5 -1 -3 -2 -5 0 -10 -5 -6 -5 -3 -1 -9 1 -5 0 -8 -2 -14 -2 0 5 2 3 3 6 1 5 -1 4 -2 8 -1 5 1 4 -2 2 -4 7 2 8 0 5 -1 5 -1 3 -2 3 -4 1 -2 3 -1 4 -2 3 -2 3 -3 2 -3 2 -3 2 -9 1 -4 7 -4 5 -5 5 -3 2 -4 1 -10 1 -4 0 -2 3 -2 4 1 14 -3 13 0 4 1 4 0 4 1 5 0 3 -4 12 1 3 10 16 1 8 2 8 5 5 6 18 2 3 4 2 3 1 7 3 8 8 4 6 5 5 11 9 2 3 2 3 10 5 12 13 2 2 5 0 29 2 7 2 4 1 9 7 7 2","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str8","@d":"M277 7053l7 -2 2 -2 -1 -3 1 -4 2 -3 1 -4 0 -8 0 -4 2 -4 2 -2 2 -3 2 -3 2 -2 4 -6 6 -4 6 -2 1 -3 1 -15 1 -3 4 -6 1 -5 0 -4 1 -4 2 -3 3 -3 3 -2 11 -9 1 -3 1 -9 -1 -3 -1 -3 -3 -3 -1 -4 -5 -10 -5 -4 -14 -1 -4 1 -2 3 -4 6 -4 1 -5 0 -4 1 -5 5 -3 2 -9 0 -4 1 -3 2 -2 4 4 1 1 3 0 5 -9 5 -4 2 -8 7 -5 11 -2 2 -4 2 -9 2 -4 1 -5 -1 -6 -4 -5 0 -9 1 -5 -1 -3 -1 -9 -7 -4 -1 -7 3 -9 5 -5 6 -2 8 0 4 1 4 4 10 3 8 2 2 4 2 14 1 8 3 8 2 10 0 7 3 5 0 10 0 3 1 3 2 2 3 12 19 2 2 2 3 9 7 3 2 8 0","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":[{"@class":"fil15 str11","@d":"M2977 6617l0 -283 -283 0 0 283 283 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil14 str11","@d":"M2901 6617l0 -206 -207 0 0 206 207 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":[{"@class":"fil7 str16","@d":"M85 7121l0 -1443 3150 0 0 1443 -3150 0","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str16","@d":"M271 6790l0 -8 1 -37 0 -36 1 -37 0 -37 1 -36 1 -37 0 -36 1 -37 0 -36 1 -37 1 -36 0 -37 1 -37 0 -36 1 -37 1 -36 0 -37 1 -36 0 -37 1 -36 1 -37 0 -37 1 -36 0 -37 1 -36 1 -37 0 -36 1 -37 0 -37 1 -36 0 -7","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str16","@d":"M85 6786l27 1 33 0 32 1 32 1 33 0 29 1","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str16","@d":"M2852 6790l18 -1 32 0 33 -1 32 0 33 -1 32 -1 33 0 32 -1 32 0 33 -1 32 -1 33 0 8 -1","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str16","@d":"M2852 6790l0 -8 -1 -37 0 -36 -1 -37 0 -37 -1 -36 -1 -37 0 -36 -1 -37 0 -36 -1 -37 -1 -36 0 -37 -1 -37 0 -36 -1 -37 -1 -36 0 -37 -1 -36 0 -37 -1 -36 -1 -37 0 -37 -1 -36 0 -37 -1 -36 -1 -37 0 -36 -1 -37 0 -37 -1 -36 0 -7","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str16","@d":"M1561 6800l11 0 33 0 32 0 32 0 33 0 32 0 33 0 32 0 33 0 32 0 33 0 32 -1 32 0 33 0 32 0 33 0 32 -1 33 0 32 0 33 0 32 -1 32 0 33 0 32 0 33 -1 32 0 33 0 32 -1 33 0 32 -1 32 0 33 0 32 -1 33 0 32 -1 33 0 32 -1 33 0 32 -1 32 0 15 0","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str16","@d":"M1561 6800l0 -8 0 -36 0 -37 0 -36 0 -37 0 -37 0 -36 0 -37 0 -36 0 -37 0 -36 0 -37 0 -36 0 -37 0 -37 0 -36 0 -37 0 -36 0 -37 0 -36 0 -37 0 -37 0 -36 0 -37 0 -36 0 -37 0 -36 0 -37 0 -37 0 -36 0 -37 0 -17","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str16","@d":"M271 6790l3 0 33 0 32 1 33 0 32 1 33 0 32 1 32 0 33 1 32 0 33 0 32 1 33 0 32 0 33 1 32 0 32 0 33 1 32 0 33 0 32 1 33 0 32 0 33 0 32 1 32 0 33 0 32 0 33 0 32 0 33 1 32 0 33 0 32 0 32 0 33 0 32 0 33 0 32 0 33 0 21 0","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str16","@d":"M1561 7121l0 -36 0 -37 0 -36 0 -37 0 -37 0 -36 0 -37 0 -36 0 -29","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str16","@d":"M2857 7121l0 -10 0 -37 -1 -37 0 -36 -1 -37 -1 -36 0 -37 -1 -36 0 -37 -1 -28","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str16","@d":"M265 7121l1 -10 0 -37 1 -37 0 -36 1 -37 1 -36 0 -37 1 -36 0 -37 1 -28","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":[{"@class":"fil15 str11","@d":"M1248 6705l0 -273 -276 0 0 273 276 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil17 str11","@d":"M1145 6705l0 -173 -173 0 0 173 173 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"switch":{"text":[{"textPath":{"$":"Kanarische Inseln","@xlink:href":"#textPathCanary","@startOffset":"5%","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@systemLanguage":"de","@class":"fil8 fnt9","@style":"letter-spacing:40px;","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"textPath":{"$":"Canary Islands","@xlink:href":"#textPathCanary","@startOffset":"5%","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@systemLanguage":"en","@class":"fil8 fnt9","@style":"letter-spacing:60px;","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"text":[{"$":"Teneriffa","@x":"1221","@y":"6344","@class":"fil8 fnt7","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"Gran Canaria","@x":"1893","@y":"7067","@class":"fil8 fnt7","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@id":"islands","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"switch":[{"g":[{"text":[{"$":"Spanien - Bev\u00f6lkerung","@x":"-5481","@y":"166","@class":"fil8 fnt10","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"1970 - 1990","@x":"3500","@y":"157","@class":"fil8 fnt10","@style":"text-anchor:end;","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"Erstellt v. Andreas Neumann im Rahmen d. Kartenentwurfspraktikums, Sommersemester 1998,","@x":"-5483","@y":"7499","@class":"fil8 fnt8","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"geleitet v. Prof. Ingrid Kretschmer, Institut f\u00fcr Geographie der Universit\u00e4t Wien.","@x":"-5483","@y":"7583","@class":"fil8 fnt8","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"Verwendete Software: Arc\/Info und Module, CorelDRAW und div. Perl-Scripts.","@x":"-5483","@y":"7666","@class":"fil8 fnt8","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"Bev\u00f6lkerungsdichte","@x":"3665","@y":"363","@class":"fil8 fnt11","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"Bev\u00f6lkerungsver\u00e4nderung","@x":"3665","@y":"4063","@class":"fil8 fnt11","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"Bev\u00f6lkerung absolut","@x":"3665","@y":"1815","@class":"fil8 fnt11","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"Einwohner\/km\u00b2 auf Provinzebene","@x":"3665","@y":"510","@class":"fil8 fnt7","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"Prozentuelle Ver\u00e4nderung der","@x":"3665","@y":"4210","@class":"fil8 fnt7","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"Provinzen gegen\u00fcber Stand 1970","@x":"3665","@y":"4344","@class":"fil8 fnt7","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"Prozentuelle Ver\u00e4nderung der","@x":"3665","@y":"5750","@class":"fil8 fnt7","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"Hauptst\u00e4dte gegen\u00fcber Stand 1970","@x":"3665","@y":"5884","@class":"fil8 fnt7","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"Auf Provinzebene und in den","@x":"3665","@y":"1962","@class":"fil8 fnt7","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"Hauptst\u00e4dten (inneres Quadrat)","@x":"3665","@y":"2096","@class":"fil8 fnt7","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@systemLanguage":"de","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"text":[{"$":"Spain - Population","@x":"-5481","@y":"166","@class":"fil8 fnt10","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"1970 - 1990","@x":"3500","@y":"157","@class":"fil8 fnt10","@style":"text-anchor:end;","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"Created by Andreas Neumann for the map design course, summer semester 1998,","@x":"-5483","@y":"7499","@class":"fil8 fnt8","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"led by Prof. Ingrid Kretschmer, Geography Institute of Vienna University.","@x":"-5483","@y":"7583","@class":"fil8 fnt8","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"Used software: Arc\/Info and Modules, CorelDRAW and various Perl scripts.","@x":"-5483","@y":"7666","@class":"fil8 fnt8","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"Population density","@x":"3665","@y":"363","@class":"fil8 fnt11","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"Population change","@x":"3665","@y":"4063","@class":"fil8 fnt11","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"Population absolute","@x":"3665","@y":"1815","@class":"fil8 fnt11","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"Inhab. per km\u00b2 at province level","@x":"3665","@y":"510","@class":"fil8 fnt7","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"Percentual change of the","@x":"3665","@y":"4210","@class":"fil8 fnt7","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"province vs situation 1970","@x":"3665","@y":"4344","@class":"fil8 fnt7","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"Percentual change of the","@x":"3665","@y":"5750","@class":"fil8 fnt7","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"capitals vs situation 1970","@x":"3665","@y":"5884","@class":"fil8 fnt7","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"At provincial level and in the","@x":"3665","@y":"1962","@class":"fil8 fnt7","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"capitals (inner square)","@x":"3665","@y":"2096","@class":"fil8 fnt7","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@systemLanguage":"en","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"text":[{"$":"Angaben in tausend","@x":"4151","@y":"3193","@class":"fil8 fnt41","@systemLanguage":"de","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"Indications in thousands","@x":"4151","@y":"3193","@class":"fil8 fnt41","@systemLanguage":"en","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"text":[{"$":"Massstab 1 : 6.000.000","@x":"-1325","@y":"7682","@class":"fil8 fnt41","@systemLanguage":"de","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"Scale 1 : 6.000.000","@x":"-1325","@y":"7682","@class":"fil8 fnt41","@systemLanguage":"en","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"text":[{"$":"Quelle: Spanisches Statistisches Zentralamt","@x":"3665","@y":"7280","@class":"fil8 fnt41","@systemLanguage":"de","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"Source: Spanish Central Office for Statistics","@x":"3665","@y":"7280","@class":"fil8 fnt41","@systemLanguage":"en","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"text":[{"$":"Minimum (Provinz): Soria - 97.268","@x":"3665","@y":"3331","@class":"fil8 fnt41","@systemLanguage":"de","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"Minimum (Province): Soria - 97.268","@x":"3665","@y":"3331","@class":"fil8 fnt41","@systemLanguage":"en","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"text":[{"$":"Maximum (Provinz): Madrid - 5.028.120","@x":"3665","@y":"3432","@class":"fil8 fnt41","@systemLanguage":"de","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"Maximum (Province): Madrid - 5.028.120","@x":"3665","@y":"3432","@class":"fil8 fnt41","@systemLanguage":"en","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"text":[{"$":"Minimum (Hauptstadt): Teruel - 28.488","@x":"3665","@y":"3532","@class":"fil8 fnt41","@systemLanguage":"de","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"Minimum (capital): Teruel - 28.488","@x":"3665","@y":"3532","@class":"fil8 fnt41","@systemLanguage":"en","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"text":[{"$":"Maximum (Hauptstadt): Madrid - 3.120.732","@x":"3665","@y":"3633","@class":"fil8 fnt41","@systemLanguage":"de","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"Maximum (capital): Madrid - 3.120.732","@x":"3665","@y":"3633","@class":"fil8 fnt41","@systemLanguage":"en","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"text":[{"$":"Stand 1990","@x":"4779","@y":"1362","@class":"fil8 fnt41","@systemLanguage":"de","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"Situation 1990","@x":"4779","@y":"1362","@class":"fil8 fnt41","@systemLanguage":"en","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"text":[{"$":"Stand 1990","@x":"5063","@y":"3022","@class":"fil8 fnt41","@systemLanguage":"de","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"Sit. 1990","@x":"5063","@y":"3022","@class":"fil8 fnt41","@systemLanguage":"en","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"g":[{"path":[{"@class":"fil0 str11","@d":"M3665 634l196 0 0 98 -196 0 0 -98z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str11","@d":"M3665 634l196 0 0 98 -196 0 0 -98z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":[{"@class":"fil1 str11","@d":"M3665 791l196 0 0 99 -196 0 0 -99z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str11","@d":"M3665 791l196 0 0 99 -196 0 0 -99z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":[{"@class":"fil2 str11","@d":"M3665 949l196 0 0 98 -196 0 0 -98z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str11","@d":"M3665 949l196 0 0 98 -196 0 0 -98z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":[{"@class":"fil3 str11","@d":"M3665 1106l196 0 0 99 -196 0 0 -99z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str11","@d":"M3665 1106l196 0 0 99 -196 0 0 -99z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"path":[{"@class":"fil4 str11","@d":"M3665 1264l196 0 0 98 -196 0 0 -98z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str11","@d":"M3665 1264l196 0 0 98 -196 0 0 -98z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"rect":{"@class":"fil7 str11","@x":"-2090","@y":"7529","@width":"2295","@height":"39","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"path":[{"@class":"fil7 str11","@d":"M-2090 7568l0 -48","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str11","@d":"M-2024 7568l0 -40","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str11","@d":"M-1959 7568l0 -40","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str11","@d":"M-1893 7568l0 -40","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str11","@d":"M-1827 7568l0 -40","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str11","@d":"M-1762 7568l0 -48","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str11","@d":"M-1434 7568l0 -40","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str11","@d":"M-1106 7568l0 -48","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str11","@d":"M-778 7568l0 -40","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str11","@d":"M-450 7568l0 -48","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str11","@d":"M-121 7568l0 -40","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str11","@d":"M206 7567l0 -47","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str11","@d":"M-1434 7547l328 0","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str11","@d":"M-1828 7547l66 0","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str11","@d":"M-1959 7547l65 0","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str11","@d":"M-2090 7547l65 0","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str11","@d":"M-778 7547l328 0","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str11","@d":"M-122 7547l328 0","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"text":[{"$":"0","@x":"-1783","@y":"7500","@class":"fil8 fnt42","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"100","@x":"-1167","@y":"7500","@class":"fil8 fnt42","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"200","@x":"-511","@y":"7500","@class":"fil8 fnt42","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"300 km","@x":"146","@y":"7500","@class":"fil8 fnt42","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"50","@x":"-2131","@y":"7500","@class":"fil8 fnt42","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"rect":[{"@class":"fil16 str11","@x":"3665","@y":"4473","@width":"197","@height":"98","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil10 str11","@x":"3665","@y":"6014","@width":"197","@height":"98","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil13 str11","@x":"3665","@y":"4631","@width":"197","@height":"98","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil12 str11","@x":"3665","@y":"6172","@width":"197","@height":"98","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil10 str11","@x":"3665","@y":"4788","@width":"197","@height":"98","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil14 str11","@x":"3665","@y":"6329","@width":"197","@height":"98","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil11 str11","@x":"3665","@y":"4946","@width":"197","@height":"98","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil17 str11","@x":"3665","@y":"6487","@width":"197","@height":"98","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil15 str11","@x":"3665","@y":"5103","@width":"197","@height":"98","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil15 str11","@x":"3665","@y":"6644","@width":"197","@height":"98","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"text":[{"$":"<","@x":"4250","@y":"723","@class":"fil8 fnt12","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":" 25","@x":"4304","@y":"723","@class":"fil8 fnt13","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"<","@x":"4338","@y":"4563","@class":"fil8 fnt14","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":" 85 %","@x":"4392","@y":"4563","@class":"fil8 fnt15","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"<","@x":"4338","@y":"6104","@class":"fil8 fnt16","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":" 115 %","@x":"4392","@y":"6104","@class":"fil8 fnt17","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"25 ","@x":"4111","@y":"881","@class":"fil8 fnt17","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":" 45","@x":"4304","@y":"881","@class":"fil8 fnt17","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"<","@x":"4250","@y":"881","@class":"fil8 fnt18","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"85 % ","@x":"4086","@y":"4720","@class":"fil8 fnt19","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":" 100 %","@x":"4392","@y":"4720","@class":"fil8 fnt19","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"<","@x":"4338","@y":"4720","@class":"fil8 fnt20","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"115 % ","@x":"4030","@y":"6261","@class":"fil8 fnt21","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":" 130 %","@x":"4392","@y":"6261","@class":"fil8 fnt21","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"<","@x":"4338","@y":"6261","@class":"fil8 fnt22","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"45 ","@x":"4111","@y":"1038","@class":"fil8 fnt23","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":" 75","@x":"4304","@y":"1038","@class":"fil8 fnt23","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"<","@x":"4250","@y":"1038","@class":"fil8 fnt24","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"100 % ","@x":"4030","@y":"4878","@class":"fil8 fnt25","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":" 115 %","@x":"4392","@y":"4878","@class":"fil8 fnt25","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"<","@x":"4338","@y":"4878","@class":"fil8 fnt26","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"130 % ","@x":"4030","@y":"6417","@class":"fil8 fnt27","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":" 145 %","@x":"4391","@y":"6417","@class":"fil8 fnt27","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"<","@x":"4337","@y":"6417","@class":"fil8 fnt28","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"75 ","@x":"4111","@y":"1196","@class":"fil8 fnt29","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":" 150","@x":"4304","@y":"1196","@class":"fil8 fnt29","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"<","@x":"4251","@y":"1196","@class":"fil8 fnt30","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"115 % ","@x":"4030","@y":"5035","@class":"fil8 fnt31","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":" 130 %","@x":"4392","@y":"5035","@class":"fil8 fnt31","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"<","@x":"4338","@y":"5035","@class":"fil8 fnt32","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"145 % ","@x":"4030","@y":"6576","@class":"fil8 fnt33","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":" 160 %","@x":"4392","@y":"6576","@class":"fil8 fnt33","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"<","@x":"4338","@y":"6576","@class":"fil8 fnt34","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"150 ","@x":"4054","@y":"1353","@class":"fil8 fnt35","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"<","@x":"4249","@y":"1353","@class":"fil8 fnt36","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"130 % ","@x":"4035","@y":"5193","@class":"fil8 fnt37","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"<","@x":"4343","@y":"5193","@class":"fil8 fnt38","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"160 % ","@x":"4035","@y":"6734","@class":"fil8 fnt39","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"<","@x":"4343","@y":"6734","@class":"fil8 fnt40","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"5.000","@x":"4712","@y":"2359","@class":"fil8 fnt41","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"1.000","@x":"4709","@y":"2484","@class":"fil8 fnt41","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"500","@x":"4769","@y":"2608","@class":"fil8 fnt41","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"200","@x":"4770","@y":"2733","@class":"fil8 fnt41","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"100","@x":"4770","@y":"2857","@class":"fil8 fnt41","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"50","@x":"4809","@y":"2982","@class":"fil8 fnt41","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"Min.: Soria - 9,46, Max.: Madrid - 628,91","@x":"3665","@y":"1543","@class":"fil8 fnt41","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"Minimum: Soria - 84,61 %,","@x":"3665","@y":"5400","@class":"fil8 fnt41","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"Maximum: Las Palmas - 141,24 %","@x":"3665","@y":"5500","@class":"fil8 fnt41","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"Minimum: Vizcaya - 93,50 %,","@x":"3665","@y":"6939","@class":"fil8 fnt41","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"$":"Maximum: Guadalajara - 199,18 %","@x":"3665","@y":"7040","@class":"fil8 fnt41","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"path":[{"@class":"fil7 str17","@d":"M4451 3032l0 -783 -786 0 0 783 786 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str17","@d":"M4022 3032l0 -357 -357 0 0 357 357 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str17","@d":"M3928 3032l0 -263 -263 0 0 263 263 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str17","@d":"M3851 3032l0 -184 -186 0 0 184 186 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str17","@d":"M3812 3032l0 -143 -147 0 0 143 147 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str17","@d":"M3778 3032l0 -114 -113 0 0 114 113 0z","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str18","@d":"M4680 2334l-232 0","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str18","@d":"M4680 2460l-331 0 -327 277","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str18","@d":"M4738 2576l-389 0 -424 263","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str18","@d":"M4738 2706l-389 0 -498 209","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str18","@d":"M4738 2832l-389 0 -536 137","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},{"@class":"fil7 str18","@d":"M4779 2952l-430 0 -570 51","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@id":"text_legend","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}],"@xml:space":"preserve","@x":"25","@y":"25","@width":"550","@height":"382.36","@style":"shape-rendering:geometricPrecision; text-rendering:auto; image-rendering:optimizeSpeed","@viewBox":"-5483 0 11053 7684","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}},"@viewBox":"0 0 600 420","@width":"600","@height":"420","@xmlns":{"xlink":"http:\/\/www.w3.org\/1999\/xlink","$":"http:\/\/www.w3.org\/2000\/svg"}}} yajl-ruby-1.4.3/spec/parsing/fixtures/pass.json-org-sample3.json0000644000004100000410000000113214246427314024677 0ustar www-datawww-data{"widget": { "debug": "on", "window": { "title": "Sample Konfabulator Widget", "name": "main_window", "width": 500, "height": 500 }, "image": { "src": "Images/Sun.png", "name": "sun1", "hOffset": 250, "vOffset": 250, "alignment": "center" }, "text": { "data": "Click Here", "size": 36, "style": "bold", "name": "text1", "hOffset": 250, "vOffset": 100, "alignment": "center", "onMouseUp": "sun1.opacity = (sun1.opacity / 100) * 90;" } }} yajl-ruby-1.4.3/spec/parsing/fixtures/pass.json-org-sample4.json0000644000004100000410000000661514246427314024713 0ustar www-datawww-data{"web-app": { "servlet": [ { "servlet-name": "cofaxCDS", "servlet-class": "org.cofax.cds.CDSServlet", "init-param": { "configGlossary:installationAt": "Philadelphia, PA", "configGlossary:adminEmail": "ksm@pobox.com", "configGlossary:poweredBy": "Cofax", "configGlossary:poweredByIcon": "/images/cofax.gif", "configGlossary:staticPath": "/content/static", "templateProcessorClass": "org.cofax.WysiwygTemplate", "templateLoaderClass": "org.cofax.FilesTemplateLoader", "templatePath": "templates", "templateOverridePath": "", "defaultListTemplate": "listTemplate.htm", "defaultFileTemplate": "articleTemplate.htm", "useJSP": false, "jspListTemplate": "listTemplate.jsp", "jspFileTemplate": "articleTemplate.jsp", "cachePackageTagsTrack": 200, "cachePackageTagsStore": 200, "cachePackageTagsRefresh": 60, "cacheTemplatesTrack": 100, "cacheTemplatesStore": 50, "cacheTemplatesRefresh": 15, "cachePagesTrack": 200, "cachePagesStore": 100, "cachePagesRefresh": 10, "cachePagesDirtyRead": 10, "searchEngineListTemplate": "forSearchEnginesList.htm", "searchEngineFileTemplate": "forSearchEngines.htm", "searchEngineRobotsDb": "WEB-INF/robots.db", "useDataStore": true, "dataStoreClass": "org.cofax.SqlDataStore", "redirectionClass": "org.cofax.SqlRedirection", "dataStoreName": "cofax", "dataStoreDriver": "com.microsoft.jdbc.sqlserver.SQLServerDriver", "dataStoreUrl": "jdbc:microsoft:sqlserver://LOCALHOST:1433;DatabaseName=goon", "dataStoreUser": "sa", "dataStorePassword": "dataStoreTestQuery", "dataStoreTestQuery": "SET NOCOUNT ON;select test='test';", "dataStoreLogFile": "/usr/local/tomcat/logs/datastore.log", "dataStoreInitConns": 10, "dataStoreMaxConns": 100, "dataStoreConnUsageLimit": 100, "dataStoreLogLevel": "debug", "maxUrlLength": 500}}, { "servlet-name": "cofaxEmail", "servlet-class": "org.cofax.cds.EmailServlet", "init-param": { "mailHost": "mail1", "mailHostOverride": "mail2"}}, { "servlet-name": "cofaxAdmin", "servlet-class": "org.cofax.cds.AdminServlet"}, { "servlet-name": "fileServlet", "servlet-class": "org.cofax.cds.FileServlet"}, { "servlet-name": "cofaxTools", "servlet-class": "org.cofax.cms.CofaxToolsServlet", "init-param": { "templatePath": "toolstemplates/", "log": 1, "logLocation": "/usr/local/tomcat/logs/CofaxTools.log", "logMaxSize": "", "dataLog": 1, "dataLogLocation": "/usr/local/tomcat/logs/dataLog.log", "dataLogMaxSize": "", "removePageCache": "/content/admin/remove?cache=pages&id=", "removeTemplateCache": "/content/admin/remove?cache=templates&id=", "fileTransferFolder": "/usr/local/tomcat/webapps/content/fileTransferFolder", "lookInContext": 1, "adminGroupID": 4, "betaServer": true}}], "servlet-mapping": { "cofaxCDS": "/", "cofaxEmail": "/cofaxutil/aemail/*", "cofaxAdmin": "/admin/*", "fileServlet": "/static/*", "cofaxTools": "/tools/*"}, "taglib": { "taglib-uri": "cofax.tld", "taglib-location": "/WEB-INF/tlds/cofax.tld"} }} yajl-ruby-1.4.3/spec/parsing/fixtures/pass.escaped_foobar.json0000644000004100000410000000004714246427314024537 0ustar www-datawww-data"\u0066\u006f\u006f\u0062\u0061\u0072" yajl-ruby-1.4.3/spec/parsing/active_support_spec.rb0000644000004100000410000000527314246427314022506 0ustar www-datawww-data# encoding: UTF-8 require File.expand_path(File.dirname(__FILE__) + '/../spec_helper.rb') describe "ActiveSupport test cases" do TESTS = { %q({"returnTo":{"\/categories":"\/"}}) => {"returnTo" => {"/categories" => "/"}}, %q({"return\\"To\\":":{"\/categories":"\/"}}) => {"return\"To\":" => {"/categories" => "/"}}, %q({"returnTo":{"\/categories":1}}) => {"returnTo" => {"/categories" => 1}}, %({"returnTo":[1,"a"]}) => {"returnTo" => [1, "a"]}, %({"returnTo":[1,"\\"a\\",", "b"]}) => {"returnTo" => [1, "\"a\",", "b"]}, %({"a": "'", "b": "5,000"}) => {"a" => "'", "b" => "5,000"}, %({"a": "a's, b's and c's", "b": "5,000"}) => {"a" => "a's, b's and c's", "b" => "5,000"}, # multibyte %({"matzue": "松江", "asakusa": "浅草"}) => {"matzue" => "松江", "asakusa" => "浅草"}, %({"a": "2007-01-01"}) => {'a' => "2007-01-01"}, %({"a": "2007-01-01 01:12:34 Z"}) => {'a' => "2007-01-01 01:12:34 Z"}, # no time zone %({"a": "2007-01-01 01:12:34"}) => {'a' => "2007-01-01 01:12:34"}, # needs to be *exact* %({"a": " 2007-01-01 01:12:34 Z "}) => {'a' => " 2007-01-01 01:12:34 Z "}, %({"a": "2007-01-01 : it's your birthday"}) => {'a' => "2007-01-01 : it's your birthday"}, %([]) => [], %({}) => {}, %({"a":1}) => {"a" => 1}, %({"a": ""}) => {"a" => ""}, %({"a":"\\""}) => {"a" => "\""}, %({"a": null}) => {"a" => nil}, %({"a": true}) => {"a" => true}, %({"a": false}) => {"a" => false}, %q({"a": "http:\/\/test.host\/posts\/1"}) => {"a" => "http://test.host/posts/1"}, %q({"a": "\u003cunicode\u0020escape\u003e"}) => {"a" => ""}, %q({"a": "\\\\u0020skip double backslashes"}) => {"a" => "\\u0020skip double backslashes"}, %q({"a": "\u003cbr /\u003e"}) => {'a' => "
"}, %q({"b":["\u003ci\u003e","\u003cb\u003e","\u003cu\u003e"]}) => {'b' => ["","",""]} } TESTS.each do |json, expected| it "should be able to parse #{json} as an IO" do expect { expect(Yajl::Parser.parse(StringIO.new(json))).to eq(expected) }.not_to raise_error end end TESTS.each do |json, expected| it "should be able to parse #{json} as a string" do expect { expect(Yajl::Parser.parse(json)).to eq(expected) }.not_to raise_error end end it "should fail parsing {: 1} as an IO" do expect { Yajl::Parser.parse(StringIO.new("{: 1}")) }.to raise_error(Yajl::ParseError) end it "should fail parsing {: 1} as a string" do expect { Yajl::Parser.parse("{: 1}") }.to raise_error(Yajl::ParseError) end end yajl-ruby-1.4.3/spec/parsing/large_number_spec.rb0000644000004100000410000000276714246427314022106 0ustar www-datawww-datarequire 'spec_helper' describe 'Parsing very long text' do shared_examples 'running script successfully' do |script| def dup_pipe(parent_half, child_half, new_io) parent_half.close new_io.reopen(child_half) child_half.close end def capture(cmd, stdin_data) child_in, child_out, child_err = IO::pipe, IO::pipe, IO::pipe child_pid = fork do dup_pipe(child_in[1], child_in[0], STDIN) dup_pipe(child_out[0], child_out[1], STDOUT) dup_pipe(child_err[0], child_err[1], STDERR) exec(cmd) end [ child_in[0], child_out[1], child_err[1], ].each(&:close) child_in[1].write(stdin_data) child_in[1].close _, status = Process.waitpid2(child_pid) return child_out[0].read, child_err[0].read, status ensure [ child_in[1], child_out[0], child_err[0], ].reject(&:closed?).each(&:close) end it 'runs successfully' do out, err, status = capture('ruby', script) expect([err, status.exitstatus]).to eq(['', 0]) end end context 'when parseing big floats' do include_examples('running script successfully', <<-EOS) require "yajl" Yajl::Parser.parse('[0.' + '1' * 2**23 + ']') EOS end context 'when parseing long hash key with symbolize_keys option' do include_examples('running script successfully', <<-EOS) require "yajl" Yajl::Parser.parse('{"' + 'a' * 2**23 + '": 0}', :symbolize_keys => true) EOS end end yajl-ruby-1.4.3/spec/parsing/one_off_spec.rb0000644000004100000410000000771314246427314021053 0ustar www-datawww-data# encoding: UTF-8 require File.expand_path(File.dirname(__FILE__) + '/../spec_helper.rb') describe "One-off JSON examples" do it "should not blow up with a bad surrogate trailer" do # https://github.com/brianmario/yajl-ruby/issues/176 bad_json = "{\"e\":{\"\\uD800\\\\DC00\":\"a\"}}" Yajl::Parser.new.parse(bad_json) end it "should parse 23456789012E666 and return Infinity" do infinity = (1.0/0) silence_warnings do expect(Yajl::Parser.parse(StringIO.new('{"key": 23456789012E666}'))).to eq({"key" => infinity}) end end it "should not parse JSON with a comment, with :allow_comments set to false" do json = StringIO.new('{"key": /* this is a comment */ "value"}') expect { Yajl::Parser.parse(json, :allow_comments => false) }.to raise_error(Yajl::ParseError) end it "should parse JSON with a comment, with :allow_comments set to true" do json = StringIO.new('{"key": /* this is a comment */ "value"}') expect { Yajl::Parser.parse(json, :allow_comments => true) }.not_to raise_error end it "should not parse invalid UTF8 with :check_utf8 set to true" do parser = Yajl::Parser.new(:check_utf8 => true) expect { parser.parse("[\"#{"\201\203"}\"]") }.to raise_error(Yajl::ParseError) end it "should parse invalid UTF8 with :check_utf8 set to false" do parser = Yajl::Parser.new(:check_utf8 => false) parser.parse("[\"#{"\201\203"}\"]").inspect end it "should parse using it's class method, from an IO" do io = StringIO.new('{"key": 1234}') expect(Yajl::Parser.parse(io)).to eq({"key" => 1234}) end it "should parse using it's class method, from a string with symbolized keys" do expect(Yajl::Parser.parse('{"key": 1234}', :symbolize_keys => true)).to eq({:key => 1234}) end it "should parse using it's class method, from a utf-8 string with multibyte characters, with symbolized keys" do expect(Yajl::Parser.parse('{"日本語": 1234}', :symbolize_keys => true)).to eq({:"日本語" => 1234}) end it "should parse using it's class method, from a string" do expect(Yajl::Parser.parse('{"key": 1234}')).to eq({"key" => 1234}) end it "should parse using it's class method, from a string with a block" do output = nil Yajl::Parser.parse('{"key": 1234}') do |obj| output = obj end expect(output).to eq({"key" => 1234}) end it "should parse numbers greater than 2,147,483,648" do expect(Yajl::Parser.parse("{\"id\": 2147483649}")).to eql({"id" => 2147483649}) expect(Yajl::Parser.parse("{\"id\": 5687389800}")).to eql({"id" => 5687389800}) expect(Yajl::Parser.parse("{\"id\": 1046289770033519442869495707521600000000}")).to eql({"id" => 1046289770033519442869495707521600000000}) end if RUBY_VERSION =~ /^1.9/ it "should encode non-ascii symbols in utf-8" do parsed = Yajl::Parser.parse('{"曦": 1234}', :symbolize_keys => true) expect(parsed.keys.fetch(0).encoding).to eq(Encoding::UTF_8) end it "should return strings and hash keys in utf-8 if Encoding.default_internal is nil" do Encoding.default_internal = nil expect(Yajl::Parser.parse('{"key": "value"}').keys.first.encoding).to eql(Encoding.find('utf-8')) expect(Yajl::Parser.parse('{"key": "value"}').values.first.encoding).to eql(Encoding.find('utf-8')) end it "should return strings and hash keys encoded as specified in Encoding.default_internal if it's set" do Encoding.default_internal = Encoding.find('utf-8') expect(Yajl::Parser.parse('{"key": "value"}').keys.first.encoding).to eql(Encoding.default_internal) expect(Yajl::Parser.parse('{"key": "value"}').values.first.encoding).to eql(Encoding.default_internal) Encoding.default_internal = Encoding.find('us-ascii') expect(Yajl::Parser.parse('{"key": "value"}').keys.first.encoding).to eql(Encoding.default_internal) expect(Yajl::Parser.parse('{"key": "value"}').values.first.encoding).to eql(Encoding.default_internal) end end end yajl-ruby-1.4.3/spec/parsing/fixtures_spec.rb0000644000004100000410000000233214246427314021301 0ustar www-datawww-datarequire File.expand_path(File.dirname(__FILE__) + '/../spec_helper.rb') describe "Parsing JSON Fixtures" do fixtures = File.join(File.dirname(__FILE__), 'fixtures/*.json') passed, failed = Dir[fixtures].partition { |f| f['pass'] } PASSED = passed.inject([]) { |a, f| a << [ f, File.read(f) ] }.sort FAILED = failed.inject([]) { |a, f| a << [ f, File.read(f) ] }.sort FAILED.each do |name, source| it "should not be able to parse #{File.basename(name)} as an IO" do expect { Yajl::Parser.parse(StringIO.new(source)) }.to raise_error(Yajl::ParseError) end end FAILED.each do |name, source| it "should not be able to parse #{File.basename(name)} as a string" do expect { Yajl::Parser.parse(source) }.to raise_error(Yajl::ParseError) end end PASSED.each do |name, source| it "should be able to parse #{File.basename(name)} as an IO" do expect { Yajl::Parser.parse(StringIO.new(source)) }.not_to raise_error end end PASSED.each do |name, source| it "should be able to parse #{File.basename(name)} as a string" do expect { Yajl::Parser.parse(source) }.not_to raise_error end end end yajl-ruby-1.4.3/spec/global/0000755000004100000410000000000014246427314015666 5ustar www-datawww-datayajl-ruby-1.4.3/spec/global/global_spec.rb0000644000004100000410000000257614246427314020477 0ustar www-datawww-datarequire File.expand_path(File.dirname(__FILE__) + '/../spec_helper.rb') describe "Yajl" do context "dump" do it "should exist as a class-method" do expect(Yajl).to respond_to(:dump) end it "should be able to encode to a string" do expect(Yajl.dump({:a => 1234})).to eql('{"a":1234}') end it "should be able to encode to an IO" do io = StringIO.new Yajl.dump({:a => 1234}, io) io.rewind expect(io.read).to eql('{"a":1234}') end it "should be able to encode with a block supplied" do Yajl.dump({:a => 1234}) do |chunk| expect(chunk).to eql('{"a":1234}') end end end context "load" do it "should exist as a class-method" do expect(Yajl).to respond_to(:load) end it "should be able to parse from a string" do expect(Yajl.load('{"a":1234}')).to eql({"a" => 1234}) end it "should be able to parse from an IO" do io = StringIO.new('{"a":1234}') expect(Yajl.load(io)).to eql({"a" => 1234}) end it "should be able to parse from a string with a block supplied" do Yajl.load('{"a":1234}') do |h| expect(h).to eql({"a" => 1234}) end end it "should be able to parse from an IO with a block supplied" do io = StringIO.new('{"a":1234}') Yajl.load(io) do |h| expect(h).to eql({"a" => 1234}) end end end end yajl-ruby-1.4.3/CHANGELOG.md0000644000004100000410000004344314246427314015315 0ustar www-datawww-data# Changelog ## 1.1.0 (November 9th, 2011) * fix compilation due to a "bug" in gcc-llvm on 10.7.2 * fix gemspec so ruby 1.8.6 or later is required * ## 1.0.0 (September 13th, 2011) * add deprecation notice for Yajl's Bzip2 support * add deprecation notice for Yajl's Deflate support * add deprecation notice for Yajl's Gzip support * add deprecation notice for Yajl's JSON gem compatibility API * add deprecation notice for Yajl::HttpStream * change the path the extension is copied into to be 'lib/yajl' * remove 'ext' from the loadpath ## 0.8.3 (August 16th, 2011) * fix bug where Yajl::HttpStream wouldn't pass through a user-specified socket * fix incorrect Ruby initialization hook method name * Bump bundled YAJL version to 1.0.12 * fix to correctly symbolize multibyte characters on 1.9 * add `:headers` option to Yajl::HttpStream for user-specified arbitrary headers ## 0.8.2 (March 22nd, 2011) * define RSTRING_NOT_MODIFIED for rbx to prevent string caching, making things A LOT faster (100x) ## 0.8.1 (February 11th, 2011) * fixed a retart bug where Yajl::VERSION wasn't defined when explicitly requiring yajl/http_stream ## 0.8.0 (February 2nd, 2011) * added a new html_safe option to Yajl::Encoder to escape '/' characters for use in the DOM * moved away from Jeweler to a Bundler/manual gemfile management setup ## 0.7.9 (January 11th, 2011) * moved to rspec2 * fixed some compilation warnings on 1.9.3 * brought over latest from Yajl upstream * finally removed the deprecated Yajl::Stream methods * moved to rake-compiler * moved to Bundler for development * fix memory corruption bug when using :pretty => true and a custom indent string * fixed memory leak when exceptions were being raised during a parse ## 0.7.8 (September 27th, 2010) * fix a bug in chunked http response regex (thanks to http://github.com/kevn for catching this) * Make sure json compability doesn't break ActiveSupport#to_json * fix improper usage of rb_define_method ## 0.7.7 (July 12th, 2010) * full string encoding support for 1.9, respecting Encoding.default_internal * refactor the #to_json function bodies into a C macro * some misc code cleanup in the benchmark scripts ## 0.7.6 (May 1st, 2010) * use memcmp instead of strcmp for invalid Fixnum check * add a spec to verify unicode chars can be used as keys * twitter examples updated * only use -Wextra if ENV['DEBUG'] is set as gcc 3 doesn't know about it * fix chunked http encoding parse logic to further comply with the spec (thanks to Sebastian Cohnen ) * removed as_json checks and usage in encoder to prevent infinite loops ** In Rails a lot of objects return self from the as_json method - which is wrong IMO - and needs to be fixed before this feature will work properly ## 0.7.5 (March 23rd, 2010) * check for existence of and use as_json method on custom objects * bugfix with read buffer when parsing from an IO (thanks to Pavel Valodzka ) * merged in latest yajl * enable -Wextra during compilation * brought back ability to pass a buffer to bzip/gzip/deflate #read helper methods ## 0.7.4 (March 3rd, 2010) * bugfix for the JSON gem compatibility API's Object#to_json method improperly encoding strings ## 0.7.3 (February 23rd, 2010) * remove trap from HttpStream code, it's really not needed ## 0.7.2 (February 23rd, 2010) * fixed broken to_json compatibility * removed strlen in a few places in favor of RSTRING_LEN since ruby already knows the length of the string * patched Yajl to more efficiently reset it's lexer (no more malloc/free) * removed dependency on IO#eof? when parsing from an IO for full Rack-spec compatibility * removed some various cruft code in C ## 0.7.1 (February 17th, 2010) * revert a patch made to bundled Yajl enabling optional quoting of strings that broke binary API compatibility ## 0.7.0 (February 5th, 2010) * ensure utf8 encoding is set on relevant strings during parse/encode in 1.9 ## 0.6.9 (January 26th, 2010) * HttpStream patches merged in from Luke Redpath * Changed how Yajl::Parser was calling IO#read to better conform to the Rack spec and thus can be used to directly parse a rack.input stream ## 0.6.8 (January 1st, 2010) * A couple of small performance patches * Allow passing a string to Yajl::HttpStream methods instead of only a URI ## 0.6.7 (December 4th, 2009) * Bump internal version constant to the proper value (doh!) * Bring over latest from Yajl upstream ## 0.6.6 (December 1st, 2009) * Brought over some optimizations from Macruby's use of some yajl-ruby codez * Yajl::HttpStream now supports being killed for long-running requests, thanks to Filipe Giusti ## 0.6.5 (November 13th, 2009) * optimize symbol creation while symbolize_keys is turned on * fix for 32bit integer conversion into ruby ## 0.6.4 (November 4th, 2009) * All specs pass on Rubinius :) * Added Yajl.load and Yajl.dump for compatibility with other various data format API's in ruby * Fixed a bug in Yajl::Encoder which allowed direct, unescaped encoding of NaN, Infinity and -Infinity. It will now properly throw a Yajl::EncodeError exception if either of these values are found unescaped. * Update bundled Yajl library to 1.0.7 * Conditionally define RSTRING_* and RARRAY_* for older versions of ruby (1.8.5 is still the default on CentOS) * Bugfix for JSON gem exception classes to more accurately match those of the actual JSON gem * A few small speed optimizations * Updated specs to not run bzip2 related examples if unable to load the bzip2 library * Finally added UTF-8 checking specs * Removed needless calls to ID2SYM all over the place * Updated benchmark scripts to bring the GC into the picture a little more ## 0.6.3 (August 25th, 2009) * Fixed a bug in the JSON gem compatibility API where strings weren't being properly escaped ## 0.6.2 (August 25th, 2009) * Fixed a bug surfaced by an existing library providing a to_json method, and Yajl would double-quote the values provided ## 0.6.1 (August 20th, 2009) * Fixed a bug in Yajl::HttpStream where responses contained multiple JSON strings but weren't Transfer-Encoding: chunked (thanks @dacort!) ## 0.6.0 (August 19th, 2009) * Added POST, PUT and DELETE support to Yajl::HttpStream ** POST support initially contributed by jdg (http://github.com/jdg) - Although oortle (http://github.com/oortle) coded it up in a fork with it as well. ## 0.5.12 (July 31st, 2009) * Add another option that can be passed to Yajl::Encoder's constructor (:terminator) to allow the caller some control over when a full JSON string has been generated by the encoder. More information on it's use in the README ## 0.5.11 (July 14th, 2009) * fixing a bug Aman found with to_json on non-primitive Ruby objects and double-quoting in the JSON compat API ## 0.5.10 (July 13th, 2009) * Bugfix for the JSON gem compatibility API's default Object#to_json helper ## 0.5.9 (July 9th, 2009) * Bugfix for Yajl::Encoder where encoding a hash like {:a => :b} would get stuck in an infinite loop ## 0.5.8 (July 6th, 2009) * Bugfix in Yajl::HttpStream for proper handling of the Content-type header (Rob Sharp) * Yajl::Encoder now has an on_progress callback setter, which can be used to harness the encoder's streaming ability. ** The passed Proc/lambda will be called, and passed every chunk (currently 8kb) of the encoded JSON string as it's being encoded. * API CHANGE WARNING: Yajl::Encoder.encode's block will now be used as (and work the same as) the on_progress callback ** This means the block will be passed chunks of the JSON string at a time, giving the caller the ability to start processing the encoded data while it's still being encoded. * fixed grammatical error in README (Neil Berkman) * Added some encoder examples ## 0.5.7 (June 23rd, 2009) * You can now pass parser options (like :symbolize_keys for example) to Yajl::HttpStream.get * Refactored spec tests a bit, DRYing up the Yajl::HttpStream specs quite a bit. * Added a spec rake task, and spec.opts file * Updated and renamed rcov rake task, and added rcov.opts file ## 0.5.6 (June 19th, 2009) * Added JSON.default_options hash to the JSON gem compatibility API * Split out the JSON gem compatibility API's parsing and encoding methods into individually includable files ** the use case here is if you *only* want parsing, or *only* want encoding ** also, if you don't include encoding it won't include the #to_json overrides which tend to cause problems in some environments. * Removed some large benchmark test files to reduce the size of the packaged gem by 1.5MB! ## 0.5.5 (June 17th, 2009) * Introduction of the JSON gem compatibility API ** NOTE: this isn't a 1:1 compatibility API, the goal was to be compatible with as many of the projects using the JSON gem as possible - not the JSON gem API itself ** the compatibility API must be explicitly enabled by requiring 'yajl/json_gem' in your project ** JSON.parse, JSON.generate, and the #to_json instance method extension to ruby's primitive classes are all included * Fix Yajl::Encoder to ensure map keys are strings * Encoding multiple JSON objects to a single stream doesn't separate by a newline character anymore * Yajl::Encoder now checks for the existence of, and will call #to_json on any non-primitive object ## 0.5.4 (June 16th, 2009) * Yajl::Parser's :symbolize_keys option now defaults to false * remove use of sprintf for a little speed improvement while parsing ## 0.5.3 (June 7th, 2009) * The IO parameter for Yajl::Encode#encode is now optional, and accepts a block ** it will return the resulting JSON string if no IO is passed to stream to ** if a block is passed, it will call and pass it the resulting JSON string * Yajl::Parser#parse can now parse from a String as well as an IO * Added and updated lot of in-code documentation. ** all the C code exposed to Ruby should now have comments * Added :symbolize_keys option to the Yajl::Parser class, which defaults to true. ** Having this option enabled has shown around an 18% speedup in parsing time according to my benchmarks ## 0.5.2 (May 30th, 2009) * Added class helper methods Yajl::Encoder.encode(obj, io) and Yajl::Parser.parse(io) * added tests for the above * Updated Twitter streaming example to have a less verbose output * Patch Yajl so encoding can continue as a stream * IE: multiple objects encoded onto the same IO * added a test for the above * Set the internal read buffer size back down to 8kb by default * Added an internal write buffer size (set to 8kb by default) which is used to throttle writes to the output stream * This is to fix a major performance bug/issue with the IO#write C method in ruby 1.9.x (I've opened a bug with them about it) * Fixed a typo in a one-off parsing spec test * Updated benchmarks to work properly in 1.9 (required removal ActiveSupport benchmarking for now) * Updated spec tests to respect ridiculous differences in hash key ordering between 1.8 and 1.9 ## 0.5.1 (May 25th, 2009) * added some more tests for the new API * inlined a couple of hot functions used in parsing for a little speedup * updates to readme, reflecting changes in API * version bump to push another gem build ## 0.5.0 (May 25th, 2009) * Refactored internal API so the caller can specify initialization options for the Parser and Encoder respectively. Two new classes were introduced as a result - Yajl::Parser and Yajl::Encoder. The newly refactored codebase is cleaner, thread-safe and removed all of the hack-code that was trickled around to make things work in the previous implementation. She's much more seaworthy now cap'n! * Yajl::Parser.new accepts two options, :allow_comments and :check_utf8 which both default to true * Yajl::Encoder.new accepts two options, :pretty and :indent which default to false and " " respectively * cleaned up a lot of state code, that to my knowledge prevented yajl-ruby from being used in a thread-safe environment. * added deprecated messaging to Yajl::Stream.parse and Yajl::Stream.encode - these will likely go away before 0.6.0 * fixed a bug in the chunked http response parser regarding partially received chunks * added a Twitter Search API example showing off the HttpStream API ## 0.4.9 (May 20th, 2009) * fixed some parser state bugs surfaced by edge cases * added support for Chunked HTTP response bodies in Yajl::HttpStream * added support for passing a block to Yajl::HttpStream.get that will be used as a callback whenever a JSON object is parsed off the stream (even if there is more than one!) * added an examples folder, and put an example using the Twitter Streaming API in there to start * added some more spec tests, this time around Chunked parsing and continuously parsing multiple JSON strings ## 0.4.8 (May 18th, 2009) * fixed a totally bone-head compilation problem, I created for myself ;) ## 0.4.7 (May 18th, 2009) * Bundling Yajl sources to remove the need to install them (and CMake) separately (Thank you Lloyd!!!) This means you can now simply install the gem and be off and running * Added some spec tests for Yajl::HttpStream * Added some spec tests for Yajl::Stream.encode * added some more thank you's, where credit's due - in the readme * updated the unicode.json file to reflect a "real-life" JSON response * reorganized spec tests into their functional areas * added an rcov rake task to generate code coverage output ## 0.4.6 (May 17th, 2009) * Applied a patch from benburkert (http://github.com/benburkert) to fix HTTP Basic Auth in Yajl::HttpStream.get ## 0.4.5 (May 17th, 2009) * added Yajl::Stream.encode(hash, io) * generates a JSON string stream, and writes to IO * compressed StreamWriter helpers added as well * fixed a pretty lame segfault in (x86_64 only?) ubuntu/linux * changed the compiled extension to have a more specific name (yajl_ext) for easier loading * removed forced-load of .bundle file, for the rest of the planet aside from OSX users * added some more benchmarks to compare to other forms of serialization in Ruby * various readme updates ## 0.4.4 (May 12th, 2009) * NOTE: Breaking API change: * renamed Yajl::GzipStreamReader to Yajl::Gzip::StreamReader * added Yajl::Bzip2::StreamReader * depends on the bzip2-ruby gem if you want to use it, if not Yajl::Bzip2 won't be loaded * added Yajl::Deflate::StreamReader * actually uses Zlib::Inflate for stream decompression * added parse(io) class methods to Yajl::Gzip::StreamReader and Yajl::Bzip2::StreamReader as a helper for parsing compressed streams. * updated Yajl::HttpStream to request responses compressed as deflate and bzip2 in addition to gzip * fixed a bug regarding parsing Integers as Floats (so 123456 would have be parsed and returned as 123456.0) * fixed a bug which caused a segfault in ruby's GC during string replacement in Yajl::Gzip and Yajl::Bzip2's StreamReader#read methods * added support for user-specified User-Agent strings in Yajl::HttpStream ## 0.4.3 (May 2nd, 2009) * adding text/plain as an allowed mime-type for Yajl::HttpStream for webservers that respond with it instead of application/json (ahem...Yelp...) * renamed specs folder to spec for no reason at all ## 0.4.2 (April 30th, 2009) * Yajl::HttpStream is now sending "proper" http request headers * Yajl::HttpStream will request HTTP-Basic auth if credentials are provided in the passed URI * cleanup requires ## 0.4.1 (April 30th, 2009) * fixed a typo in the stream.rb benchmark file * fixed a bug in Yajl::Stream.parse that was causing "strange" Ruby malloc errors on large files, with large strings * added Yajl::GzipStreamReader as a wrapper around Zlib::GzipReader to allow for standard IO#read behavior * this allows Yajl::Stream to read off of a Gzip stream directly ## 0.4.0 (April 29th, 2009) * NOTE: Breaking API change: * refactored Stream parsing methods out of Yajl::Native into Yajl::Stream * removed Yajl::Native namespace/module * Addition of Yajl::HttpStream module * This module is for streaming JSON HTTP responses directly into Yajl (as they're being received) for increased awesomeness * it currently supports basic get requests with Yajl::HttpStream.get(uri) * it also supports (and prefers) output compressed (gzip) responses * Addition Yajl::Chunked module * This module is for feeding Yajl JSON pieces at a time, instead of an entire IO object * This works very well in environments like an EventMachine app where data is received in chunks by design * decreased read buffer for Yajl::Stream from 8kb to 4kb ## 0.3.4 (April 24th, 2009) * turned Unicode checks back on in the Yajl parser now that it's fixed (thanks Lloyd!) * this also bumps the yajl version dependency requirement to 1.0.4 * better guessing of Integer/Float from number found instead of just trying to create a BigNum no matter what * changed extconf.rb to fail Makefile creation if yajl isn't found * added a test to check for parsing Infinity due to a Float overflow ## 0.3.3 (April 24th, 2009) * 1.9 compatibility ## 0.3.2 (April 24th, 2009) * version bump: forgot to include yajl.c in the gem ## 0.3.1 (April 23rd, 2009) * fixed borked gemspec ## 0.3.0 (April 23rd, 2009) * slight refactor of ActiveSupport tests to better reflect how they actually exist in ActiveSupport * typo correction in the changelog which had the years in 2008 * added some initial spec tests * ported some from ActiveSupport to ensure proper compatibility * included 57 JSON fixtures to test against, all of which pass * changed parser config to not check for invalid unicode characters as Ruby is going to do this anyway (?). This resolves the remaining test failures around unicode. * changed how the parser was dealing with numbers to prevent overflows * added an exception class Yajl::ParseError which is now used in place of simply printing to STDERR upon a parsing error * renamed a couple of JSON test files in the benchmark folder to better represent their contents * misc README updates ## 0.2.1 (April 23rd, 2009) * fixed parsing bug - also fixed failing ActiveSupport test failures (except for the unicode one, which is an issue in Yajl itself) ## 0.2.0 (April 22nd, 2009) * updated gemspec and README ## 0.1.0 (April 21st, 2009) * initial release - gemified yajl-ruby-1.4.3/benchmark/0000755000004100000410000000000014246427314015426 5ustar www-datawww-datayajl-ruby-1.4.3/benchmark/parse.rb0000644000004100000410000000366414246427314017076 0ustar www-datawww-data$LOAD_PATH.unshift File.expand_path(File.dirname(__FILE__) + '/..') $LOAD_PATH.unshift File.expand_path(File.dirname(__FILE__) + '/../lib') require 'rubygems' require 'benchmark' require 'yaml' require 'yajl' begin require 'json' rescue LoadError end begin require 'psych' rescue LoadError end begin require 'active_support' rescue LoadError end filename = ARGV[0] || 'benchmark/subjects/item.json' json = File.new(filename, 'r') times = ARGV[1] ? ARGV[1].to_i : 10_000 puts "Starting benchmark parsing #{File.size(filename)} bytes of JSON data #{times} times\n\n" Benchmark.bmbm { |x| io_parser = Yajl::Parser.new io_parser.on_parse_complete = lambda {|obj|} if times > 1 x.report { puts "Yajl::Parser#parse (from an IO)" times.times { json.rewind io_parser.parse(json) } } string_parser = Yajl::Parser.new string_parser.on_parse_complete = lambda {|obj|} if times > 1 x.report { puts "Yajl::Parser#parse (from a String)" times.times { json.rewind string_parser.parse(json.read) } } if defined?(JSON) x.report { puts "JSON.parse" times.times { json.rewind JSON.parse(json.read, :max_nesting => false) } } end if defined?(ActiveSupport::JSON) x.report { puts "ActiveSupport::JSON.decode" times.times { json.rewind ActiveSupport::JSON.decode(json.read) } } end x.report { puts "YAML.load (from an IO)" times.times { json.rewind YAML.load(json) } } x.report { puts "YAML.load (from a String)" times.times { json.rewind YAML.load(json.read) } } if defined?(Psych) x.report { puts "Psych.load (from an IO)" times.times { json.rewind Psych.load(json) } } x.report { puts "Psych.load (from a String)" times.times { json.rewind Psych.load(json.read) } } end } json.closeyajl-ruby-1.4.3/benchmark/parse_json_and_marshal.rb0000644000004100000410000000215214246427314022447 0ustar www-datawww-data$LOAD_PATH.unshift File.expand_path(File.dirname(__FILE__) + '/..') $LOAD_PATH.unshift File.expand_path(File.dirname(__FILE__) + '/../lib') require 'rubygems' require 'benchmark' require 'yajl' begin require 'json' rescue LoadError end # JSON section filename = 'benchmark/subjects/ohai.json' marshal_filename = 'benchmark/subjects/ohai.marshal_dump' json = File.new(filename, 'r') marshal_file = File.new(marshal_filename, 'r') hash = {} times = ARGV[0] ? ARGV[0].to_i : 1000 puts "Starting benchmark parsing #{File.size(filename)} bytes of JSON data #{times} times\n\n" Benchmark.bmbm { |x| x.report { puts "Yajl::Parser#parse" yajl = Yajl::Parser.new yajl.on_parse_complete = lambda {|obj|} if times > 1 times.times { json.rewind hash = yajl.parse(json) } } if defined?(JSON) x.report { puts "JSON.parse" times.times { json.rewind JSON.parse(json.read, :max_nesting => false) } } end x.report { puts "Marshal.load" times.times { marshal_file.rewind Marshal.load(marshal_file) } } } json.close marshal_file.closeyajl-ruby-1.4.3/benchmark/encode.rb0000644000004100000410000000307714246427314017217 0ustar www-datawww-data$LOAD_PATH.unshift File.expand_path(File.dirname(__FILE__) + '/..') $LOAD_PATH.unshift File.expand_path(File.dirname(__FILE__) + '/../lib') require 'rubygems' require 'benchmark' require 'yajl' require 'stringio' begin require 'json' rescue LoadError end begin require 'psych' rescue LoadError end begin require 'active_support' rescue LoadError end filename = ARGV[0] || 'benchmark/subjects/ohai.json' hash = File.open(filename, 'rb') { |f| Yajl::Parser.new.parse(f.read) } times = ARGV[1] ? ARGV[1].to_i : 1000 puts "Starting benchmark encoding #{filename} #{times} times\n\n" Benchmark.bmbm { |x| io_encoder = Yajl::Encoder.new string_encoder = Yajl::Encoder.new x.report("Yajl::Encoder#encode (to an IO)") { times.times { io_encoder.encode(hash, StringIO.new) } } x.report("Yajl::Encoder#encode (to a String)") { times.times { output = string_encoder.encode(hash) } } if defined?(JSON) x.report("JSON.generate") { times.times { JSON.generate(hash) } } end if defined?(Psych) x.report("Psych.to_json") { times.times { Psych.to_json(hash) } } if defined?(Psych::JSON::Stream) x.report("Psych::JSON::Stream") { times.times { io = StringIO.new stream = Psych::JSON::Stream.new io stream.start stream.push hash stream.finish } } end end if defined?(ActiveSupport::JSON) x.report("ActiveSupport::JSON.encode") { times.times { ActiveSupport::JSON.encode(hash) } } end } yajl-ruby-1.4.3/benchmark/encode_json_and_yaml.rb0000644000004100000410000000215014246427314022103 0ustar www-datawww-data$LOAD_PATH.unshift File.expand_path(File.dirname(__FILE__) + '/..') $LOAD_PATH.unshift File.expand_path(File.dirname(__FILE__) + '/../lib') require 'rubygems' require 'benchmark' require 'yajl' begin require 'json' rescue LoadError end require 'yaml' # JSON Section filename = 'benchmark/subjects/ohai.json' json = File.new(filename, 'r') hash = Yajl::Parser.new.parse(json) json.close times = ARGV[0] ? ARGV[0].to_i : 1000 puts "Starting benchmark encoding #{filename} into JSON #{times} times\n\n" Benchmark.bmbm { |x| encoder = Yajl::Encoder.new x.report { puts "Yajl::Encoder#encode" times.times { encoder.encode(hash, StringIO.new) } } if defined?(JSON) x.report { puts "JSON's #to_json" times.times { JSON.generate(hash) } } end } # YAML Section filename = 'benchmark/subjects/ohai.yml' yml = File.new(filename, 'r') data = YAML.load_stream(yml) yml.close puts "Starting benchmark encoding #{filename} into YAML #{times} times\n\n" Benchmark.bmbm { |x| x.report { puts "YAML.dump" times.times { YAML.dump(data, StringIO.new) } } } yajl-ruby-1.4.3/benchmark/http.rb0000644000004100000410000000153414246427314016735 0ustar www-datawww-data$LOAD_PATH.unshift File.expand_path(File.dirname(__FILE__) + '/..') $LOAD_PATH.unshift File.expand_path(File.dirname(__FILE__) + '/../lib') require 'rubygems' require 'benchmark' require 'yajl/http_stream' require 'yajl/gzip' require 'yajl/deflate' require 'yajl/bzip2' unless defined?(Bzip2) require 'json' require 'uri' require 'net/http' uri = URI.parse('http://search.twitter.com/search.json?q=github') # uri = URI.parse('http://localhost/yajl-ruby.git/benchmark/subjects/contacts.json') times = ARGV[0] ? ARGV[0].to_i : 1 puts "Starting benchmark parsing #{uri.to_s} #{times} times\n\n" Benchmark.bmbm { |x| x.report { puts "Yajl::HttpStream.get" times.times { Yajl::HttpStream.get(uri) } } x.report { puts "JSON.parser" times.times { JSON.parse(Net::HTTP.get_response(uri).body, :max_nesting => false) } } }yajl-ruby-1.4.3/benchmark/parse_json_and_yaml.rb0000644000004100000410000000227014246427314021763 0ustar www-datawww-data$LOAD_PATH.unshift File.expand_path(File.dirname(__FILE__) + '/..') $LOAD_PATH.unshift File.expand_path(File.dirname(__FILE__) + '/../lib') require 'rubygems' require 'benchmark' require 'yajl' begin require 'json' rescue LoadError end require 'yaml' # JSON section filename = 'benchmark/subjects/ohai.json' json = File.new(filename, 'r') times = ARGV[0] ? ARGV[0].to_i : 1000 puts "Starting benchmark parsing #{File.size(filename)} bytes of JSON data #{times} times\n\n" Benchmark.bmbm { |x| parser = Yajl::Parser.new parser.on_parse_complete = lambda {|obj|} if times > 1 x.report { puts "Yajl::Parser#parse" times.times { json.rewind parser.parse(json) } } if defined?(JSON) x.report { puts "JSON.parse" times.times { json.rewind JSON.parse(json.read, :max_nesting => false) } } end } json.close # YAML section filename = 'benchmark/subjects/ohai.yml' yaml = File.new(filename, 'r') puts "Starting benchmark parsing #{File.size(filename)} bytes of YAML data #{times} times\n\n" Benchmark.bmbm { |x| x.report { puts "YAML.load_stream" times.times { yaml.rewind YAML.load(yaml) } } } yaml.closeyajl-ruby-1.4.3/benchmark/encode_json_and_marshal.rb0000644000004100000410000000155114246427314022574 0ustar www-datawww-data$LOAD_PATH.unshift File.expand_path(File.dirname(__FILE__) + '/..') $LOAD_PATH.unshift File.expand_path(File.dirname(__FILE__) + '/../lib') require 'rubygems' require 'benchmark' require 'yajl' require 'stringio' begin require 'json' rescue LoadError end times = ARGV[0] ? ARGV[0].to_i : 1000 filename = 'benchmark/subjects/ohai.json' json = File.new(filename, 'r') hash = Yajl::Parser.new.parse(json) json.close puts "Starting benchmark encoding #{filename} #{times} times\n\n" Benchmark.bmbm { |x| encoder = Yajl::Encoder.new x.report { puts "Yajl::Encoder#encode" times.times { encoder.encode(hash, StringIO.new) } } if defined?(JSON) x.report { puts "JSON's #to_json" times.times { JSON.generate(hash) } } end x.report { puts "Marshal.dump" times.times { Marshal.dump(hash) } } } yajl-ruby-1.4.3/benchmark/parse_stream.rb0000644000004100000410000000231214246427314020436 0ustar www-datawww-data$LOAD_PATH.unshift File.expand_path(File.dirname(__FILE__) + '/..') $LOAD_PATH.unshift File.expand_path(File.dirname(__FILE__) + '/../lib') require 'rubygems' require 'benchmark' require 'yajl' begin require 'json' rescue LoadError end begin require 'active_support' rescue LoadError end filename = 'benchmark/subjects/twitter_stream.json' json = File.new(filename, 'r') times = ARGV[0] ? ARGV[0].to_i : 100 puts "Starting benchmark parsing JSON stream (#{File.size(filename)} bytes of JSON data with 430 JSON separate strings) #{times} times\n\n" Benchmark.bmbm { |x| parser = Yajl::Parser.new parser.on_parse_complete = lambda {|obj|} x.report { puts "Yajl::Parser#parse" times.times { json.rewind parser.parse(json) } } if defined?(JSON) x.report { puts "JSON.parse" times.times { json.rewind while chunk = json.gets JSON.parse(chunk, :max_nesting => false) end } } end if defined?(ActiveSupport::JSON) x.report { puts "ActiveSupport::JSON.decode" times.times { json.rewind while chunk = json.gets ActiveSupport::JSON.decode(chunk) end } } end } json.closeyajl-ruby-1.4.3/benchmark/subjects/0000755000004100000410000000000014246427314017250 5ustar www-datawww-datayajl-ruby-1.4.3/benchmark/subjects/unicode.json0000755000004100000410000002221614246427314021577 0ustar www-datawww-data{"results":[{"text":"#ruby \u732e\u672c\u30ad\u30bf\u30fc\u30fc\u30fc\u30fc\u30fc\u30fc\uff08\u309c\u2200\u309c\uff09\u30fc\u30fc\u30fc\u30fc\u30fc\u30fc\uff01\uff01 http:\/\/www.amazon.co.jp\/gp\/product\/4863540221","to_user_id":null,"from_user":"rubikitch","id":1843394737,"from_user_id":847295,"iso_language_code":"ja","source":"<a href="http:\/\/www.misuzilla.org\/dist\/net\/twitterircgateway\/">TwitterIrcGateway<\/a>","profile_image_url":"http:\/\/static.twitter.com\/images\/default_profile_normal.png","created_at":"Tue, 19 May 2009 03:12:47 +0000"},{"text":"Ruby on Rails\u3068CakePHP\u3001\u3069\u3063\u3061\u3067\u88fd\u9020\u3057\u3088\u3046\u304b\u3057\u3089","to_user_id":null,"from_user":"takkada","id":1842694220,"from_user_id":412519,"iso_language_code":"ja","source":"<a href="http:\/\/twitterfox.net\/">TwitterFox<\/a>","profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/16301882\/62305_4124481745_normal.jpg","created_at":"Tue, 19 May 2009 02:00:08 +0000"},{"text":"Ruby on Rails \u306e\u30a4\u30f3\u30b9\u30c8\u30fc\u30eb\u306f\u30fc\u3058\u307e\u30fc\u308b\u3088\u30fc","to_user_id":null,"from_user":"Tomohiro","id":1842375120,"from_user_id":38704,"iso_language_code":"ja","source":"<a href="http:\/\/www.misuzilla.org\/dist\/net\/twitterircgateway\/">TwitterIrcGateway<\/a>","profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/20970892\/578576_3772887925_normal.jpg","created_at":"Tue, 19 May 2009 01:27:18 +0000"},{"text":"ruby winole.rb\u3067\u547c\u3073\u51fa\u3057\u305f\u30b3\u30f3\u30dd\u30fc\u30cd\u30f3\u30c8\u306e\u30e1\u30e2\u30ea\u304c\u9069\u5207\u306b\u958b\u653e\u3055\u308c\u3066\u306a\u304b\u3063\u305f\u3002","to_user_id":null,"from_user":"tomofusa","id":1841955169,"from_user_id":35354,"iso_language_code":"ja","source":"<a href="http:\/\/cheebow.info\/chemt\/archives\/2007\/04\/twitterwindowst.html">Twit<\/a>","profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/18213412\/fusa2.0_about53_normal.png","created_at":"Tue, 19 May 2009 00:43:20 +0000"},{"text":"Ruby HTTP\u4e26\u5217\u3092\u51e6\u7406\u3092\u9ad8\u901f\u5316\u3001"Typhoeus"\u767b\u5834 | \u30a8\u30f3\u30bf\u30fc\u30d7\u30e9\u30a4\u30ba | \u30de\u30a4\u30b3\u30df\u30b8\u30e3\u30fc\u30ca\u30eb http:\/\/ff.im\/-31cez","to_user_id":null,"from_user":"MyGReaderFeed","id":1841206557,"from_user_id":11923042,"iso_language_code":"ja","source":"<a href="http:\/\/friendfeed.com\/">FriendFeed<\/a>","profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/141487706\/3379573163_e79dab7511_normal.bmp","created_at":"Mon, 18 May 2009 23:22:26 +0000"},{"text":"\u3044\u305a\u308c\u306b\u3057\u3066\u3082\u3069\u3053\u304b\u306b Ruby 1.9.1 \u74b0\u5883\u306f\u4f5c\u3089\u306a\u3044\u3068\u30c0\u30e1\u304b\u306a\u3041\u3002Debian lenny \u4efb\u305b\u3060\u3068 1.9.0 \u3057\u304b\u8a66\u305b\u306a\u3044\u3063\u307d\u3044\u3057\u3002","to_user_id":null,"from_user":"wtnabe","id":1840166013,"from_user_id":32040,"iso_language_code":"ja","source":"<a href="http:\/\/www.misuzilla.org\/dist\/net\/twitterircgateway\/">TwitterIrcGateway<\/a>","profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/59828670\/200805-wtnabe-film_normal.png","created_at":"Mon, 18 May 2009 21:26:17 +0000"},{"text":"Ruby 1.9 \u3067\u306f URI#decode \u3060\u3051\u3058\u3083\u610f\u5473\u304c\u306a\u3044\u306e\u304b\u306a\uff1f \u3053\u306e\u8fba\u304b\u3089\u5206\u304b\u3089\u306a\u304f\u306a\u3063\u3066\u304f\u308b\u306a\u3002","to_user_id":null,"from_user":"wtnabe","id":1839967007,"from_user_id":32040,"iso_language_code":"ja","source":"<a href="http:\/\/www.misuzilla.org\/dist\/net\/twitterircgateway\/">TwitterIrcGateway<\/a>","profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/59828670\/200805-wtnabe-film_normal.png","created_at":"Mon, 18 May 2009 21:06:06 +0000"},{"text":"Star Ruby \u3067\u30d5\u30ec\u30fc\u30e0\u30b9\u30ad\u30c3\u30d7\u304c\u5b9f\u88c5\u3057\u306b\u304f\u3044\u7406\u7531\u306e\u3072\u3068\u3064\u306b\u3001\u30b9\u30af\u30ea\u30fc\u30f3\u3078\u306e\u63cf\u753b\u304c\u9045\u5ef6\u3067\u304d\u306a\u3044\u3068\u3044\u3046\u306e\u304c\u3042\u308b\u3002 Texture#[] \u306a\u3069\u3067\u30d4\u30af\u30bb\u30eb\u306e\u5024\u3092\u8aad\u307f\u53d6\u3089\u308c\u308b\u53ef\u80fd\u6027\u304c\u3042\u308b\u305f\u3081\u3002\u8aad\u307f\u53d6\u3089\u308c\u308b\u30ae\u30ea\u30ae\u30ea\u307e\u3067\u9045\u5ef6\u3059\u308b\u306e\u3082\u30a2\u30ea\u3060\u304c\u3001\u5b9f\u88c5\u306f\u9762\u5012\u3067\u3042\u308b\u3002","to_user_id":null,"from_user":"hajimehoshi","id":1837784833,"from_user_id":7543,"iso_language_code":"ja","source":"<a href="http:\/\/twitter.com\/">web<\/a>","profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/14446892\/michael_normal.jpg","created_at":"Mon, 18 May 2009 17:21:16 +0000"},{"text":"ruby-gem\u3092\u30a4\u30f3\u30b9\u30c8\u30fc\u30eb\u3057\u3066\u3001rails\u306b\u30c1\u30e3\u30ec\u30f3\u30b8","to_user_id":null,"from_user":"tom_a","id":1837459653,"from_user_id":366098,"iso_language_code":"ja","source":"<a href="http:\/\/twitterfox.net\/">TwitterFox<\/a>","profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/16661182\/DSC02701_normal.jpg","created_at":"Mon, 18 May 2009 16:46:36 +0000"},{"text":"@saronpasu \u4e2d\u8eab\u306b\u30a2\u30af\u30bb\u30b9\u3057\u306b\u304f\u3044\u3057\u3001\u4f55\u3088\u308a\u4e0d\u5b89\u5b9a\u3059\u304e\u3067\u3059\u306d\u2026\u4f8b\u5916\u3063\u3066\u30ec\u30d9\u30eb\u3058\u3083\u306a\u304f\u3066 ruby \u5dfb\u304d\u8fbc\u3093\u3067\u843d\u3061\u308b\u306e\u3067\u2026","to_user_id":28082,"to_user":"saronpasu","from_user":"negaton","id":1836710607,"from_user_id":5893,"iso_language_code":"ja","source":"<a href="http:\/\/cheebow.info\/chemt\/archives\/2007\/04\/twitterwindowst.html">Twit<\/a>","profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/35934732\/DSC00338_icon_normal.jpg","created_at":"Mon, 18 May 2009 15:28:25 +0000"},{"text":"\u6628\u65e5 CaboCha-Ruby \u306e token \u306e surface \u3092\u53e9\u3044\u305f\u3089\u843d\u3061\u305f\u306e\u306b\u4eca\u65e5\u306f\u5168\u304f\u540c\u3058\u30b3\u30fc\u30c9\u52d5\u304b\u3057\u3066\u3066\u843d\u3061\u306a\u3044\u3068\u304b\u306a\u3093\u306a\u306e\u2026","to_user_id":null,"from_user":"negaton","id":1836267822,"from_user_id":5893,"iso_language_code":"ja","source":"<a href="http:\/\/cheebow.info\/chemt\/archives\/2007\/04\/twitterwindowst.html">Twit<\/a>","profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/35934732\/DSC00338_icon_normal.jpg","created_at":"Mon, 18 May 2009 14:41:26 +0000"},{"text":"ruby.snippets \u3092\u773a\u3081\u3066\u307f\u3066\u3001\u3053\u308c\u306f\u81ea\u5206\u304c\u4f7f\u3044\u3053\u306a\u305b\u308b\u3082\u306e\u3067\u306f\u306a\u3044\u3068\u308f\u304b\u3063\u305f","to_user_id":null,"from_user":"ursm","id":1835699306,"from_user_id":41919,"iso_language_code":"ja","source":"<a href="http:\/\/www.nambu.com">Nambu<\/a>","profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/28792412\/1153147983506_normal.jpg","created_at":"Mon, 18 May 2009 13:33:59 +0000"},{"text":"\u3068\u3053\u308d\u3067\u3001PHP \u304b\u3089\u306f Ruby \u3063\u3066\u547c\u3079\u308b\u306e\uff1f","to_user_id":null,"from_user":"nov","id":1835354604,"from_user_id":76705,"iso_language_code":"ja","source":"<a href="http:\/\/twitterfon.net\/">TwitterFon<\/a>","profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/60572614\/nov_normal.gif","created_at":"Mon, 18 May 2009 12:47:52 +0000"},{"text":"\u3067\u304d\u3042\u304c\u3063\u305f\u3053\u308d shindig ruby ver. \u51fa\u3066\u305f\u308a\u3057\u305f\u3089\u6ce3\u304f\u3002","to_user_id":null,"from_user":"nov","id":1835155373,"from_user_id":76705,"iso_language_code":"ja","source":"<a href="http:\/\/twitterfon.net\/">TwitterFon<\/a>","profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/60572614\/nov_normal.gif","created_at":"Mon, 18 May 2009 12:17:17 +0000"},{"text":"@papiron ruby-dev\u3067ruby1.9\u306bsqlite\u30e9\u30a4\u30d6\u30e9\u30ea\u3092\u6a19\u6e96\u6dfb\u4ed8\u3057\u3088\u3046\u3068\u3044\u3046\u8b70\u8ad6\u304c\u3055\u308c\u3066\u307e\u3059\u3002http:\/\/bit.ly\/Limi9","to_user_id":10226526,"to_user":"papiron","from_user":"taigou","id":1834625775,"from_user_id":3915244,"iso_language_code":"ja","source":"<a href="http:\/\/twitterfox.net\/">TwitterFox<\/a>","profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/95583044\/me_normal.png","created_at":"Mon, 18 May 2009 10:38:40 +0000"}],"since_id":1769782474,"max_id":1843394737,"refresh_url":"?since_id=1843394737&q=ruby","results_per_page":15,"next_page":"?page=2&max_id=1843394737&lang=ja&q=ruby","warning":"adjusted since_id, it was older than allowedsince_id removed for pagination.","completed_in":0.052502,"page":1,"query":"ruby"}yajl-ruby-1.4.3/benchmark/subjects/ohai.marshal_dump0000644000004100000410000004377114246427314022602 0ustar www-datawww-data{" kernel{ " name" Darwin" machine" i386" modules{S"com.apple.driver.AppleAPIC{ " sizei0" version"1.4" index"26" refcount"0"%com.apple.driver.AirPort.Atheros{ " sizei " version" 318.8.3" index"88" refcount"0"2com.apple.driver.AppleIntelCPUPowerManagement{ " sizei" version" 59.0.1" index"22" refcount"0"$com.apple.iokit.IOStorageFamily{ " sizei" version" 1.5.5" index"44" refcount"9"-com.apple.iokit.IOATAPIProtocolTransport{ " sizei@" version" 1.5.2" index"52" refcount"0" com.apple.iokit.IOPCIFamily{ " sizei" version"2.5" index"17" refcount"18" org.virtualbox.kext.VBoxDrv{ " sizei" version" 2.2.0" index"114" refcount"3"com.cisco.nke.ipsec{ " sizei" version" 2.0.1" index"111" refcount"0"com.apple.driver.AppleHPET{ " sizei0" version"1.3" index"33" refcount"0"!com.apple.driver.AppleUSBHub{ " sizei" version" 3.2.7" index"47" refcount"0"%com.apple.iokit.IOFireWireFamily{ " sizei" version" 3.4.6" index"49" refcount"2"'com.apple.driver.AppleUSBComposite{ " sizei@" version" 3.2.0" index"60" refcount"1"'com.apple.driver.AppleIntelPIIXATA{ " sizei" version" 2.0.0" index"41" refcount"0".com.apple.driver.AppleSmartBatteryManager{ " sizeip" version" 158.6.0" index"32" refcount"0"com.apple.filesystems.udf{ " sizei" version" 2.0.2" index"119" refcount"0""com.apple.iokit.IOSMBusFamily{ " sizei0" version"1.1" index"27" refcount"2"!com.apple.iokit.IOACPIFamily{ " sizei@" version" 1.2.0" index"18" refcount"10" foo.tap{ " sizei`" version"1.0" index"113" refcount"0"com.vmware.kext.vmx86{ " sizei0 " version" 2.0.4" index"104" refcount"0"com.apple.iokit.CHUDUtils{ " sizeip" version"200" index"98" refcount"0"&com.apple.driver.AppleACPIButtons{ " sizei@" version" 1.2.4" index"30" refcount"0"!com.apple.driver.AppleFWOHCI{ " sizei " version" 3.7.2" index"50" refcount"0"2com.apple.iokit.IOSCSIArchitectureModelFamily{ " sizei" version" 2.0.5" index"51" refcount"4"#org.virtualbox.kext.VBoxNetAdp{ " sizei " version" 2.2.0" index"117" refcount"0"!com.apple.filesystems.autofs{ " sizei" version" 2.0.1" index"109" refcount"0"com.vmware.kext.vmnet{ " sizei" version" 2.0.4" index"108" refcount"0".com.apple.iokit.IOSCSIBlockCommandsDevice{ " sizei`" version" 2.0.5" index"57" refcount"1""com.apple.driver.AppleACPIPCI{ " sizei0" version" 1.2.4" index"31" refcount"0" com.apple.security.seatbelt{ " sizei" version" 107.10" index"25" refcount"0"-com.apple.driver.AppleUpstreamUserClient{ " sizei@" version" 2.7.2" index"100" refcount"0"!com.apple.kext.OSvKernDSPLib{ " sizei0" version"1.1" index"79" refcount"1"&com.apple.iokit.IOBDStorageFamily{ " sizeiP" version"1.5" index"58" refcount"1"%com.apple.iokit.IOGraphicsFamily{ " sizei" version" 1.7.1" index"70" refcount"5"'com.apple.iokit.IONetworkingFamily{ " sizei`" version" 1.6.1" index"82" refcount"4" com.apple.iokit.IOATAFamily{ " sizei" version" 2.0.0" index"40" refcount"2"#com.apple.iokit.IOUSBHIDDriver{ " sizeiP" version" 3.2.2" index"63" refcount"2" org.virtualbox.kext.VBoxUSB{ " sizeip" version" 2.2.0" index"115" refcount"0"#com.apple.security.TMSafetyNet{ " sizei0" version"3" index"23" refcount"0""com.apple.iokit.IONDRVSupport{ " sizei" version" 1.7.1" index"71" refcount"3"com.apple.BootCache{ " sizeiP" version" 30.3" index"20" refcount"0"com.vmware.kext.vmioplug{ " sizei`" version" 2.0.4" index"107" refcount"0"$com.apple.iokit.IOUSBUserClient{ " sizei " version" 3.2.4" index"46" refcount"1"3com.apple.iokit.IOSCSIMultimediaCommandsDevice{ " sizei`" version" 2.0.5" index"59" refcount"0"'com.apple.driver.AppleIRController{ " sizeiP" version"110" index"78" refcount"0"$com.apple.driver.AudioIPCDriver{ " sizei@" version" 1.0.5" index"81" refcount"0"com.apple.driver.AppleLPC{ " sizei0" version" 1.2.11" index"73" refcount"0"#org.virtualbox.kext.VBoxNetFlt{ " sizei@" version" 2.2.0" index"116" refcount"0" com.apple.iokit.CHUDKernLib{ " sizeiP" version"196" index"93" refcount"2"com.apple.iokit.CHUDProf{ " sizei" version"207" index"97" refcount"0"com.apple.NVDAResman{ " sizei%" version" 5.3.6" index"90" refcount"2"!com.apple.driver.AppleACPIEC{ " sizeiP" version" 1.2.4" index"28" refcount"0" foo.tun{ " sizei`" version"1.0" index"118" refcount"0"#com.apple.iokit.IOSerialFamily{ " sizei" version"9.3" index"102" refcount"1"com.apple.GeForce{ " sizei " version" 5.3.6" index"96" refcount"0"&com.apple.iokit.IOCDStorageFamily{ " sizei" version"1.5" index"55" refcount"3""com.apple.driver.AppleUSBEHCI{ " sizei " version" 3.2.5" index"39" refcount"0"com.apple.nvidia.nv50hal{ " sizeiP%" version" 5.3.6" index"91" refcount"0"!com.apple.driver.AppleSMBIOS{ " sizei@" version" 1.1.1" index"29" refcount"0"$com.apple.driver.AppleBacklight{ " sizei@" version" 1.4.4" index"72" refcount"0"'com.apple.driver.AppleACPIPlatform{ " sizei" version" 1.2.4" index"19" refcount"3"'com.apple.iokit.SCSITaskUserClient{ " sizei`" version" 2.0.5" index"54" refcount"0" com.apple.iokit.IOHIDFamily{ " sizei" version" 1.5.3" index"21" refcount"7" com.apple.driver.DiskImages{ " sizei" version" 195.2.2" index"101" refcount"0"'com.apple.iokit.IODVDStorageFamily{ " sizei`" version"1.5" index"56" refcount"2"!com.apple.iokit.IOFireWireIP{ " sizei" version" 1.7.6" index"83" refcount"0"com.apple.driver.AppleRTC{ " sizeiP" version" 1.2.3" index"34" refcount"0" com.apple.driver.XsanFilter{ " sizeiP" version" 2.7.91" index"53" refcount"0"%com.apple.driver.AppleEFIRuntime{ " sizei0" version" 1.2.0" index"35" refcount"1"'com.apple.iokit.IOAHCIBlockStorage{ " sizei" version" 1.2.0" index"48" refcount"0"&com.apple.nke.applicationfirewall{ " sizei" version" 1.0.77" index"24" refcount"0""com.apple.iokit.IO80211Family{ " sizei" version" 215.1" index"87" refcount"1"com.vmware.kext.vmci{ " sizei" version" 2.0.4" index"106" refcount"0"!com.apple.iokit.IOAHCIFamily{ " sizei`" version" 1.5.0" index"42" refcount"2""com.apple.driver.AppleUSBUHCI{ " sizei" version" 3.2.5" index"38" refcount"0"&com.apple.driver.AppleUSBMergeNub{ " sizei0" version" 3.2.4" index"61" refcount"0" com.apple.iokit.IOUSBFamily{ " sizei" version" 3.2.7" index"37" refcount"13"#com.apple.driver.AppleEFINVRAM{ " sizei`" version" 1.2.0" index"36" refcount"0"#com.apple.driver.AppleAHCIPort{ " sizei" version" 1.5.2" index"43" refcount"0"os" Darwin" version"aDarwin Kernel Version 9.6.0: Mon Nov 24 17:37:00 PST 2008; root:xnu-1228.9.59~1/RELEASE_I386" release" 9.6.0" command{"ps" ps -ef" platform" mac_os_x"platform_version" 10.5.6" keys{"ssh{"host_dsa_public" private"host_rsa_public" private"ipaddress"192.168.88.1" fqdn"local.local" network{" settings{"net.inet6.ip6.forwarding"0"net.inet.ip.dummynet.debug"0"net.inet.ip.rtexpire"10"&net.inet6.ipsec6.esp_trans_deflev"1"net.inet.tcp.tcbhashsize" 4096"net.key.esp_auth"0"net.inet6.ip6.hlim"64"$net.inet.ip.fw.dyn_fin_lifetime"1"$net.inet.ip.fw.dyn_udp_lifetime"10"net.inet.icmp.bmcastecho"1"net.athbgscan"1 1"#net.inet.tcp.reass.maxsegments" 2048"net.athforceBias"2 2"!net.inet6.ip6.auto_flowlabel"1"net.inet6.ip6.rtmaxcache"128"net.inet.tcp.sendspace" 131072"net.inet.tcp.keepinit" 75000"'net.inet.ip.dummynet.max_chain_len"16"net.inet.tcp.rfc1644"0"$net.inet.ip.fw.curr_dyn_buckets"256"$net.inet.ip.dummynet.ready_heap"0" net.inet.ip.portrange.first" 49152"'net.inet.tcp.background_io_trigger"5"'net.link.ether.inet.host_down_time"20" net.inet6.ipsec6.def_policy"1"net.inet6.ipsec6.ecn"0"net.inet.ip.fastforwarding"0"net.inet6.ip6.v6only"0"net.inet.tcp.sack"1"net.inet6.ip6.rtexpire" 3600"!net.link.ether.inet.proxyall"0"net.athaddbaignore"0 0"net.inet6.ip6.keepfaith"0"net.key.spi_trycnt" 1000"$net.link.ether.inet.prune_intvl"300""net.inet.tcp.ecn_initiate_out"0"$net.inet.ip.fw.dyn_rst_lifetime"1"net.local.stream.sendspace" 8192"+net.inet.tcp.socket_unlocked_on_output"1"!net.inet.ip.fw.verbose_limit"0"net.local.dgram.recvspace" 4096"net.inet.ipsec.debug"0")net.link.ether.inet.log_arp_warnings"0""net.inet.tcp.ecn_negotiate_in"0"net.inet.tcp.rfc3465"1"net.inet.tcp.icmp_may_rst"1"'net.link.ether.inet.sendllconflict"0"!net.inet.ipsec.ah_offsetmask"0"net.key.blockacq_count"10"net.inet.tcp.delayed_ack"3"net.inet.ip.fw.verbose"2"net.inet.ip.fw.dyn_count"0" net.inet.tcp.slowlink_wsize" 8192"net.inet6.ip6.fw.enable"1"!net.inet.ip.portrange.hilast" 65535"net.inet.icmp.maskrepl"0")net.link.ether.inet.apple_hwcksum_rx"1"net.inet.tcp.drop_synfin"1"net.key.spi_maxval"268435455"net.inet.ipsec.ecn"0"!net.inet.ip.fw.dyn_keepalive"1"net.key.int_random"60"net.key.debug"0"#net.inet.ip.dummynet.curr_time"0"net.inet.udp.blackhole"0"net.athaggrqmin"1 1"$net.inet.ip.fw.dyn_syn_lifetime"20"net.inet.tcp.keepidle" 7200000"net.inet6.ip6.tempvltime" 604800"net.inet.tcp.recvspace" 358400"net.inet.udp.maxdgram" 9216"net.inet.tcp.keepintvl" 75000"net.inet.ip.maxchainsent"0"net.athppmenable"1 1""net.inet.ipsec.esp_net_deflev"1"$net.inet6.icmp6.nd6_useloopback"1"&net.inet.tcp.slowstart_flightsize"1"net.inet.ip.fw.debug"0")net.inet.ip.linklocal.in.allowbadttl"1"net.key.spi_minval"256"net.inet.ip.forwarding"0"net.inet.tcp.v6mssdflt" 1024"net.key.larval_lifetime"30"#net.inet6.ip6.fw.verbose_limit"0"*net.inet.ip.dummynet.red_lookup_depth"256"net.inet.tcp.pcbcount"36"$net.inet.ip.fw.dyn_ack_lifetime"300"net.athCCAThreshold" 28 28""net.inet.ip.portrange.lowlast"600"$net.link.ether.inet.useloopback"1"net.athqdepth"0 0"net.inet.ip.ttl"64"net.inet.ip.rtmaxcache"128"net.inet.ipsec.bypass"0"net.inet6.icmp6.nd6_debug"0" net.inet.ip.use_route_genid"1" net.inet6.icmp6.rediraccept"1" net.inet.ip.fw.static_count"1"net.inet6.ip6.fw.debug"0"net.inet.udp.pcbcount"104"net.inet.ipsec.esp_randpad"-1"#net.inet6.icmp6.nd6_maxnudhint"0""net.inet.tcp.always_keepalive"0"net.inet.udp.checksum"1"+net.link.ether.inet.keep_announcements"1"net.athfixedDropThresh" 150 150"net.inet6.ip6.kame_version"20010528/apple-darwin"net.inet.ip.fw.dyn_max" 4096"net.inet.udp.log_in_vain"0""net.inet6.icmp6.nd6_mmaxtries"3"net.inet.ip.rtminexpire"10"net.inet.ip.fw.dyn_buckets"256"net.inet6.ip6.accept_rtadv"0"net.inet6.ip6.rr_prune"5"net.key.ah_keymin"128"net.inet.ip.redirect"1"%net.inet.tcp.sack_globalmaxholes" 65536"net.inet.ip.keepfaith"0" net.inet.ip.dummynet.expire"1"net.inet.ip.gifttl"30"net.inet.ip.portrange.last" 65535"!net.inet.ipsec.ah_net_deflev"1"net.inet6.icmp6.nd6_delay"5"net.inet.tcp.packetchain"50"net.inet6.ip6.hdrnestlimit"50"net.inet.tcp.newreno"0"net.inet6.ip6.dad_count"1"!net.inet6.ip6.auto_linklocal"1"net.inet6.ip6.temppltime" 86400" net.inet.tcp.strict_rfc1948"0"*net.inet.ip.dummynet.red_max_pkt_size" 1500"net.inet.ip.maxfrags" 2048"net.inet.tcp.log_in_vain"0"net.athdupie"1 1"net.inet.tcp.rfc1323"1""net.inet.ip.subnets_are_local"0"&net.inet.ip.dummynet.search_steps"0"net.inet.icmp.icmplim"250")net.link.ether.inet.apple_hwcksum_tx"1"!net.inet6.icmp6.redirtimeout"600"net.inet.ipsec.ah_cleartos"1"net.inet6.ip6.log_interval"5" net.link.ether.inet.max_age" 1200"net.inet.ip.fw.enable"1"net.inet6.ip6.redirect"1"net.athaggrfmax" 28 28""net.inet.ip.maxfragsperpacket"128"!net.inet6.ip6.use_deprecated"1"4net.link.generic.system.dlil_input_sanity_check"0""net.inet.tcp.sack_globalholes"0"#net.inet.tcp.reass.cursegments"0"net.inet6.icmp6.nodeinfo"3"net.local.inflight"0"#net.inet.ip.dummynet.hash_size"64"*net.inet.ip.dummynet.red_avg_pkt_size"512"net.inet.ipsec.dfbit"0"!net.inet.tcp.reass.overflows"0"net.inet.tcp.rexmt_thresh"2"net.inet6.ip6.maxfrags" 8192"net.inet6.ip6.rtminexpire"10"$net.inet6.ipsec6.esp_net_deflev"1"net.inet.tcp.blackhole"0"net.key.esp_keymin"256" net.inet.ip.check_interface"0" net.inet.tcp.minmssoverload"0"!net.link.ether.inet.maxtries"5"net.inet.tcp.do_tcpdrain"0"net.inet.ipsec.esp_port" 4500"#net.inet6.ipsec6.ah_net_deflev"1"&net.inet.ip.dummynet.extract_heap"0"$net.inet.tcp.path_mtu_discovery"1""net.inet.ip.intr_queue_maxlen"50"net.inet.ipsec.def_policy"1" net.inet.ip.fw.autoinc_step"100"#net.inet.ip.accept_sourceroute"0"net.inet.raw.maxdgram" 8192"net.inet.ip.maxfragpackets" 1024"net.inet.ip.fw.one_pass"0"net.appletalk.routermix" 2000"!net.inet.tcp.tcp_lq_overflow"1"$net.link.generic.system.ifcount"9"0net.link.ether.inet.send_conflicting_probes"1"'net.inet.tcp.background_io_enabled"1"net.inet6.ipsec6.debug"0""net.inet.tcp.win_scale_factor"3"$net.key.natt_keepalive_interval"20"net.inet.tcp.msl" 15000""net.inet.ip.portrange.hifirst" 49152"#net.inet.ipsec.ah_trans_deflev"1"net.inet.tcp.rtt_min"1"net.inet6.ip6.defmcasthlim"1"net.inet6.icmp6.nd6_prune"1"net.inet6.ip6.fw.verbose"0"#net.inet.ip.portrange.lowfirst" 1023" net.inet.tcp.maxseg_unacked"8"net.local.dgram.maxdgram" 2048"net.key.blockacq_lifetime"20"net.inet.tcp.sack_maxholes"128"!net.inet6.ip6.maxfragpackets" 1024"net.inet6.ip6.use_tempaddr"0"net.athpowermode"0 0"net.inet.udp.recvspace" 73728"%net.inet.tcp.isn_reseed_interval"0",net.inet.tcp.local_slowstart_flightsize"8""net.inet.ip.dummynet.searches"0"!net.inet.ip.intr_queue_drops"0"1net.link.generic.system.multi_threaded_input"1"net.inet.raw.recvspace" 8192"$net.inet.ipsec.esp_trans_deflev"1"net.key.prefered_oldsa"0"net.local.stream.recvspace" 8192"net.inet.tcp.sockthreshold"64""net.inet6.icmp6.nd6_umaxtries"3"net.pstimeout" 20 20"net.inet.ip.sourceroute"0"&net.inet.ip.fw.dyn_short_lifetime"5"net.inet.tcp.minmss"216"net.inet6.ip6.gifhlim"0"net.athvendorie"1 1"$net.inet.ip.check_route_selfref"1"net.inet.icmp.log_redirect"0" net.inet6.icmp6.errppslimit"100"net.inet.tcp.mssdflt"512" net.inet.icmp.drop_redirect"0"!net.inet6.ipsec6.esp_randpad"-1"%net.inet6.ipsec6.ah_trans_deflev"1"net.inet.ip.random_id"1"net.inet.icmp.timestamp"0"interfaces{" stf0{ " flags[" number"0"mtu" 1280" type"stf"encapsulation" 6to4" vmnet1{ " flags[ "UP"BROADCAST" SMART" RUNNING" SIMPLEX"MULTICAST" number"1"addresses[{ "broadcast"192.168.88.255" netmask"255.255.255.0" family" inet" address"192.168.88.1{" family" lladdr" address" private"mtu" 1500" type" vmnet"encapsulation" Ethernet" vboxnet0{ " flags[ "BROADCAST" RUNNING" SIMPLEX"MULTICAST" number"0"addresses[{" family" lladdr" address" private"mtu" 1500" type" vboxnet"encapsulation" Ethernet"lo0{ " flags[ "UP" LOOPBACK" RUNNING"MULTICAST" number"0"addresses[ { " scope" Link"prefixlen"64" family" inet6" address" fe80::1{" netmask"255.0.0.0" family" inet" address"127.0.0.1{ " scope" Node"prefixlen"128" family" inet6" address"::1{ " scope" Node"prefixlen"128" family" inet6" address" private"mtu" 16384" type"lo"encapsulation" Loopback" vboxn{" counters{"tx{ " packets"0" bytes"0"compressedi"collisions"0" carrieri" errors"0" dropi" overruni"rx{ " packets"0" bytes"0"compressedi" errors"0" dropi" overruni"multicasti" framei" gif0{ " flags["POINTOPOINT"MULTICAST" number"0"mtu" 1280" type"gif"encapsulation" IPIP" vmnet{" counters{"tx{ " packets"0" bytes"0"compressedi"collisions"0" carrieri" errors"0" dropi" overruni"rx{ " packets"0" bytes"0"compressedi" errors"0" dropi" overruni"multicasti" framei"en0{" flags[ "UP"BROADCAST" SMART" RUNNING" SIMPLEX"MULTICAST" status" inactive" number"0"addresses[{" family" lladdr" address" private"mtu" 1500" type"en" media{"supported[{"autoselect{" options[{"10baseT/UTP{" options["half-duplex{"10baseT/UTP{" options["full-duplex{"10baseT/UTP{" options["full-duplex"hw-loopback{"10baseT/UTP{" options["full-duplex"flow-control{"100baseTX{" options["half-duplex{"100baseTX{" options["full-duplex{"100baseTX{" options["full-duplex"hw-loopback{"100baseTX{" options["full-duplex"flow-control{"1000baseT{" options["full-duplex{"1000baseT{" options["full-duplex"hw-loopback{"1000baseT{" options["full-duplex"flow-control{" none{" options[" selected[{"autoselect{" options[" counters{"tx{ " packets"0" bytes"342"compressedi"collisions"0" carrieri" errors"0" dropi" overruni"rx{ " packets"0" bytes"0"compressedi" errors"0" dropi" overruni"multicasti" framei"encapsulation" Ethernet" vmnet8{ " flags[ "UP"BROADCAST" SMART" RUNNING" SIMPLEX"MULTICAST" number"8"addresses[{ "broadcast"192.168.237.255" netmask"255.255.255.0" family" inet" address"192.168.237.1{" family" lladdr" address" private"mtu" 1500" type" vmnet"encapsulation" Ethernet"en1{" flags[ "UP"BROADCAST" SMART" RUNNING" SIMPLEX"MULTICAST" status" active" number"1"addresses[{ " scope" Link"prefixlen"64" family" inet6" address" private{ "broadcast"192.168.1.255" netmask"255.255.255.0" family" inet" address"192.168.1.4{" family" lladdr" address" private"mtu" 1500" type"en" media{"supported[{"autoselect{" options[" selected[{"autoselect{" options[" counters{"tx{ " packets" 7041789" bytes"449206298"compressedi"collisions"0" carrieri" errors"95" dropi" overruni"rx{ " packets" 19966002" bytes"13673879120"compressedi" errors" 1655893" dropi" overruni"multicasti" framei"encapsulation" Ethernet"arp{"192.168.1.7" private"fw0{" flags[ "UP"BROADCAST" SMART" RUNNING" SIMPLEX"MULTICAST" status" inactive" number"0"addresses[{" family" lladdr" address" private"mtu" 4078" type"fw" media{"supported[{"autoselect{" options["full-duplex" selected[{"autoselect{" options["full-duplex" counters{"tx{ " packets"0" bytes"346"compressedi"collisions"0" carrieri" errors"0" dropi" overruni"rx{ " packets"0" bytes"0"compressedi" errors"0" dropi" overruni"multicasti" framei"encapsulation" 1394"os" darwin" domain" local"ohai_timef1240624355.0857501|"platform_build" 9G55"os_version" 9.6.0" hostname" local"languages{" ruby{"target_os"darwin9.0" platform"universal-darwin9.0"host_vendor" apple"target_cpu" i686"target_vendor" apple" host_os"darwin9.0" version" 1.8.6" host_cpu" i686" host"i686-apple-darwin9.0"release_date"2008-03-03" target"i686-apple-darwin9.0"macaddress" privateyajl-ruby-1.4.3/benchmark/subjects/ohai.yml0000644000004100000410000005731114246427314020722 0ustar www-datawww-data--- kernel: name: Darwin machine: i386 modules: com.apple.driver.AppleAPIC: size: 12288 version: "1.4" index: "26" refcount: "0" com.apple.driver.AirPort.Atheros: size: 593920 version: 318.8.3 index: "88" refcount: "0" com.apple.driver.AppleIntelCPUPowerManagement: size: 102400 version: 59.0.1 index: "22" refcount: "0" com.apple.iokit.IOStorageFamily: size: 98304 version: 1.5.5 index: "44" refcount: "9" com.apple.iokit.IOATAPIProtocolTransport: size: 16384 version: 1.5.2 index: "52" refcount: "0" com.apple.iokit.IOPCIFamily: size: 65536 version: "2.5" index: "17" refcount: "18" org.virtualbox.kext.VBoxDrv: size: 118784 version: 2.2.0 index: "114" refcount: "3" com.cisco.nke.ipsec: size: 454656 version: 2.0.1 index: "111" refcount: "0" com.apple.driver.AppleHPET: size: 12288 version: "1.3" index: "33" refcount: "0" com.apple.driver.AppleUSBHub: size: 49152 version: 3.2.7 index: "47" refcount: "0" com.apple.iokit.IOFireWireFamily: size: 258048 version: 3.4.6 index: "49" refcount: "2" com.apple.driver.AppleUSBComposite: size: 16384 version: 3.2.0 index: "60" refcount: "1" com.apple.driver.AppleIntelPIIXATA: size: 36864 version: 2.0.0 index: "41" refcount: "0" com.apple.driver.AppleSmartBatteryManager: size: 28672 version: 158.6.0 index: "32" refcount: "0" com.apple.filesystems.udf: size: 233472 version: 2.0.2 index: "119" refcount: "0" com.apple.iokit.IOSMBusFamily: size: 12288 version: "1.1" index: "27" refcount: "2" com.apple.iokit.IOACPIFamily: size: 16384 version: 1.2.0 index: "18" refcount: "10" foo.tap: size: 24576 version: "1.0" index: "113" refcount: "0" com.vmware.kext.vmx86: size: 864256 version: 2.0.4 index: "104" refcount: "0" com.apple.iokit.CHUDUtils: size: 28672 version: "200" index: "98" refcount: "0" com.apple.driver.AppleACPIButtons: size: 16384 version: 1.2.4 index: "30" refcount: "0" com.apple.driver.AppleFWOHCI: size: 139264 version: 3.7.2 index: "50" refcount: "0" com.apple.iokit.IOSCSIArchitectureModelFamily: size: 102400 version: 2.0.5 index: "51" refcount: "4" org.virtualbox.kext.VBoxNetAdp: size: 8192 version: 2.2.0 index: "117" refcount: "0" com.apple.filesystems.autofs: size: 45056 version: 2.0.1 index: "109" refcount: "0" com.vmware.kext.vmnet: size: 36864 version: 2.0.4 index: "108" refcount: "0" com.apple.iokit.IOSCSIBlockCommandsDevice: size: 90112 version: 2.0.5 index: "57" refcount: "1" com.apple.driver.AppleACPIPCI: size: 12288 version: 1.2.4 index: "31" refcount: "0" com.apple.security.seatbelt: size: 98304 version: "107.10" index: "25" refcount: "0" com.apple.driver.AppleUpstreamUserClient: size: 16384 version: 2.7.2 index: "100" refcount: "0" com.apple.kext.OSvKernDSPLib: size: 12288 version: "1.1" index: "79" refcount: "1" com.apple.iokit.IOBDStorageFamily: size: 20480 version: "1.5" index: "58" refcount: "1" com.apple.iokit.IOGraphicsFamily: size: 118784 version: 1.7.1 index: "70" refcount: "5" com.apple.iokit.IONetworkingFamily: size: 90112 version: 1.6.1 index: "82" refcount: "4" com.apple.iokit.IOATAFamily: size: 53248 version: 2.0.0 index: "40" refcount: "2" com.apple.iokit.IOUSBHIDDriver: size: 20480 version: 3.2.2 index: "63" refcount: "2" org.virtualbox.kext.VBoxUSB: size: 28672 version: 2.2.0 index: "115" refcount: "0" com.apple.security.TMSafetyNet: size: 12288 version: "3" index: "23" refcount: "0" com.apple.iokit.IONDRVSupport: size: 57344 version: 1.7.1 index: "71" refcount: "3" com.apple.BootCache: size: 20480 version: "30.3" index: "20" refcount: "0" com.vmware.kext.vmioplug: size: 24576 version: 2.0.4 index: "107" refcount: "0" com.apple.iokit.IOUSBUserClient: size: 8192 version: 3.2.4 index: "46" refcount: "1" com.apple.iokit.IOSCSIMultimediaCommandsDevice: size: 90112 version: 2.0.5 index: "59" refcount: "0" com.apple.driver.AppleIRController: size: 20480 version: "110" index: "78" refcount: "0" com.apple.driver.AudioIPCDriver: size: 16384 version: 1.0.5 index: "81" refcount: "0" com.apple.driver.AppleLPC: size: 12288 version: 1.2.11 index: "73" refcount: "0" org.virtualbox.kext.VBoxNetFlt: size: 16384 version: 2.2.0 index: "116" refcount: "0" com.apple.iokit.CHUDKernLib: size: 20480 version: "196" index: "93" refcount: "2" com.apple.iokit.CHUDProf: size: 49152 version: "207" index: "97" refcount: "0" com.apple.NVDAResman: size: 2478080 version: 5.3.6 index: "90" refcount: "2" com.apple.driver.AppleACPIEC: size: 20480 version: 1.2.4 index: "28" refcount: "0" foo.tun: size: 24576 version: "1.0" index: "118" refcount: "0" com.apple.iokit.IOSerialFamily: size: 36864 version: "9.3" index: "102" refcount: "1" com.apple.GeForce: size: 622592 version: 5.3.6 index: "96" refcount: "0" com.apple.iokit.IOCDStorageFamily: size: 32768 version: "1.5" index: "55" refcount: "3" com.apple.driver.AppleUSBEHCI: size: 73728 version: 3.2.5 index: "39" refcount: "0" com.apple.nvidia.nv50hal: size: 2445312 version: 5.3.6 index: "91" refcount: "0" com.apple.driver.AppleSMBIOS: size: 16384 version: 1.1.1 index: "29" refcount: "0" com.apple.driver.AppleBacklight: size: 16384 version: 1.4.4 index: "72" refcount: "0" com.apple.driver.AppleACPIPlatform: size: 253952 version: 1.2.4 index: "19" refcount: "3" com.apple.iokit.SCSITaskUserClient: size: 24576 version: 2.0.5 index: "54" refcount: "0" com.apple.iokit.IOHIDFamily: size: 233472 version: 1.5.3 index: "21" refcount: "7" com.apple.driver.DiskImages: size: 65536 version: 195.2.2 index: "101" refcount: "0" com.apple.iokit.IODVDStorageFamily: size: 24576 version: "1.5" index: "56" refcount: "2" com.apple.iokit.IOFireWireIP: size: 36864 version: 1.7.6 index: "83" refcount: "0" com.apple.driver.AppleRTC: size: 20480 version: 1.2.3 index: "34" refcount: "0" com.apple.driver.XsanFilter: size: 20480 version: 2.7.91 index: "53" refcount: "0" com.apple.driver.AppleEFIRuntime: size: 12288 version: 1.2.0 index: "35" refcount: "1" com.apple.iokit.IOAHCIBlockStorage: size: 69632 version: 1.2.0 index: "48" refcount: "0" com.apple.nke.applicationfirewall: size: 32768 version: 1.0.77 index: "24" refcount: "0" com.apple.iokit.IO80211Family: size: 126976 version: "215.1" index: "87" refcount: "1" com.vmware.kext.vmci: size: 45056 version: 2.0.4 index: "106" refcount: "0" com.apple.iokit.IOAHCIFamily: size: 24576 version: 1.5.0 index: "42" refcount: "2" com.apple.driver.AppleUSBUHCI: size: 57344 version: 3.2.5 index: "38" refcount: "0" com.apple.driver.AppleUSBMergeNub: size: 12288 version: 3.2.4 index: "61" refcount: "0" com.apple.iokit.IOUSBFamily: size: 167936 version: 3.2.7 index: "37" refcount: "13" com.apple.driver.AppleEFINVRAM: size: 24576 version: 1.2.0 index: "36" refcount: "0" com.apple.driver.AppleAHCIPort: size: 53248 version: 1.5.2 index: "43" refcount: "0" os: Darwin version: "Darwin Kernel Version 9.6.0: Mon Nov 24 17:37:00 PST 2008; root:xnu-1228.9.59~1/RELEASE_I386" release: 9.6.0 command: ps: ps -ef platform: mac_os_x platform_version: 10.5.6 keys: ssh: host_dsa_public: private host_rsa_public: private ipaddress: 192.168.88.1 fqdn: local.local network: settings: net.inet6.ip6.forwarding: "0" net.inet.ip.dummynet.debug: "0" net.inet.ip.rtexpire: "10" net.inet6.ipsec6.esp_trans_deflev: "1" net.inet.tcp.tcbhashsize: "4096" net.key.esp_auth: "0" net.inet6.ip6.hlim: "64" net.inet.ip.fw.dyn_fin_lifetime: "1" net.inet.ip.fw.dyn_udp_lifetime: "10" net.inet.icmp.bmcastecho: "1" net.athbgscan: 1 1 net.inet.tcp.reass.maxsegments: "2048" net.athforceBias: 2 2 net.inet6.ip6.auto_flowlabel: "1" net.inet6.ip6.rtmaxcache: "128" net.inet.tcp.sendspace: "131072" net.inet.tcp.keepinit: "75000" net.inet.ip.dummynet.max_chain_len: "16" net.inet.tcp.rfc1644: "0" net.inet.ip.fw.curr_dyn_buckets: "256" net.inet.ip.dummynet.ready_heap: "0" net.inet.ip.portrange.first: "49152" net.inet.tcp.background_io_trigger: "5" net.link.ether.inet.host_down_time: "20" net.inet6.ipsec6.def_policy: "1" net.inet6.ipsec6.ecn: "0" net.inet.ip.fastforwarding: "0" net.inet6.ip6.v6only: "0" net.inet.tcp.sack: "1" net.inet6.ip6.rtexpire: "3600" net.link.ether.inet.proxyall: "0" net.athaddbaignore: 0 0 net.inet6.ip6.keepfaith: "0" net.key.spi_trycnt: "1000" net.link.ether.inet.prune_intvl: "300" net.inet.tcp.ecn_initiate_out: "0" net.inet.ip.fw.dyn_rst_lifetime: "1" net.local.stream.sendspace: "8192" net.inet.tcp.socket_unlocked_on_output: "1" net.inet.ip.fw.verbose_limit: "0" net.local.dgram.recvspace: "4096" net.inet.ipsec.debug: "0" net.link.ether.inet.log_arp_warnings: "0" net.inet.tcp.ecn_negotiate_in: "0" net.inet.tcp.rfc3465: "1" net.inet.tcp.icmp_may_rst: "1" net.link.ether.inet.sendllconflict: "0" net.inet.ipsec.ah_offsetmask: "0" net.key.blockacq_count: "10" net.inet.tcp.delayed_ack: "3" net.inet.ip.fw.verbose: "2" net.inet.ip.fw.dyn_count: "0" net.inet.tcp.slowlink_wsize: "8192" net.inet6.ip6.fw.enable: "1" net.inet.ip.portrange.hilast: "65535" net.inet.icmp.maskrepl: "0" net.link.ether.inet.apple_hwcksum_rx: "1" net.inet.tcp.drop_synfin: "1" net.key.spi_maxval: "268435455" net.inet.ipsec.ecn: "0" net.inet.ip.fw.dyn_keepalive: "1" net.key.int_random: "60" net.key.debug: "0" net.inet.ip.dummynet.curr_time: "0" net.inet.udp.blackhole: "0" net.athaggrqmin: 1 1 net.inet.ip.fw.dyn_syn_lifetime: "20" net.inet.tcp.keepidle: "7200000" net.inet6.ip6.tempvltime: "604800" net.inet.tcp.recvspace: "358400" net.inet.udp.maxdgram: "9216" net.inet.tcp.keepintvl: "75000" net.inet.ip.maxchainsent: "0" net.athppmenable: 1 1 net.inet.ipsec.esp_net_deflev: "1" net.inet6.icmp6.nd6_useloopback: "1" net.inet.tcp.slowstart_flightsize: "1" net.inet.ip.fw.debug: "0" net.inet.ip.linklocal.in.allowbadttl: "1" net.key.spi_minval: "256" net.inet.ip.forwarding: "0" net.inet.tcp.v6mssdflt: "1024" net.key.larval_lifetime: "30" net.inet6.ip6.fw.verbose_limit: "0" net.inet.ip.dummynet.red_lookup_depth: "256" net.inet.tcp.pcbcount: "36" net.inet.ip.fw.dyn_ack_lifetime: "300" net.athCCAThreshold: 28 28 net.inet.ip.portrange.lowlast: "600" net.link.ether.inet.useloopback: "1" net.athqdepth: 0 0 net.inet.ip.ttl: "64" net.inet.ip.rtmaxcache: "128" net.inet.ipsec.bypass: "0" net.inet6.icmp6.nd6_debug: "0" net.inet.ip.use_route_genid: "1" net.inet6.icmp6.rediraccept: "1" net.inet.ip.fw.static_count: "1" net.inet6.ip6.fw.debug: "0" net.inet.udp.pcbcount: "104" net.inet.ipsec.esp_randpad: "-1" net.inet6.icmp6.nd6_maxnudhint: "0" net.inet.tcp.always_keepalive: "0" net.inet.udp.checksum: "1" net.link.ether.inet.keep_announcements: "1" net.athfixedDropThresh: 150 150 net.inet6.ip6.kame_version: 20010528/apple-darwin net.inet.ip.fw.dyn_max: "4096" net.inet.udp.log_in_vain: "0" net.inet6.icmp6.nd6_mmaxtries: "3" net.inet.ip.rtminexpire: "10" net.inet.ip.fw.dyn_buckets: "256" net.inet6.ip6.accept_rtadv: "0" net.inet6.ip6.rr_prune: "5" net.key.ah_keymin: "128" net.inet.ip.redirect: "1" net.inet.tcp.sack_globalmaxholes: "65536" net.inet.ip.keepfaith: "0" net.inet.ip.dummynet.expire: "1" net.inet.ip.gifttl: "30" net.inet.ip.portrange.last: "65535" net.inet.ipsec.ah_net_deflev: "1" net.inet6.icmp6.nd6_delay: "5" net.inet.tcp.packetchain: "50" net.inet6.ip6.hdrnestlimit: "50" net.inet.tcp.newreno: "0" net.inet6.ip6.dad_count: "1" net.inet6.ip6.auto_linklocal: "1" net.inet6.ip6.temppltime: "86400" net.inet.tcp.strict_rfc1948: "0" net.inet.ip.dummynet.red_max_pkt_size: "1500" net.inet.ip.maxfrags: "2048" net.inet.tcp.log_in_vain: "0" net.athdupie: 1 1 net.inet.tcp.rfc1323: "1" net.inet.ip.subnets_are_local: "0" net.inet.ip.dummynet.search_steps: "0" net.inet.icmp.icmplim: "250" net.link.ether.inet.apple_hwcksum_tx: "1" net.inet6.icmp6.redirtimeout: "600" net.inet.ipsec.ah_cleartos: "1" net.inet6.ip6.log_interval: "5" net.link.ether.inet.max_age: "1200" net.inet.ip.fw.enable: "1" net.inet6.ip6.redirect: "1" net.athaggrfmax: 28 28 net.inet.ip.maxfragsperpacket: "128" net.inet6.ip6.use_deprecated: "1" net.link.generic.system.dlil_input_sanity_check: "0" net.inet.tcp.sack_globalholes: "0" net.inet.tcp.reass.cursegments: "0" net.inet6.icmp6.nodeinfo: "3" net.local.inflight: "0" net.inet.ip.dummynet.hash_size: "64" net.inet.ip.dummynet.red_avg_pkt_size: "512" net.inet.ipsec.dfbit: "0" net.inet.tcp.reass.overflows: "0" net.inet.tcp.rexmt_thresh: "2" net.inet6.ip6.maxfrags: "8192" net.inet6.ip6.rtminexpire: "10" net.inet6.ipsec6.esp_net_deflev: "1" net.inet.tcp.blackhole: "0" net.key.esp_keymin: "256" net.inet.ip.check_interface: "0" net.inet.tcp.minmssoverload: "0" net.link.ether.inet.maxtries: "5" net.inet.tcp.do_tcpdrain: "0" net.inet.ipsec.esp_port: "4500" net.inet6.ipsec6.ah_net_deflev: "1" net.inet.ip.dummynet.extract_heap: "0" net.inet.tcp.path_mtu_discovery: "1" net.inet.ip.intr_queue_maxlen: "50" net.inet.ipsec.def_policy: "1" net.inet.ip.fw.autoinc_step: "100" net.inet.ip.accept_sourceroute: "0" net.inet.raw.maxdgram: "8192" net.inet.ip.maxfragpackets: "1024" net.inet.ip.fw.one_pass: "0" net.appletalk.routermix: "2000" net.inet.tcp.tcp_lq_overflow: "1" net.link.generic.system.ifcount: "9" net.link.ether.inet.send_conflicting_probes: "1" net.inet.tcp.background_io_enabled: "1" net.inet6.ipsec6.debug: "0" net.inet.tcp.win_scale_factor: "3" net.key.natt_keepalive_interval: "20" net.inet.tcp.msl: "15000" net.inet.ip.portrange.hifirst: "49152" net.inet.ipsec.ah_trans_deflev: "1" net.inet.tcp.rtt_min: "1" net.inet6.ip6.defmcasthlim: "1" net.inet6.icmp6.nd6_prune: "1" net.inet6.ip6.fw.verbose: "0" net.inet.ip.portrange.lowfirst: "1023" net.inet.tcp.maxseg_unacked: "8" net.local.dgram.maxdgram: "2048" net.key.blockacq_lifetime: "20" net.inet.tcp.sack_maxholes: "128" net.inet6.ip6.maxfragpackets: "1024" net.inet6.ip6.use_tempaddr: "0" net.athpowermode: 0 0 net.inet.udp.recvspace: "73728" net.inet.tcp.isn_reseed_interval: "0" net.inet.tcp.local_slowstart_flightsize: "8" net.inet.ip.dummynet.searches: "0" net.inet.ip.intr_queue_drops: "0" net.link.generic.system.multi_threaded_input: "1" net.inet.raw.recvspace: "8192" net.inet.ipsec.esp_trans_deflev: "1" net.key.prefered_oldsa: "0" net.local.stream.recvspace: "8192" net.inet.tcp.sockthreshold: "64" net.inet6.icmp6.nd6_umaxtries: "3" net.pstimeout: 20 20 net.inet.ip.sourceroute: "0" net.inet.ip.fw.dyn_short_lifetime: "5" net.inet.tcp.minmss: "216" net.inet6.ip6.gifhlim: "0" net.athvendorie: 1 1 net.inet.ip.check_route_selfref: "1" net.inet.icmp.log_redirect: "0" net.inet6.icmp6.errppslimit: "100" net.inet.tcp.mssdflt: "512" net.inet.icmp.drop_redirect: "0" net.inet6.ipsec6.esp_randpad: "-1" net.inet6.ipsec6.ah_trans_deflev: "1" net.inet.ip.random_id: "1" net.inet.icmp.timestamp: "0" interfaces: stf0: flags: [] number: "0" mtu: "1280" type: stf encapsulation: 6to4 vmnet1: flags: - UP - BROADCAST - SMART - RUNNING - SIMPLEX - MULTICAST number: "1" addresses: - broadcast: 192.168.88.255 netmask: 255.255.255.0 family: inet address: 192.168.88.1 - family: lladdr address: private mtu: "1500" type: vmnet encapsulation: Ethernet vboxnet0: flags: - BROADCAST - RUNNING - SIMPLEX - MULTICAST number: "0" addresses: - family: lladdr address: private mtu: "1500" type: vboxnet encapsulation: Ethernet lo0: flags: - UP - LOOPBACK - RUNNING - MULTICAST number: "0" addresses: - scope: Link prefixlen: "64" family: inet6 address: fe80::1 - netmask: 255.0.0.0 family: inet address: 127.0.0.1 - scope: Node prefixlen: "128" family: inet6 address: "::1" - scope: Node prefixlen: "128" family: inet6 address: private mtu: "16384" type: lo encapsulation: Loopback vboxn: counters: tx: packets: "0" bytes: "0" compressed: 0 collisions: "0" carrier: 0 errors: "0" drop: 0 overrun: 0 rx: packets: "0" bytes: "0" compressed: 0 errors: "0" drop: 0 overrun: 0 multicast: 0 frame: 0 gif0: flags: - POINTOPOINT - MULTICAST number: "0" mtu: "1280" type: gif encapsulation: IPIP vmnet: counters: tx: packets: "0" bytes: "0" compressed: 0 collisions: "0" carrier: 0 errors: "0" drop: 0 overrun: 0 rx: packets: "0" bytes: "0" compressed: 0 errors: "0" drop: 0 overrun: 0 multicast: 0 frame: 0 en0: flags: - UP - BROADCAST - SMART - RUNNING - SIMPLEX - MULTICAST status: inactive number: "0" addresses: - family: lladdr address: private mtu: "1500" type: en media: supported: - autoselect: options: [] - 10baseT/UTP: options: - half-duplex - 10baseT/UTP: options: - full-duplex - 10baseT/UTP: options: - full-duplex - hw-loopback - 10baseT/UTP: options: - full-duplex - flow-control - 100baseTX: options: - half-duplex - 100baseTX: options: - full-duplex - 100baseTX: options: - full-duplex - hw-loopback - 100baseTX: options: - full-duplex - flow-control - 1000baseT: options: - full-duplex - 1000baseT: options: - full-duplex - hw-loopback - 1000baseT: options: - full-duplex - flow-control - none: options: [] selected: - autoselect: options: [] counters: tx: packets: "0" bytes: "342" compressed: 0 collisions: "0" carrier: 0 errors: "0" drop: 0 overrun: 0 rx: packets: "0" bytes: "0" compressed: 0 errors: "0" drop: 0 overrun: 0 multicast: 0 frame: 0 encapsulation: Ethernet vmnet8: flags: - UP - BROADCAST - SMART - RUNNING - SIMPLEX - MULTICAST number: "8" addresses: - broadcast: 192.168.237.255 netmask: 255.255.255.0 family: inet address: 192.168.237.1 - family: lladdr address: private mtu: "1500" type: vmnet encapsulation: Ethernet en1: flags: - UP - BROADCAST - SMART - RUNNING - SIMPLEX - MULTICAST status: active number: "1" addresses: - scope: Link prefixlen: "64" family: inet6 address: private - broadcast: 192.168.1.255 netmask: 255.255.255.0 family: inet address: 192.168.1.4 - family: lladdr address: private mtu: "1500" type: en media: supported: - autoselect: options: [] selected: - autoselect: options: [] counters: tx: packets: "7041789" bytes: "449206298" compressed: 0 collisions: "0" carrier: 0 errors: "95" drop: 0 overrun: 0 rx: packets: "19966002" bytes: "13673879120" compressed: 0 errors: "1655893" drop: 0 overrun: 0 multicast: 0 frame: 0 encapsulation: Ethernet arp: 192.168.1.7: private fw0: flags: - UP - BROADCAST - SMART - RUNNING - SIMPLEX - MULTICAST status: inactive number: "0" addresses: - family: lladdr address: private mtu: "4078" type: fw media: supported: - autoselect: options: - full-duplex selected: - autoselect: options: - full-duplex counters: tx: packets: "0" bytes: "346" compressed: 0 collisions: "0" carrier: 0 errors: "0" drop: 0 overrun: 0 rx: packets: "0" bytes: "0" compressed: 0 errors: "0" drop: 0 overrun: 0 multicast: 0 frame: 0 encapsulation: "1394" os: darwin domain: local ohai_time: 1240624355.08575 platform_build: 9G55 os_version: 9.6.0 hostname: local languages: ruby: target_os: darwin9.0 platform: universal-darwin9.0 host_vendor: apple target_cpu: i686 target_vendor: apple host_os: darwin9.0 version: 1.8.6 host_cpu: i686 host: i686-apple-darwin9.0 release_date: "2008-03-03" target: i686-apple-darwin9.0 macaddress: private yajl-ruby-1.4.3/benchmark/subjects/twitter_stream.json0000644000004100000410000175575114246427314023245 0ustar www-datawww-data{"text":"@marijf Feliz 4 meses, meu amor!!! Te amo muito","created_at":"Mon May 25 01:58:35 +0000 2009","truncated":false,"in_reply_to_user_id":37840036,"user":{"profile_background_color":"9ae4e8","description":null,"screen_name":"davi_alvarenga","following":null,"utc_offset":null,"created_at":"Sun Nov 02 20:59:29 +0000 2008","friends_count":19,"profile_text_color":"000000","notifications":null,"statuses_count":18,"favourites_count":0,"protected":false,"profile_link_color":"0000ff","location":null,"name":"davi_alvarenga","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme1\/bg.gif","profile_sidebar_fill_color":"e0ff92","url":null,"profile_sidebar_border_color":"87bc44","profile_background_tile":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/83979549\/twitter_normal.jpg","id":17119726,"time_zone":null,"followers_count":14},"favorited":false,"in_reply_to_screen_name":"marijf","in_reply_to_status_id":null,"id":1908226603,"source":"TwitterFox<\/a>"} {"text":"#mw2 ive seen 1 of these gun, i just cant remember the name, the one on THE OFFICIAL TRAILER BABY, the guns small and peache","created_at":"Mon May 25 01:58:35 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"9ae4e8","description":null,"screen_name":"chrisxchaos","following":null,"utc_offset":null,"created_at":"Sun Mar 15 03:12:36 +0000 2009","friends_count":23,"profile_text_color":"000000","notifications":null,"statuses_count":678,"favourites_count":0,"protected":false,"profile_link_color":"0000ff","location":null,"name":"john","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme1\/bg.gif","profile_sidebar_fill_color":"e0ff92","url":null,"profile_sidebar_border_color":"87bc44","profile_background_tile":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/224812952\/jason_normal.jpg","id":24478079,"time_zone":null,"followers_count":32},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908226601,"source":"web"} {"text":"is sunburnt and it's fine by me! :)","created_at":"Mon May 25 01:58:36 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"8B542B","description":"Amateur Photographer","screen_name":"KareinKits","following":null,"utc_offset":-28800,"created_at":"Fri Jan 02 18:50:56 +0000 2009","friends_count":127,"profile_text_color":"333333","notifications":null,"statuses_count":34,"favourites_count":1,"protected":false,"profile_link_color":"9D582E","location":"Vancouver, BC","name":"KareinKits","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/3965121\/_-2.jpg","profile_sidebar_fill_color":"EADEAA","url":"http:\/\/www.karriegomes.wordpress.com","profile_sidebar_border_color":"D9B17E","profile_background_tile":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/69358556\/kcrop_normal.jpeg","id":18559065,"time_zone":"Pacific Time (US & Canada)","followers_count":80},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908226704,"source":"web"} {"truncated":false,"text":"wondering what the hell is so great about twitter!...nicole what the hell did u get me into????","created_at":"Mon May 25 01:58:36 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":2,"favourites_count":0,"description":"","screen_name":"JaniquePatrice","following":null,"utc_offset":-18000,"created_at":"Mon May 25 01:47:11 +0000 2009","profile_link_color":"0000ff","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme1\/bg.gif","profile_sidebar_fill_color":"e0ff92","protected":false,"location":"","name":"Jay Gillman","profile_sidebar_border_color":"87bc44","profile_background_tile":false,"url":null,"time_zone":"Quito","followers_count":1,"profile_background_color":"9ae4e8","friends_count":1,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/228929997\/Sunset_normal.jpg","id":42325390,"profile_text_color":"000000"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908226703,"source":"web"} {"truncated":false,"text":"Started working on a \"Walden\" based gardening experiment http:\/\/bit.ly\/Ic8Kt","created_at":"Mon May 25 01:58:36 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":7,"favourites_count":0,"description":"Vinyl fanatic, linux geek, netbook user, ubuntu user, etc","screen_name":"jfenn2199","following":null,"utc_offset":-21600,"created_at":"Sun May 03 22:53:45 +0000 2009","profile_link_color":"0000ff","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme1\/bg.gif","profile_sidebar_fill_color":"e0ff92","protected":false,"location":"Memphis, TN","name":"Joseph Fennell","profile_sidebar_border_color":"87bc44","profile_background_tile":false,"url":null,"time_zone":"Central Time (US & Canada)","followers_count":3,"profile_background_color":"9ae4e8","friends_count":4,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/195166772\/1013587246_l_normal.jpg","id":37524635,"profile_text_color":"000000"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908226700,"source":"web"} {"text":"Day of Rest is so much easier when the next day is a holiday. Oh, and misquito season has begun. Why haven't I built a bat house?","created_at":"Mon May 25 01:58:37 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"080f26","description":"Family, Technology, VW Bus, Nifty Tunes, Gardening, Python, Collaboration, Wordplay, Board Games, Grace. These are some of my favorite things.","screen_name":"ponderings","following":null,"utc_offset":-21600,"created_at":"Sat Apr 14 20:49:15 +0000 2007","friends_count":484,"profile_text_color":"0c1005","notifications":null,"statuses_count":1174,"favourites_count":10,"protected":false,"profile_link_color":"c3b4a2","location":"Wisconsin","name":"Dean Goodmanson","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/3315727\/photo.jpg","profile_sidebar_fill_color":"6e3921","url":"http:\/\/goodmansond.googlepages.com","profile_sidebar_border_color":"ddc80e","profile_background_tile":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/213473370\/deanlukeavatar2_normal.jpg","id":4634041,"time_zone":"Central Time (US & Canada)","followers_count":285},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908226803,"source":"web"} {"truncated":false,"text":"is hurt..","created_at":"Mon May 25 01:58:37 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":35,"favourites_count":0,"description":null,"screen_name":"lostinevermore","following":null,"utc_offset":null,"created_at":"Mon Feb 02 05:57:00 +0000 2009","profile_link_color":"1F98C7","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/5068911\/bear76.jpg","profile_sidebar_fill_color":"DAECF4","protected":false,"location":null,"name":"evemore","profile_sidebar_border_color":"C6E2EE","profile_background_tile":false,"url":null,"time_zone":null,"followers_count":13,"profile_background_color":"000000","friends_count":14,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/227974504\/Picture0002__4__normal.jpg","id":19895357,"profile_text_color":"663B12"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908226800,"source":"mobile web<\/a>"} {"text":"@PiaVeleno I'm sorry. I'll make my retweets better.","created_at":"Mon May 25 01:58:37 +0000 2009","truncated":false,"in_reply_to_user_id":16228556,"user":{"profile_background_color":"EBEBEB","description":"Trevor was born. He hasn't died yet. He likes scotch.","screen_name":"usumcasane","following":null,"utc_offset":-21600,"created_at":"Tue Mar 20 14:04:41 +0000 2007","friends_count":209,"profile_text_color":"333333","notifications":null,"statuses_count":5201,"favourites_count":14,"protected":false,"profile_link_color":"990000","location":"Austin, TX","name":"Trevor Weede","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/6704635\/Domo_fields_1280x1024.jpg","profile_sidebar_fill_color":"F3F3F3","url":null,"profile_sidebar_border_color":"DFDFDF","profile_background_tile":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/109961316\/ROWR_normal.png","id":1629961,"time_zone":"Central Time (US & Canada)","followers_count":201},"favorited":false,"in_reply_to_screen_name":"PiaVeleno","in_reply_to_status_id":1908178102,"id":1908226801,"source":"TwitterFon<\/a>"} {"truncated":false,"text":"@adamzea Nice point out on the forward camera! I saw that also and said...No way!!!","created_at":"Mon May 25 01:58:37 +0000 2009","in_reply_to_user_id":18782934,"favorited":false,"user":{"notifications":null,"statuses_count":760,"favourites_count":2,"description":"Accessories For Your Mobile Lifestyle! Windows Phone Accessories","screen_name":"accessory_MOB","following":null,"utc_offset":-18000,"created_at":"Wed Dec 17 02:17:11 +0000 2008","profile_link_color":"092c86","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/12637857\/accessoryMOB_twitter_copy1.jpg","profile_sidebar_fill_color":"ccd5ff","protected":false,"location":"Columbus, Ohio","name":"LAMARCOMMACCESSORIES","profile_sidebar_border_color":"b3bfd6","profile_background_tile":false,"url":"http:\/\/www.lamarcommaccessories.com","time_zone":"Eastern Time (US & Canada)","followers_count":108,"profile_background_color":"4479cf","friends_count":157,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/209388210\/twit_normal.gif","id":18179689,"profile_text_color":"333333"},"in_reply_to_screen_name":"adamzea","in_reply_to_status_id":1907914134,"id":1908226802,"source":"web"} {"truncated":false,"text":"@chefgui awww.... and just why would you want to hide from me?","created_at":"Mon May 25 01:58:38 +0000 2009","in_reply_to_user_id":26212122,"favorited":false,"user":{"notifications":null,"statuses_count":626,"favourites_count":3,"description":"sometimes less is more","screen_name":"a_tall_blonde","following":null,"utc_offset":-21600,"created_at":"Thu Mar 05 02:47:10 +0000 2009","profile_link_color":"2FC2EF","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/9684806\/pic18.jpg","profile_sidebar_fill_color":"252429","protected":false,"location":"Midwest girl","name":"Becky ","profile_sidebar_border_color":"181A1E","profile_background_tile":false,"url":null,"time_zone":"Central Time (US & Canada)","followers_count":360,"profile_background_color":"1A1B1F","friends_count":310,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/218053250\/Becky007_normal.jpg","id":22868620,"profile_text_color":"666666"},"in_reply_to_screen_name":"chefgui","in_reply_to_status_id":1908173952,"id":1908226900,"source":"TweetDeck<\/a>"} {"text":"@MBartloff Well, there are other things to compete for. You know I like a challenge","created_at":"Mon May 25 01:58:38 +0000 2009","truncated":false,"in_reply_to_user_id":20624278,"user":{"profile_background_color":"EDECE9","description":"Explore the desire. Experience the passion. Live for love. http:\/\/erotiquepress.com","screen_name":"ErotiquePress","following":null,"utc_offset":-18000,"created_at":"Tue Nov 04 19:06:11 +0000 2008","friends_count":2039,"profile_text_color":"634047","notifications":null,"statuses_count":1443,"favourites_count":5,"protected":false,"profile_link_color":"088253","location":"Maryland","name":"ErotiquePress","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme3\/bg.gif","profile_sidebar_fill_color":"E3E2DE","url":"http:\/\/erotiquepress.blogspot.com","profile_sidebar_border_color":"D3D2CF","profile_background_tile":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/63584918\/ErotiqueLogo-sm-highjpg_normal.jpg","id":17164598,"time_zone":"Eastern Time (US & Canada)","followers_count":2038},"favorited":false,"in_reply_to_screen_name":"MBartloff","in_reply_to_status_id":1908216368,"id":1908226904,"source":"web"} {"truncated":false,"text":"Time for the last #INFO406 lecture for this semester (next Monday is a holiday). I can relax for a bit!","created_at":"Mon May 25 01:58:38 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":1555,"favourites_count":54,"description":"University lecturer. Database guru. Fnord. http:\/\/tinyurl.com\/455fu5","screen_name":"nstanger","following":null,"utc_offset":43200,"created_at":"Tue Apr 08 04:55:48 +0000 2008","profile_link_color":"990000","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/4305883\/concurrent.png","profile_sidebar_fill_color":"F3F3F3","protected":false,"location":"Dunedin, New Zealand","name":"Nigel Stanger","profile_sidebar_border_color":"DFDFDF","profile_background_tile":false,"url":"http:\/\/www.stanger.org.nz\/","time_zone":"Auckland","followers_count":108,"profile_background_color":"EBEBEB","friends_count":131,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/222183862\/1229766236-1229766236_normal.png","id":14329707,"profile_text_color":"333333"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908226902,"source":"EventBox<\/a>"} {"truncated":false,"text":"@JLAC1013 so go to bed, or like you always tell me, a doctor","created_at":"Mon May 25 01:58:38 +0000 2009","in_reply_to_user_id":30492800,"favorited":false,"user":{"notifications":null,"statuses_count":208,"favourites_count":1,"description":"","screen_name":"cumulowx","following":null,"utc_offset":-18000,"created_at":"Wed Apr 22 16:29:50 +0000 2009","profile_link_color":"FF3300","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme6\/bg.gif","profile_sidebar_fill_color":"A0C5C7","protected":false,"location":"","name":"Ben Barrett","profile_sidebar_border_color":"86A4A6","profile_background_tile":false,"url":null,"time_zone":"Eastern Time (US & Canada)","followers_count":9,"profile_background_color":"709397","friends_count":25,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/154892616\/untitled_normal.JPG","id":34318551,"profile_text_color":"333333"},"in_reply_to_screen_name":"JLAC1013","in_reply_to_status_id":1908123355,"id":1908226901,"source":"web"} {"truncated":false,"text":"satisfy my urge to eat thereby help me lose weight just by drinkin a soda whats the catch? none Quench your appetite TM company slogan try","created_at":"Mon May 25 01:58:38 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":98,"favourites_count":10,"description":"NuVitae Dist. Nationwide sales reps needed. New Unique Fiber Drink taking the US by Storm Medically Significant get yours today","screen_name":"nutaste","following":null,"utc_offset":-18000,"created_at":"Sun May 17 01:55:16 +0000 2009","profile_link_color":"B40B43","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/13460643\/nuvitae_glass.jpg","profile_sidebar_fill_color":"d3e550","protected":false,"location":"Jacksonville, FL","name":"Princess Washington","profile_sidebar_border_color":"CC3366","profile_background_tile":true,"url":"http:\/\/www.mynuvitae.com\/22553","time_zone":"Eastern Time (US & Canada)","followers_count":560,"profile_background_color":"FF6699","friends_count":872,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/217883264\/case_NuVitae_normal.jpg","id":40586177,"profile_text_color":"362720"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908227001,"source":"web"} {"text":"getting ever so closer to the completion of our new project, \"Blood, Toil, Tears and Sweat: The Saga of World War II\"","created_at":"Mon May 25 01:58:38 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"9ae4e8","description":null,"screen_name":"trampstudios","following":null,"utc_offset":null,"created_at":"Tue May 12 23:51:25 +0000 2009","friends_count":8,"profile_text_color":"000000","notifications":null,"statuses_count":14,"favourites_count":0,"protected":false,"profile_link_color":"0000ff","location":null,"name":"Keenan Powell","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme1\/bg.gif","profile_sidebar_fill_color":"e0ff92","url":null,"profile_sidebar_border_color":"87bc44","profile_background_tile":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/209303761\/studio_logo_small_normal.jpg","id":39632184,"time_zone":null,"followers_count":2},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908227004,"source":"web"} {"truncated":false,"text":"Happy Memorial Day : Pedophile killed over 70 children, shocking neww: http:\/\/bit.ly\/QFMpx","created_at":"Mon May 25 01:58:38 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":241,"favourites_count":0,"description":null,"screen_name":"norbieecalmoos","following":null,"utc_offset":null,"created_at":"Sat May 23 15:16:31 +0000 2009","profile_link_color":"0000ff","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme1\/bg.gif","profile_sidebar_fill_color":"e0ff92","protected":false,"location":null,"name":"Norbie Calmos","profile_sidebar_border_color":"87bc44","profile_background_tile":false,"url":null,"time_zone":null,"followers_count":28,"profile_background_color":"9ae4e8","friends_count":0,"profile_image_url":"http:\/\/static.twitter.com\/images\/default_profile_normal.png","id":42041820,"profile_text_color":"000000"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908227002,"source":"web"} {"truncated":false,"text":"@B_Wright trying to the same...making moves and tht song will b sent to u by friday! Mastered to ur quality!","created_at":"Mon May 25 01:58:39 +0000 2009","in_reply_to_user_id":18517604,"favorited":false,"user":{"notifications":null,"statuses_count":168,"favourites_count":0,"description":null,"screen_name":"Jay_D1","following":null,"utc_offset":null,"created_at":"Sun Mar 15 07:02:56 +0000 2009","profile_link_color":"0000ff","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme1\/bg.gif","profile_sidebar_fill_color":"e0ff92","protected":false,"location":null,"name":"jelani Whitehorne","profile_sidebar_border_color":"87bc44","profile_background_tile":false,"url":null,"time_zone":null,"followers_count":81,"profile_background_color":"9AE4E8","friends_count":209,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/96608511\/jay_d_normal.jpg","id":24498353,"profile_text_color":"000000"},"in_reply_to_screen_name":"B_Wright","in_reply_to_status_id":1902799436,"id":1908227100,"source":"hiptop<\/a>"} {"truncated":false,"text":"@alexandriamarch Andersen Windows aint got nothing on this team.","in_reply_to_user_id":41620695,"favorited":false,"created_at":"Mon May 25 01:58:39 +0000 2009","in_reply_to_screen_name":"alexandriamarch","in_reply_to_status_id":null,"id":1908227102,"user":{"friends_count":3,"location":null,"utc_offset":null,"profile_text_color":"333333","notifications":null,"statuses_count":2,"favourites_count":0,"following":null,"profile_link_color":"990000","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme7\/bg.gif","description":null,"name":"Chanda Alseth","profile_sidebar_fill_color":"F3F3F3","protected":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/224110031\/chdaa_normal.jpg","created_at":"Fri Feb 06 00:29:51 +0000 2009","profile_sidebar_border_color":"DFDFDF","screen_name":"chandaalseth","profile_background_tile":false,"time_zone":null,"followers_count":4,"id":20205474,"profile_background_color":"EBEBEB","url":null},"source":"web"} {"truncated":false,"text":"Anyone seen this? Guitar Afficionado magazine launching soon. http:\/\/www.guitaraficionado.com\/ Colbert Platinum for guitarists!","created_at":"Mon May 25 01:58:39 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":1483,"favourites_count":1,"description":"Guitarist and journalist, editor of the I Heart Guitar Blog","screen_name":"iheartguitar","following":null,"utc_offset":36000,"created_at":"Wed Dec 10 05:19:46 +0000 2008","profile_link_color":"d60000","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme7\/bg.gif","profile_sidebar_fill_color":"F3F3F3","protected":false,"location":"Melbourne","name":"Peter Hodgson","profile_sidebar_border_color":"DFDFDF","profile_background_tile":false,"url":"http:\/\/www.iheartguitarblog.com","time_zone":"Melbourne","followers_count":470,"profile_background_color":"ffffff","friends_count":290,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/68949676\/ihg_normal.png","id":18013014,"profile_text_color":"333333"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908227101,"source":"web"} {"text":"@TrueProgressive no flying beer heh - every1 ws ridiculously nice. but wow after last night their pain was palpable\/was SO much fun","created_at":"Mon May 25 01:58:40 +0000 2009","truncated":false,"in_reply_to_user_id":15176349,"user":{"profile_background_color":"642D8B","description":"loves: new york city, audio production, the mets, the sea, hip hop, my new flowering plants, sleep and stuff that I shouldn't type here i don't even know you. ","screen_name":"katiestereo","following":null,"utc_offset":-18000,"created_at":"Sun Dec 09 17:05:42 +0000 2007","friends_count":125,"profile_text_color":"3D1957","notifications":null,"statuses_count":814,"favourites_count":3,"protected":false,"profile_link_color":"FF0000","location":"New York, NY","name":"Katie ","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/9196304\/000_0150.JPG","profile_sidebar_fill_color":"7AC3EE","url":null,"profile_sidebar_border_color":"65B0DA","profile_background_tile":true,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/226031948\/Video_Snapshot-2_normal.jpeg","id":10996862,"time_zone":"Eastern Time (US & Canada)","followers_count":80},"favorited":false,"in_reply_to_screen_name":"TrueProgressive","in_reply_to_status_id":1908066972,"id":1908227201,"source":"web"} {"truncated":false,"text":"good night everyone!!","in_reply_to_user_id":null,"favorited":false,"created_at":"Mon May 25 01:58:40 +0000 2009","in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908227203,"user":{"friends_count":37,"location":"Beach (i wish)","utc_offset":-18000,"profile_text_color":"333333","notifications":null,"statuses_count":102,"favourites_count":0,"following":null,"profile_link_color":"0084B4","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/10436546\/Picnik_collage2","description":"The dancing fool! ","name":"Geneva Gerwitz","profile_sidebar_fill_color":"DDFFCC","protected":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/215352599\/Profile_Pic_normal.jpg","created_at":"Tue Apr 21 23:41:21 +0000 2009","profile_sidebar_border_color":"BDDCAD","screen_name":"BeachBabe4Ever","profile_background_tile":true,"time_zone":"Quito","followers_count":17,"id":34093532,"profile_background_color":"9AE4E8","url":null},"source":"web"} {"truncated":false,"text":"@JennytG13 GOOD! tell me about it later. loll","created_at":"Mon May 25 01:58:40 +0000 2009","in_reply_to_user_id":25602866,"favorited":false,"user":{"notifications":null,"statuses_count":1133,"favourites_count":0,"description":"not black(JK). i go to school. i play the viola. i have a good time. LOL..","screen_name":"stephenjeean","following":null,"utc_offset":-18000,"created_at":"Fri Sep 19 20:26:21 +0000 2008","profile_link_color":"B175BC","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme8\/bg.gif","profile_sidebar_fill_color":"EADEAA","protected":false,"location":"NY","name":"\u265aStephen.","profile_sidebar_border_color":"B175BC","profile_background_tile":false,"url":"http:\/\/us.cyworld.com\/stephenjeean","time_zone":"Eastern Time (US & Canada)","followers_count":44,"profile_background_color":"EBEDDB","friends_count":28,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/120874023\/IMG_2772_normal.JPG","id":16369706,"profile_text_color":"333333"},"in_reply_to_screen_name":"JennytG13","in_reply_to_status_id":1908186177,"id":1908227204,"source":"Tweetie<\/a>"} {"truncated":false,"text":"@PaulaAbdul thats a good movie!","in_reply_to_user_id":27750488,"favorited":false,"created_at":"Mon May 25 01:58:39 +0000 2009","in_reply_to_screen_name":"PaulaAbdul","in_reply_to_status_id":1908134242,"id":1908227103,"user":{"friends_count":59,"location":"Wy.\/Texas","utc_offset":-21600,"profile_text_color":"3E4415","notifications":null,"statuses_count":191,"favourites_count":0,"following":null,"profile_link_color":"D02B55","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme5\/bg.gif","description":"21 years old. Single. Born and raised in South Texas. Daily blogger. Visit my Myspace page to view my photos,music,blog lists and more @ the web address above.","name":"Krystal aka CHiCHi","profile_sidebar_fill_color":"99CC33","protected":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/214231506\/0506092225-1_1__normal.jpg","created_at":"Wed May 06 05:08:20 +0000 2009","profile_sidebar_border_color":"829D5E","screen_name":"krystaltrev","profile_background_tile":false,"time_zone":"Central Time (US & Canada)","followers_count":30,"id":38119148,"profile_background_color":"352726","url":"http:\/\/www.myspace.com\/krystaltrev"},"source":"web"} {"truncated":false,"text":"so much good feminism convo tonight. i love these women, they slip me strawberry daquiris.","created_at":"Mon May 25 01:58:40 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":2272,"favourites_count":48,"description":"Narcissistic lesbian. I'm an acquired taste.","screen_name":"raaaaaaek","following":null,"utc_offset":-18000,"created_at":"Tue Mar 17 04:24:59 +0000 2009","profile_link_color":"3ce7d7","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/11481168\/ravenclaww.gif","profile_sidebar_fill_color":"000000","protected":false,"location":"Scranton, Pennsylvania","name":"raek","profile_sidebar_border_color":"ffffff","profile_background_tile":true,"url":"http:\/\/www.facebook.com\/home.php#\/profile.php?id=1264913620&ref=name","time_zone":"Eastern Time (US & Canada)","followers_count":253,"profile_background_color":"000000","friends_count":360,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/226712810\/catch_normal.jpg","id":24838969,"profile_text_color":"a69b9b"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908227200,"source":"mobile web<\/a>"} {"text":"@RastaGirl86 lol i didnt say anything bad. just boring stuff like \"you sleep?\" or \"what you doing?\"","created_at":"Mon May 25 01:58:40 +0000 2009","truncated":false,"in_reply_to_user_id":27771804,"user":{"profile_background_color":"080502","description":"","screen_name":"FADED_NFiasco","following":null,"utc_offset":-18000,"created_at":"Sun Mar 22 05:15:30 +0000 2009","friends_count":46,"profile_text_color":"000000","notifications":null,"statuses_count":160,"favourites_count":0,"protected":false,"profile_link_color":"a97c60","location":"","name":"Joe NF Jones","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/14313661\/n157700008_30299137_956.jpg","profile_sidebar_fill_color":"56220b","url":null,"profile_sidebar_border_color":"171107","profile_background_tile":true,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/220074248\/n157700008_30304501_682_normal.jpg","id":25785033,"time_zone":"Quito","followers_count":72},"favorited":false,"in_reply_to_screen_name":"RastaGirl86","in_reply_to_status_id":1907887196,"id":1908227301,"source":"web"} {"truncated":false,"text":"@DrRoyster CHUUURRRCH!","in_reply_to_user_id":30710980,"favorited":false,"created_at":"Mon May 25 01:58:40 +0000 2009","in_reply_to_screen_name":"DrRoyster","in_reply_to_status_id":1908208059,"id":1908227300,"user":{"friends_count":349,"location":"\u00dcT: 34.19938,-119.152147","utc_offset":-28800,"profile_text_color":"eb3c2d","notifications":null,"statuses_count":900,"favourites_count":2,"following":null,"profile_link_color":"0084B4","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/5120205\/JSCREEZLOGO1-1.jpg","description":"myspace.com\/jscratch","name":"DJ J SCRATCH","profile_sidebar_fill_color":"DDFFCC","protected":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/85083218\/DjJS1-2-1_normal.jpg","created_at":"Fri Nov 14 21:07:44 +0000 2008","profile_sidebar_border_color":"BDDCAD","screen_name":"JSCRATCH","profile_background_tile":true,"time_zone":"Pacific Time (US & Canada)","followers_count":570,"id":17395847,"profile_background_color":"31e3ed","url":null},"source":"web"} {"text":"@stanleyhart how do you like it? windows mobile?","created_at":"Mon May 25 01:58:40 +0000 2009","truncated":false,"in_reply_to_user_id":27380302,"user":{"profile_background_color":"9AE4E8","description":"","screen_name":"dannyordinary","following":null,"utc_offset":-21600,"created_at":"Tue Dec 09 01:05:50 +0000 2008","friends_count":56,"profile_text_color":"333333","notifications":null,"statuses_count":526,"favourites_count":0,"protected":false,"profile_link_color":"0084B4","location":"Boston, MA","name":"dannyordinary","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/7369323\/gal.jpg","profile_sidebar_fill_color":"f2f2f2","url":null,"profile_sidebar_border_color":"f2f2f2","profile_background_tile":true,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/82530110\/galactus_normal.jpg","id":17979414,"time_zone":"Central Time (US & Canada)","followers_count":64},"favorited":false,"in_reply_to_screen_name":"stanleyhart","in_reply_to_status_id":null,"id":1908227303,"source":"web"} {"truncated":false,"text":"\u306f\u3089\u304f\u308d\u3068\u96ea\u306e\u8ecd\u670d\u7d75\u3092\u63cf\u3044\u305f\u3093\u3060\u3051\u3069\u3042\u307e\u308a\u306b\u3082\u9762\u767d\u304f\u306a\u304f\u3066\u30a4\u30e9\u30c3\u3068\u3057\u305f\u3002 \u5922\u3092\u898b\u3066\u66f4\u306b\u30a4\u30e9\u30c3\u3068\u3057\u305f\u3002","created_at":"Mon May 25 01:58:41 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":1443,"favourites_count":0,"description":"\u308b\u3093\u308b\u3093","screen_name":"misina","following":null,"utc_offset":32400,"created_at":"Wed Sep 03 16:29:36 +0000 2008","profile_link_color":"088253","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme3\/bg.gif","profile_sidebar_fill_color":"E3E2DE","protected":false,"location":"\u3053\u3053\u3067\u306f\u306a\u3044\u3069\u3063\u304b","name":"\u4e09\u79d1","profile_sidebar_border_color":"D3D2CF","profile_background_tile":false,"url":null,"time_zone":"Tokyo","followers_count":36,"profile_background_color":"EDECE9","friends_count":30,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/211893520\/0000_normal.jpg","id":16115373,"profile_text_color":"634047"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908227400,"source":"movatwitter<\/a>"} {"truncated":false,"text":"A Cabe\u00e7a de Steve Jobs por R$ 18,20 ... http:\/\/uiop.me\/2w","created_at":"Mon May 25 01:58:41 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":2007,"favourites_count":0,"description":"","screen_name":"claudiofreire","following":null,"utc_offset":-10800,"created_at":"Tue Oct 02 20:16:03 +0000 2007","profile_link_color":"0000ff","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme1\/bg.gif","profile_sidebar_fill_color":"e0ff92","protected":false,"location":"","name":"claudiofreire","profile_sidebar_border_color":"87bc44","profile_background_tile":false,"url":"http:\/\/www.argohost.net","time_zone":"Brasilia","followers_count":215,"profile_background_color":"FFFFFF","friends_count":151,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/32137742\/DSC00131_normal.JPG","id":9212882,"profile_text_color":"000000"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908227402,"source":"TwitterFox<\/a>"} {"truncated":false,"text":"North Hills Hospital, mom is there for blocked salavery gland turned to a absese http:\/\/twitgoo.com\/9547","created_at":"Mon May 25 01:58:41 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":2331,"favourites_count":2,"description":"funny shy joker ","screen_name":"txspike","following":null,"utc_offset":-21600,"created_at":"Thu Mar 29 02:25:50 +0000 2007","profile_link_color":"ff0006","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/9332008\/1239903750419.jpg","profile_sidebar_fill_color":"34dce5","protected":false,"location":"6612 Summit Ridge Dr","name":"Mike","profile_sidebar_border_color":"101313","profile_background_tile":false,"url":"http:\/\/www.myspace.com\/warpedtwister","time_zone":"Central Time (US & Canada)","followers_count":103,"profile_background_color":"364344","friends_count":83,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/149334732\/1240253302012_normal.jpg","id":2769821,"profile_text_color":"333333"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908227403,"source":"twitgoo<\/a>"} {"text":"Favourite movies... Gainsbourg wins actress prize at Cannes fest | pbpulse.com: CANNES, Franc.. http:\/\/tinyurl.com\/pton7o","created_at":"Mon May 25 01:58:41 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"9AE4E8","description":"Passionate Traveller, Movie and Sports Fan, Skier, Sailor, Love newest LED HDTVs and Computer technology","screen_name":"ledtvreviewer","following":null,"utc_offset":-25200,"created_at":"Sat May 16 16:14:57 +0000 2009","friends_count":12,"profile_text_color":"333333","notifications":null,"statuses_count":70,"favourites_count":0,"protected":false,"profile_link_color":"0084B4","location":"","name":"Jack Tarsky","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/13651380\/med.jpg","profile_sidebar_fill_color":"DDFFCC","url":"http:\/\/buyledhdtv.com\/","profile_sidebar_border_color":"BDDCAD","profile_background_tile":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/219819070\/my_pog_normal.jpg","id":40490230,"time_zone":"Mountain Time (US & Canada)","followers_count":21},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908227404,"source":"twitterfeed<\/a>"} {"text":"is listening to \"\u30cd\u30aa\u30b5\u30e0\u30e9\u30a4\" by Type-Moon from \"Fate\/tiger colosseum ORIGINAL SOUND TRACK[Disc 1]\"","created_at":"Mon May 25 01:58:41 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"9ae4e8","description":"iTunes ust\u4e2d ","screen_name":"popn_ja_itunes","following":null,"utc_offset":32400,"created_at":"Fri May 22 13:21:11 +0000 2009","friends_count":2,"profile_text_color":"000000","notifications":null,"statuses_count":756,"favourites_count":0,"protected":false,"profile_link_color":"0000ff","location":"","name":"popn_ja_itunes","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme1\/bg.gif","profile_sidebar_fill_color":"e0ff92","url":"http:\/\/www.ustream.tv\/channel\/popn_ja ","profile_sidebar_border_color":"87bc44","profile_background_tile":false,"profile_image_url":"http:\/\/static.twitter.com\/images\/default_profile_normal.png","id":41809992,"time_zone":"Tokyo","followers_count":33},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908227401,"source":"web"} {"truncated":false,"text":"I wanna move to Alaska.","created_at":"Mon May 25 01:58:42 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":3,"favourites_count":0,"description":"","screen_name":"hapeface2","following":null,"utc_offset":-28800,"created_at":"Sat Feb 21 15:27:12 +0000 2009","profile_link_color":"FF0000","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme10\/bg.gif","profile_sidebar_fill_color":"7AC3EE","protected":false,"location":"southern california","name":"ANNIE BLANKS","profile_sidebar_border_color":"65B0DA","profile_background_tile":true,"url":null,"time_zone":"Pacific Time (US & Canada)","followers_count":6,"profile_background_color":"642D8B","friends_count":19,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/81054313\/mee_normal.JPG","id":21492171,"profile_text_color":"3D1957"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908227501,"source":"web"} {"truncated":false,"text":"so since i didnt answer one phone call im ignoring you? sorry i couldn't talk at the moment.","created_at":"Mon May 25 01:58:42 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":196,"favourites_count":1,"description":"Just talk to me:) I'll make you smile. GUARANTEED. I like following bands. keep in touch. I'll spread the word. ADD ME ON MYSPACE.","screen_name":"RaquelDenise31","following":null,"utc_offset":-25200,"created_at":"Wed Mar 18 14:49:40 +0000 2009","profile_link_color":"D02B55","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme5\/bg.gif","profile_sidebar_fill_color":"99CC33","protected":false,"location":"Albuquerque, NM","name":"Raquel Ware","profile_sidebar_border_color":"829D5E","profile_background_tile":false,"url":"http:\/\/www.myspace.com\/l8ertinkerbell","time_zone":"Mountain Time (US & Canada)","followers_count":44,"profile_background_color":"352726","friends_count":14,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/127497129\/hair_34_normal.jpg","id":25084127,"profile_text_color":"3E4415"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908227502,"source":"txt<\/a>"} {"text":"yo Mo williams face lol","created_at":"Mon May 25 01:58:42 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"1A1B1F","description":" \u266a \u266b DOPE - MUSiC FiENN !! PAUSE .. \u266a \u266a ","screen_name":"swaqqonpoint","following":null,"utc_offset":-25200,"created_at":"Fri Jan 16 02:31:31 +0000 2009","friends_count":16,"profile_text_color":"666666","notifications":null,"statuses_count":26,"favourites_count":3,"protected":false,"profile_link_color":"2FC2EF","location":"BOSTON,MA","name":"DION AUGUSTIN","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/14307894\/smile_dion.jpg","profile_sidebar_fill_color":"252429","url":"http:\/\/www.facebook.com\/dionaugustin","profile_sidebar_border_color":"181A1E","profile_background_tile":true,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/226975742\/sidekick_iphone_normal.jpg","id":19051071,"time_zone":"Mountain Time (US & Canada)","followers_count":21},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908227504,"source":"mobile web<\/a>"} {"truncated":false,"text":"My xbox is offically dead, dammit","created_at":"Mon May 25 01:58:42 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":6,"favourites_count":0,"description":null,"screen_name":"Nyatic","following":null,"utc_offset":null,"created_at":"Sun May 24 04:33:35 +0000 2009","profile_link_color":"0000ff","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme1\/bg.gif","profile_sidebar_fill_color":"e0ff92","protected":false,"location":null,"name":"Matt Freeman","profile_sidebar_border_color":"87bc44","profile_background_tile":false,"url":null,"time_zone":null,"followers_count":4,"profile_background_color":"9ae4e8","friends_count":5,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/228885407\/Croaker_normal.jpg","id":42163935,"profile_text_color":"000000"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908227500,"source":"web"} {"truncated":false,"text":"My cousin was at the Playboy Mansion last night... and oddly enough, I'm kind of jealous! =D","created_at":"Mon May 25 01:58:42 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":347,"favourites_count":4,"description":"","screen_name":"ginaz1207","following":null,"utc_offset":-21600,"created_at":"Tue Mar 24 18:47:28 +0000 2009","profile_link_color":"990000","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme7\/bg.gif","profile_sidebar_fill_color":"F3F3F3","protected":false,"location":"Texas","name":"Gina Z.","profile_sidebar_border_color":"DFDFDF","profile_background_tile":false,"url":null,"time_zone":"Central Time (US & Canada)","followers_count":54,"profile_background_color":"EBEBEB","friends_count":130,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/228751817\/n194600559_31522061_511259_normal.jpg","id":26295015,"profile_text_color":"333333"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908227503,"source":"web"} {"truncated":false,"text":"@knealemann I agree on principle but disagree with examples. Do you remember Nazis who died in the name of Hitler?","created_at":"Mon May 25 01:58:43 +0000 2009","in_reply_to_user_id":11774642,"favorited":false,"user":{"notifications":null,"statuses_count":24801,"favourites_count":255,"description":"This is my sandbox. This is where I share myself and things I find online with you. Click the web link to read more about me. Tweet me @ariwriter to converse.","screen_name":"ariherzog","following":null,"utc_offset":-18000,"created_at":"Mon Jun 09 21:02:04 +0000 2008","profile_link_color":"0084B4","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/3452290\/books.jpg","profile_sidebar_fill_color":"dad9ed","protected":false,"location":"Newburyport, MA","name":"Ari Herzog","profile_sidebar_border_color":"BDDCAD","profile_background_tile":true,"url":"http:\/\/tr.im\/MeetAri","time_zone":"Eastern Time (US & Canada)","followers_count":6325,"profile_background_color":"806523","friends_count":186,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/101085639\/Me-Fenway_normal.jpg","id":15065617,"profile_text_color":"027000"},"in_reply_to_screen_name":"knealemann","in_reply_to_status_id":1908160986,"id":1908227601,"source":"TweetDeck<\/a>"} {"truncated":false,"text":"i basically just ate three shallots, a zucchini, a yellow squash, and a whole box of mushrooms. sometimes get these veggie cravings.","created_at":"Mon May 25 01:58:43 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":768,"favourites_count":0,"description":"stop snap smile","screen_name":"johnsra","following":null,"utc_offset":-18000,"created_at":"Thu Oct 02 02:11:54 +0000 2008","profile_link_color":"9D582E","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/8354823\/2773204885_c3995c839f_b.jpg","profile_sidebar_fill_color":"EADEAA","protected":false,"location":"njny","name":"johnsra","profile_sidebar_border_color":"D9B17E","profile_background_tile":true,"url":"http:\/\/racreations.net","time_zone":"Eastern Time (US & Canada)","followers_count":55,"profile_background_color":"8B542B","friends_count":93,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/72454266\/buddyicon_normal.jpg","id":16553959,"profile_text_color":"333333"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908227603,"source":"TwitterFox<\/a>"} {"truncated":false,"text":"@doritos4dinner seriously! & don't these ppl realize that I get really excited about new followers? it kills when they're spammers, lol!","in_reply_to_user_id":40183239,"favorited":false,"created_at":"Mon May 25 01:58:43 +0000 2009","in_reply_to_screen_name":"doritos4dinner","in_reply_to_status_id":1908216702,"id":1908227602,"user":{"friends_count":474,"location":"","utc_offset":-18000,"profile_text_color":"000000","notifications":null,"statuses_count":801,"favourites_count":1,"following":null,"profile_link_color":"0000ff","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme1\/bg.gif","description":"Mom, wife, blogger, product reviewer extraordinaire! Want to be featured on my site? DM or email! =)","name":"Amy (the Happy Mom!)","profile_sidebar_fill_color":"e0ff92","protected":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/221410013\/HapyMomAvatar_75_normal.jpg","created_at":"Sun May 17 01:10:33 +0000 2009","profile_sidebar_border_color":"87bc44","screen_name":"HappyMomAmy","profile_background_tile":false,"time_zone":"Eastern Time (US & Canada)","followers_count":477,"id":40579763,"profile_background_color":"9ae4e8","url":"http:\/\/www.makesmomhappy.com"},"source":"web"} {"in_reply_to_user_id":null,"text":"has the 09-10 hockey season started yet?","favorited":false,"created_at":"Mon May 25 01:58:43 +0000 2009","in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908227604,"user":{"profile_link_color":"2FC2EF","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme9\/bg.gif","utc_offset":-21600,"profile_sidebar_fill_color":"252429","profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/54231283\/phi_normal.png","following":null,"created_at":"Thu Apr 24 14:36:43 +0000 2008","profile_sidebar_border_color":"181A1E","description":"Live & Studio audio engineer\/mixer with appropriate fails in video! ha.","screen_name":"erawson","name":"Eron Rawson","profile_background_tile":false,"protected":false,"time_zone":"Central Time (US & Canada)","followers_count":115,"profile_background_color":"1A1B1F","friends_count":131,"location":"Wichita, KS","profile_text_color":"666666","id":14512332,"notifications":null,"statuses_count":746,"favourites_count":2,"url":"http:\/\/erawson.tumblr.com"},"truncated":false,"source":"foxytunes<\/a>"} {"truncated":false,"text":"MLIA","created_at":"Mon May 25 01:58:43 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":300,"favourites_count":0,"description":"Public Relations, MU News Bureau, Mizzou","screen_name":"JeffreyBee","following":null,"utc_offset":-25200,"created_at":"Wed Feb 11 20:22:11 +0000 2009","profile_link_color":"0000ff","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme1\/bg.gif","profile_sidebar_fill_color":"e0ff92","protected":false,"location":"Columbia, MO","name":"Jeffrey Beeson","profile_sidebar_border_color":"87bc44","profile_background_tile":false,"url":null,"time_zone":"Mountain Time (US & Canada)","followers_count":73,"profile_background_color":"9ae4e8","friends_count":76,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/77404817\/beeson_normal.jpg","id":20623510,"profile_text_color":"000000"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908227702,"source":"web"} {"truncated":false,"text":"I just hung up on someone clowning lebron. yes, my love is that strong. he's the f*cking best, f*ckyoumean!","created_at":"Mon May 25 01:58:43 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":248,"favourites_count":0,"description":"big mouth and bigger heart.. just kurty baby! never have I been average, how's that working for you??","screen_name":"abrasivevanity","following":null,"utc_offset":-21600,"created_at":"Thu Mar 26 19:47:08 +0000 2009","profile_link_color":"B40B43","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme11\/bg.gif","profile_sidebar_fill_color":"E5507E","protected":false,"location":"where you GO big or go home.","name":"Kurstin K.","profile_sidebar_border_color":"CC3366","profile_background_tile":true,"url":null,"time_zone":"Central Time (US & Canada)","followers_count":45,"profile_background_color":"FF6699","friends_count":85,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/188937445\/kurty_normal.jpg","id":26831293,"profile_text_color":"362720"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908227701,"source":"mobile web<\/a>"} {"truncated":false,"text":"RT @necolebitchie: @lilduval http:\/\/twitpic.com\/5nmrb - u just killed my soul...again.. http:\/\/myloc.me\/1BPw","created_at":"Mon May 25 01:58:43 +0000 2009","in_reply_to_user_id":9051482,"favorited":false,"user":{"notifications":null,"statuses_count":687,"favourites_count":4,"description":"thesbm.com....coming soon...","screen_name":"choclatecandi30","following":null,"utc_offset":-18000,"created_at":"Mon Feb 09 01:23:03 +0000 2009","profile_link_color":"990000","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme7\/bg.gif","profile_sidebar_fill_color":"F3F3F3","protected":false,"location":"\u00dcT: 33.965476,-84.360634","name":"Candice Epes","profile_sidebar_border_color":"DFDFDF","profile_background_tile":false,"url":"http:\/\/www.facebook.com\/candice epes","time_zone":"Eastern Time (US & Canada)","followers_count":374,"profile_background_color":"EBEBEB","friends_count":1135,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/215551685\/DSCF0119_normal.JPG","id":20406462,"profile_text_color":"333333"},"in_reply_to_screen_name":"necolebitchie","in_reply_to_status_id":1908095432,"id":1908227703,"source":"UberTwitter<\/a>"} {"truncated":false,"text":"http:\/\/bit.ly\/12u7S8","in_reply_to_user_id":null,"favorited":false,"created_at":"Mon May 25 01:58:44 +0000 2009","in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908227800,"user":{"friends_count":104,"location":"Earth","utc_offset":-28800,"profile_text_color":"666666","notifications":null,"statuses_count":190,"favourites_count":13,"following":null,"profile_link_color":"1c82e9","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/14361560\/Background_4.jpg","description":"As a designer, writer, artist I think a lot about things that most people don't.","name":"Thayne Madrid","profile_sidebar_fill_color":"afadb8","protected":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/184886097\/Thayne_normal.jpg","created_at":"Sun Apr 26 19:58:56 +0000 2009","profile_sidebar_border_color":"181A1E","screen_name":"ThayneMadrid","profile_background_tile":true,"time_zone":"Pacific Time (US & Canada)","followers_count":83,"id":35548782,"profile_background_color":"ffffff","url":"http:\/\/www.coroflot.com\/thayne"},"source":"web"} {"truncated":false,"text":"\u5927\u4eba\u3068\u3057\u3066\u3044\u304f\u306a\u3044\u3068\u304a\u3082\u3044\u307e\u3059(\u68d2\u8aad\u307f","created_at":"Mon May 25 01:58:44 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":104,"favourites_count":0,"description":"\u30b5\u30d6\u30ab\u30eb\u306b\u6ca1\u982d\u3002\u30e9\u30b8\u30aa\u8b66\u5bdf\u306b\u5c31\u8077\u3057\u305f\u3044\u3002\u6f2b\u753b\u5bb6\u3092\u76ee\u6307\u3059\u304cG\u30da\u30f3\u306b\u6ce3\u304d\u307e\u3057\u305f\u3002","screen_name":"masammy","following":null,"utc_offset":32400,"created_at":"Thu Apr 23 08:09:03 +0000 2009","profile_link_color":"088253","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme3\/bg.gif","profile_sidebar_fill_color":"E3E2DE","protected":false,"location":"iPhone: 35.918716,139.793106","name":"\u753a\u7530\u753a\u5b50","profile_sidebar_border_color":"D3D2CF","profile_background_tile":false,"url":null,"time_zone":"Tokyo","followers_count":26,"profile_background_color":"EDECE9","friends_count":44,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/180776051\/317270179_ef829640b9_normal.jpg","id":34565422,"profile_text_color":"634047"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908227801,"source":"TwitterFon<\/a>"} {"truncated":false,"text":"Rela\u00e7\u00f5es exteriores \u00e9 dif\u00edcil, mas os indianos v\u00e3o ter que ouvir!","created_at":"Mon May 25 01:58:44 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":346,"favourites_count":1,"description":"Simplismente, Eu!","screen_name":"PauloLCampos","following":null,"utc_offset":-10800,"created_at":"Fri May 08 17:52:26 +0000 2009","profile_link_color":"084419","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/13447525\/P1010040.JPG","profile_sidebar_fill_color":"75b76c","protected":false,"location":"Brasil","name":"Paulo Leo Campos","profile_sidebar_border_color":"829D5E","profile_background_tile":false,"url":null,"time_zone":"Brasilia","followers_count":288,"profile_background_color":"000000","friends_count":366,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/223169120\/C_pia_de_PC1102728_normal.jpg","id":38709968,"profile_text_color":"000000"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908227802,"source":"web"} {"truncated":false,"text":"@rinstrummer \u30d3\u30c3\u30af\u30ea\u3059\u308b\u4f4d\u5510\u7a81\u3060\u3051\u3069\u6a2a\u9808\u8cc0\u306b\u4f4f\u307f\u305f\u304f\u306a\u3044\uff1f","created_at":"Mon May 25 01:58:47 +0000 2009","in_reply_to_user_id":20115428,"favorited":false,"user":{"notifications":null,"statuses_count":781,"favourites_count":13,"description":"\u59bb\u4e00\u4eba\u30c1\u30d3\u4e00\u4eba\u3092\u81ea\u5b85\u306b\u5f85\u305f\u305b\u3066\u304a\u308a\u307e\u3059\u306e\u3067\u65e9\u3081\u306b\u5e30\u5b85\u3055\u305b\u3066\u9802\u304d\u307e\u3059","screen_name":"domingo007","following":null,"utc_offset":32400,"created_at":"Mon Feb 18 01:07:24 +0000 2008","profile_link_color":"990000","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/4762747\/unite.gif","profile_sidebar_fill_color":"F3F3F3","protected":false,"location":"iPhone: 35.646667,139.708939","name":"domingo007","profile_sidebar_border_color":"DFDFDF","profile_background_tile":true,"url":"http:\/\/domingoandtheexperience.tumblr.com\/","time_zone":"Tokyo","followers_count":129,"profile_background_color":"EBEBEB","friends_count":86,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/49692632\/rights_scale_logo_normal.gif","id":13603432,"profile_text_color":"333333"},"in_reply_to_screen_name":"rinstrummer","in_reply_to_status_id":1878668349,"id":1908227900,"source":"Tweetie<\/a>"} {"truncated":false,"text":"Why is it so hot?","created_at":"Mon May 25 01:58:45 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":803,"favourites_count":0,"description":"I'm Katie. I love Harry Potter, Nike kicks, Johnny Cupcakes, &Music. Be My Friend. :)","screen_name":"keiteex3","following":null,"utc_offset":-36000,"created_at":"Wed Jul 16 06:31:24 +0000 2008","profile_link_color":"797272","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/5070397\/Picture7.png","profile_sidebar_fill_color":"3DFF00","protected":false,"location":"Beautiful Hawai'i nei.","name":"Katie K.","profile_sidebar_border_color":"3DFF00","profile_background_tile":true,"url":null,"time_zone":"Hawaii","followers_count":33,"profile_background_color":"FFFFFF","friends_count":129,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/227941040\/Picture_3_normal.png","id":15451281,"profile_text_color":"000000"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908227902,"source":"txt<\/a>"} {"truncated":false,"text":"Usher - My Boo (w\/ Alicia Keys) - 08:56 PM visit www.RadioTAGr.com\/KATZ to TAG this song","created_at":"Mon May 25 01:58:45 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":566,"favourites_count":0,"description":null,"screen_name":"katzfm","following":null,"utc_offset":null,"created_at":"Sat May 23 00:24:43 +0000 2009","profile_link_color":"0000ff","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme1\/bg.gif","profile_sidebar_fill_color":"e0ff92","protected":false,"location":null,"name":"katzfm","profile_sidebar_border_color":"87bc44","profile_background_tile":false,"url":null,"time_zone":null,"followers_count":37,"profile_background_color":"9ae4e8","friends_count":0,"profile_image_url":"http:\/\/static.twitter.com\/images\/default_profile_normal.png","id":41935656,"profile_text_color":"000000"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908227901,"source":"web"} {"truncated":false,"text":"@SPAMponesALL I love them... but I have an idea for a new member of saynow.. and that person should go live on saynow. :)","created_at":"Mon May 25 01:58:45 +0000 2009","in_reply_to_user_id":39763120,"favorited":false,"user":{"notifications":null,"statuses_count":491,"favourites_count":0,"description":"","screen_name":"Jameage","following":null,"utc_offset":-18000,"created_at":"Sat Mar 14 02:33:11 +0000 2009","profile_link_color":"2FC2EF","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme9\/bg.gif","profile_sidebar_fill_color":"252429","protected":false,"location":"","name":"Jamie Vaughn","profile_sidebar_border_color":"181A1E","profile_background_tile":false,"url":null,"time_zone":"Eastern Time (US & Canada)","followers_count":15,"profile_background_color":"1A1B1F","friends_count":43,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/210466268\/seniorpics_normal.jpg","id":24311825,"profile_text_color":"666666"},"in_reply_to_screen_name":"SPAMponesALL","in_reply_to_status_id":1908202650,"id":1908227903,"source":"web"} {"text":"@gbelotti pois \u00e9, eu joguei a demo, comprei, fechei, e t\u00f4 quase acabando com os outros modos do jogo <o> V\u00cdCIO, MANO.","created_at":"Mon May 25 01:58:45 +0000 2009","truncated":false,"in_reply_to_user_id":14595322,"user":{"profile_background_color":"0b0a0a","description":"A troubled geek with a big heart and pretty nails.","screen_name":"uberlis","following":null,"utc_offset":-10800,"created_at":"Sun Jul 01 20:21:01 +0000 2007","friends_count":105,"profile_text_color":"2e2e2e","notifications":null,"statuses_count":1144,"favourites_count":2,"protected":false,"profile_link_color":"74394f","location":"","name":"Lissa Capeleto","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/10151910\/background.jpg","profile_sidebar_fill_color":"f0e0ee","url":null,"profile_sidebar_border_color":"242424","profile_background_tile":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/182937773\/sh_normal.jpg","id":7191052,"time_zone":"Brasilia","followers_count":136},"favorited":false,"in_reply_to_screen_name":"gbelotti","in_reply_to_status_id":1908205256,"id":1908228000,"source":"TwitterFox<\/a>"} {"text":"Amar? IMPOSS\u00cdVEL definir - e qualquer defini\u00e7\u00e3o \u00e9 limita\u00e7\u00e3o. Dicion\u00e1rios s\u00e3o cadeias de significados. #profundo","created_at":"Mon May 25 01:58:45 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"EDECE9","description":"No milh\u00e3o de caminhos e vias, tento manter minha dire\u00e7\u00e3o: amar e sorrir. ","screen_name":"lutofoli","following":null,"utc_offset":-10800,"created_at":"Thu Aug 14 19:51:52 +0000 2008","friends_count":17,"profile_text_color":"634047","notifications":null,"statuses_count":30,"favourites_count":0,"protected":false,"profile_link_color":"088253","location":"S\u00e3o Paulo","name":"Lucas.! T\u00f3foli Lopes","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme3\/bg.gif","profile_sidebar_fill_color":"E3E2DE","url":null,"profile_sidebar_border_color":"D3D2CF","profile_background_tile":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/118705464\/DSC09321_normal.JPG","id":15854937,"time_zone":"Brasilia","followers_count":54},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908228002,"source":"web"} {"text":"\u3055\u3059\u304c\u30de\u30b9\u30b4\u30df\u4eba\u6a29\u306a\u3093\u3066\u30af\u30bd\u98df\u3089\u3048 \u3010\u3061\u30fc\u305f\u3093\u3011","created_at":"Mon May 25 01:58:45 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"9a9de8","description":"\u308a\u3093\u3054\u306e\u3072\u3068\u3001\u51f6\u5f92\u306e8bit\u30b9\u30ad\u30fc\u3000\u30d5\u30a1\u30df\u30b3\u30f3\u304c\u30e1\u30a4\u30f3\u3067\u3044\u308d\u3044\u308d\u9b54\u6539\u9020\u3057\u3066\u307e\u3059\u3002","screen_name":"applesorce","following":null,"utc_offset":32400,"created_at":"Thu Nov 22 16:02:16 +0000 2007","friends_count":587,"profile_text_color":"fb0e34","notifications":null,"statuses_count":83989,"favourites_count":362,"protected":false,"profile_link_color":"9578ed","location":"kyoto,Japan","name":"\u3042\u3063\u3077\u308b\u305d\u30fc\u3059","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/1541102\/wall_ygg_logo_l.jpg","profile_sidebar_fill_color":"f7ae6e","url":null,"profile_sidebar_border_color":"bff47b","profile_background_tile":true,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/205528099\/painter_sd_kotonoha_normal.jpg","id":10470072,"time_zone":"Tokyo","followers_count":846},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908228003,"source":"\u3061\u30fc\u305f\u3093<\/a>"} {"text":"@ryanp84: okie dokie. just wanted to extend the invite","created_at":"Mon May 25 01:58:46 +0000 2009","truncated":false,"in_reply_to_user_id":7871822,"user":{"profile_background_color":"642D8B","description":"It's me, what can I say?","screen_name":"sakibebe","following":null,"utc_offset":-18000,"created_at":"Fri May 15 00:16:37 +0000 2009","friends_count":12,"profile_text_color":"3D1957","notifications":null,"statuses_count":93,"favourites_count":0,"protected":false,"profile_link_color":"FF0000","location":"Ohio","name":"Beth Petri","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme10\/bg.gif","profile_sidebar_fill_color":"7AC3EE","url":"http:\/\/myspace.com\/verucasaltseviltwin","profile_sidebar_border_color":"65B0DA","profile_background_tile":true,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/214989662\/faire_haire_normal.JPG","id":40127162,"time_zone":"Eastern Time (US & Canada)","followers_count":14},"favorited":false,"in_reply_to_screen_name":"ryanp84","in_reply_to_status_id":null,"id":1908228101,"source":"txt<\/a>"} {"in_reply_to_user_id":38740666,"text":"@dovevine12 oh yess you do!","favorited":false,"created_at":"Mon May 25 01:58:46 +0000 2009","in_reply_to_screen_name":"dovevine12","in_reply_to_status_id":1908222282,"id":1908228100,"user":{"profile_link_color":"160fc7","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/13578851\/l_00395dba6fd64003ba71044cb36c15a6.jpg","utc_offset":-18000,"profile_sidebar_fill_color":"d1d440","profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/224674440\/Photo_7_normal.jpg","following":null,"created_at":"Wed Apr 08 21:37:19 +0000 2009","profile_sidebar_border_color":"4cdbe1","description":"Living my LIFE- SHINING STAR!","screen_name":"shiningCHER","name":"shiningCHER","profile_background_tile":true,"protected":false,"time_zone":"Eastern Time (US & Canada)","followers_count":153,"profile_background_color":"9a21ab","friends_count":89,"location":"New York","profile_text_color":"5a111f","id":29828167,"notifications":null,"statuses_count":2402,"favourites_count":3,"url":"http:\/\/www.royalaccess.blogspot.com"},"truncated":false,"source":"web"} {"text":"Number one rule: dont answer your phone to your mom when your having sex! haha","created_at":"Mon May 25 01:58:46 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"C6E2EE","description":"I am slowly but surely taking over ","screen_name":"babyruth_t4l","following":null,"utc_offset":-28800,"created_at":"Sat May 23 20:36:40 +0000 2009","friends_count":8,"profile_text_color":"663B12","notifications":null,"statuses_count":4,"favourites_count":1,"protected":false,"profile_link_color":"1F98C7","location":"San Diego","name":"Ruth Moore","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/14348660\/eye.jpg","profile_sidebar_fill_color":"DAECF4","url":"http:\/\/www.myspace.com\/babyruth_t4l","profile_sidebar_border_color":"C6E2EE","profile_background_tile":true,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/227356558\/untitled-23_normal.JPG","id":42093015,"time_zone":"Pacific Time (US & Canada)","followers_count":12},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908228104,"source":"web"} {"text":"Agora s\u00f3 faltam os outros textos. Mas o mais dif\u00edcil e maior j\u00e1 saiu.","created_at":"Mon May 25 01:58:46 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"9ae4e8","description":"Eu como Doritos e fa\u00e7o coisas em geral.","screen_name":"bzirpoli","following":null,"utc_offset":-10800,"created_at":"Mon Mar 03 23:00:25 +0000 2008","friends_count":44,"profile_text_color":"000000","notifications":null,"statuses_count":2849,"favourites_count":0,"protected":false,"profile_link_color":"0000ff","location":"Olinda, PE.","name":"Bernardo Zirpoli","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme1\/bg.gif","profile_sidebar_fill_color":"e0ff92","url":null,"profile_sidebar_border_color":"87bc44","profile_background_tile":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/51515385\/Eu-e-meu-dedo_Orkut__normal.jpg","id":14075043,"time_zone":"Brasilia","followers_count":67},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908228103,"source":"web"} {"text":"LMAO! RT @pir8gold: maybe we can get biden to reveal the secret location of obamas birth certificate?? #tcot #gop","created_at":"Mon May 25 01:58:47 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"0099B9","description":"Just another disgruntled right-wing extremist -- or so DHS says.","screen_name":"MidloJo","following":null,"utc_offset":-18000,"created_at":"Wed Apr 22 00:57:06 +0000 2009","friends_count":191,"profile_text_color":"3C3940","notifications":null,"statuses_count":289,"favourites_count":0,"protected":false,"profile_link_color":"0099B9","location":"Midlothian, VA","name":"Jo","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme4\/bg.gif","profile_sidebar_fill_color":"95E8EC","url":"http:\/\/midlojo.blogspot.com","profile_sidebar_border_color":"5ED4DC","profile_background_tile":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/206351816\/JoBaby_normal.JPG","id":34118232,"time_zone":"Eastern Time (US & Canada)","followers_count":207},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908228201,"source":"web"} {"truncated":false,"text":"FIRE has broken out at Sydney's Centrepoint Tower, sending a huge cloud of smoke.. http:\/\/tinyurl.com\/rbhcyw (via @carloscomputers)","created_at":"Mon May 25 01:58:47 +0000 2009","in_reply_to_user_id":14322144,"favorited":false,"user":{"notifications":null,"statuses_count":80,"favourites_count":5,"description":"Blogger, commentator, journalist, on anything in FNQ","screen_name":"CairnsBlog","following":null,"utc_offset":36000,"created_at":"Mon Mar 16 03:45:55 +0000 2009","profile_link_color":"0084B4","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/13719108\/Cairns-Blog-logo.jpg","profile_sidebar_fill_color":"DDFFCC","protected":false,"location":"Cairns, Queensland, Australia","name":"Mike Moore","profile_sidebar_border_color":"BDDCAD","profile_background_tile":true,"url":"http:\/\/www.CairnsBlog.net","time_zone":"Brisbane","followers_count":71,"profile_background_color":"9AE4E8","friends_count":134,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/220354726\/Cairns-Blog-logo-sm-tw_normal.jpg","id":24645028,"profile_text_color":"333333"},"in_reply_to_screen_name":"carloscomputers","in_reply_to_status_id":1907124574,"id":1908228200,"source":"Twitterrific<\/a>"} {"truncated":false,"text":"OMG!!! look at YOUNG JOC'S twitter page!! it is sooosooo hilarius! It dont even sound like thats him. He must got hacked, cuz he trippin!!!","created_at":"Mon May 25 01:58:47 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":8,"favourites_count":0,"description":"i hate being a follower buttt.....im sure following alot of folk. Fooollow meeeeeee!","screen_name":"cheapskatechic","following":null,"utc_offset":-18000,"created_at":"Fri Apr 17 22:37:15 +0000 2009","profile_link_color":"2FC2EF","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme9\/bg.gif","profile_sidebar_fill_color":"252429","protected":false,"location":"Durry Lane","name":"Lonely Stoner","profile_sidebar_border_color":"181A1E","profile_background_tile":false,"url":"http:\/\/myspace.com\/queenbaqarah","time_zone":"Eastern Time (US & Canada)","followers_count":31,"profile_background_color":"1A1B1F","friends_count":237,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/143513335\/IMG_03873_normal.jpg","id":32632549,"profile_text_color":"666666"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908228204,"source":"web"} {"truncated":false,"text":"Todos j\u00e1 devem conhecer, mas... Receita de um Ax\u00e9 de Sucesso: http:\/\/bit.ly\/5LPW3","created_at":"Mon May 25 01:58:47 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":95,"favourites_count":0,"description":"Uma pessoa apaixonada por filosofia e por tecnologia","screen_name":"dandidier","following":null,"utc_offset":-10800,"created_at":"Wed Apr 15 01:03:40 +0000 2009","profile_link_color":"56abe6","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/9167464\/sunflowe.jpg","profile_sidebar_fill_color":"E3E2DE","protected":false,"location":"Rio de Janeiro","name":"Daniela Didier ","profile_sidebar_border_color":"D3D2CF","profile_background_tile":false,"url":"http:\/\/didier.zip.net\/","time_zone":"Brasilia","followers_count":324,"profile_background_color":"e7c96f","friends_count":472,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/146951013\/fotoeu_normal.jpg","id":31289296,"profile_text_color":"634047"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908228202,"source":"web"} {"text":"yaaaay found Horatio","created_at":"Mon May 25 01:58:47 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"FFEBF6","description":"Eclectically eccentric squirrel who just happens to know how to type","screen_name":"squirrelyTONKS","following":null,"utc_offset":-25200,"created_at":"Thu May 01 02:21:59 +0000 2008","friends_count":98,"profile_text_color":"F523A1","notifications":null,"statuses_count":2779,"favourites_count":14,"protected":false,"profile_link_color":"AB0769","location":"Lothelien","name":"squirrelyTONKS","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/4964201\/pinkbubbles.png","profile_sidebar_fill_color":"FAA0D7","url":"http:\/\/www.youtube.com\/user\/squirrelytonks","profile_sidebar_border_color":"FAA0D7","profile_background_tile":true,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/135443092\/stampsquirrel_normal.jpg","id":14609242,"time_zone":"Mountain Time (US & Canada)","followers_count":143},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908228303,"source":"twhirl<\/a>"} {"text":"@kelvinringold your not following me.","created_at":"Mon May 25 01:58:47 +0000 2009","truncated":false,"in_reply_to_user_id":13253502,"user":{"profile_background_color":"9cff66","description":"Carwash Magazine ad Sales, Marketing, Creativeness, Junior League member, being artsy, walking, USMS Swim, people connecting","screen_name":"ckinney","following":null,"utc_offset":-28800,"created_at":"Thu Oct 16 05:25:36 +0000 2008","friends_count":356,"profile_text_color":"1d1702","notifications":null,"statuses_count":4492,"favourites_count":250,"protected":false,"profile_link_color":"0b14b4","location":"West Coast","name":"Cheryl Kinney","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/12516021\/tile_bubblesandblue.gif","profile_sidebar_fill_color":"2abfd5","url":"http:\/\/www.washtrends.com","profile_sidebar_border_color":"f46696","profile_background_tile":true,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/150781336\/P1000114_normal.JPG","id":16803018,"time_zone":"Pacific Time (US & Canada)","followers_count":330},"favorited":false,"in_reply_to_screen_name":"kelvinringold","in_reply_to_status_id":1908112068,"id":1908228302,"source":"web"} {"text":"Hey can you do me a favour, take a pic of yourself & send me it, I'm playin cards & I'm missin the joker!!","created_at":"Mon May 25 01:58:47 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"000000","description":"Integrity is telling myself the truth. And honesty is telling the truth to other people.","screen_name":"baztittenhurst","following":null,"utc_offset":36000,"created_at":"Sat May 16 23:27:12 +0000 2009","friends_count":725,"profile_text_color":"333333","notifications":null,"statuses_count":413,"favourites_count":1,"protected":false,"profile_link_color":"3d8e33","location":"Sydney","name":"Barry Tittenhurst","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/13391827\/Twitter_bg.jpg","profile_sidebar_fill_color":"bdd7a3","url":"http:\/\/www.barrytittenhurst.com\/","profile_sidebar_border_color":"749c49","profile_background_tile":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/217153192\/barry_photo_1_normal.jpg","id":40564555,"time_zone":"Sydney","followers_count":806},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908228304,"source":"web"} {"in_reply_to_user_id":null,"text":"Best offers and deals at Haven Holidays - Late Deals Tourers 4 Night June Breaks http:\/\/ow.ly\/903v","favorited":false,"created_at":"Mon May 25 01:58:47 +0000 2009","in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908228301,"user":{"profile_link_color":"0099B9","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme4\/bg.gif","utc_offset":null,"profile_sidebar_fill_color":"95E8EC","profile_image_url":"http:\/\/static.twitter.com\/images\/default_profile_normal.png","following":null,"created_at":"Sun May 10 03:32:57 +0000 2009","profile_sidebar_border_color":"5ED4DC","description":"","screen_name":"savercode","name":"SaverCode UK","profile_background_tile":false,"protected":false,"time_zone":null,"followers_count":39,"profile_background_color":"0099B9","friends_count":2,"location":"","profile_text_color":"3C3940","id":38987901,"notifications":null,"statuses_count":535,"favourites_count":0,"url":"http:\/\/www.savercode.co.uk"},"truncated":false,"source":"HootSuite<\/a>"} {"truncated":false,"text":"#3drunkwords My Gurl Home :-&","created_at":"Mon May 25 01:58:48 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":76,"favourites_count":0,"description":"5'6 nice size dicc... i come after the money like Wednesday come after Tuesday lol luv 2 joke aroud & fucc otha niggaz hoez","screen_name":"Dmnq_powell","following":null,"utc_offset":-28800,"created_at":"Sun May 17 01:00:40 +0000 2009","profile_link_color":"2FC2EF","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme9\/bg.gif","profile_sidebar_fill_color":"252429","protected":false,"location":"Portland Oregon","name":"Dominique Powell","profile_sidebar_border_color":"181A1E","profile_background_tile":false,"url":"http:\/\/myspace.com\/d_boi87","time_zone":"Pacific Time (US & Canada)","followers_count":7,"profile_background_color":"1A1B1F","friends_count":11,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/216221179\/Picture_214__2__normal.jpg","id":40578309,"profile_text_color":"666666"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908228402,"source":"web"} {"in_reply_to_user_id":null,"text":"Se vc curte M\u00fasica, visite a Music Online e conhe\u00e7a: kaszas em http:\/\/bit.ly\/183iEe","favorited":false,"created_at":"Mon May 25 01:58:48 +0000 2009","in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908228400,"user":{"profile_link_color":"0099B9","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme4\/bg.gif","utc_offset":-10800,"profile_sidebar_fill_color":"95E8EC","profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/56373798\/twitter-foto_normal.gif","following":null,"created_at":"Tue Jul 08 22:39:41 +0000 2008","profile_sidebar_border_color":"5ED4DC","description":"Desde 1998 O Ba\u00fa musical da web brasileira. Encontre m\u00fasica, divulgue o seu trabalho!!!","screen_name":"musiconlinebr","name":"Music Online Records","profile_background_tile":false,"protected":false,"time_zone":"Brasilia","followers_count":220,"profile_background_color":"0099B9","friends_count":222,"location":"Curitiba, Brasil","profile_text_color":"3C3940","id":15359189,"notifications":null,"statuses_count":384,"favourites_count":2,"url":"http:\/\/www.musiconline.com.br"},"truncated":false,"source":"web"} {"text":"@infinitecycle I just figured id tell u incase u aint already know! ya dope @ what u do kid and its always apleasure to work wit u","created_at":"Mon May 25 01:58:48 +0000 2009","truncated":false,"in_reply_to_user_id":16280884,"user":{"profile_background_color":"1A1B1F","description":"everything your favorite rapper used to be on steriods! way more than 160 characters can explain","screen_name":"Didagod","following":null,"utc_offset":-18000,"created_at":"Sun Dec 21 03:23:58 +0000 2008","friends_count":168,"profile_text_color":"666666","notifications":null,"statuses_count":2335,"favourites_count":0,"protected":false,"profile_link_color":"2FC2EF","location":"BROOKLYN","name":"Didagod","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme9\/bg.gif","profile_sidebar_fill_color":"252429","url":"http:\/\/www.myspace.com\/didagod","profile_sidebar_border_color":"181A1E","profile_background_tile":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/68523557\/IMG00149_normal.JPG","id":18278158,"time_zone":"Eastern Time (US & Canada)","followers_count":170},"favorited":false,"in_reply_to_screen_name":"InfiniteCycle","in_reply_to_status_id":null,"id":1908228403,"source":"mobile web<\/a>"} {"truncated":false,"text":"@deLaCupcake woooooo! Just in time to see tha 2nd half!","created_at":"Mon May 25 01:58:49 +0000 2009","in_reply_to_user_id":17967150,"favorited":false,"user":{"notifications":null,"statuses_count":1214,"favourites_count":0,"description":"One of the nicest guys u cud ever meet!","screen_name":"TrackstarGIBSON","following":null,"utc_offset":-18000,"created_at":"Sun Apr 12 01:32:22 +0000 2009","profile_link_color":"2FC2EF","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme9\/bg.gif","profile_sidebar_fill_color":"252429","protected":false,"location":"Columbus, OH","name":"Michael Gibson","profile_sidebar_border_color":"181A1E","profile_background_tile":false,"url":null,"time_zone":"Eastern Time (US & Canada)","followers_count":142,"profile_background_color":"1A1B1F","friends_count":132,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/198679699\/n7A52i02_normal","id":30571809,"profile_text_color":"666666"},"in_reply_to_screen_name":"deLaCupcake","in_reply_to_status_id":1908207484,"id":1908228503,"source":"twidroid<\/a>"} {"text":"Playing the Veronicas \"latest\" offerings! Love 'em both even though IDK which is which! xD","created_at":"Mon May 25 01:58:49 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"dedede","description":"Who am I? That's one secret I'll never tell. You know you love me, XOXO Gossip Guy. ;D","screen_name":"ThePradaDevil","following":null,"utc_offset":0,"created_at":"Mon Aug 11 00:36:18 +0000 2008","friends_count":124,"profile_text_color":"6B6B6B","notifications":null,"statuses_count":4226,"favourites_count":18,"protected":false,"profile_link_color":"3d3d3d","location":"New York City - Ha! I wish!","name":"Robert Bond-Morrison","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/3464215\/bg_judyzebra.jpg","profile_sidebar_fill_color":"ffffff","url":"http:\/\/www.petakillsanimals.com","profile_sidebar_border_color":"d1d1d1","profile_background_tile":true,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/99805165\/ouch_normal.png","id":15803080,"time_zone":"London","followers_count":176},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908228501,"source":"DestroyTwitter<\/a>"} {"text":"Is ready for golf tomorrow","created_at":"Mon May 25 01:58:49 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"9ae4e8","description":"I like to play golf and poker.","screen_name":"boomerbrawley","following":null,"utc_offset":-21600,"created_at":"Sun May 17 21:17:38 +0000 2009","friends_count":153,"profile_text_color":"000000","notifications":null,"statuses_count":30,"favourites_count":6,"protected":false,"profile_link_color":"0000ff","location":"Everywhere","name":"Michael Brawley","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme1\/bg.gif","profile_sidebar_fill_color":"e0ff92","url":null,"profile_sidebar_border_color":"87bc44","profile_background_tile":false,"profile_image_url":"http:\/\/static.twitter.com\/images\/default_profile_normal.png","id":40739067,"time_zone":"Central Time (US & Canada)","followers_count":40},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908228500,"source":"TwitterFon<\/a>"} {"truncated":false,"text":"@ExoticJO lmao princess james..classic lmfao","created_at":"Mon May 25 01:58:49 +0000 2009","in_reply_to_user_id":27825282,"favorited":false,"user":{"notifications":null,"statuses_count":658,"favourites_count":1,"description":"First artist of SupaNatural Music Group","screen_name":"YoungDedication","following":null,"utc_offset":-18000,"created_at":"Tue Mar 10 21:54:53 +0000 2009","profile_link_color":"2FC2EF","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/12555461\/myspace2.jpg","profile_sidebar_fill_color":"252429","protected":false,"location":"Orlando","name":"Levi J. W.","profile_sidebar_border_color":"181A1E","profile_background_tile":true,"url":"http:\/\/myspace.com\/blackmanup2","time_zone":"Eastern Time (US & Canada)","followers_count":94,"profile_background_color":"1A1B1F","friends_count":134,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/208533926\/myspace1_normal.jpg","id":23665701,"profile_text_color":"666666"},"in_reply_to_screen_name":"ExoticJO","in_reply_to_status_id":1908208940,"id":1908228502,"source":"web"} {"truncated":false,"text":"@jbo002 yeah that's a pretty good one","created_at":"Mon May 25 01:58:49 +0000 2009","in_reply_to_user_id":35946682,"favorited":false,"user":{"notifications":null,"statuses_count":266,"favourites_count":8,"description":"","screen_name":"wavemike","following":null,"utc_offset":-21600,"created_at":"Mon Feb 02 17:34:32 +0000 2009","profile_link_color":"2FC2EF","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme9\/bg.gif","profile_sidebar_fill_color":"252429","protected":false,"location":"Texas","name":"Mike Fassetta","profile_sidebar_border_color":"181A1E","profile_background_tile":false,"url":null,"time_zone":"Central Time (US & Canada)","followers_count":24,"profile_background_color":"1A1B1F","friends_count":29,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/185074825\/DSC00402_normal.JPG","id":19918168,"profile_text_color":"666666"},"in_reply_to_screen_name":"jbo002","in_reply_to_status_id":1904455908,"id":1908228504,"source":"Twitterrific<\/a>"} {"text":"@osangmeister i know. haha. haha. forgot to share it here.","created_at":"Mon May 25 01:58:50 +0000 2009","truncated":false,"in_reply_to_user_id":17240352,"user":{"profile_background_color":"ffffff","description":"i think i am a busy bee.","screen_name":"PENACOCOLADA","following":null,"utc_offset":-32400,"created_at":"Tue May 12 12:41:40 +0000 2009","friends_count":22,"profile_text_color":"000000","notifications":null,"statuses_count":68,"favourites_count":1,"protected":false,"profile_link_color":"6e6868","location":"anywhere under the hott sun","name":"Pen Pe\u00f1a","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/12650168\/images-1.jpeg","profile_sidebar_fill_color":"fff605","url":null,"profile_sidebar_border_color":"a8151d","profile_background_tile":true,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/208454329\/IMG-3006_normal.JPG","id":39489925,"time_zone":"Alaska","followers_count":19},"favorited":false,"in_reply_to_screen_name":"osangmeister","in_reply_to_status_id":1902218153,"id":1908228601,"source":"web"} {"truncated":false,"text":"@michellevidal it's a twitternation :)","created_at":"Mon May 25 01:58:50 +0000 2009","in_reply_to_user_id":27375992,"favorited":false,"user":{"notifications":null,"statuses_count":81,"favourites_count":1,"description":"","screen_name":"jayloveee","following":null,"utc_offset":-28800,"created_at":"Tue Apr 28 04:01:28 +0000 2009","profile_link_color":"0000ff","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme1\/bg.gif","profile_sidebar_fill_color":"e0ff92","protected":false,"location":"","name":"Jackielou Domantay","profile_sidebar_border_color":"87bc44","profile_background_tile":false,"url":"http:\/\/www.myspace.com\/jackie_lou","time_zone":"Pacific Time (US & Canada)","followers_count":20,"profile_background_color":"9ae4e8","friends_count":21,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/187765968\/l_e61165814f4e6eaa214d8e6f8366ef5e_normal.jpg","id":35982454,"profile_text_color":"000000"},"in_reply_to_screen_name":"michellevidal","in_reply_to_status_id":null,"id":1908228602,"source":"TwitterFon<\/a>"} {"truncated":false,"text":"On The Block http:\/\/tr.im\/mijX","in_reply_to_user_id":null,"favorited":false,"created_at":"Mon May 25 01:58:50 +0000 2009","in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908228604,"user":{"friends_count":573,"location":"Middle Earth","utc_offset":-32400,"profile_text_color":"3C3940","notifications":null,"statuses_count":4644,"favourites_count":2,"following":null,"profile_link_color":"0099B9","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/4671397\/200826112428-10825.jpg","description":"Delicious RPG Links from Kira the Sorceress","name":"Del-RPG","profile_sidebar_fill_color":"95E8EC","protected":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/71988323\/amg3_fr1_normal.gif","created_at":"Mon Jan 19 21:43:27 +0000 2009","profile_sidebar_border_color":"5ED4DC","screen_name":"del_rpg","profile_background_tile":false,"time_zone":"Alaska","followers_count":568,"id":19203775,"profile_background_color":"0099B9","url":"http:\/\/delicious.com\/tag\/rpg"},"source":"twitterfeed<\/a>"} {"truncated":false,"text":"Wanna do something important...","created_at":"Mon May 25 01:58:50 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":6,"favourites_count":0,"description":"Someone trying to figure out this life.","screen_name":"ZaiaMaioli","following":null,"utc_offset":-10800,"created_at":"Thu Apr 02 22:33:23 +0000 2009","profile_link_color":"ff0091","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme10\/bg.gif","profile_sidebar_fill_color":"e5b8ff","protected":false,"location":"Brazil","name":"Ros\u00e1lia Maioli","profile_sidebar_border_color":"7b3e89","profile_background_tile":true,"url":null,"time_zone":"Brasilia","followers_count":5,"profile_background_color":"642D8B","friends_count":10,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/119286562\/DSC00265_normal.JPG","id":28436839,"profile_text_color":"3D1957"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908228603,"source":"web"} {"truncated":false,"text":"@scrubbybubbles Cool! Ill check it Out!","created_at":"Mon May 25 01:58:50 +0000 2009","in_reply_to_user_id":14307387,"favorited":false,"user":{"notifications":null,"statuses_count":828,"favourites_count":0,"description":"a 27 year old male, that loves computers, WWE and loves God!","screen_name":"MavManager2000","following":null,"utc_offset":-21600,"created_at":"Fri Mar 02 02:34:50 +0000 2007","profile_link_color":"9D582E","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme8\/bg.gif","profile_sidebar_fill_color":"EADEAA","protected":false,"location":"Pearsall, Texas","name":"John Herrera","profile_sidebar_border_color":"D9B17E","profile_background_tile":false,"url":"http:\/\/www.myspace.com\/mavmanager2000","time_zone":"Central Time (US & Canada)","followers_count":85,"profile_background_color":"8B542B","friends_count":87,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/77233858\/me_with_shades_normal.jpg","id":805055,"profile_text_color":"333333"},"in_reply_to_screen_name":"scrubbybubbles","in_reply_to_status_id":1908141930,"id":1908228600,"source":"twhirl<\/a>"} {"truncated":false,"text":"so many great things to read! love thedailygreen.com","created_at":"Mon May 25 01:58:50 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":29,"favourites_count":0,"description":"Keeping you updated on what's going on in Park City, Utah!","screen_name":"destinationpc","following":null,"utc_offset":-25200,"created_at":"Tue Apr 07 02:17:10 +0000 2009","profile_link_color":"75399d","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/8070866\/twitter_background_fall.jpg","profile_sidebar_fill_color":"A0C5C7","protected":false,"location":"Park City, Utah","name":"Destination ParkCity","profile_sidebar_border_color":"86A4A6","profile_background_tile":false,"url":"http:\/\/destinationparkcity.blogspot.com","time_zone":"Mountain Time (US & Canada)","followers_count":119,"profile_background_color":"709397","friends_count":190,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/211130537\/twitter_winter_normal.jpg","id":29355469,"profile_text_color":"333333"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908228704,"source":"web"} {"text":"\uc544\uce68\uc5d0 \ube14\ub85c\uadf8\uac00 \ud2b8\ub798\ud53d \ucf69\uc54c\ud0c4\uc744 \ub9de\uace0 \uc788\uc5b4\uc11c \uc720\uc785\uacbd\ub85c \ubd24\ub354\ub2c8 '\ub370\ubbf8 \ubb34\uc5b4'\uac00 \uc88c\ub77c\ub77d. \uc6d0\uc778\uc740 http:\/\/bit.ly\/pzdAK","created_at":"Mon May 25 01:58:50 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"ffffff","description":"Common sense is the collection of prejudices by age 18. - Albert Einstein","screen_name":"odlinuf","following":null,"utc_offset":32400,"created_at":"Tue Dec 09 12:43:17 +0000 2008","friends_count":153,"profile_text_color":"222222","notifications":null,"statuses_count":1726,"favourites_count":7,"protected":false,"profile_link_color":"3978ec","location":"Seoul","name":"odlinuf","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/14286867\/twitter-profile.png","profile_sidebar_fill_color":"ffffff","url":"http:\/\/oddlyenough.kr","profile_sidebar_border_color":"f6f6f6","profile_background_tile":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/190172155\/profile_normal.jpg","id":17990220,"time_zone":"Seoul","followers_count":170},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908228702,"source":"web"} {"text":"RT @fourzerotwo: http:\/\/zz.gd\/235764 - The first Modern Warfare 2 Trailer IS LIVE!! Watch it in all it's HD glory and uncut form! #MW2","created_at":"Mon May 25 01:58:50 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"1A1B1F","description":"Writer for 411mania games.","screen_name":"adamantlee","following":null,"utc_offset":-21600,"created_at":"Mon Jan 19 05:07:54 +0000 2009","friends_count":234,"profile_text_color":"666666","notifications":null,"statuses_count":381,"favourites_count":0,"protected":false,"profile_link_color":"2FC2EF","location":"Illinois","name":"Adam Larck","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme9\/bg.gif","profile_sidebar_fill_color":"252429","url":"http:\/\/411mania.com","profile_sidebar_border_color":"181A1E","profile_background_tile":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/71848888\/avatarpic-l_normal.jpg","id":19173065,"time_zone":"Central Time (US & Canada)","followers_count":144},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908228700,"source":"twhirl<\/a>"} {"truncated":false,"text":"watching the magic game at a bar in coral springs..no one cares here..no cheers for either side..i want to smack the guy next to me.","created_at":"Mon May 25 01:58:50 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":143,"favourites_count":0,"description":"I write songs, record them, and then bring them to a town near you. Other than that, I just enjoy being alive because that's very underrated these days.","screen_name":"johnwfrank","following":null,"utc_offset":-18000,"created_at":"Wed Mar 11 04:48:15 +0000 2009","profile_link_color":"060ea7","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/8225439\/Fall_Tour_2008_027__Small___2_.jpg","profile_sidebar_fill_color":"d9ffcc","protected":false,"location":"Orlando, Fl","name":"John Frank","profile_sidebar_border_color":"09090b","profile_background_tile":true,"url":"http:\/\/Facebook: http:\/\/www.facebook.com\/home.php#\/pages\/John-Frank\/17987783964","time_zone":"Quito","followers_count":78,"profile_background_color":"24314c","friends_count":221,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/92555176\/Fall_Tour_2008_027__Small__normal.jpg","id":23724253,"profile_text_color":"333333"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908228703,"source":"mobile web<\/a>"} {"truncated":false,"text":"@lorimcgill you ARE a little hippie child. :)","created_at":"Mon May 25 01:58:51 +0000 2009","in_reply_to_user_id":26863992,"favorited":false,"user":{"notifications":null,"statuses_count":738,"favourites_count":1,"description":"19. Actress. Model. Writer. Dreamer.","screen_name":"cortniegarrett","following":null,"utc_offset":-21600,"created_at":"Sat Oct 04 06:02:19 +0000 2008","profile_link_color":"009984","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/11884237\/crown.jpg","profile_sidebar_fill_color":"dfece5","protected":false,"location":"Broken Arrow, Oklahoma","name":"Cortnie Garrett","profile_sidebar_border_color":"DFDFDF","profile_background_tile":true,"url":null,"time_zone":"Central Time (US & Canada)","followers_count":48,"profile_background_color":"fefbfb","friends_count":45,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/228846541\/window_crop_normal.png","id":16589017,"profile_text_color":"0a0000"},"in_reply_to_screen_name":"lorimcgill","in_reply_to_status_id":1908184083,"id":1908228804,"source":"twidroid<\/a>"} {"in_reply_to_user_id":null,"text":"amare yeah via NBA on http:\/\/www.tnt.tv\/sports\/nba\/playoffs09","favorited":false,"created_at":"Mon May 25 01:58:51 +0000 2009","in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908228802,"user":{"profile_link_color":"0000ff","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme1\/bg.gif","utc_offset":null,"profile_sidebar_fill_color":"e0ff92","profile_image_url":"http:\/\/static.twitter.com\/images\/default_profile_normal.png","following":null,"created_at":"Mon May 18 01:49:46 +0000 2009","profile_sidebar_border_color":"87bc44","description":null,"screen_name":"Vogiatzis24","name":"Steven Vogiatzis","profile_background_tile":false,"protected":false,"time_zone":null,"followers_count":5,"profile_background_color":"9ae4e8","friends_count":20,"location":null,"profile_text_color":"000000","id":40786046,"notifications":null,"statuses_count":25,"favourites_count":0,"url":null},"truncated":false,"source":"NBA Eastern Conference Finals<\/a>"} {"text":"Saturday night we saw Blythe Spirit with Angela Lansbury - very funny - good play. I adore live theatre.","created_at":"Mon May 25 01:58:51 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"9AE4E8","description":"Medical Intuitive, health expert and best selling author of The Body \u201cKnows,\u201d books published by Hay House. Vast clinical background in environmental medicine.","screen_name":"thebodyknows","following":null,"utc_offset":-28800,"created_at":"Tue Apr 21 23:03:14 +0000 2009","friends_count":1441,"profile_text_color":"333333","notifications":null,"statuses_count":128,"favourites_count":0,"protected":false,"profile_link_color":"0084B4","location":"Bellingham, WA","name":"Caroline Sutherland","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/11655979\/background001.jpg","profile_sidebar_fill_color":"f0ccff","url":"http:\/\/www.carolinesutherland.com","profile_sidebar_border_color":"470b1d","profile_background_tile":true,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/198562262\/caroline_normal.jpg","id":34080819,"time_zone":"Pacific Time (US & Canada)","followers_count":1242},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908228801,"source":"web"} {"text":"Hmmm new Mitsubishi HD flat-screen and the Kia commercial is the best looking thing I've seen on it yet... Coincidence? \ue405","created_at":"Mon May 25 01:58:51 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"352726","description":"","screen_name":"Kris_hansen","following":null,"utc_offset":-21600,"created_at":"Mon Aug 04 18:35:05 +0000 2008","friends_count":17,"profile_text_color":"3E4415","notifications":null,"statuses_count":1421,"favourites_count":0,"protected":false,"profile_link_color":"D02B55","location":"Dallas, TX","name":"BlckBenz","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme5\/bg.gif","profile_sidebar_fill_color":"99CC33","url":null,"profile_sidebar_border_color":"829D5E","profile_background_tile":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/68846113\/download_normal.JPG","id":15725830,"time_zone":"Central Time (US & Canada)","followers_count":43},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908228800,"source":"Twinkle<\/a>"} {"text":"were not in the championships. : (","created_at":"Mon May 25 01:58:52 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"642D8B","description":"I'm a girl in 5th grade. I love to play soccer, knit, and make people laugh. I'm pretty much the biggest Selena Gomez fan ever!","screen_name":"skiilightnin28","following":null,"utc_offset":-21600,"created_at":"Tue May 12 19:35:28 +0000 2009","friends_count":5,"profile_text_color":"3D1957","notifications":null,"statuses_count":26,"favourites_count":0,"protected":false,"profile_link_color":"FF0000","location":"Illinois","name":"Mikaela K.","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme10\/bg.gif","profile_sidebar_fill_color":"7AC3EE","url":null,"profile_sidebar_border_color":"65B0DA","profile_background_tile":true,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/216672996\/Rainbow_Eye_normal.jpg","id":39575677,"time_zone":"Central Time (US & Canada)","followers_count":6},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908228901,"source":"web"} {"text":"Ever Wish You Knew How To Use Google Adwords, But Always Thought It Was Too Hard? http:\/\/aristeo.freeppcleads.com","created_at":"Mon May 25 01:58:52 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"9AE4E8","description":"Emprendedor de Negocios Multinivel, negocios desde casa.","screen_name":"flujodeingresos","following":null,"utc_offset":-25200,"created_at":"Thu Jan 01 20:50:57 +0000 2009","friends_count":220,"profile_text_color":"333333","notifications":null,"statuses_count":335,"favourites_count":0,"protected":false,"profile_link_color":"0084B4","location":"San Antonio, Texas, USA","name":"flujodeingresos","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/3753434\/kyanilogotwiter.jpg","profile_sidebar_fill_color":"DDFFCC","url":"http:\/\/flujodeingresos.com","profile_sidebar_border_color":"BDDCAD","profile_background_tile":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/69255753\/migari1a_normal.jpg","id":18535776,"time_zone":"Mountain Time (US & Canada)","followers_count":209},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908228900,"source":"web"} {"truncated":false,"text":"@yungstreetz watchin lebron whoop a%$! Hell you","created_at":"Mon May 25 01:58:52 +0000 2009","in_reply_to_user_id":23806556,"favorited":false,"user":{"notifications":null,"statuses_count":46,"favourites_count":0,"description":"Twitter?? guess i'll see what its about..","screen_name":"Shaystar_TM","following":null,"utc_offset":-21600,"created_at":"Fri Apr 24 00:06:04 +0000 2009","profile_link_color":"FF0000","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme10\/bg.gif","profile_sidebar_fill_color":"7AC3EE","protected":false,"location":"Dallas Tx!","name":"ShayStar","profile_sidebar_border_color":"65B0DA","profile_background_tile":true,"url":"http:\/\/myspace.com\/shaystar_da_boss","time_zone":"Central Time (US & Canada)","followers_count":76,"profile_background_color":"642D8B","friends_count":142,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/226611048\/77_normal.jpg","id":34779455,"profile_text_color":"3D1957"},"in_reply_to_screen_name":"YungStreetz","in_reply_to_status_id":null,"id":1908228903,"source":"mobile web<\/a>"} {"text":"@francesca I don\u00b4t know!! hahaha!te gusta==????=(!","created_at":"Mon May 25 01:58:52 +0000 2009","truncated":false,"in_reply_to_user_id":686933,"user":{"profile_background_color":"0099B9","description":"","screen_name":"FBGCH","following":null,"utc_offset":-21600,"created_at":"Sun Apr 12 02:53:08 +0000 2009","friends_count":66,"profile_text_color":"3C3940","notifications":null,"statuses_count":78,"favourites_count":0,"protected":false,"profile_link_color":"0099B9","location":"Piura-Peru","name":"Fiorella","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/13054239\/nick-jonas-blackberry-floating.jpg","profile_sidebar_fill_color":"95E8EC","url":null,"profile_sidebar_border_color":"5ED4DC","profile_background_tile":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/212594646\/2391794496_76f73ee8bd_normal.jpg","id":30586152,"time_zone":"Central Time (US & Canada)","followers_count":22},"favorited":false,"in_reply_to_screen_name":"francesca","in_reply_to_status_id":null,"id":1908228902,"source":"web"} {"in_reply_to_user_id":698193,"text":"@mike3k Optionally if you want to stash your stuff for offline store and anywhere access: www.github.com","favorited":false,"created_at":"Mon May 25 01:58:52 +0000 2009","in_reply_to_screen_name":"mike3k","in_reply_to_status_id":1908112424,"id":1908229003,"user":{"profile_link_color":"2FC2EF","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme9\/bg.gif","utc_offset":-21600,"profile_sidebar_fill_color":"252429","profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/191579020\/DavidIcon_normal.jpg","following":null,"created_at":"Sun Jan 11 10:28:18 +0000 2009","profile_sidebar_border_color":"181A1E","description":"Author of geoDefense","screen_name":"nsxdavid","name":"nsxdavid","profile_background_tile":false,"protected":false,"time_zone":"Central Time (US & Canada)","followers_count":275,"profile_background_color":"1A1B1F","friends_count":13,"location":"St. Louis, MO","profile_text_color":"666666","id":18863194,"notifications":null,"statuses_count":89,"favourites_count":0,"url":"http:\/\/www.criticalthoughtgames.com"},"truncated":false,"source":"TweetDeck<\/a>"} {"truncated":false,"text":"@zhartle o I just promised izzie she had a date. Tease!","created_at":"Mon May 25 01:58:52 +0000 2009","in_reply_to_user_id":15775133,"favorited":false,"user":{"notifications":null,"statuses_count":391,"favourites_count":0,"description":"","screen_name":"exoticpersonage","following":null,"utc_offset":-18000,"created_at":"Fri Feb 20 15:49:34 +0000 2009","profile_link_color":"b900aa","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme4\/bg.gif","profile_sidebar_fill_color":"95ec99","protected":false,"location":"Pittsburgh, PA","name":"Rich Bailey","profile_sidebar_border_color":"dcb25e","profile_background_tile":false,"url":null,"time_zone":"Quito","followers_count":70,"profile_background_color":"c8e8ef","friends_count":77,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/80765173\/n503441756_1416274_729_normal.jpg","id":21406840,"profile_text_color":"380a75"},"in_reply_to_screen_name":"zhartle","in_reply_to_status_id":null,"id":1908229004,"source":"txt<\/a>"} {"truncated":false,"text":"@OperationX i will send u a link, and u can find out better about this Gman. http:\/\/bit.ly\/88xSt","created_at":"Mon May 25 01:58:52 +0000 2009","in_reply_to_user_id":41781498,"favorited":false,"user":{"notifications":null,"statuses_count":2,"favourites_count":0,"description":"","screen_name":"RaiseAndShine","following":null,"utc_offset":-18000,"created_at":"Sat May 23 01:08:50 +0000 2009","profile_link_color":"0000ff","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme1\/bg.gif","profile_sidebar_fill_color":"e0ff92","protected":false,"location":"","name":"G-Man","profile_sidebar_border_color":"87bc44","profile_background_tile":false,"url":null,"time_zone":"Quito","followers_count":2,"profile_background_color":"9ae4e8","friends_count":1,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/226291181\/Gman_by_KarmeliaDark_normal.jpg","id":41942789,"profile_text_color":"000000"},"in_reply_to_screen_name":"OperationX","in_reply_to_status_id":1899002632,"id":1908229002,"source":"web"} {"truncated":false,"text":"@baiboo no they came to your house for dinner","created_at":"Mon May 25 01:58:52 +0000 2009","in_reply_to_user_id":19284093,"favorited":false,"user":{"notifications":null,"statuses_count":129,"favourites_count":0,"description":"","screen_name":"jessilaura","following":null,"utc_offset":-18000,"created_at":"Fri May 15 16:08:18 +0000 2009","profile_link_color":"a41923","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/13679999\/gk297_floral_pattern.jpg","profile_sidebar_fill_color":"cec6eb","protected":false,"location":"Greenville, South Carolina","name":"Jessica Wehunt","profile_sidebar_border_color":"ffffff","profile_background_tile":true,"url":null,"time_zone":"Quito","followers_count":10,"profile_background_color":"1A1B1F","friends_count":15,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/213284062\/ja_normal.jpg","id":40271101,"profile_text_color":"000000"},"in_reply_to_screen_name":"baiboo","in_reply_to_status_id":null,"id":1908229000,"source":"txt<\/a>"} {"truncated":false,"text":"@avalichauco yeuhhhhh lets! i need a job to pay for everything i want man. i usually hate expensive things <\/3","created_at":"Mon May 25 01:58:53 +0000 2009","in_reply_to_user_id":17765515,"favorited":false,"user":{"notifications":null,"statuses_count":88,"favourites_count":0,"description":"","screen_name":"ivyspeaks","following":null,"utc_offset":-18000,"created_at":"Wed Apr 15 02:50:01 +0000 2009","profile_link_color":"ff0018","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/13320256\/43.gif","profile_sidebar_fill_color":"ffffff","protected":false,"location":"347, NEW YORK CITY","name":"Ivy Hu","profile_sidebar_border_color":"F2E195","profile_background_tile":true,"url":"http:\/\/www.myspace.com\/ew_itsu","time_zone":"Eastern Time (US & Canada)","followers_count":35,"profile_background_color":"BADFCD","friends_count":53,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/202803379\/ivy2_normal.jpg","id":31316838,"profile_text_color":"000000"},"in_reply_to_screen_name":"avalichauco","in_reply_to_status_id":1907846115,"id":1908229104,"source":"web"} {"truncated":false,"text":"just comeback from aerobic not just wake up like @bayuadiat .. gyahahaha","created_at":"Mon May 25 01:58:53 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":9,"favourites_count":0,"description":"","screen_name":"halleyzone","following":null,"utc_offset":-28800,"created_at":"Fri May 22 10:58:54 +0000 2009","profile_link_color":"2FC2EF","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme9\/bg.gif","profile_sidebar_fill_color":"252429","protected":false,"location":"Paris van Java, Indonesia","name":"Parapaty Halley","profile_sidebar_border_color":"181A1E","profile_background_tile":false,"url":"http:\/\/lovelifelust.wordpress.com","time_zone":"Pacific Time (US & Canada)","followers_count":17,"profile_background_color":"1A1B1F","friends_count":23,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/224634807\/ei_normal.JPG","id":41791171,"profile_text_color":"666666"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908229101,"source":"web"} {"truncated":false,"text":"@realdiva83 you saw he retweeted some people last night lol","created_at":"Mon May 25 01:58:53 +0000 2009","in_reply_to_user_id":40188527,"favorited":false,"user":{"notifications":null,"statuses_count":10986,"favourites_count":14,"description":"Graphic artist\/\/Photographer\/\/BSB, punk and rock lover\/\/ loving friends\/\/avoiding crazies.","screen_name":"__Kizzle","following":null,"utc_offset":-18000,"created_at":"Sun Feb 22 21:00:02 +0000 2009","profile_link_color":"786878","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/12094186\/twitterpage.jpg","profile_sidebar_fill_color":"000000","protected":false,"location":"Where Ever I may roam.","name":"Kristen ","profile_sidebar_border_color":"eda2f1","profile_background_tile":false,"url":"http:\/\/kayetastic.blogspot.com\/","time_zone":"Eastern Time (US & Canada)","followers_count":160,"profile_background_color":"3b307e","friends_count":184,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/224181070\/twitter_normal.jpg","id":21597730,"profile_text_color":"dc7adc"},"in_reply_to_screen_name":"realdiva83","in_reply_to_status_id":1908205052,"id":1908229100,"source":"twhirl<\/a>"} {"truncated":false,"text":"#MMA Bloody Elbow - Dana White Laid Ground Work for Lyoto Machida vs Quinton Rampage Jackson .. http:\/\/bit.ly\/nIaYc","created_at":"Mon May 25 01:58:53 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":8707,"favourites_count":0,"description":"Stay informed about everything related to Mixed Martial Arts. News about: UFC, Pride, K-1, WEC, Affliction,... Please ReTweet! I always follow you back! ","screen_name":"MMAgeek","following":null,"utc_offset":3600,"created_at":"Thu Jan 15 00:31:52 +0000 2009","profile_link_color":"0a11eb","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/4864307\/dark.gif","profile_sidebar_fill_color":"e6e5db","protected":false,"location":"Belgium","name":"Mixed Martial Arts","profile_sidebar_border_color":"444431","profile_background_tile":true,"url":"http:\/\/snuzi.com","time_zone":"Brussels","followers_count":1727,"profile_background_color":"444431","friends_count":1639,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/71192020\/MMA_normal.jpg","id":19003598,"profile_text_color":"000000"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908229102,"source":"twitterfeed<\/a>"} {"text":"Hi Gina!","created_at":"Mon May 25 01:58:54 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"c80e56","description":null,"screen_name":"Lotus0523","following":null,"utc_offset":null,"created_at":"Sun May 24 17:05:58 +0000 2009","friends_count":5,"profile_text_color":"C80E56","notifications":null,"statuses_count":8,"favourites_count":1,"protected":false,"profile_link_color":"2d2427","location":null,"name":"Jaclyn","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme5\/bg.gif","profile_sidebar_fill_color":"99CC33","url":null,"profile_sidebar_border_color":"829D5E","profile_background_tile":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/228361056\/jac_normal.jpg","id":42243020,"time_zone":null,"followers_count":4},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908229200,"source":"txt<\/a>"} {"truncated":false,"text":"@eatyoursocksX3 lol thank you.","created_at":"Mon May 25 01:58:54 +0000 2009","in_reply_to_user_id":26681597,"favorited":false,"user":{"notifications":null,"statuses_count":225,"favourites_count":14,"description":null,"screen_name":"melfacee","following":null,"utc_offset":null,"created_at":"Wed Apr 15 02:56:28 +0000 2009","profile_link_color":"00cdff","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme1\/bg.gif","profile_sidebar_fill_color":"f5299f","protected":false,"location":null,"name":"Melissa Aguilera","profile_sidebar_border_color":"fe732a","profile_background_tile":true,"url":null,"time_zone":null,"followers_count":24,"profile_background_color":"92f04c","friends_count":28,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/138516382\/40909005_normal.jpg","id":31318605,"profile_text_color":"8024c2"},"in_reply_to_screen_name":"eatyoursocksX3","in_reply_to_status_id":null,"id":1908229203,"source":"txt<\/a>"} {"truncated":false,"text":"Positive Thoughts Lead to Positive Change: Positive Thinking http:\/\/bit.ly\/IAuGX","in_reply_to_user_id":null,"favorited":false,"created_at":"Mon May 25 01:58:54 +0000 2009","in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908229301,"user":{"friends_count":346,"location":"Chicago, Illinois","utc_offset":-21600,"profile_text_color":"000000","notifications":null,"statuses_count":327,"favourites_count":1,"following":null,"profile_link_color":"0045ff","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/12117171\/selfmadeeasy.png","description":"SelfMadeEasy.com is a self help company. Get daily motivational quotes and self improvement tips","name":"Self Help Books","profile_sidebar_fill_color":"e8f2f8","protected":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/80344970\/for_print_-_Copy_normal.jpg","created_at":"Tue Feb 17 07:39:32 +0000 2009","profile_sidebar_border_color":"65B0DA","screen_name":"self_help_books","profile_background_tile":false,"time_zone":"Central Time (US & Canada)","followers_count":484,"id":21071822,"profile_background_color":"ffffff","url":"http:\/\/SelfMadeEasy.com"},"source":"twitterfeed<\/a>"} {"text":"Obama Tackles Abortion at Notre Dame.. http:\/\/bit.ly\/JvEeN","created_at":"Mon May 25 01:58:54 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"642D8B","description":"Trying to be one piece of the puzzle to make America a better place for all","screen_name":"itsstillamerica","following":null,"utc_offset":-28800,"created_at":"Sun Apr 12 14:43:06 +0000 2009","friends_count":1065,"profile_text_color":"3D1957","notifications":null,"statuses_count":952,"favourites_count":0,"protected":false,"profile_link_color":"FF0000","location":"Salisbury,n.c.","name":"itsstillamerica.com","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme10\/bg.gif","profile_sidebar_fill_color":"7AC3EE","url":"http:\/\/www.itsstillamerica.com","profile_sidebar_border_color":"65B0DA","profile_background_tile":true,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/142427101\/joomlaweb_normal.jpg","id":30658935,"time_zone":"Pacific Time (US & Canada)","followers_count":377},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908229302,"source":"web"} {"truncated":false,"text":"http:\/\/twitpic.com\/5wa6u","created_at":"Mon May 25 01:58:54 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":12,"favourites_count":3,"description":null,"screen_name":"seagullzh","following":null,"utc_offset":null,"created_at":"Sun Feb 22 02:35:45 +0000 2009","profile_link_color":"0000ff","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme1\/bg.gif","profile_sidebar_fill_color":"e0ff92","protected":false,"location":null,"name":"Vivian Zhang","profile_sidebar_border_color":"87bc44","profile_background_tile":false,"url":null,"time_zone":null,"followers_count":6,"profile_background_color":"9ae4e8","friends_count":4,"profile_image_url":"http:\/\/static.twitter.com\/images\/default_profile_normal.png","id":21538522,"profile_text_color":"000000"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908229304,"source":"Twitterrific<\/a>"} {"text":"Last night in miami its gonna be sooooo crazy I don't think I can drink \nagain","created_at":"Mon May 25 01:58:54 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"9AE4E8","description":"1\/2 of mixgrind.com Manger of Dj me$$iah & 1\/2 of Da Common Cauze.","screen_name":"mixgrindhnic","following":null,"utc_offset":-18000,"created_at":"Sat Mar 14 00:53:34 +0000 2009","friends_count":236,"profile_text_color":"333333","notifications":null,"statuses_count":2224,"favourites_count":1,"protected":false,"profile_link_color":"0084B4","location":"GHOST ToWn NYC","name":"jay","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/5672154\/21515d.jpg","profile_sidebar_fill_color":"DDFFCC","url":"http:\/\/www.mixgrind.com","profile_sidebar_border_color":"BDDCAD","profile_background_tile":true,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/97551387\/l_4a80dd1deeb94ac2afc114493ff07afa_normal.jpg","id":24295794,"time_zone":"Eastern Time (US & Canada)","followers_count":383},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908229303,"source":"TwitterMail<\/a>"} {"truncated":false,"text":"@nikkiraffail yes ma'am. Redoing dia de madre w. My mom :D","created_at":"Mon May 25 01:58:54 +0000 2009","in_reply_to_user_id":24971710,"favorited":false,"user":{"notifications":null,"statuses_count":655,"favourites_count":0,"description":"I love twittering my friends, *shout out to @oldmanwinters & @nikkiraffail* I enjoy the beach, reading, photography, concerts, music, swimming, & cheese","screen_name":"courtney_mejer","following":null,"utc_offset":-28800,"created_at":"Wed Sep 10 19:13:31 +0000 2008","profile_link_color":"2FC2EF","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme9\/bg.gif","profile_sidebar_fill_color":"252429","protected":false,"location":"the [[702]]","name":"CourtneyRey!","profile_sidebar_border_color":"181A1E","profile_background_tile":false,"url":"http:\/\/myspace.com\/catholicgirl19","time_zone":"Pacific Time (US & Canada)","followers_count":28,"profile_background_color":"1A1B1F","friends_count":71,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/59789126\/100_3923_normal.JPG","id":16225808,"profile_text_color":"666666"},"in_reply_to_screen_name":"nikkiraffail","in_reply_to_status_id":null,"id":1908229300,"source":"txt<\/a>"} {"truncated":false,"text":"@gbatista T\u00e1 sempre foi uma bosta pronto","created_at":"Mon May 25 01:58:55 +0000 2009","in_reply_to_user_id":10185972,"favorited":false,"user":{"notifications":null,"statuses_count":248,"favourites_count":0,"description":null,"screen_name":"srtee","following":null,"utc_offset":null,"created_at":"Fri Jan 23 17:19:35 +0000 2009","profile_link_color":"FF0000","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/13332985\/grannies.gif","profile_sidebar_fill_color":"FFF7CC","protected":false,"location":null,"name":"tiago s borges","profile_sidebar_border_color":"F2E195","profile_background_tile":false,"url":null,"time_zone":null,"followers_count":20,"profile_background_color":"BADFCD","friends_count":21,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/72750513\/imagem_normal.JPG","id":19403302,"profile_text_color":"0C3E53"},"in_reply_to_screen_name":"gbatista","in_reply_to_status_id":1908183882,"id":1908229404,"source":"TwitterFox<\/a>"} {"truncated":false,"text":"@StumpyLove728 Lol xD","created_at":"Mon May 25 01:58:55 +0000 2009","in_reply_to_user_id":18094244,"favorited":false,"user":{"notifications":null,"statuses_count":3654,"favourites_count":156,"description":"The one and only official Sharina Tan Twitter [Az eef i'm femoOz xD] Resident Squee-ing Fall Out Boy Fan poodle & part time excessive Tweeeter. Nuff sed.","screen_name":"lemongeneration","following":null,"utc_offset":28800,"created_at":"Wed Apr 01 03:01:01 +0000 2009","profile_link_color":"5e08a1","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/9497222\/354254kwnsx2qfxl.gif","profile_sidebar_fill_color":"080808","protected":false,"location":"Joe's Fro. Philippines.","name":"Sharina Tan :{)","profile_sidebar_border_color":"050505","profile_background_tile":true,"url":"http:\/\/lemongeneration28.buzznet.com","time_zone":"Singapore","followers_count":352,"profile_background_color":"ffffff","friends_count":271,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/224259456\/image200905200001_2_normal.jpg","id":28036021,"profile_text_color":"e70e08"},"in_reply_to_screen_name":"StumpyLove728","in_reply_to_status_id":1908211039,"id":1908229403,"source":"web"} {"truncated":false,"text":"@taraleilani these await you... http:\/\/twitpic.com\/5wa7a","created_at":"Mon May 25 01:58:55 +0000 2009","in_reply_to_user_id":19547155,"favorited":false,"user":{"notifications":null,"statuses_count":81,"favourites_count":1,"description":"Make someone happy....","screen_name":"metoliusmark","following":null,"utc_offset":-28800,"created_at":"Thu Oct 30 03:56:53 +0000 2008","profile_link_color":"2FC2EF","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/3273634\/alievan35.jpg","profile_sidebar_fill_color":"252429","protected":false,"location":"Oregon","name":"Mark D.","profile_sidebar_border_color":"181A1E","profile_background_tile":false,"url":null,"time_zone":"Pacific Time (US & Canada)","followers_count":7,"profile_background_color":"1A1B1F","friends_count":5,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/63161179\/avatar_normal.jpg","id":17059616,"profile_text_color":"c06868"},"in_reply_to_screen_name":"taraleilani","in_reply_to_status_id":1905582411,"id":1908229401,"source":"Twitterrific<\/a>"} {"truncated":false,"text":"God is all seeing and all knowing, why do I keep thinking I have secrets?","created_at":"Mon May 25 01:58:56 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":9,"favourites_count":0,"description":"christian right conservative,naturalized citizen. Still single after all these years!","screen_name":"cre8tvgary","following":null,"utc_offset":-18000,"created_at":"Wed Dec 03 03:28:58 +0000 2008","profile_link_color":"0000ff","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme1\/bg.gif","profile_sidebar_fill_color":"e0ff92","protected":false,"location":"Louisville, KY","name":"cre8tvgary","profile_sidebar_border_color":"87bc44","profile_background_tile":false,"url":null,"time_zone":"Eastern Time (US & Canada)","followers_count":7,"profile_background_color":"9ae4e8","friends_count":4,"profile_image_url":"http:\/\/static.twitter.com\/images\/default_profile_normal.png","id":17827509,"profile_text_color":"000000"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908229504,"source":"web"} {"text":"eating @ sushi boat with maxie (;","created_at":"Mon May 25 01:58:58 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"C6E2EE","description":"hi, i'm betsy [:","screen_name":"TrinaRinaa","following":null,"utc_offset":-28800,"created_at":"Tue Apr 14 19:43:12 +0000 2009","friends_count":29,"profile_text_color":"663B12","notifications":null,"statuses_count":94,"favourites_count":0,"protected":false,"profile_link_color":"1F98C7","location":"$d.","name":"Betsy Savat","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme2\/bg.gif","profile_sidebar_fill_color":"DAECF4","url":"http:\/\/www.myspace.com\/cuddlelikeabear","profile_sidebar_border_color":"C6E2EE","profile_background_tile":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/200929796\/P3300671_normal.JPG","id":31206015,"time_zone":"Pacific Time (US & Canada)","followers_count":22},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908229503,"source":"txt<\/a>"} {"text":"@oliveshoot mom.must.win! =)","created_at":"Mon May 25 01:58:56 +0000 2009","truncated":false,"in_reply_to_user_id":23009406,"user":{"profile_background_color":"9ae4e8","description":"Mom, wife, blogger, product reviewer extraordinaire! Want to be featured on my site? DM or email! =)","screen_name":"HappyMomAmy","following":null,"utc_offset":-18000,"created_at":"Sun May 17 01:10:33 +0000 2009","friends_count":474,"profile_text_color":"000000","notifications":null,"statuses_count":802,"favourites_count":1,"protected":false,"profile_link_color":"0000ff","location":"","name":"Amy (the Happy Mom!)","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme1\/bg.gif","profile_sidebar_fill_color":"e0ff92","url":"http:\/\/www.makesmomhappy.com","profile_sidebar_border_color":"87bc44","profile_background_tile":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/221410013\/HapyMomAvatar_75_normal.jpg","id":40579763,"time_zone":"Eastern Time (US & Canada)","followers_count":477},"favorited":false,"in_reply_to_screen_name":"oliveshoot","in_reply_to_status_id":1908214956,"id":1908229502,"source":"web"} {"truncated":false,"text":"awesome song... no words to describe! \u266b http:\/\/blip.fm\/~6yyv2","created_at":"Mon May 25 01:58:56 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":81,"favourites_count":217,"description":"I'm Christian girl, and I'm proud of it... I love music [RocK!], movies... immagining, eat, n' sleep!","screen_name":"RanDom_GaBy","following":null,"utc_offset":-10800,"created_at":"Sat May 02 13:37:43 +0000 2009","profile_link_color":"3b8b09","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/12765475\/29502.png","profile_sidebar_fill_color":"7AC3EE","protected":false,"location":"Above the Ra!nbow.","name":"Jeanisse Anes","profile_sidebar_border_color":"65B0DA","profile_background_tile":true,"url":null,"time_zone":"Georgetown","followers_count":19,"profile_background_color":"642D8B","friends_count":51,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/210754061\/DSCI5427_normal.JPG","id":37197069,"profile_text_color":"dc1889"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908229501,"source":"Blip.fm<\/a>"} {"truncated":false,"text":"sabbota\u3000\u89e3\u5256\u5b66","created_at":"Mon May 25 01:58:57 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":164,"favourites_count":0,"description":"\u7406\u5b66\u90e8\u751f\u7269\u5b66\u79d1","screen_name":"fakirs","following":null,"utc_offset":32400,"created_at":"Sat Feb 07 07:16:41 +0000 2009","profile_link_color":"2FC2EF","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme9\/bg.gif","profile_sidebar_fill_color":"252429","protected":false,"location":"\u6771\u4eac\u304b\u795e\u5948\u5ddd","name":"\u304b\u306e\u3000\u308a\u3085\u3046\u3058","profile_sidebar_border_color":"181A1E","profile_background_tile":false,"url":null,"time_zone":"Tokyo","followers_count":6,"profile_background_color":"1A1B1F","friends_count":3,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/76211716\/darca1_normal.jpg","id":20298106,"profile_text_color":"666666"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908229600,"source":"web"} {"truncated":false,"text":"At wasuwats burning cds...","created_at":"Mon May 25 01:58:57 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":997,"favourites_count":0,"description":"22, Male, Hispanic, Gay, Taken, Usually Bored Forever! lol","screen_name":"Kanuckles86","following":null,"utc_offset":-21600,"created_at":"Wed Jan 14 22:49:45 +0000 2009","profile_link_color":"2FC2EF","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/4110177\/n5SPiexH_1280x800.jpg","profile_sidebar_fill_color":"322e84","protected":false,"location":"Fort Worth, TX","name":"Mark Joseph Cruz Jr.","profile_sidebar_border_color":"181A1E","profile_background_tile":false,"url":"http:\/\/www.myspace.com\/cancergay","time_zone":"Central Time (US & Canada)","followers_count":23,"profile_background_color":"1A1B1F","friends_count":18,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/180512936\/image_normal.jpg","id":19000116,"profile_text_color":"000000"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908229604,"source":"twidroid<\/a>"} {"text":"wonders why nobody has posted and\/or tagged any facebook photos of him from the reunion.","created_at":"Mon May 25 01:58:57 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"1A1B1F","description":"","screen_name":"matthimrod","following":null,"utc_offset":-18000,"created_at":"Mon Nov 24 00:38:33 +0000 2008","friends_count":41,"profile_text_color":"666666","notifications":null,"statuses_count":437,"favourites_count":0,"protected":false,"profile_link_color":"2FC2EF","location":"Pittsburgh, PA, USA","name":"Matt Himrod","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme9\/bg.gif","profile_sidebar_fill_color":"252429","url":"http:\/\/www.matthimrod.com\/","profile_sidebar_border_color":"181A1E","profile_background_tile":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/133269369\/IMG00074-20090403-2107_normal.jpg","id":17581642,"time_zone":"Eastern Time (US & Canada)","followers_count":47},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908229601,"source":"web"} {"text":"Yea! I would love to be a football player","created_at":"Mon May 25 01:58:57 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"9ae4e8","description":null,"screen_name":"quickwritter","following":null,"utc_offset":null,"created_at":"Mon May 25 01:53:45 +0000 2009","friends_count":1,"profile_text_color":"000000","notifications":null,"statuses_count":6,"favourites_count":0,"protected":false,"profile_link_color":"0000ff","location":null,"name":"Anthony Petri","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme1\/bg.gif","profile_sidebar_fill_color":"e0ff92","url":null,"profile_sidebar_border_color":"87bc44","profile_background_tile":false,"profile_image_url":"http:\/\/static.twitter.com\/images\/default_profile_normal.png","id":42326445,"time_zone":null,"followers_count":0},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908229602,"source":"web"} {"truncated":false,"text":"@DieralisSon Ow, tbm querooo >>> Amo Doritoss <<<","created_at":"Mon May 25 01:58:57 +0000 2009","in_reply_to_user_id":23852689,"favorited":false,"user":{"notifications":null,"statuses_count":155,"favourites_count":2,"description":"","screen_name":"IvanaDanielle","following":null,"utc_offset":-10800,"created_at":"Mon Apr 20 03:05:31 +0000 2009","profile_link_color":"2FC2EF","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme9\/bg.gif","profile_sidebar_fill_color":"252429","protected":false,"location":"Aracaju-SE ","name":"Ivana Danielle","profile_sidebar_border_color":"181A1E","profile_background_tile":false,"url":null,"time_zone":"Brasilia","followers_count":15,"profile_background_color":"1A1B1F","friends_count":34,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/205254942\/Meus_olhos_normal.jpg","id":33399137,"profile_text_color":"918383"},"in_reply_to_screen_name":"DieralisSon","in_reply_to_status_id":1908214479,"id":1908229603,"source":"web"} {"text":"\u307d\u3058\u304b\u308b\u3055\u3093\u304c10\u5186\u3089\u3057\u3044\u30fb\u30fb\u30fb","created_at":"Mon May 25 01:58:57 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"0099B9","description":"why not? girls could be geek!","screen_name":"C_ko","following":null,"utc_offset":32400,"created_at":"Fri Apr 06 22:45:12 +0000 2007","friends_count":176,"profile_text_color":"3C3940","notifications":null,"statuses_count":1318,"favourites_count":8,"protected":false,"profile_link_color":"0099B9","location":"Tokyo","name":"C_ko","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme4\/bg.gif","profile_sidebar_fill_color":"95E8EC","url":"http:\/\/blog.livedoor.jp\/tizbit\/","profile_sidebar_border_color":"5ED4DC","profile_background_tile":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/19328332\/LA20070403_2_078_normal.jpg","id":3661821,"time_zone":"Tokyo","followers_count":153},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908229700,"source":"TwitterFox<\/a>"} {"text":"Gotta make a trip to the Chevy dealership in the A.M. when I get off work.","created_at":"Mon May 25 01:58:57 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"9ae4e8","description":"Student, Economics Fanatic, Sports fanatic, good dresser, and all around great man. ","screen_name":"rodney1985","following":null,"utc_offset":-18000,"created_at":"Thu Jun 05 20:07:09 +0000 2008","friends_count":28,"profile_text_color":"000000","notifications":null,"statuses_count":816,"favourites_count":0,"protected":false,"profile_link_color":"0000ff","location":"\u00dcT: 28.447397,-81.430235","name":"Rodney Allen","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/2653179\/hennessy.jpg","profile_sidebar_fill_color":"e0ff92","url":null,"profile_sidebar_border_color":"87bc44","profile_background_tile":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/210451644\/IMG00142_normal.jpg","id":15022722,"time_zone":"Eastern Time (US & Canada)","followers_count":74},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908229703,"source":"UberTwitter<\/a>"} {"truncated":false,"text":"I love #glamourkills (:","created_at":"Mon May 25 01:58:57 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":1433,"favourites_count":191,"description":"love music, concerts & roadtrips.","screen_name":"hillarylovesatl","following":null,"utc_offset":-21600,"created_at":"Wed Dec 31 03:09:05 +0000 2008","profile_link_color":"2FC2EF","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme9\/bg.gif","profile_sidebar_fill_color":"252429","protected":false,"location":"iPhone: 29.652445,-95.092422","name":"hillary galan","profile_sidebar_border_color":"181A1E","profile_background_tile":false,"url":"http:\/\/hillarygalan.tumblr.com","time_zone":"Central Time (US & Canada)","followers_count":84,"profile_background_color":"1A1B1F","friends_count":125,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/215488590\/3_normal.JPG","id":18497133,"profile_text_color":"666666"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908229701,"source":"TwitterFon<\/a>"} {"text":"\"As pessoas entram em nossa vida por acaso, mas n\u00e3o \u00e9 por acaso que elas permanecem.\" Lilian Tonet ... Super clich\u00ea mas ta valendo ... ;)","created_at":"Mon May 25 01:58:57 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"d86a47","description":"Publicit\u00e1ria e Web Designer","screen_name":"vivilatini","following":null,"utc_offset":-10800,"created_at":"Fri Jan 16 12:57:33 +0000 2009","friends_count":62,"profile_text_color":"464d58","notifications":null,"statuses_count":633,"favourites_count":1,"protected":false,"profile_link_color":"e44b1b","location":"Belo Horizonte | MG - BR","name":"Viviane Latini","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/10423572\/274_background.jpg","profile_sidebar_fill_color":"fcfcfc","url":"http:\/\/blip.fm\/vivilatini","profile_sidebar_border_color":"ffffff","profile_background_tile":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/183887866\/foto_msn_normal.jpg","id":19064972,"time_zone":"Greenland","followers_count":87},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908229704,"source":"TwitterFox<\/a>"} {"truncated":false,"text":"Observers Look At Impact Of Easley Investigation http:\/\/cli.gs\/mLGMyq #LinkTweet","created_at":"Mon May 25 01:58:57 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":31566,"favourites_count":0,"description":"News of the Scientific world!","screen_name":"news_science","following":null,"utc_offset":19800,"created_at":"Wed Apr 01 13:41:36 +0000 2009","profile_link_color":"0000ff","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme1\/bg.gif","profile_sidebar_fill_color":"e0ff92","protected":false,"location":"India","name":"Science News\u2122\u2714","profile_sidebar_border_color":"87bc44","profile_background_tile":false,"url":"http:\/\/feedtwitt.info\/science","time_zone":"Kolkata","followers_count":3186,"profile_background_color":"9ae4e8","friends_count":3382,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/125759776\/alaneproblems_normal.jpg","id":28107042,"profile_text_color":"000000"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908229702,"source":"WP to Twitter<\/a>"} {"truncated":false,"text":"@JaredMorrison let's watch a movie...possibly harry potter???","created_at":"Mon May 25 01:58:58 +0000 2009","in_reply_to_user_id":17614143,"favorited":false,"user":{"notifications":null,"statuses_count":14,"favourites_count":1,"description":null,"screen_name":"pianoplayer7","following":null,"utc_offset":null,"created_at":"Thu Apr 30 22:03:08 +0000 2009","profile_link_color":"99fab1","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme10\/bg.gif","profile_sidebar_fill_color":"7AC3EE","protected":false,"location":null,"name":"Taylor Keys","profile_sidebar_border_color":"65B0DA","profile_background_tile":true,"url":null,"time_zone":null,"followers_count":3,"profile_background_color":"642D8B","friends_count":5,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/206266467\/IMG_0021_normal.JPG","id":36786696,"profile_text_color":"3D1957"},"in_reply_to_screen_name":"JaredMorrison","in_reply_to_status_id":1904306023,"id":1908229801,"source":"Twitterrific<\/a>"} {"truncated":false,"text":"Asian Chick in the arena just set a Guiness World Record!! She was on a unicycle throwin ceramic bowls on her head. Wow!!!!!!!","created_at":"Mon May 25 01:58:58 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":341,"favourites_count":1,"description":"","screen_name":"ImChrisB","following":null,"utc_offset":-18000,"created_at":"Mon Apr 06 14:12:48 +0000 2009","profile_link_color":"2FC2EF","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/13199418\/1223289740.jpg","profile_sidebar_fill_color":"252429","protected":false,"location":"","name":"Chris Batten","profile_sidebar_border_color":"181A1E","profile_background_tile":true,"url":null,"time_zone":"Eastern Time (US & Canada)","followers_count":70,"profile_background_color":"1A1B1F","friends_count":71,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/187667051\/DSC05297_normal.JPG","id":29206776,"profile_text_color":"666666"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908229804,"source":"TwitterFon<\/a>"} {"text":"Bbq chicken + spam musubi + raspberry ice tea= <3","created_at":"Mon May 25 01:58:58 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"1A1B1F","description":"","screen_name":"1widesi","following":null,"utc_offset":-32400,"created_at":"Mon Apr 27 18:30:19 +0000 2009","friends_count":41,"profile_text_color":"666666","notifications":null,"statuses_count":158,"favourites_count":0,"protected":false,"profile_link_color":"2FC2EF","location":"","name":"Justin Fong","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/11393781\/si.jpg","profile_sidebar_fill_color":"000000","url":"http:\/\/myspace.com\/fong","profile_sidebar_border_color":"181A1E","profile_background_tile":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/206630316\/extra_311_normal.jpg","id":35817733,"time_zone":"Alaska","followers_count":44},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908229802,"source":"TwitterBerry<\/a>"} {"text":"@StephenRL Good luck!!!","created_at":"Mon May 25 01:58:59 +0000 2009","truncated":false,"in_reply_to_user_id":13529572,"user":{"profile_background_color":"1A1B1F","description":"I\u2019ve seen enough horror movies to know that any weirdo wearing a mask is never friendly.","screen_name":"BroadoftheDead","following":null,"utc_offset":-18000,"created_at":"Sun Nov 09 08:05:51 +0000 2008","friends_count":216,"profile_text_color":"666666","notifications":null,"statuses_count":1288,"favourites_count":6,"protected":false,"profile_link_color":"2FC2EF","location":"N'YAWK (New York)","name":"Tessa","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme9\/bg.gif","profile_sidebar_fill_color":"252429","url":"http:\/\/my.spill.com\/profile\/tessa","profile_sidebar_border_color":"181A1E","profile_background_tile":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/180498719\/BOTD_normal.PNG","id":17266426,"time_zone":"Eastern Time (US & Canada)","followers_count":270},"favorited":false,"in_reply_to_screen_name":"StephenRL","in_reply_to_status_id":1908127867,"id":1908229904,"source":"twhirl<\/a>"} {"text":"@langille a tour of Milford is funny on it's own as a quote :)","created_at":"Mon May 25 01:58:59 +0000 2009","truncated":false,"in_reply_to_user_id":14388386,"user":{"profile_background_color":"1A1B1F","description":"Web video creator of http:\/\/www.baddad.tv and http:\/\/www.surfdonkey.ca, Podcamp Halifax organizer, kid wrangler and creative maven","screen_name":"SpiderVideo","following":null,"utc_offset":-18000,"created_at":"Mon Mar 26 17:14:21 +0000 2007","friends_count":1021,"profile_text_color":"666666","notifications":null,"statuses_count":4710,"favourites_count":1,"protected":false,"profile_link_color":"2FC2EF","location":"Halifax, Nova Scotia, Canada","name":"Craig Moore","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme9\/bg.gif","profile_sidebar_fill_color":"252429","url":"http:\/\/www.spidervideo.tv","profile_sidebar_border_color":"181A1E","profile_background_tile":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/225798033\/newtwit_normal.jpg","id":2324641,"time_zone":"Eastern Time (US & Canada)","followers_count":918},"favorited":false,"in_reply_to_screen_name":"langille","in_reply_to_status_id":1908119476,"id":1908229902,"source":"TweetDeck<\/a>"} {"truncated":false,"text":"BLOGGER\u88ab\u67d0\u654f\u611f\u7684\u56fd\u5bb6\u4ee5\u67d0\u4e9b\u6076\u5fc3\u624b\u6bb5\u5c4f\u853d\uff0c\u8fd9\u4e2a\u56fd\u5bb6\u7684\u627f\u53d7\u529b\u592a\u5dee\u4e86\uff0c\u8fd9\u4e2a\u56fd\u5bb6\u4e0d\u53ef\u544a\u4eba\u7684\u79d8\u5bc6\u592a\u591a\u4e86","created_at":"Mon May 25 01:58:59 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":13,"favourites_count":0,"description":"\u50bb\u5b50","screen_name":"luciagao","following":null,"utc_offset":28800,"created_at":"Fri Apr 17 10:06:43 +0000 2009","profile_link_color":"0084B4","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme1\/bg.gif","profile_sidebar_fill_color":"DDFFCC","protected":false,"location":"beijing","name":"lucia","profile_sidebar_border_color":"BDDCAD","profile_background_tile":false,"url":"http:\/\/luciagao.blogspot.com\/","time_zone":"Beijing","followers_count":6,"profile_background_color":"9AE4E8","friends_count":5,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/142218511\/36b7a708857273336b60fbb7_normal.jpg","id":32359613,"profile_text_color":"333333"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908229903,"source":"web"} {"truncated":false,"text":"Golf | Scorching Lee goes low in desert: Scorching Lee goes low in desert | | Golfweek Magazine | Golf News.\n\n\nG.. http:\/\/bit.ly\/ACsJK","created_at":"Mon May 25 01:58:59 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":1031,"favourites_count":0,"description":"Profissional golfer, intrested in all the new golf developments. Play the best golf of your life in just two weeks. ","screen_name":"Davidfred","following":null,"utc_offset":19800,"created_at":"Wed May 06 06:20:29 +0000 2009","profile_link_color":"0084B4","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/11802700\/el.JPG","profile_sidebar_fill_color":"DDFFCC","protected":false,"location":"California","name":"David Fred","profile_sidebar_border_color":"BDDCAD","profile_background_tile":true,"url":"http:\/\/bit.ly\/golfer","time_zone":"Kolkata","followers_count":420,"profile_background_color":"9AE4E8","friends_count":1108,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/199905046\/fred_modified1_normal.png","id":38127709,"profile_text_color":"333333"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908229900,"source":"twitterfeed<\/a>"} {"truncated":false,"text":"@Jabari sheesh. its like I stuck my hand into a whirlwind...","created_at":"Mon May 25 01:59:00 +0000 2009","in_reply_to_user_id":15918317,"favorited":false,"user":{"notifications":null,"statuses_count":6474,"favourites_count":114,"description":"(ex) Rapper \u2022 Blog Bully \u2022 Media Mastermind","screen_name":"DDotOmen","following":null,"utc_offset":-21600,"created_at":"Wed Oct 01 08:13:56 +0000 2008","profile_link_color":"000000","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/3692715\/domenlogoresized.jpg","profile_sidebar_fill_color":"ffffff","protected":false,"location":"DMV","name":"DDotOmen","profile_sidebar_border_color":"000000","profile_background_tile":true,"url":"http:\/\/DDotOmen.com","time_zone":"Central Time (US & Canada)","followers_count":563,"profile_background_color":"000000","friends_count":309,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/208345045\/adam-west-photo_200x137_normal.jpg","id":16541652,"profile_text_color":"000000"},"in_reply_to_screen_name":"Jabari","in_reply_to_status_id":1908204808,"id":1908230000,"source":"web"} {"truncated":false,"text":"I really need to take a vacation a really fun one u knw, its some much shit to b hear yha the world needs a vacation","created_at":"Mon May 25 01:59:01 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":15,"favourites_count":0,"description":null,"screen_name":"ToxicCrusader","following":null,"utc_offset":null,"created_at":"Mon Apr 20 03:35:26 +0000 2009","profile_link_color":"088253","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme3\/bg.gif","profile_sidebar_fill_color":"E3E2DE","protected":false,"location":null,"name":"Richard Islas","profile_sidebar_border_color":"D3D2CF","profile_background_tile":false,"url":null,"time_zone":null,"followers_count":4,"profile_background_color":"EDECE9","friends_count":3,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/149981704\/Sunset_normal.jpg","id":33408167,"profile_text_color":"634047"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908230003,"source":"web"} {"truncated":false,"text":"church sign: forbidden fruits create many jams.","created_at":"Mon May 25 01:59:00 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":877,"favourites_count":36,"description":"Girl in the thralls of a quarter life crisis provides updates for the masses.","screen_name":"forthenonce","following":null,"utc_offset":-28800,"created_at":"Wed Jul 02 22:22:07 +0000 2008","profile_link_color":"0084B4","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/4562367\/awesome.jpg","profile_sidebar_fill_color":"DDFFCC","protected":false,"location":"So Cal","name":"C.C. Valentine","profile_sidebar_border_color":"BDDCAD","profile_background_tile":true,"url":null,"time_zone":"Pacific Time (US & Canada)","followers_count":36,"profile_background_color":"9AE4E8","friends_count":54,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/73851301\/little_normal.jpg","id":15302426,"profile_text_color":"333333"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908230004,"source":"txt<\/a>"} {"truncated":false,"text":"@vpmedical time to go vickie","created_at":"Mon May 25 01:59:00 +0000 2009","in_reply_to_user_id":14307686,"favorited":false,"user":{"notifications":null,"statuses_count":40,"favourites_count":0,"description":"","screen_name":"dougpruitt","following":null,"utc_offset":-25200,"created_at":"Thu Dec 11 03:50:14 +0000 2008","profile_link_color":"FF0000","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme9\/bg.gif","profile_sidebar_fill_color":"FFF7CC","protected":false,"location":"Arkansas","name":"dougpruitt","profile_sidebar_border_color":"F2E195","profile_background_tile":true,"url":"http:\/\/dougpruitt.blogspot.com\/","time_zone":"Mountain Time (US & Canada)","followers_count":30,"profile_background_color":"BADFCD","friends_count":5,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/67063166\/notchurch1024_normal.jpg","id":18039975,"profile_text_color":"0C3E53"},"in_reply_to_screen_name":"vpmedical","in_reply_to_status_id":1907099555,"id":1908230001,"source":"TwitterFon<\/a>"} {"truncated":false,"text":"@spacetrucker And I bet you are right too...lol...Visit me.. http:\/\/bit.ly\/CKHQf","in_reply_to_user_id":22088201,"favorited":false,"created_at":"Mon May 25 01:59:00 +0000 2009","in_reply_to_screen_name":"spacetrucker","in_reply_to_status_id":1907250993,"id":1908230103,"user":{"friends_count":1942,"location":"Singapore","utc_offset":28800,"profile_text_color":"362720","notifications":null,"statuses_count":276,"favourites_count":0,"following":null,"profile_link_color":"B40B43","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme11\/bg.gif","description":"Asian Beauty on Cam FREE..I just love camming...naughty or nice...it's always FUN.","name":"Feel Young","profile_sidebar_fill_color":"e698b0","protected":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/217403496\/sweet_normal.jpg","created_at":"Thu May 14 03:32:00 +0000 2009","profile_sidebar_border_color":"CC3366","screen_name":"feelnlook","profile_background_tile":true,"time_zone":"Singapore","followers_count":1679,"id":39917884,"profile_background_color":"f9c8d8","url":"http:\/\/www.rocksolidbiz.net"},"source":"web"} {"text":"feels good man","created_at":"Mon May 25 01:59:00 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"ffffff","description":"","screen_name":"supleena","following":null,"utc_offset":-18000,"created_at":"Thu Jul 10 19:23:52 +0000 2008","friends_count":36,"profile_text_color":"634047","notifications":null,"statuses_count":185,"favourites_count":0,"protected":false,"profile_link_color":"136076","location":"","name":"Aleena ","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/4474272\/1222203186888.jpg","profile_sidebar_fill_color":"f3e7b4","url":null,"profile_sidebar_border_color":"D3D2CF","profile_background_tile":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/205801452\/screen-capture-55_normal.png","id":15381900,"time_zone":"Quito","followers_count":30},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908230104,"source":"TwitterBerry<\/a>"} {"truncated":false,"text":"Photo: my favorite picture of when I was little! http:\/\/tumblr.com\/x6y1v06bn","created_at":"Mon May 25 01:59:00 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":124,"favourites_count":6,"description":"I'm Kayla and I'm a goofball","screen_name":"kaylamariex","following":null,"utc_offset":-18000,"created_at":"Wed Oct 29 20:44:06 +0000 2008","profile_link_color":"FF3300","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme6\/bg.gif","profile_sidebar_fill_color":"A0C5C7","protected":false,"location":"rhode island","name":"KaylaWard!","profile_sidebar_border_color":"86A4A6","profile_background_tile":false,"url":"http:\/\/kaylamariexo.tumblr.com\/","time_zone":"Eastern Time (US & Canada)","followers_count":6,"profile_background_color":"709397","friends_count":7,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/116748288\/cookie_041_normal.JPG","id":17051455,"profile_text_color":"333333"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908230101,"source":"Tumblr<\/a>"} {"truncated":false,"text":"u da fukin best lil mama","created_at":"Mon May 25 01:59:00 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":8,"favourites_count":0,"description":"I just wanna be Successfull!!","screen_name":"BelloBeazy","following":null,"utc_offset":-18000,"created_at":"Sun Apr 05 21:25:57 +0000 2009","profile_link_color":"0084B4","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/7578665\/m_f81a141edb6e41ecabe193bef1ebec96.jpg","profile_sidebar_fill_color":"DDFFCC","protected":false,"location":"DaDe County 305 ...MIAMI","name":"BELLO","profile_sidebar_border_color":"BDDCAD","profile_background_tile":true,"url":null,"time_zone":"Quito","followers_count":5,"profile_background_color":"9AE4E8","friends_count":3,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/123200021\/IMG_0178_normal.JPG","id":29068718,"profile_text_color":"333333"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908230100,"source":"qTweeter<\/a>"} {"text":"Now Playing on NHL Home Ice - XM 204, Another page in the - NHL Yearbook","created_at":"Mon May 25 01:59:00 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"1A1B1F","description":"NHL Home Ice","screen_name":"xmhomeice","following":null,"utc_offset":-21600,"created_at":"Thu Jan 22 23:21:07 +0000 2009","friends_count":0,"profile_text_color":"666666","notifications":null,"statuses_count":10645,"favourites_count":0,"protected":false,"profile_link_color":"2FC2EF","location":"Canada","name":"NHL Home Ice","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme9\/bg.gif","profile_sidebar_fill_color":"252429","url":"http:\/\/www.nhlhomeice.com","profile_sidebar_border_color":"181A1E","profile_background_tile":false,"profile_image_url":"http:\/\/static.twitter.com\/images\/default_profile_normal.png","id":19368770,"time_zone":"Central Time (US & Canada)","followers_count":296},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908230102,"source":"web"} {"truncated":false,"text":"@MrsConnecticut 3 WORDS I DONT NEVER WANT TO HEAR :YOUR UNDER ARREST","created_at":"Mon May 25 01:59:01 +0000 2009","in_reply_to_user_id":28432204,"favorited":false,"user":{"notifications":null,"statuses_count":1869,"favourites_count":131,"description":"da hardest new unsigned rapper out currently residing n north cock it back(n.c) g-vegas(greenville) da next of da best when it cums 2 dat rap shit ya dig","screen_name":"SWIFTDATSME","following":null,"utc_offset":-21600,"created_at":"Sat Jan 24 20:30:24 +0000 2009","profile_link_color":"0000ff","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme1\/bg.gif","profile_sidebar_fill_color":"e0ff92","protected":false,"location":"GREENVILLE NC","name":"KELVIN WILLIAMS","profile_sidebar_border_color":"87bc44","profile_background_tile":false,"url":"http:\/\/www.myspace.com\/swiftdatsme","time_zone":"Central Time (US & Canada)","followers_count":365,"profile_background_color":"9ae4e8","friends_count":983,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/72960839\/SWIFT_1_normal.jpg","id":19461887,"profile_text_color":"000000"},"in_reply_to_screen_name":"MrsConnecticut","in_reply_to_status_id":1908193206,"id":1908230203,"source":"web"} {"truncated":false,"text":"and i cant wait til i get my multiple t-shirts made.","created_at":"Mon May 25 01:59:01 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":1459,"favourites_count":40,"description":"Once a Glambert, Always a Glambert :) --sick of the tears, and all the sorrow. forget yesterday, focus on tomorrow","screen_name":"scenexxqueen","following":null,"utc_offset":-21600,"created_at":"Thu Jan 15 22:07:12 +0000 2009","profile_link_color":"D02B55","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/6951040\/adamtop11shoot2-1.jpg","profile_sidebar_fill_color":"99CC33","protected":false,"location":"Lambert Land","name":"Feme Davi","profile_sidebar_border_color":"829D5E","profile_background_tile":true,"url":null,"time_zone":"Central Time (US & Canada)","followers_count":143,"profile_background_color":"352726","friends_count":323,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/205152912\/snapp_normal.jpg","id":19041560,"profile_text_color":"3E4415"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908230202,"source":"web"} {"truncated":false,"text":"Hi, everyone! Hope your weekend is exploding with bliss and beauty!","created_at":"Mon May 25 01:59:01 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":2940,"favourites_count":91,"description":"Passing thru the world...pausing 4 temporal interests. Lover of beauty and seeker of wisdom..Keeper of the Sacred Grove..Portal Nomad..Yin\/Yang-ist..Teacher ","screen_name":"sojourner9","following":null,"utc_offset":-18000,"created_at":"Thu Feb 19 04:05:52 +0000 2009","profile_link_color":"9D582E","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/5838267\/creation.jpg","profile_sidebar_fill_color":"EADEAA","protected":false,"location":"Plato's Cave","name":"Rick Gripshover","profile_sidebar_border_color":"D9B17E","profile_background_tile":false,"url":null,"time_zone":"Eastern Time (US & Canada)","followers_count":1252,"profile_background_color":"8B542B","friends_count":1341,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/98372053\/Photo_16_normal.jpg","id":21274364,"profile_text_color":"333333"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908230200,"source":"web"} {"text":"\u266a\u266b\u266a demencia temporal, verbal ballesta \u00a7 el chaval este os proyecta \u266a\u266b\u266a","created_at":"Mon May 25 01:59:01 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"B7B7B7","description":"Diaboli Virtvs In Lvmbis Est","screen_name":"reiterstahl","following":null,"utc_offset":-21600,"created_at":"Thu Mar 27 16:22:55 +0000 2008","friends_count":162,"profile_text_color":"000000","notifications":null,"statuses_count":8439,"favourites_count":10,"protected":false,"profile_link_color":"0000FF","location":"Costa Rica","name":"Rolando QR","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/8150207\/hlavna-train-wallpapers_12366_1440x900.jpg","profile_sidebar_fill_color":"E0FF91","url":"http:\/\/29a.site88.net","profile_sidebar_border_color":"87BC44","profile_background_tile":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/64691798\/jinx_normal.png","id":14236509,"time_zone":"Central America","followers_count":271},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908230201,"source":"DestroyTwitter<\/a>"} {"truncated":false,"text":"@arturofunaki yes! You got the reference!","created_at":"Mon May 25 01:59:01 +0000 2009","in_reply_to_user_id":18698850,"favorited":false,"user":{"notifications":null,"statuses_count":128,"favourites_count":0,"description":null,"screen_name":"Mikiekool","following":null,"utc_offset":null,"created_at":"Mon Mar 16 16:17:55 +0000 2009","profile_link_color":"2FC2EF","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/5817213\/skulltophatnew2.gif","profile_sidebar_fill_color":"252429","protected":false,"location":null,"name":"Mikie Acevedo","profile_sidebar_border_color":"181A1E","profile_background_tile":false,"url":null,"time_zone":null,"followers_count":16,"profile_background_color":"1A1B1F","friends_count":35,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/97918106\/DSCN1092_normal.JPG","id":24717635,"profile_text_color":"666666"},"in_reply_to_screen_name":"ArturoFuNaki","in_reply_to_status_id":null,"id":1908230204,"source":"txt<\/a>"} {"truncated":false,"text":"Just learned everytime by britney spears on the piano... Now im watchin remember the titians","created_at":"Mon May 25 01:59:02 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":206,"favourites_count":0,"description":"im ashley and im fucking amazing. tattoos, physcobilly, high hair& high heels...bitch.","screen_name":"animosity_13","following":null,"utc_offset":-25200,"created_at":"Fri Apr 17 02:57:30 +0000 2009","profile_link_color":"FF0000","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme12\/bg.gif","profile_sidebar_fill_color":"FFF7CC","protected":false,"location":"billings montana","name":"ashley neutgens","profile_sidebar_border_color":"F2E195","profile_background_tile":false,"url":"http:\/\/www.myspace.com\/loserfaceiloveyou","time_zone":"Mountain Time (US & Canada)","followers_count":36,"profile_background_color":"BADFCD","friends_count":46,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/141798745\/IMG_4649_normal.jpg","id":32272643,"profile_text_color":"0C3E53"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908230302,"source":"txt<\/a>"} {"text":"got my zoo pics developed! flickr update.","created_at":"Mon May 25 01:59:02 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"9ae4e8","description":"","screen_name":"emelex","following":null,"utc_offset":-18000,"created_at":"Tue Apr 08 22:10:13 +0000 2008","friends_count":93,"profile_text_color":"000000","notifications":null,"statuses_count":1604,"favourites_count":11,"protected":false,"profile_link_color":"0000ff","location":"","name":"emelex","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme1\/bg.gif","profile_sidebar_fill_color":"e0ff92","url":"http:\/\/wecantallbewinners.net","profile_sidebar_border_color":"87bc44","profile_background_tile":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/66975555\/n25518079_35275043_6515_normal.jpg","id":14336679,"time_zone":"Quito","followers_count":122},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908230300,"source":"txt<\/a>"} {"text":"YAY for @silverbell, @rachelbaker and @amyjfisher! BBQ was fun Thanks to you all","created_at":"Mon May 25 01:59:02 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"0099B9","description":"Experienced Media Buyer\/Planner avail for freelance or full time work (avatar courtesy of @zesmerelda)","screen_name":"Piratealice","following":null,"utc_offset":-21600,"created_at":"Mon Jun 09 01:19:46 +0000 2008","friends_count":518,"profile_text_color":"3C3940","notifications":null,"statuses_count":3599,"favourites_count":1,"protected":false,"profile_link_color":"0099B9","location":"Chicago","name":"Pattie Lee","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme4\/bg.gif","profile_sidebar_fill_color":"95E8EC","url":"http:\/\/tinyurl.com\/dgxdsm","profile_sidebar_border_color":"5ED4DC","profile_background_tile":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/125853542\/2962383879_9cea922b17_t_2__normal.jpg","id":15052203,"time_zone":"Central Time (US & Canada)","followers_count":484},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908230401,"source":"TweetDeck<\/a>"} {"truncated":false,"text":"listening to \"Depeche Mode (original video) - Behind the wheel\" \u266b http:\/\/blip.fm\/~6yyvc","created_at":"Mon May 25 01:59:02 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":594,"favourites_count":1,"description":"A Happy Mom","screen_name":"Tazziemoto","following":null,"utc_offset":-28800,"created_at":"Fri May 01 20:00:32 +0000 2009","profile_link_color":"0000ff","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme1\/bg.gif","profile_sidebar_fill_color":"e0ff92","protected":false,"location":"Bay Area, CA","name":"Tanya Cagnolatti","profile_sidebar_border_color":"87bc44","profile_background_tile":false,"url":null,"time_zone":"Pacific Time (US & Canada)","followers_count":17,"profile_background_color":"9ae4e8","friends_count":18,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/217424695\/tanya2_normal.JPG","id":37026230,"profile_text_color":"000000"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908230301,"source":"Blip.fm<\/a>"} {"text":"PLATE BREAKERS UNITE!!","created_at":"Mon May 25 01:59:02 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"9AE4E8","description":"Actor\/Singer\/Songwriter from the D who Loves the Lord and you too God Bless!! want to know more about me tweet me!!","screen_name":"TeamDeLo","following":null,"utc_offset":-18000,"created_at":"Sat Mar 07 17:46:24 +0000 2009","friends_count":86,"profile_text_color":"333333","notifications":null,"statuses_count":1742,"favourites_count":4,"protected":false,"profile_link_color":"0084B4","location":"Detroit","name":"Cotton","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/9850224\/381182530_wB4mq-M.jpg","profile_sidebar_fill_color":"DDFFCC","url":"http:\/\/www.myspace.com\/trainedvocalist","profile_sidebar_border_color":"BDDCAD","profile_background_tile":true,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/200650687\/381181990_GiEq3-M_normal.jpg","id":23215130,"time_zone":"Quito","followers_count":214},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908230404,"source":"mobile web<\/a>"} {"truncated":false,"text":"Six firefighters save woman's handbag http:\/\/tinyurl.com\/p47k66","created_at":"Mon May 25 01:59:02 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":13634,"favourites_count":0,"description":"","screen_name":"newscomau","following":null,"utc_offset":36000,"created_at":"Tue Oct 23 00:07:09 +0000 2007","profile_link_color":"0000ff","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme1\/bg.gif","profile_sidebar_fill_color":"e0ff92","protected":false,"location":"Sydney, Australia","name":"News.com.au","profile_sidebar_border_color":"87bc44","profile_background_tile":false,"url":"http:\/\/www.news.com.au","time_zone":"Sydney","followers_count":253,"profile_background_color":"9ae4e8","friends_count":1,"profile_image_url":"http:\/\/static.twitter.com\/images\/default_profile_normal.png","id":9609742,"profile_text_color":"000000"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908230400,"source":"twitterfeed<\/a>"} {"truncated":false,"text":"Laundry is a snooze fest.","created_at":"Mon May 25 01:59:03 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":48,"favourites_count":0,"description":"","screen_name":"Sarahnade2k9","following":null,"utc_offset":-18000,"created_at":"Fri Apr 24 22:42:18 +0000 2009","profile_link_color":"088253","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme3\/bg.gif","profile_sidebar_fill_color":"E3E2DE","protected":false,"location":"iPhone: 40.463364,-79.945450","name":"Sarah N","profile_sidebar_border_color":"D3D2CF","profile_background_tile":false,"url":null,"time_zone":"Eastern Time (US & Canada)","followers_count":4,"profile_background_color":"EDECE9","friends_count":22,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/181865861\/me_normal.jpg","id":35065457,"profile_text_color":"634047"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908230501,"source":"TwitterFon<\/a>"} {"text":"@lawknee your pathetically out of shape WTF.","created_at":"Mon May 25 01:59:03 +0000 2009","truncated":false,"in_reply_to_user_id":23255897,"user":{"profile_background_color":"000000","description":"POR QUEEEEEEE?????","screen_name":"Geneopath","following":null,"utc_offset":-28800,"created_at":"Tue Apr 07 23:32:51 +0000 2009","friends_count":38,"profile_text_color":"0af8ff","notifications":null,"statuses_count":206,"favourites_count":0,"protected":false,"profile_link_color":"30ff24","location":"Sacramento, EARTH","name":"Joseph Reindl","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/10593606\/1240801542347.jpg","profile_sidebar_fill_color":"7800e6","url":null,"profile_sidebar_border_color":"181A1E","profile_background_tile":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/195640773\/m_c1356b2c18ba44068537e3e422153735_normal.jpg","id":29578071,"time_zone":"Pacific Time (US & Canada)","followers_count":39},"favorited":false,"in_reply_to_screen_name":"lawknee","in_reply_to_status_id":null,"id":1908230503,"source":"txt<\/a>"} {"truncated":false,"text":"\u201d\u6b66\u591a\u9670\u53e4\u708e\u5ea7\u201d\u3063\u3066\u523a\u7e4d\u3044\u308c\u305f\u7279\u653b\u670d\u7740\u308c\u3070\u3001\u611f\u67d3\u3057\u306a\u3044","created_at":"Mon May 25 01:59:03 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":8220,"favourites_count":5409,"description":"\u2523\u00a8\u30de\u30cb\u30a2\u3067\u3059","screen_name":"keyboardmania","following":null,"utc_offset":32400,"created_at":"Sun Dec 16 11:35:40 +0000 2007","profile_link_color":"0000ff","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme1\/bg.gif","profile_sidebar_fill_color":"e0ff92","protected":false,"location":"iPhone: 38.256786,140.902451","name":"\u304d\u3044\u307c\u3046\uff01","profile_sidebar_border_color":"87bc44","profile_background_tile":false,"url":"http:\/\/d.hatena.ne.jp\/keyboardmania\/","time_zone":"Tokyo","followers_count":289,"profile_background_color":"9ae4e8","friends_count":335,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/228820435\/20584063-1_normal.jpg","id":11219642,"profile_text_color":"000000"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908230504,"source":"twicli<\/a>"} {"text":"@TheMonkeyBoy Touchy feely? :)","created_at":"Mon May 25 01:59:04 +0000 2009","truncated":false,"in_reply_to_user_id":15045209,"user":{"profile_background_color":"352726","description":"","screen_name":"andrewzur","following":null,"utc_offset":36000,"created_at":"Fri Feb 27 06:33:50 +0000 2009","friends_count":31,"profile_text_color":"3E4415","notifications":null,"statuses_count":933,"favourites_count":0,"protected":false,"profile_link_color":"D02B55","location":"iPhone: -37.871201,144.976257","name":"Andrew Zur","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme5\/bg.gif","profile_sidebar_fill_color":"99CC33","url":null,"profile_sidebar_border_color":"829D5E","profile_background_tile":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/206186169\/n723220345_6464695_6548421_normal.jpg","id":22115483,"time_zone":"Melbourne","followers_count":60},"favorited":false,"in_reply_to_screen_name":"TheMonkeyBoy","in_reply_to_status_id":1908219502,"id":1908230602,"source":"web"} {"text":"On O.M.O. Writes: : http:\/\/tinyurl.com\/q32xs9","created_at":"Mon May 25 01:59:04 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"BADFCD","description":"All that's fashion, fun & ecclectic!","screen_name":"omowrites","following":null,"utc_offset":-25200,"created_at":"Wed Nov 12 18:55:31 +0000 2008","friends_count":55,"profile_text_color":"0C3E53","notifications":null,"statuses_count":926,"favourites_count":2,"protected":false,"profile_link_color":"ff00A0","location":"\u00dcT: 40.896091,-73.843944","name":"omowrites","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/6013512\/omobanner.jpg","profile_sidebar_fill_color":"f5efd1","url":"http:\/\/http:omowrites.blogspot.com","profile_sidebar_border_color":"F2E195","profile_background_tile":true,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/64685823\/n804221_41642590_1995_normal.jpg","id":17345752,"time_zone":"Mountain Time (US & Canada)","followers_count":211},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908230601,"source":"twitterfeed<\/a>"} {"truncated":false,"text":"@Ragnar0 u would","created_at":"Mon May 25 01:59:04 +0000 2009","in_reply_to_user_id":18181864,"favorited":false,"user":{"notifications":null,"statuses_count":43,"favourites_count":0,"description":"Mechanical Design Engineer, Sportsman, Gamer, Drinker.. and more","screen_name":"MrS1eep","following":null,"utc_offset":36000,"created_at":"Mon May 18 22:09:05 +0000 2009","profile_link_color":"1F98C7","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme2\/bg.gif","profile_sidebar_fill_color":"DAECF4","protected":false,"location":"Melbourne, Australia","name":"Rob Davidson","profile_sidebar_border_color":"C6E2EE","profile_background_tile":false,"url":null,"time_zone":"Melbourne","followers_count":10,"profile_background_color":"C6E2EE","friends_count":13,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/217995370\/rob2_normal.JPG","id":40981887,"profile_text_color":"663B12"},"in_reply_to_screen_name":"Ragnar0","in_reply_to_status_id":1908219312,"id":1908230603,"source":"TweetDeck<\/a>"} {"truncated":false,"text":"....Wonders if I steal his wallet will he stiil go to the strip club tonite....","created_at":"Mon May 25 01:59:06 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":393,"favourites_count":0,"description":"I know i look rather sweet and got a pretty face, but i cud fu*k a becon score up in 30days- Jazzy!","screen_name":"Mous_world","following":null,"utc_offset":-36000,"created_at":"Sun Apr 12 01:57:30 +0000 2009","profile_link_color":"0000ff","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme1\/bg.gif","profile_sidebar_fill_color":"e0ff92","protected":false,"location":"Miami, Sun Shinney Florida","name":"Erica Delancy","profile_sidebar_border_color":"87bc44","profile_background_tile":false,"url":null,"time_zone":"Hawaii","followers_count":49,"profile_background_color":"9ae4e8","friends_count":87,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/140330813\/n1448492839_30174517_3703_normal.jpg","id":30576469,"profile_text_color":"000000"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908230604,"source":"TwitterBerry<\/a>"} {"text":"@zeeliuser putz! q chato! mas a tattoo ficou boa?","created_at":"Mon May 25 01:59:05 +0000 2009","truncated":false,"in_reply_to_user_id":16035292,"user":{"profile_background_color":"fd9bd4","description":"Eu o que fui, eu o que sou e eu o que serei.","screen_name":"guinhazinha","following":null,"utc_offset":-10800,"created_at":"Mon Apr 20 01:37:30 +0000 2009","friends_count":84,"profile_text_color":"15b1ef","notifications":null,"statuses_count":213,"favourites_count":0,"protected":false,"profile_link_color":"9c00ff","location":"Brasil !","name":"Helga Machado","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/10829613\/ppelparede__26_.jpg","profile_sidebar_fill_color":"c1e5fb","url":null,"profile_sidebar_border_color":"f8dc0d","profile_background_tile":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/191837281\/eitadomingueira___24__normal.jpg","id":33371108,"time_zone":"Brasilia","followers_count":67},"favorited":false,"in_reply_to_screen_name":"zeeliuser","in_reply_to_status_id":1908202531,"id":1908230702,"source":"TweetDeck<\/a>"} {"in_reply_to_user_id":14821941,"text":"@DonStugots enjoy the cigar. I gotta go find some tequila :-)","favorited":false,"created_at":"Mon May 25 01:59:05 +0000 2009","in_reply_to_screen_name":"DonStugots","in_reply_to_status_id":1908215072,"id":1908230701,"user":{"profile_link_color":"f41510","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/10931479\/1_tal_07.jpg","utc_offset":-21600,"profile_sidebar_fill_color":"ffffff","profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/137159239\/jonkolbeavatar_normal.jpg","following":null,"created_at":"Wed Dec 03 10:42:53 +0000 2008","profile_sidebar_border_color":"ffffff","description":"One of the unemployed masses, incurable optimist and lover of ALL things real estate","screen_name":"jonkolbe","name":"Jonathan Kolbe","profile_background_tile":false,"protected":false,"time_zone":"Central Time (US & Canada)","followers_count":1413,"profile_background_color":"ffffff","friends_count":1140,"location":"Boca Raton, Florida","profile_text_color":"1a106a","id":17833883,"notifications":null,"statuses_count":2412,"favourites_count":7,"url":"http:\/\/www.jonkolbe.com"},"truncated":false,"source":"TweetDeck<\/a>"} {"truncated":false,"text":"@adustyframe Congrats!!","created_at":"Mon May 25 01:59:05 +0000 2009","in_reply_to_user_id":15608330,"favorited":false,"user":{"notifications":null,"statuses_count":130,"favourites_count":0,"description":"","screen_name":"Jeraly","following":null,"utc_offset":-28800,"created_at":"Tue May 15 13:14:44 +0000 2007","profile_link_color":"990000","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme7\/bg.gif","profile_sidebar_fill_color":"F3F3F3","protected":false,"location":"Palm Springs, CA","name":"Jeraly Designs","profile_sidebar_border_color":"DFDFDF","profile_background_tile":false,"url":"http:\/\/jeraly.etsy.com\/","time_zone":"Pacific Time (US & Canada)","followers_count":151,"profile_background_color":"EBEBEB","friends_count":165,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/185059935\/J5_normal.jpg","id":6062282,"profile_text_color":"333333"},"in_reply_to_screen_name":"adustyframe","in_reply_to_status_id":1908057715,"id":1908230700,"source":"web"} {"text":"@BusaBusss Bigg fan busta, Wurd up From Artist to Artist. Myspace.com\/Boyninog Check me out !! I got some Fire.","created_at":"Mon May 25 01:59:05 +0000 2009","truncated":false,"in_reply_to_user_id":24278900,"user":{"profile_background_color":"1A1B1F","description":"Im an Artist\/Engineer Need work?","screen_name":"Nin0G","following":null,"utc_offset":-25200,"created_at":"Tue Mar 31 17:52:41 +0000 2009","friends_count":138,"profile_text_color":"666666","notifications":null,"statuses_count":17,"favourites_count":0,"protected":false,"profile_link_color":"2FC2EF","location":"NJ ","name":"Nino G","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/8211649\/ninopagexclusivefy5.png","profile_sidebar_fill_color":"252429","url":null,"profile_sidebar_border_color":"181A1E","profile_background_tile":true,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/210290573\/US-1_normal.gif","id":27922660,"time_zone":"Mountain Time (US & Canada)","followers_count":31},"favorited":false,"in_reply_to_screen_name":"BusaBusss","in_reply_to_status_id":1908038851,"id":1908230704,"source":"web"} {"truncated":false,"text":"\u4f60\u4eec\u8fd9\u79cd\u641e\u6cd5\uff0c\u4e5f\u53eb\u641e\u7ecf\u8425\u7ba1\u7406\u7684\uff1f\u5145\u5176\u91cf\u7b97\u4e2a\u5927\u961f\u4e66\u8bb0\u3002","in_reply_to_user_id":null,"favorited":false,"created_at":"Mon May 25 01:59:05 +0000 2009","in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908230802,"user":{"friends_count":12,"location":"china","utc_offset":28800,"profile_text_color":"3C3940","notifications":null,"statuses_count":488,"favourites_count":0,"following":null,"profile_link_color":"0099B9","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/7635551\/Knight_Stress.jpg","description":"a man...","name":"ssun.xh","profile_sidebar_fill_color":"95E8EC","protected":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/124089765\/xingxing_normal.jpg","created_at":"Sun Apr 05 10:10:19 +0000 2009","profile_sidebar_border_color":"5ED4DC","screen_name":"cdds","profile_background_tile":false,"time_zone":"Beijing","followers_count":14,"id":28967983,"profile_background_color":"0099B9","url":null},"source":"web"} {"in_reply_to_user_id":null,"text":"......and finally: the exhausting ride home.","favorited":false,"created_at":"Mon May 25 01:59:05 +0000 2009","in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908230801,"user":{"profile_link_color":"1F98C7","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme2\/bg.gif","utc_offset":-28800,"profile_sidebar_fill_color":"DAECF4","profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/107771890\/images_normal.jpg","following":null,"created_at":"Mon Mar 23 21:45:07 +0000 2009","profile_sidebar_border_color":"C6E2EE","description":"","screen_name":"GutterShow","name":"Mr. GutterShow","profile_background_tile":false,"protected":false,"time_zone":"Pacific Time (US & Canada)","followers_count":5,"profile_background_color":"C6E2EE","friends_count":21,"location":"","profile_text_color":"663B12","id":26097818,"notifications":null,"statuses_count":53,"favourites_count":0,"url":null},"truncated":false,"source":"mobile web<\/a>"} {"text":"Swine flu spreads to WA http:\/\/tinyurl.com\/qh6sup","created_at":"Mon May 25 01:59:06 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"9ae4e8","description":"","screen_name":"newscomau","following":null,"utc_offset":36000,"created_at":"Tue Oct 23 00:07:09 +0000 2007","friends_count":1,"profile_text_color":"000000","notifications":null,"statuses_count":13635,"favourites_count":0,"protected":false,"profile_link_color":"0000ff","location":"Sydney, Australia","name":"News.com.au","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme1\/bg.gif","profile_sidebar_fill_color":"e0ff92","url":"http:\/\/www.news.com.au","profile_sidebar_border_color":"87bc44","profile_background_tile":false,"profile_image_url":"http:\/\/static.twitter.com\/images\/default_profile_normal.png","id":9609742,"time_zone":"Sydney","followers_count":253},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908230902,"source":"twitterfeed<\/a>"} {"text":"So, the introduction of my essay is like, a full page because of my printing.","created_at":"Mon May 25 01:59:06 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"0522f5","description":"I'm a 16 year old girl, who just likes to chill out and live life her own way.","screen_name":"mwick_","following":null,"utc_offset":-14400,"created_at":"Sun Mar 15 16:47:41 +0000 2009","friends_count":107,"profile_text_color":"000000","notifications":null,"statuses_count":1384,"favourites_count":8,"protected":false,"profile_link_color":"0522f5","location":"Prince Edward Island","name":"Mallory Wickstrom ","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/6107653\/z105817390.jpg","profile_sidebar_fill_color":"5cb3ff","url":"http:\/\/www.livejournal.com\/malicesbbgurls","profile_sidebar_border_color":"ff891a","profile_background_tile":true,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/223702897\/HPIM22876_normal.jpg","id":24548104,"time_zone":"Atlantic Time (Canada)","followers_count":83},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908230901,"source":"web"} {"truncated":false,"text":"I wish I could stay with my dad longer :*(","created_at":"Mon May 25 01:59:06 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":434,"favourites_count":1,"description":"","screen_name":"kaleyroo","following":null,"utc_offset":-21600,"created_at":"Sun Dec 21 02:28:46 +0000 2008","profile_link_color":"111111","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/8682163\/lines1.gif","profile_sidebar_fill_color":"fd6393","protected":false,"location":"Florida","name":"Kaley DaSilva","profile_sidebar_border_color":"777777","profile_background_tile":true,"url":"http:\/\/www.myspce.com\/445779999","time_zone":"Central Time (US & Canada)","followers_count":167,"profile_background_color":"000000","friends_count":26,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/181690956\/Image1_normal.png","id":18277382,"profile_text_color":"000000"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908230900,"source":"Tweetie<\/a>"} {"truncated":false,"text":"downloading #MW2 trailer... probably too soon to announce it's inevitable game of the century status though","created_at":"Mon May 25 01:59:06 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":495,"favourites_count":0,"description":null,"screen_name":"dgood","following":null,"utc_offset":-14400,"created_at":"Fri Apr 25 13:51:30 +0000 2008","profile_link_color":"0000ff","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme1\/bg.gif","profile_sidebar_fill_color":"e0ff92","protected":false,"location":null,"name":"dgood","profile_sidebar_border_color":"87bc44","profile_background_tile":false,"url":null,"time_zone":"Santiago","followers_count":22,"profile_background_color":"9ae4e8","friends_count":24,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/114918788\/dev-logo2_normal.png","id":14526473,"profile_text_color":"000000"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908230904,"source":"Gwibber<\/a>"} {"truncated":false,"text":"Do atheists understand abstract language? http:\/\/tinyurl.com\/q8c34f","created_at":"Mon May 25 01:59:07 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":28871,"favourites_count":0,"description":"I'm the http:\/\/wrongplanet.net twitterbot. Wrong Planet is the site for Autism and Asperger's.","screen_name":"wrongplanet","following":null,"utc_offset":-18000,"created_at":"Mon Mar 10 17:48:31 +0000 2008","profile_link_color":"0000ff","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme1\/bg.gif","profile_sidebar_fill_color":"e0ff92","protected":false,"location":"","name":"wrongplanet","profile_sidebar_border_color":"87bc44","profile_background_tile":false,"url":"http:\/\/wrongplanet.net","time_zone":"Eastern Time (US & Canada)","followers_count":364,"profile_background_color":"9ae4e8","friends_count":1,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/51694349\/wptip2_normal.gif","id":14115858,"profile_text_color":"000000"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908231001,"source":"twitterfeed<\/a>"} {"truncated":false,"text":"RT @MaryBeth66: RT @pir8gold: maybe we can get biden to reveal the secret location of obamas birth certificate?? #tcot","created_at":"Mon May 25 01:59:07 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":666,"favourites_count":11,"description":"Married to my Best Friend, Father of 2, Conservative, police officer, former Marine, political junkie and lover of all things that make me scream Hell Yeah!","screen_name":"S_Dierwechter","following":null,"utc_offset":-18000,"created_at":"Mon Mar 23 02:53:51 +0000 2009","profile_link_color":"2FC2EF","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/6918533\/1.jpg","profile_sidebar_fill_color":"252429","protected":false,"location":"Lancaster, Pennsylvania","name":"Scott DIerwechter","profile_sidebar_border_color":"181A1E","profile_background_tile":true,"url":"http:\/\/chaoticnation.blogspot.com","time_zone":"Eastern Time (US & Canada)","followers_count":446,"profile_background_color":"1A1B1F","friends_count":553,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/107064380\/s1045267907_30310010_7007_normal.jpeg","id":25939442,"profile_text_color":"666666"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908231002,"source":"TweetDeck<\/a>"} {"text":"The Latest news from DIY Cloud Lamp: \nI love this dreamy DIY cloud lamp made from simple cut.. http:\/\/tinyurl.com\/rxyjvm","created_at":"Mon May 25 01:59:07 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"1f1d1a","description":"For updates on crafting, knitting and on our handmade buttons. Also ETSY and TeamEsst.","screen_name":"TinyArk","following":null,"utc_offset":0,"created_at":"Sat Jan 17 19:36:46 +0000 2009","friends_count":331,"profile_text_color":"161313","notifications":null,"statuses_count":1436,"favourites_count":4,"protected":false,"profile_link_color":"2e2828","location":"Dublin, Dublin City (53.338086","name":"Tinyark","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/4045532\/WOLF125.jpg","profile_sidebar_fill_color":"db4e33","url":"http:\/\/www.TinyArk.Etsy.Com","profile_sidebar_border_color":"820908","profile_background_tile":true,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/106273401\/handmadeirish_2_normal.jpg","id":19120894,"time_zone":"Dublin","followers_count":286},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908231003,"source":"twitterfeed<\/a>"} {"text":"@sallads i stopped following the ones saying you were spam LMAO.... -shrugs-","created_at":"Mon May 25 01:59:07 +0000 2009","truncated":false,"in_reply_to_user_id":23342567,"user":{"profile_background_color":"000000","description":"I'm completely random, just so you know... & whatever you wanna know, ASK ME!! (duh)","screen_name":"fyrestorme","following":null,"utc_offset":-18000,"created_at":"Fri Feb 27 22:21:23 +0000 2009","friends_count":329,"profile_text_color":"767b7f","notifications":null,"statuses_count":892,"favourites_count":0,"protected":false,"profile_link_color":"18baec","location":"Kent, Ohio","name":"Sarah Plumley","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/11254120\/fyre.gif","profile_sidebar_fill_color":"000000","url":"http:\/\/www.myspace.com\/sarah_fyre","profile_sidebar_border_color":"181A1E","profile_background_tile":true,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/219464505\/Picture_245_normal.jpg","id":22199123,"time_zone":"Eastern Time (US & Canada)","followers_count":140},"favorited":false,"in_reply_to_screen_name":"sallads","in_reply_to_status_id":1908172068,"id":1908231004,"source":"web"} {"text":"Time to play some president!","created_at":"Mon May 25 01:59:07 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"352726","description":"","screen_name":"palmer_379","following":null,"utc_offset":-18000,"created_at":"Thu Oct 09 00:16:18 +0000 2008","friends_count":22,"profile_text_color":"3E4415","notifications":null,"statuses_count":71,"favourites_count":0,"protected":false,"profile_link_color":"D02B55","location":"","name":"palmer_379","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme5\/bg.gif","profile_sidebar_fill_color":"99CC33","url":"http:\/\/palmer379.blogspot.com","profile_sidebar_border_color":"829D5E","profile_background_tile":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/138708150\/me_edited_normal.JPG","id":16658925,"time_zone":"Quito","followers_count":10},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908231101,"source":"web"} {"truncated":false,"text":"SLAM DUNK\nhttp:\/\/bit.ly\/vkSpJ","created_at":"Mon May 25 01:59:07 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":1425,"favourites_count":2,"description":"A SuperDuppaLion","screen_name":"catherinelaure","following":null,"utc_offset":-18000,"created_at":"Thu Apr 09 23:35:50 +0000 2009","profile_link_color":"9D582E","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme8\/bg.gif","profile_sidebar_fill_color":"EADEAA","protected":false,"location":"","name":"Catherine-Laure ","profile_sidebar_border_color":"D9B17E","profile_background_tile":false,"url":null,"time_zone":"Quito","followers_count":233,"profile_background_color":"8B542B","friends_count":855,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/220027108\/moi_normal.jpg","id":30097902,"profile_text_color":"333333"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908231102,"source":"web"} {"truncated":false,"text":"My friend went to Short sale class in MD and the atty said it is TOTALLY illegal for agents to negotiate with banks. indictments r coming","created_at":"Mon May 25 01:59:07 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":2970,"favourites_count":13,"description":"Savvy, Fun Wife, cancer survivor,wannabe geek, lover of life, Pollyanna, and REALTOR, Gaithersburg Maryland","screen_name":"Audreyforshey","following":null,"utc_offset":-18000,"created_at":"Fri Feb 15 13:59:19 +0000 2008","profile_link_color":"412f42","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/3702192\/red_wallpaper_2.jpg","profile_sidebar_fill_color":"e53873","protected":false,"location":"\u00dcT: 39.157257,-77.213567","name":"AudreyForshey","profile_sidebar_border_color":"471029","profile_background_tile":true,"url":"http:\/\/www.MovinMaryland.com","time_zone":"Eastern Time (US & Canada)","followers_count":1301,"profile_background_color":"642D8B","friends_count":1152,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/189655290\/Audrey4_normal.jpg","id":13515322,"profile_text_color":"3a1b50"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908231100,"source":"TweetDeck<\/a>"} {"text":"Doesn't man have enough necessary ills without increasing them by invention?... http:\/\/bit.ly\/HYfoB","created_at":"Mon May 25 01:59:07 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"83cb72","description":"Follow me and answer to my questions to get points!","screen_name":"YouAnswer","following":null,"utc_offset":-18000,"created_at":"Wed Apr 29 08:29:20 +0000 2009","friends_count":728,"profile_text_color":"333333","notifications":null,"statuses_count":24551,"favourites_count":0,"protected":false,"profile_link_color":"0084B4","location":"USA","name":"I ask, You Answer!","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/11453627\/puntoint.png","profile_sidebar_fill_color":"DDFFCC","url":"http:\/\/www.linkati.com\/q\/","profile_sidebar_border_color":"BDDCAD","profile_background_tile":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/190135384\/io_normal.png","id":36317416,"time_zone":"Eastern Time (US & Canada)","followers_count":1111},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908231103,"source":"web"} {"truncated":false,"text":"@estemshorn Thanks!","created_at":"Mon May 25 01:59:08 +0000 2009","in_reply_to_user_id":17400827,"favorited":false,"user":{"notifications":null,"statuses_count":703,"favourites_count":0,"description":"I kick ass.","screen_name":"Ganon391","following":null,"utc_offset":-21600,"created_at":"Sat Aug 02 05:19:05 +0000 2008","profile_link_color":"2FC2EF","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/4751847\/1234553569073.png","profile_sidebar_fill_color":"252429","protected":false,"location":"","name":"Ganon391","profile_sidebar_border_color":"181A1E","profile_background_tile":true,"url":null,"time_zone":"Central Time (US & Canada)","followers_count":55,"profile_background_color":"1A1B1F","friends_count":102,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/203636402\/btbam_colors_normal.jpg","id":15698527,"profile_text_color":"666666"},"in_reply_to_screen_name":"estemshorn","in_reply_to_status_id":1908215298,"id":1908231200,"source":"TweetDeck<\/a>"} {"truncated":false,"text":"@jordanknight Is it Ghandi? is Ghandi still alive??","created_at":"Mon May 25 01:59:08 +0000 2009","in_reply_to_user_id":31001575,"favorited":false,"user":{"notifications":null,"statuses_count":274,"favourites_count":1,"description":"","screen_name":"TNLJV","following":null,"utc_offset":-18000,"created_at":"Fri Feb 20 23:53:52 +0000 2009","profile_link_color":"b40b0d","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/13272473\/new-kid-john.jpg","profile_sidebar_fill_color":"E5507E","protected":false,"location":"Queens, NYC","name":"Theresa Aquilino","profile_sidebar_border_color":"CC3366","profile_background_tile":true,"url":null,"time_zone":"Eastern Time (US & Canada)","followers_count":20,"profile_background_color":"FF6699","friends_count":59,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/128593467\/TnL_normal.jpg","id":21447943,"profile_text_color":"362720"},"in_reply_to_screen_name":"jordanknight","in_reply_to_status_id":1908171479,"id":1908231201,"source":"web"} {"text":"@Chrissy_L i love that movie! i've been trying to find the beetlejuice cartoons on DVD and i've had NO LUCK :(","created_at":"Mon May 25 01:59:08 +0000 2009","truncated":false,"in_reply_to_user_id":22001146,"user":{"profile_background_color":"1A1B1F","description":"I am me... take it or leave it","screen_name":"iampancakes","following":null,"utc_offset":-28800,"created_at":"Fri Apr 17 20:32:44 +0000 2009","friends_count":66,"profile_text_color":"666666","notifications":null,"statuses_count":1457,"favourites_count":2,"protected":false,"profile_link_color":"2FC2EF","location":"Long Beach, CA","name":"Roxy","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme9\/bg.gif","profile_sidebar_fill_color":"252429","url":"http:\/\/iampancakes.livejournal.com\/","profile_sidebar_border_color":"181A1E","profile_background_tile":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/191573712\/twit_normal.jpg","id":32567230,"time_zone":"Pacific Time (US & Canada)","followers_count":53},"favorited":false,"in_reply_to_screen_name":"Chrissy_L","in_reply_to_status_id":1908197430,"id":1908231203,"source":"TwitterFox<\/a>"} {"text":"Here it comes.","created_at":"Mon May 25 01:59:08 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"352726","description":"The man who passed the anarchist a cigarette.","screen_name":"Jaconius","following":null,"utc_offset":-32400,"created_at":"Sat Sep 20 01:08:49 +0000 2008","friends_count":69,"profile_text_color":"3E4415","notifications":null,"statuses_count":290,"favourites_count":6,"protected":false,"profile_link_color":"D02B55","location":"North Coast","name":"Jake Rochon","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme5\/bg.gif","profile_sidebar_fill_color":"99CC33","url":"http:\/\/gasolinerainbows.wordpress.com","profile_sidebar_border_color":"829D5E","profile_background_tile":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/69964912\/rocknrollah_normal.jpg","id":16372864,"time_zone":"Alaska","followers_count":21},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908231202,"source":"web"} {"text":"RT @LinkedInExpert: LinkedIn tip: Reply to every invitation w\/ a thank you note incl. cool info you give away 4 free & contact info.","created_at":"Mon May 25 01:59:08 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"ffffff","description":"Website development & strategy, Online marketing, social media and return on investment, online revenue. Former radio guy. Oh! Red wine too! ","screen_name":"KurtScholle","following":null,"utc_offset":-21600,"created_at":"Fri Apr 25 13:46:12 +0000 2008","friends_count":1565,"profile_text_color":"000000","notifications":null,"statuses_count":2107,"favourites_count":102,"protected":false,"profile_link_color":"0000ff","location":"Chicago","name":"KurtScholle","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/3417203\/mcicheaderv.jpg","profile_sidebar_fill_color":"fdfe2f","url":"http:\/\/www.Website-ROI-Guy.com","profile_sidebar_border_color":"87bc44","profile_background_tile":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/198599328\/sobconkurt130_normal.jpg","id":14526422,"time_zone":"Central Time (US & Canada)","followers_count":1674},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908231204,"source":"TweetDeck<\/a>"} {"text":"Shinedown - Second Chance - 09:57 PM visit www.RadioTAGr.com\/WKSE to TAG this song","created_at":"Mon May 25 01:59:09 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"9ae4e8","description":null,"screen_name":"kiss985","following":null,"utc_offset":null,"created_at":"Thu May 21 19:06:15 +0000 2009","friends_count":0,"profile_text_color":"000000","notifications":null,"statuses_count":883,"favourites_count":0,"protected":false,"profile_link_color":"0000ff","location":null,"name":"kiss985","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme1\/bg.gif","profile_sidebar_fill_color":"e0ff92","url":null,"profile_sidebar_border_color":"87bc44","profile_background_tile":false,"profile_image_url":"http:\/\/static.twitter.com\/images\/default_profile_normal.png","id":41652532,"time_zone":null,"followers_count":33},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908231304,"source":"web"} {"truncated":false,"text":"@Grand_Poobah - I've been corrected on the final score... it was Dishes 104 to Tramps 44. got some photographic evidence on that one! lol","created_at":"Mon May 25 01:59:09 +0000 2009","in_reply_to_user_id":23039714,"favorited":false,"user":{"notifications":null,"statuses_count":25,"favourites_count":1,"description":"Tri City Roller Girls is a Women's Flat-Track Roller Derby league who skate out of Kitchener\/Waterloo\/Cambridge, Ontario, Canada.","screen_name":"TriCityRG","following":null,"utc_offset":-18000,"created_at":"Tue Apr 14 16:57:05 +0000 2009","profile_link_color":"2FC2EF","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme9\/bg.gif","profile_sidebar_fill_color":"252429","protected":false,"location":"Kitchener, Ontario, Canada","name":"TriCityRollerGirls","profile_sidebar_border_color":"181A1E","profile_background_tile":false,"url":"http:\/\/www.myspace.com\/tricityrollergirls","time_zone":"Quito","followers_count":66,"profile_background_color":"1A1B1F","friends_count":96,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/205651120\/ssso2_normal.jpg","id":31166456,"profile_text_color":"666666"},"in_reply_to_screen_name":"Grand_Poobah","in_reply_to_status_id":1906370245,"id":1908231303,"source":"web"} {"text":"Win the first NVIDIA ION motherboard!","created_at":"Mon May 25 01:59:09 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"9ae4e8","description":null,"screen_name":"Evade_Tricks","following":null,"utc_offset":null,"created_at":"Mon May 25 01:51:51 +0000 2009","friends_count":1,"profile_text_color":"000000","notifications":null,"statuses_count":2,"favourites_count":0,"protected":false,"profile_link_color":"0000ff","location":null,"name":"Andrew naera","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme1\/bg.gif","profile_sidebar_fill_color":"e0ff92","url":null,"profile_sidebar_border_color":"87bc44","profile_background_tile":false,"profile_image_url":"http:\/\/static.twitter.com\/images\/default_profile_normal.png","id":42326136,"time_zone":null,"followers_count":0},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908231302,"source":"web"} {"truncated":false,"text":"@cherokeesita","created_at":"Mon May 25 01:59:09 +0000 2009","in_reply_to_user_id":15246964,"favorited":false,"user":{"notifications":null,"statuses_count":1368,"favourites_count":68,"description":"birds, birdwatching and everything in between","screen_name":"burdr","following":null,"utc_offset":-28800,"created_at":"Sat Jan 10 04:14:02 +0000 2009","profile_link_color":"0084B4","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/4564505\/burdr_twitter_forest.jpg","profile_sidebar_fill_color":"fdf7ce","protected":false,"location":"North America","name":"burdr","profile_sidebar_border_color":"BDDCAD","profile_background_tile":false,"url":null,"time_zone":"Pacific Time (US & Canada)","followers_count":2750,"profile_background_color":"9AE4E8","friends_count":2940,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/121478393\/wood_duck_normal.jpg","id":18826472,"profile_text_color":"333333"},"in_reply_to_screen_name":"cherokeesita","in_reply_to_status_id":1908098034,"id":1908231301,"source":"Seesmic Desktop<\/a>"} {"truncated":false,"text":"@AlexxxxEnglish C-C-C-C-C-COMBO BREAKER!","created_at":"Mon May 25 01:59:09 +0000 2009","in_reply_to_user_id":25626418,"favorited":false,"user":{"notifications":null,"statuses_count":328,"favourites_count":0,"description":"That Nigga","screen_name":"mrwigglesisk1ng","following":null,"utc_offset":-28800,"created_at":"Tue Jan 06 23:39:49 +0000 2009","profile_link_color":"f11334","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/7202122\/Picture_021.jpg","profile_sidebar_fill_color":"000000","protected":false,"location":"North Las Vegas","name":"Wiggles","profile_sidebar_border_color":"000000","profile_background_tile":true,"url":"http:\/\/Joebuddentv.com","time_zone":"Pacific Time (US & Canada)","followers_count":51,"profile_background_color":"000000","friends_count":59,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/192269466\/avatar-body_normal.png","id":18701564,"profile_text_color":"ec2727"},"in_reply_to_screen_name":"AlexxxxEnglish","in_reply_to_status_id":1908203693,"id":1908231300,"source":"web"} {"truncated":false,"text":"@sminhu3z txt frm 3559 said contact chase n 800 # was automated but asked for the card #, exp , and pin.. identity theft scam","created_at":"Mon May 25 01:59:09 +0000 2009","in_reply_to_user_id":39657405,"favorited":false,"user":{"notifications":null,"statuses_count":62,"favourites_count":0,"description":"MAD explosive spontaneity... inky artsy...fuccin amazing...no...really...it's tatu mu ya'll...tweet tweet bitches","screen_name":"lilblumunchkin","following":null,"utc_offset":-25200,"created_at":"Mon Feb 16 18:25:50 +0000 2009","profile_link_color":"0000ff","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme1\/bg.gif","profile_sidebar_fill_color":"e0ff92","protected":false,"location":"Houston","name":"Munit Tadesse","profile_sidebar_border_color":"87bc44","profile_background_tile":false,"url":"http:\/\/www.myspace.com\/da_tru_mu","time_zone":"Mountain Time (US & Canada)","followers_count":34,"profile_background_color":"9ae4e8","friends_count":54,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/78904390\/IMG00385_normal.JPG","id":21010512,"profile_text_color":"000000"},"in_reply_to_screen_name":"sminhu3z","in_reply_to_status_id":null,"id":1908231403,"source":"mobile web<\/a>"} {"text":"Wow hes voice is amazinq!!! Hehe lol idk!!! ILY!!! x3 \nboredom can resolve too many thinqs....","created_at":"Mon May 25 01:59:09 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"1A1B1F","description":"Into Rock, Sports, Friends, Art, Poetry and the best for last Church","screen_name":"NancyAzc","following":null,"utc_offset":-18000,"created_at":"Sun May 17 15:41:51 +0000 2009","friends_count":21,"profile_text_color":"666666","notifications":null,"statuses_count":63,"favourites_count":0,"protected":false,"profile_link_color":"2FC2EF","location":"Lost In My Own World","name":"Nancy Azcona ","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme9\/bg.gif","profile_sidebar_fill_color":"252429","url":"http:\/\/www.myspace.com\/mannythefinest","profile_sidebar_border_color":"181A1E","profile_background_tile":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/227625558\/l_01a3e484bea44341a7b36b784d16e9ac_normal.jpg","id":40678928,"time_zone":"Quito","followers_count":22},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908231401,"source":"web"} {"truncated":false,"text":"back from Half Moon Lake. -exhausted.","created_at":"Mon May 25 01:59:09 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":192,"favourites_count":0,"description":"21 years old. Single. Born and raised in South Texas. Daily blogger. Visit my Myspace page to view my photos,music,blog lists and more @ the web address above.","screen_name":"krystaltrev","following":null,"utc_offset":-21600,"created_at":"Wed May 06 05:08:20 +0000 2009","profile_link_color":"D02B55","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme5\/bg.gif","profile_sidebar_fill_color":"99CC33","protected":false,"location":"Wy.\/Texas","name":"Krystal aka CHiCHi","profile_sidebar_border_color":"829D5E","profile_background_tile":false,"url":"http:\/\/www.myspace.com\/krystaltrev","time_zone":"Central Time (US & Canada)","followers_count":30,"profile_background_color":"352726","friends_count":59,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/214231506\/0506092225-1_1__normal.jpg","id":38119148,"profile_text_color":"3E4415"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908231404,"source":"web"} {"text":"I make fun of Baby Boomer-geared commercials now... - but with my luck, I\u2019m going to require all those damn... http:\/\/tumblr.com\/xbi1v06cr","created_at":"Mon May 25 01:59:09 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"EBEBEB","description":"Don't listen to anything I say. Associate editor for MyPre.com SlashGear.com and PhoneMag.com. Recently Graduated Cum Laude from ASU.","screen_name":"StevenGrady","following":null,"utc_offset":-25200,"created_at":"Tue Oct 28 05:04:52 +0000 2008","friends_count":166,"profile_text_color":"333333","notifications":null,"statuses_count":1006,"favourites_count":1,"protected":false,"profile_link_color":"990000","location":"Tempe, AZ","name":"Steven Grady","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme7\/bg.gif","profile_sidebar_fill_color":"F3F3F3","url":"http:\/\/www.mypre.com","profile_sidebar_border_color":"DFDFDF","profile_background_tile":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/220257120\/DSCF0034_normal.JPG","id":17015960,"time_zone":"Arizona","followers_count":118},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908231402,"source":"Tumblr<\/a>"} {"truncated":false,"text":"http:\/\/twitpic.com\/5wa8b - NeoAmour Collection: Boudicca's Coins Necklace with sterling silver and copper, handmade by me","in_reply_to_user_id":null,"favorited":false,"created_at":"Mon May 25 01:59:09 +0000 2009","in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908231400,"user":{"friends_count":2001,"location":"Ontario, Canada","utc_offset":-21600,"profile_text_color":"362720","notifications":null,"statuses_count":172,"favourites_count":0,"following":null,"profile_link_color":"B40B43","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/12163881\/bg.gif","description":"Artist, jewellery maker, photographer, child of nature, bookworm and animal lover. New Vegan and LOVING it!","name":"Meghann LittleStudio","profile_sidebar_fill_color":"E5507E","protected":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/198511923\/twittermeg_normal.jpg","created_at":"Sat Jan 03 00:03:41 +0000 2009","profile_sidebar_border_color":"CC3366","screen_name":"meglittlestudio","profile_background_tile":true,"time_zone":"Central Time (US & Canada)","followers_count":1181,"id":18568005,"profile_background_color":"FF6699","url":"http:\/\/www.etsy.com\/shop.php?user_id=6101001"},"source":"TwitPic<\/a>"} {"text":"just got home from an amazing day with Family but exhausted.","created_at":"Mon May 25 01:59:10 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"1A1B1F","description":"Discipling leaders of today to change the world tomorrow of all ages","screen_name":"Jennvin","following":null,"utc_offset":-18000,"created_at":"Mon Oct 06 16:00:35 +0000 2008","friends_count":76,"profile_text_color":"666666","notifications":null,"statuses_count":1204,"favourites_count":0,"protected":false,"profile_link_color":"2FC2EF","location":"Gettysburg, PA","name":"JennV","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme9\/bg.gif","profile_sidebar_fill_color":"252429","url":"http:\/\/jenn-vintigni.blogspot.com\/","profile_sidebar_border_color":"181A1E","profile_background_tile":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/119266705\/Flawless_normal.jpg","id":16615450,"time_zone":"Quito","followers_count":71},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908231500,"source":"web"} {"truncated":false,"text":"http:\/\/www.hotel626.com\/ < fui ver de novo! \u00c9 real demaais! =x","created_at":"Mon May 25 01:59:10 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":51,"favourites_count":0,"description":null,"screen_name":"joaop789","following":null,"utc_offset":null,"created_at":"Sun May 03 06:58:31 +0000 2009","profile_link_color":"0000ff","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme1\/bg.gif","profile_sidebar_fill_color":"e0ff92","protected":false,"location":null,"name":"joao789","profile_sidebar_border_color":"87bc44","profile_background_tile":false,"url":null,"time_zone":null,"followers_count":11,"profile_background_color":"9ae4e8","friends_count":28,"profile_image_url":"http:\/\/static.twitter.com\/images\/default_profile_normal.png","id":37381523,"profile_text_color":"000000"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908231501,"source":"web"} {"text":"@tokushima \u30ca\u30f3","created_at":"Mon May 25 01:59:10 +0000 2009","truncated":false,"in_reply_to_user_id":3594851,"user":{"profile_background_color":"9ae4e8","description":"\u4eca\u306b\u3082\u843d\u3061\u3066\u304d\u305d\u3046\u306a\u7a7a\u306e\u4e0b\u3067","screen_name":"venten","following":null,"utc_offset":32400,"created_at":"Thu Jul 26 10:43:33 +0000 2007","friends_count":44,"profile_text_color":"000000","notifications":null,"statuses_count":941,"favourites_count":0,"protected":false,"profile_link_color":"0000ff","location":"","name":"venten","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme1\/bg.gif","profile_sidebar_fill_color":"e0ff92","url":null,"profile_sidebar_border_color":"87bc44","profile_background_tile":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/25800412\/___1_normal.jpg","id":7733732,"time_zone":"Tokyo","followers_count":54},"favorited":false,"in_reply_to_screen_name":"tokushima","in_reply_to_status_id":1908219699,"id":1908231502,"source":"web"} {"truncated":false,"text":"@netta50 LMAO an assistant in a speedo...that sounds dangerous; for the assistant. hot irons, chemicals all that bare skin? hmmm","created_at":"Mon May 25 01:59:11 +0000 2009","in_reply_to_user_id":14369064,"favorited":false,"user":{"notifications":null,"statuses_count":1013,"favourites_count":45,"description":"I'm actually very shy. :)","screen_name":"SocialDivo","following":null,"utc_offset":-18000,"created_at":"Mon Mar 03 21:54:50 +0000 2008","profile_link_color":"fa0003","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/14451447\/SocialDivo.jpg","profile_sidebar_fill_color":"591812","protected":false,"location":"Alpharetta, GA","name":"divO","profile_sidebar_border_color":"000000","profile_background_tile":false,"url":"http:\/\/socialdivo.blogspot.com\/","time_zone":"Eastern Time (US & Canada)","followers_count":1712,"profile_background_color":"9f2004","friends_count":1646,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/226846651\/1968_normal.jpg","id":14074743,"profile_text_color":"f4811f"},"in_reply_to_screen_name":"netta50","in_reply_to_status_id":1902991260,"id":1908231604,"source":"web"} {"truncated":false,"text":"chillin in my car with my bffs don and kim","created_at":"Mon May 25 01:59:11 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":4,"favourites_count":0,"description":null,"screen_name":"RiiCHBOii","following":null,"utc_offset":null,"created_at":"Sat May 23 23:24:57 +0000 2009","profile_link_color":"0000ff","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme1\/bg.gif","profile_sidebar_fill_color":"e0ff92","protected":false,"location":null,"name":"Richard Hutchinson ","profile_sidebar_border_color":"87bc44","profile_background_tile":false,"url":null,"time_zone":null,"followers_count":2,"profile_background_color":"9ae4e8","friends_count":9,"profile_image_url":"http:\/\/static.twitter.com\/images\/default_profile_normal.png","id":42118940,"profile_text_color":"000000"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908231603,"source":"mobile web<\/a>"} {"truncated":false,"text":"apparently @astro_mike emails his updates to houston, then nasa emp post to his twitter. so, technically not twittering from space","created_at":"Mon May 25 01:59:11 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":50,"favourites_count":1,"description":"residential\/small business computer repairs -- Go Cowboys, Go Yankees","screen_name":"sherrih999","following":null,"utc_offset":-18000,"created_at":"Tue Mar 10 19:57:44 +0000 2009","profile_link_color":"0099B9","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme4\/bg.gif","profile_sidebar_fill_color":"95E8EC","protected":false,"location":"","name":"Sherri","profile_sidebar_border_color":"5ED4DC","profile_background_tile":false,"url":null,"time_zone":"Quito","followers_count":19,"profile_background_color":"0099B9","friends_count":26,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/138233619\/bev_and_sherri__fixed__normal.jpg","id":23642930,"profile_text_color":"3C3940"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908231600,"source":"TweetDeck<\/a>"} {"truncated":false,"text":"@girlsaresexy u go sexy!!!","created_at":"Mon May 25 01:59:11 +0000 2009","in_reply_to_user_id":28955841,"favorited":false,"user":{"notifications":null,"statuses_count":521,"favourites_count":0,"description":"african barbie \/ mirror addict \/ wannabe diva\/ undercover geek \/ girlgroup boss \/ dancing queen \/ vocal acrobat \/ bedroom gymnast \/ amaaaaazing person haha","screen_name":"KissezToniYo","following":null,"utc_offset":0,"created_at":"Thu Mar 05 22:18:17 +0000 2009","profile_link_color":"580b99","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/14347981\/anime1.jpg","profile_sidebar_fill_color":"fd3ae3","protected":false,"location":"london","name":"kisela berice","profile_sidebar_border_color":"000000","profile_background_tile":true,"url":"http:\/\/www.myspace.com\/belleantonio","time_zone":"London","followers_count":54,"profile_background_color":"9AE4E8","friends_count":35,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/227349613\/4393_1098249068581_1597281823_221244_7288490_n_normal.jpg","id":22988771,"profile_text_color":"000000"},"in_reply_to_screen_name":"girlsaresexy","in_reply_to_status_id":1906925160,"id":1908231601,"source":"web"} {"in_reply_to_user_id":null,"text":"Omg i just won $500!!","favorited":false,"created_at":"Mon May 25 01:59:11 +0000 2009","in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908231602,"user":{"profile_link_color":"990000","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme7\/bg.gif","utc_offset":-28800,"profile_sidebar_fill_color":"F3F3F3","profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/124502596\/123656813753985_normal.jpg","following":null,"created_at":"Mon Apr 06 15:23:14 +0000 2009","profile_sidebar_border_color":"DFDFDF","description":"","screen_name":"JusCallMeV","name":"Vanessa Ruiz","profile_background_tile":false,"protected":false,"time_zone":"Pacific Time (US & Canada)","followers_count":2,"profile_background_color":"EBEBEB","friends_count":6,"location":"California","profile_text_color":"333333","id":29221249,"notifications":null,"statuses_count":104,"favourites_count":0,"url":null},"truncated":false,"source":"txt<\/a>"} {"text":"http:\/\/twitpic.com\/5wa8f - Massage time ensues","created_at":"Mon May 25 01:59:12 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"352726","description":"i don't know what this \"twitter\" thing is, but a bird just flew into my front window so i think i can handle it.","screen_name":"shesteiny","following":null,"utc_offset":-21600,"created_at":"Fri Aug 01 18:16:39 +0000 2008","friends_count":88,"profile_text_color":"3E4415","notifications":null,"statuses_count":1316,"favourites_count":0,"protected":false,"profile_link_color":"D02B55","location":"Chicago, IL","name":"rachel steinmeier","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme5\/bg.gif","profile_sidebar_fill_color":"99CC33","url":null,"profile_sidebar_border_color":"829D5E","profile_background_tile":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/64853748\/Picture_609_normal.jpg","id":15692358,"time_zone":"Central Time (US & Canada)","followers_count":107},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908231701,"source":"TwitPic<\/a>"} {"truncated":false,"text":"How about mr grown ass man wit 2 poofs on each side of his head...","created_at":"Mon May 25 01:59:12 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":487,"favourites_count":2,"description":"LoViNg Me!","screen_name":"MissPhenomenal","following":null,"utc_offset":-18000,"created_at":"Fri Mar 27 03:45:48 +0000 2009","profile_link_color":"FF0000","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme10\/bg.gif","profile_sidebar_fill_color":"7AC3EE","protected":false,"location":"Some-nice-place, New York","name":"Phylicia B.","profile_sidebar_border_color":"65B0DA","profile_background_tile":true,"url":null,"time_zone":"Eastern Time (US & Canada)","followers_count":39,"profile_background_color":"642D8B","friends_count":36,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/212468846\/pheandarie_normal.jpg","id":26942551,"profile_text_color":"3D1957"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908231700,"source":"txt<\/a>"} {"truncated":false,"text":"Heading to the Walmarket to rent Paul Blart: Mall Cop!","created_at":"Mon May 25 01:59:12 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":31,"favourites_count":0,"description":"","screen_name":"redavis47","following":null,"utc_offset":-21600,"created_at":"Fri May 08 20:53:11 +0000 2009","profile_link_color":"0000ff","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme1\/bg.gif","profile_sidebar_fill_color":"e0ff92","protected":false,"location":"Memphis, TN","name":"Eddie Davis","profile_sidebar_border_color":"87bc44","profile_background_tile":false,"url":null,"time_zone":"Central Time (US & Canada)","followers_count":17,"profile_background_color":"9ae4e8","friends_count":19,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/203849318\/Video_Snapshot-1_normal.jpeg","id":38741973,"profile_text_color":"000000"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908231704,"source":"TwitterBerry<\/a>"} {"text":"@dandahia A melhor forma de ver #24Horas \u00e9 fazendo \"maratona\": pegar um fds e ver TUDO direto.","created_at":"Mon May 25 01:59:12 +0000 2009","truncated":false,"in_reply_to_user_id":16703051,"user":{"profile_background_color":"9AE4E8","description":"","screen_name":"whinstonr","following":null,"utc_offset":-10800,"created_at":"Thu Nov 27 14:02:44 +0000 2008","friends_count":100,"profile_text_color":"333333","notifications":null,"statuses_count":2031,"favourites_count":35,"protected":false,"profile_link_color":"0084B4","location":"Mat\u00e3o, S\u00e3o Paulo","name":"whinston rodrigues","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme1\/bg.gif","profile_sidebar_fill_color":"DDFFCC","url":"http:\/\/www.pontogeek.com.br","profile_sidebar_border_color":"BDDCAD","profile_background_tile":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/65642552\/foto_msn_gde_normal.jpg","id":17678476,"time_zone":"Brasilia","followers_count":202},"favorited":false,"in_reply_to_screen_name":"dandahia","in_reply_to_status_id":1908204017,"id":1908231703,"source":"Tweetie<\/a>"} {"truncated":false,"text":"@JuliaRymut Thanks Julia! This forum is great for helping others. #rpro","created_at":"Mon May 25 01:59:12 +0000 2009","in_reply_to_user_id":20571141,"favorited":false,"user":{"notifications":null,"statuses_count":361,"favourites_count":13,"description":"Layed Off fromFord, Now I Enjoy My Business, Having Fun \/ Helping Others. http:\/\/www.annetobel.com ","screen_name":"annethemavmktr","following":null,"utc_offset":-18000,"created_at":"Sun Nov 16 20:56:18 +0000 2008","profile_link_color":"FF0000","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme10\/bg.gif","profile_sidebar_fill_color":"f7daf4","protected":false,"location":"Michigan ","name":"Anne Tobel","profile_sidebar_border_color":"65B0DA","profile_background_tile":true,"url":"http:\/\/www.tinyurl.com\/dk99jy","time_zone":"Eastern Time (US & Canada)","followers_count":682,"profile_background_color":"642D8B","friends_count":685,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/150251040\/TobelAndrea3--July2001_normal.jpg","id":17427717,"profile_text_color":"3D1957"},"in_reply_to_screen_name":"JuliaRymut","in_reply_to_status_id":1908225486,"id":1908231803,"source":"TweetChat<\/a>"} {"truncated":false,"text":"its funny how you can be hyper on the internet but feel like shit irl.. whatever tho.. #humpthestump #humpthestump #humpthestump","created_at":"Mon May 25 01:59:12 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":26,"favourites_count":17,"description":null,"screen_name":"xClan_Destine","following":null,"utc_offset":null,"created_at":"Tue Apr 14 15:12:45 +0000 2009","profile_link_color":"0000ff","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme1\/bg.gif","profile_sidebar_fill_color":"e0ff92","protected":false,"location":null,"name":"Gee Stegall","profile_sidebar_border_color":"87bc44","profile_background_tile":false,"url":null,"time_zone":null,"followers_count":3,"profile_background_color":"9ae4e8","friends_count":12,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/198707923\/james_normal.bmp","id":31143059,"profile_text_color":"000000"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908231804,"source":"web"} {"truncated":false,"text":"Des'Ree - You Gotta Be - 07:56 PM visit www.RadioTAGr.com\/KPEK to TAG this song","created_at":"Mon May 25 01:59:12 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":619,"favourites_count":0,"description":null,"screen_name":"1003thepeak","following":null,"utc_offset":null,"created_at":"Thu May 21 22:17:53 +0000 2009","profile_link_color":"0000ff","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme1\/bg.gif","profile_sidebar_fill_color":"e0ff92","protected":false,"location":null,"name":"1003thepeak","profile_sidebar_border_color":"87bc44","profile_background_tile":false,"url":null,"time_zone":null,"followers_count":43,"profile_background_color":"9ae4e8","friends_count":0,"profile_image_url":"http:\/\/static.twitter.com\/images\/default_profile_normal.png","id":41690643,"profile_text_color":"000000"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908231801,"source":"web"} {"truncated":false,"text":"need to patch up on signing,could not read that convo!","created_at":"Mon May 25 01:59:12 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":665,"favourites_count":0,"description":"Living a crazy dream (in theory). I love Cheese and Audrey Hepburn films!","screen_name":"RyKas","following":null,"utc_offset":0,"created_at":"Wed Feb 11 20:10:15 +0000 2009","profile_link_color":"0099B9","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme4\/bg.gif","profile_sidebar_fill_color":"95E8EC","protected":false,"location":"London","name":"Emily Lynham","profile_sidebar_border_color":"5ED4DC","profile_background_tile":false,"url":null,"time_zone":"London","followers_count":30,"profile_background_color":"0099B9","friends_count":35,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/217114606\/em_normal.jpg","id":20622239,"profile_text_color":"3C3940"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908231802,"source":"mobile web<\/a>"} {"truncated":false,"text":"@HiMYSYeD Yay! Glad to hear it. Thanks for the update. Have to stop by next time I'm out that way.","created_at":"Mon May 25 01:59:13 +0000 2009","in_reply_to_user_id":17450799,"favorited":false,"user":{"notifications":null,"statuses_count":9717,"favourites_count":133,"description":"Ex-yurt dwelling, mostly vegetarian, fundamentalist agnostic, US expatriate, carfree unschooling parent who works for the man by day and against him by night.","screen_name":"toddtyrtle","following":null,"utc_offset":-18000,"created_at":"Wed Dec 12 13:26:40 +0000 2007","profile_link_color":"D02B55","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme5\/bg.gif","profile_sidebar_fill_color":"99CC33","protected":false,"location":"Toronto, ON","name":"toddtyrtle","profile_sidebar_border_color":"829D5E","profile_background_tile":false,"url":"http:\/\/tyrtle.wordpress.com","time_zone":"Eastern Time (US & Canada)","followers_count":384,"profile_background_color":"352726","friends_count":168,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/74364230\/avatar_normal.jpg","id":11087042,"profile_text_color":"3E4415"},"in_reply_to_screen_name":"HiMYSYeD","in_reply_to_status_id":1907659331,"id":1908231901,"source":"web"} {"truncated":false,"text":"@InstantBinary Super, thanks. Does @InstantBinary specialize in iPhone development?","created_at":"Mon May 25 01:59:13 +0000 2009","in_reply_to_user_id":31709567,"favorited":false,"user":{"notifications":null,"statuses_count":348,"favourites_count":15,"description":"Joint Contact product founder, active blogger, instructor, software engineer","screen_name":"jointcontact","following":null,"utc_offset":-28800,"created_at":"Sat May 24 15:04:15 +0000 2008","profile_link_color":"B9670F","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/2796684\/clouds.gif","profile_sidebar_fill_color":"e0ff92","protected":false,"location":"Seattle, WA","name":"Wayne Bishop","profile_sidebar_border_color":"87bc44","profile_background_tile":true,"url":"http:\/\/www.jointcontact.com","time_zone":"Pacific Time (US & Canada)","followers_count":121,"profile_background_color":"9ae4e8","friends_count":69,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/66499045\/waynebishop_twitter_normal.jpg","id":14891638,"profile_text_color":"000000"},"in_reply_to_screen_name":"InstantBinary","in_reply_to_status_id":1902461860,"id":1908231902,"source":"Tweetie<\/a>"} {"text":"@fourzerotwo RT http:\/\/zz.gd\/235764 - The first Modern Warfare 2 Trailer IS LIVE!! Watch it in all its HD glory and uncut form! #MW2 YES SIR","created_at":"Mon May 25 01:59:13 +0000 2009","truncated":false,"in_reply_to_user_id":3359851,"user":{"profile_background_color":"1A1B1F","description":"Im Zac, I have friends. I Like Xbox and Hockey a lot. Goodbye. ","screen_name":"ZS_v2","following":null,"utc_offset":-18000,"created_at":"Thu Oct 02 03:09:26 +0000 2008","friends_count":155,"profile_text_color":"666666","notifications":null,"statuses_count":2406,"favourites_count":20,"protected":false,"profile_link_color":"2FC2EF","location":"North Kingstown, RI","name":"Zac Sheehan","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/8124990\/avatar-body.png","profile_sidebar_fill_color":"252429","url":null,"profile_sidebar_border_color":"181A1E","profile_background_tile":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/106865055\/Aviators_mirror_suns._normal.jpg","id":16554601,"time_zone":"Eastern Time (US & Canada)","followers_count":148},"favorited":false,"in_reply_to_screen_name":"fourzerotwo","in_reply_to_status_id":1908214539,"id":1908231900,"source":"web"} {"truncated":false,"text":"\u4eac\u6975\u590f\u5f66\u306e\u300c\u53ad\u306a\u5c0f\u8aac\u300d\u304c\u672c\u5f53\u306b\u53ad\u306a\u5c0f\u8aac\u3067\u7b11\u3063\u305f\u3002\u307e\u3060\u8aad\u3093\u3067\u306a\u3044\u3051\u3069\u3001\u624b\u306b\u3068\u3063\u305f\u3060\u3051\u3067\u300c\u3046\u308f\u3001\u53ad\u306a\u672c\uff01\u300d\u3063\u3066\u306a\u308b\u3002\u3055\u3059\u304c\u4eac\u6975\u8179\u9ed2\u3044\uff08\u826f\u3044\u610f\u5473\u3067\uff09","created_at":"Mon May 25 01:59:13 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":1196,"favourites_count":23,"description":"\u8da3\u5473\u7d75\u63cf\u304d\u3067\u3059\u3002","screen_name":"phi_01","following":null,"utc_offset":-36000,"created_at":"Fri Jul 04 00:29:37 +0000 2008","profile_link_color":"0099B9","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/8604289\/chobi.jpg","profile_sidebar_fill_color":"dedede","protected":false,"location":"\u65e5\u672c","name":"mato","profile_sidebar_border_color":"5ba6dc","profile_background_tile":true,"url":"http:\/\/chirol85.blog39.fc2.com\/","time_zone":"Hawaii","followers_count":85,"profile_background_color":"ffffff","friends_count":73,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/212147877\/pixiv16_normal.jpg","id":15313899,"profile_text_color":"3C3940"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908231903,"source":"web"} {"truncated":false,"text":"I'm watching Mystery on PBS.","in_reply_to_user_id":null,"favorited":false,"created_at":"Mon May 25 01:59:13 +0000 2009","in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908231904,"user":{"friends_count":12,"location":"American Southwest","utc_offset":-25200,"profile_text_color":"333333","notifications":null,"statuses_count":12,"favourites_count":0,"following":null,"profile_link_color":"990000","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme7\/bg.gif","description":"Fear Film Fan","name":"Stephen Houser","profile_sidebar_fill_color":"F3F3F3","protected":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/228933614\/Photo_4_normal.jpg","created_at":"Mon Apr 13 03:42:24 +0000 2009","profile_sidebar_border_color":"DFDFDF","screen_name":"SVH_Man","profile_background_tile":false,"time_zone":"Mountain Time (US & Canada)","followers_count":4,"id":30799794,"profile_background_color":"EBEBEB","url":null},"source":"web"} {"text":"Ahhhhhhhhhhhh!","created_at":"Mon May 25 01:59:14 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"9ae4e8","description":"","screen_name":"JaredPicot","following":null,"utc_offset":-18000,"created_at":"Tue Mar 03 14:38:24 +0000 2009","friends_count":12,"profile_text_color":"000000","notifications":null,"statuses_count":92,"favourites_count":1,"protected":false,"profile_link_color":"0000ff","location":"iPhone: 35.571156,-77.328499","name":"Jared ","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme1\/bg.gif","profile_sidebar_fill_color":"e0ff92","url":null,"profile_sidebar_border_color":"87bc44","profile_background_tile":false,"profile_image_url":"http:\/\/static.twitter.com\/images\/default_profile_normal.png","id":22629298,"time_zone":"Quito","followers_count":14},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908232000,"source":"TwitterFon<\/a>"} {"truncated":false,"text":"Do You Want Fries With That Logo? | How-To | Smashing Magazine: Worse comes to worse, take the work home and do .. http:\/\/bit.ly\/eGFZ9","created_at":"Mon May 25 01:59:14 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":1272,"favourites_count":1,"description":"Writer, PR Consultant, Internet Entrepreneur, Life Coach, living with ME\/CFS - and I make a great cuppa!","screen_name":"catcassels","following":null,"utc_offset":0,"created_at":"Thu Feb 12 22:03:09 +0000 2009","profile_link_color":"FF0000","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/11449308\/8982_background.jpg","profile_sidebar_fill_color":"7AC3EE","protected":false,"location":"Edinburgh, Scotland","name":"Cat Cassels","profile_sidebar_border_color":"65B0DA","profile_background_tile":false,"url":null,"time_zone":"Edinburgh","followers_count":3335,"profile_background_color":"642D8B","friends_count":3669,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/207843781\/mecfs-05_8jsx_normal.png","id":20724218,"profile_text_color":"3D1957"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908232001,"source":"twitterfeed<\/a>"} {"text":"#nycrealestate FHA in Manhattan: Created about 1 hour ago http:\/\/tinyurl.com\/pm83se","created_at":"Mon May 25 01:59:14 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"1A1B1F","description":"Here to provide you with live real estate updates in NYC","screen_name":"nyc_realestate","following":null,"utc_offset":-18000,"created_at":"Wed Mar 04 04:36:21 +0000 2009","friends_count":1335,"profile_text_color":"666666","notifications":null,"statuses_count":2535,"favourites_count":1,"protected":false,"profile_link_color":"2FC2EF","location":"New York City","name":"NYC Real Estate","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme9\/bg.gif","profile_sidebar_fill_color":"252429","url":null,"profile_sidebar_border_color":"181A1E","profile_background_tile":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/89359112\/NYCbuilding_normal.jpg","id":22734109,"time_zone":"Eastern Time (US & Canada)","followers_count":1361},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908232002,"source":"twitterfeed<\/a>"} {"text":"sin and mainly our secret sin no one know,but Him.Reading the Word and skipping all through it to your favorite verse.The bible teaches all","created_at":"Mon May 25 01:59:14 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"642D8B","description":"I live for the salvation of ALL.","screen_name":"Realword","following":null,"utc_offset":-21600,"created_at":"Tue Apr 07 04:13:49 +0000 2009","friends_count":386,"profile_text_color":"3D1957","notifications":null,"statuses_count":18,"favourites_count":5,"protected":false,"profile_link_color":"FF0000","location":"realword13@yahoo.com","name":"David For Word","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/9053606\/Sunset.jpg","profile_sidebar_fill_color":"7AC3EE","url":"http:\/\/tangle.com\/Realword","profile_sidebar_border_color":"65B0DA","profile_background_tile":true,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/139232291\/Sunset_normal.jpg","id":29380226,"time_zone":"Central Time (US & Canada)","followers_count":291},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908232104,"source":"web"} {"text":"Welcome to the Siegel Band twitter! It'll be pretty boring now, but this fall, this baby will be humming with updates of your favorite band!","created_at":"Mon May 25 01:59:14 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"001047","description":"The Award-Winning Siegel High School Band, from Murfreesboro, Tennessee.","screen_name":"SiegelBand","following":null,"utc_offset":-21600,"created_at":"Mon May 25 01:48:42 +0000 2009","friends_count":0,"profile_text_color":"000000","notifications":null,"statuses_count":1,"favourites_count":0,"protected":false,"profile_link_color":"207acf","location":"Murfreesboro, Tennessee","name":"Siegel Band","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/14515102\/HeaderPNG.png","profile_sidebar_fill_color":"20cfa4","url":"http:\/\/www.siegelband.org\/","profile_sidebar_border_color":"159be5","profile_background_tile":true,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/228926023\/20081018Hoover-43_normal.JPG","id":42325628,"time_zone":"Central Time (US & Canada)","followers_count":0},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908232103,"source":"web"} {"text":"New Years Resolutions are not my thing... i prefer Summer Resolutions.\r \r Mine is to READ more! =) \r \r What are... http:\/\/tinyurl.com\/phr7f9","created_at":"Mon May 25 01:59:14 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"EBEBEB","description":"My name is gary...I'm over high school...i love hearts with a passion...and my fav thing in the world is dancing? =)","screen_name":"ForSeriousGary","following":null,"utc_offset":-28800,"created_at":"Fri Sep 26 23:00:21 +0000 2008","friends_count":300,"profile_text_color":"333333","notifications":null,"statuses_count":3751,"favourites_count":49,"protected":false,"profile_link_color":"e31679","location":"San Diego, CA","name":"Gary Schudel","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/10373967\/Pic.jpg","profile_sidebar_fill_color":"F3F3F3","url":"http:\/\/www.dailybooth.com\/ForSeriousGary","profile_sidebar_border_color":"DFDFDF","profile_background_tile":true,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/185802124\/Pic3_normal.png","id":16476638,"time_zone":"Pacific Time (US & Canada)","followers_count":244},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908232100,"source":"web"} {"truncated":false,"text":"Gosh darnit! This box doesn't have a chart!!","in_reply_to_user_id":null,"favorited":false,"created_at":"Mon May 25 01:59:15 +0000 2009","in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908232202,"user":{"friends_count":15,"location":"New York","utc_offset":-18000,"profile_text_color":"333333","notifications":null,"statuses_count":429,"favourites_count":0,"following":null,"profile_link_color":"990000","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme7\/bg.gif","description":"","name":"Mean Makeen","profile_sidebar_fill_color":"F3F3F3","protected":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/110784040\/IMG00052_normal.jpg","created_at":"Tue Mar 24 17:59:29 +0000 2009","profile_sidebar_border_color":"DFDFDF","screen_name":"MeanMakeen","profile_background_tile":false,"time_zone":"Eastern Time (US & Canada)","followers_count":20,"id":26285437,"profile_background_color":"EBEBEB","url":"http:\/\/www.myspace.com\/keewee_pashun"},"source":"UberTwitter<\/a>"} {"truncated":false,"text":"bestnya chilling!","created_at":"Mon May 25 01:59:15 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":7,"favourites_count":0,"description":"","screen_name":"grafreak","following":null,"utc_offset":28800,"created_at":"Wed May 20 08:55:35 +0000 2009","profile_link_color":"db00c4","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/13704170\/bc.jpg","profile_sidebar_fill_color":"ffffff","protected":false,"location":"malaysia","name":"shukry","profile_sidebar_border_color":"ffffff","profile_background_tile":false,"url":null,"time_zone":"Kuala Lumpur","followers_count":1,"profile_background_color":"ffffff","friends_count":1,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/220350665\/DSC01393_normal.JPG","id":41323973,"profile_text_color":"00aff0"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908232201,"source":"TwitterFox<\/a>"} {"text":"@RosevilleRockLn Nap time is the best! So peaceful :)","created_at":"Mon May 25 01:59:15 +0000 2009","truncated":false,"in_reply_to_user_id":14234689,"user":{"profile_background_color":"352726","description":"Virtual Assistant, background in homebuilding \/ design center, Tupperware Consultant","screen_name":"DevonZimny","following":null,"utc_offset":-32400,"created_at":"Mon Mar 02 03:02:12 +0000 2009","friends_count":452,"profile_text_color":"3E4415","notifications":null,"statuses_count":328,"favourites_count":0,"protected":false,"profile_link_color":"D02B55","location":"Sacramento, Ca","name":"Devon Noon Zimny","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/13150059\/twitter_background_2.jpg","profile_sidebar_fill_color":"99CC33","url":"http:\/\/www.vintage-va.com","profile_sidebar_border_color":"829D5E","profile_background_tile":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/85526077\/mom_and_grace_normal.jpg","id":22442925,"time_zone":"Alaska","followers_count":394},"favorited":false,"in_reply_to_screen_name":"RosevilleRockLn","in_reply_to_status_id":1907233617,"id":1908232200,"source":"TweetDeck<\/a>"} {"text":"This weekend was so much fun but I am very tired so I'm off to my crate for a nap...hope all my dog friends had fun as well...nighty night.","created_at":"Mon May 25 01:59:15 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"9AE4E8","description":"Eat. Sleep. Play. Chase squirrels. Exude cuteness. Lick. Sleep.","screen_name":"BluetheDawg","following":null,"utc_offset":-18000,"created_at":"Thu Mar 19 14:14:40 +0000 2009","friends_count":96,"profile_text_color":"3f1d18","notifications":null,"statuses_count":128,"favourites_count":0,"protected":false,"profile_link_color":"ec0e90","location":"Toronto, Canada","name":"Blue Mitchell","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/6165475\/blue-face.jpg","profile_sidebar_fill_color":"95d9e4","url":"http:\/\/twitter.com\/BluetheDawg","profile_sidebar_border_color":"ecf1e9","profile_background_tile":true,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/103153025\/blue-face_normal.jpg","id":25301629,"time_zone":"Quito","followers_count":108},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908232203,"source":"web"} {"truncated":false,"text":"@LaurenConrad It's not the pen that's making you look lame.... ha ha ha...","created_at":"Mon May 25 01:59:15 +0000 2009","in_reply_to_user_id":34097876,"favorited":false,"user":{"notifications":null,"statuses_count":131,"favourites_count":0,"description":"","screen_name":"patide","following":null,"utc_offset":-28800,"created_at":"Fri May 01 05:16:03 +0000 2009","profile_link_color":"0000ff","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme1\/bg.gif","profile_sidebar_fill_color":"e0ff92","protected":false,"location":"St. Catharines, Ontario","name":"David Pattison","profile_sidebar_border_color":"87bc44","profile_background_tile":false,"url":null,"time_zone":"Pacific Time (US & Canada)","followers_count":14,"profile_background_color":"9ae4e8","friends_count":6,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/193067828\/Image0010_normal.JPG","id":36889869,"profile_text_color":"000000"},"in_reply_to_screen_name":"LaurenConrad","in_reply_to_status_id":1907521122,"id":1908232204,"source":"web"} {"text":"@TheLifeofPower NIST, CIA, community of engineers, Robert Baer, and thousands of government employees just to name a few.","created_at":"Mon May 25 01:59:16 +0000 2009","truncated":false,"in_reply_to_user_id":25168462,"user":{"profile_background_color":"642D8B","description":"Christian Jedi...political blogger...enjoys converting people from the dark side...entrepeneur, recruiter, Trekkie, football fan, #icon","screen_name":"JediMaster_OPS","following":null,"utc_offset":-21600,"created_at":"Sat Feb 21 17:31:01 +0000 2009","friends_count":6433,"profile_text_color":"3D1957","notifications":null,"statuses_count":3249,"favourites_count":37,"protected":false,"profile_link_color":"FF0000","location":"Baton Rouge, LA","name":"Joshua Ecuyer","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/6629383\/twitBGcyClk2.jpg","profile_sidebar_fill_color":"7AC3EE","url":"http:\/\/jedimasterofpolitics.blogspot.com\/","profile_sidebar_border_color":"65B0DA","profile_background_tile":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/81107790\/Star-Wars-Icons-star-wars-3663970-100-100_normal.jpg","id":21501255,"time_zone":"Central Time (US & Canada)","followers_count":6068},"favorited":false,"in_reply_to_screen_name":"TheLifeofPower","in_reply_to_status_id":1908211741,"id":1908232302,"source":"web"} {"text":"@terryxxy twitterfox\u6ca1\u89c1\u6709\u81ea\u52a8\u66f4\u65b0\u52301.8\uff0c\u8981\u53e6\u5916\u4e0b\u8f7d\u5b89\u88c5\uff1f","created_at":"Mon May 25 01:59:16 +0000 2009","truncated":false,"in_reply_to_user_id":9120922,"user":{"profile_background_color":"709397","description":"qxinxing\u7684PHO.TO","screen_name":"qxinxing","following":null,"utc_offset":28800,"created_at":"Wed Jan 28 15:49:45 +0000 2009","friends_count":44,"profile_text_color":"333333","notifications":null,"statuses_count":369,"favourites_count":3,"protected":false,"profile_link_color":"FF3300","location":"nanning","name":"qxinxing","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme6\/bg.gif","profile_sidebar_fill_color":"A0C5C7","url":"http:\/\/qxinxing.blogspot.com","profile_sidebar_border_color":"86A4A6","profile_background_tile":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/73761239\/60-medium_normal.jpg","id":19657907,"time_zone":"Beijing","followers_count":32},"favorited":false,"in_reply_to_screen_name":"terryxxy","in_reply_to_status_id":1908052837,"id":1908232304,"source":"TwitterFox<\/a>"} {"truncated":false,"text":"My wife can't sleep without a little white noise, that explains the Robbie Williams CDs..","created_at":"Mon May 25 01:59:16 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":1311,"favourites_count":0,"description":"Shoe Monkey","screen_name":"OhDaddy","following":null,"utc_offset":-21600,"created_at":"Tue Mar 10 14:28:12 +0000 2009","profile_link_color":"FF3300","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/6597606\/danceparty.jpg","profile_sidebar_fill_color":"A0C5C7","protected":false,"location":" Appleton, WI Earth","name":"L.H.Thompson","profile_sidebar_border_color":"86A4A6","profile_background_tile":false,"url":"http:\/\/www.geocities.com\/mrlukeplease\/","time_zone":"Central Time (US & Canada)","followers_count":52,"profile_background_color":"709397","friends_count":39,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/215344883\/Grease_007_normal.jpg","id":23597630,"profile_text_color":"333333"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908232300,"source":"TweetDeck<\/a>"} {"truncated":false,"text":"I laughed and vodka came out my nose. It was painful and I squeaked.","created_at":"Mon May 25 01:59:16 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":470,"favourites_count":0,"description":"I like music, tattoos and highlighters. The end.","screen_name":"ladymelisande","following":null,"utc_offset":-18000,"created_at":"Sun Jul 06 23:50:53 +0000 2008","profile_link_color":"0099B9","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme4\/bg.gif","profile_sidebar_fill_color":"95E8EC","protected":false,"location":"Brooklyn, NY","name":"Katrina Bleckley","profile_sidebar_border_color":"5ED4DC","profile_background_tile":false,"url":"http:\/\/nixonsangel.livejournal.com","time_zone":"Eastern Time (US & Canada)","followers_count":114,"profile_background_color":"0099B9","friends_count":117,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/88108656\/n67401335_30859662_56_normal.jpg","id":15336900,"profile_text_color":"3C3940"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908232301,"source":"TwitterFon<\/a>"} {"text":"@verybadcat13 so, whats wrong, cat? the doctor is in...lol ;)","created_at":"Mon May 25 01:59:16 +0000 2009","truncated":false,"in_reply_to_user_id":15308776,"user":{"profile_background_color":"1f0df2","description":"Husband, Father, Son, Brother...just trying to make it through this wonderful thing we call life, Follow me and we will take the journey together.","screen_name":"JELuttrull","following":null,"utc_offset":-18000,"created_at":"Thu Apr 16 20:37:45 +0000 2009","friends_count":448,"profile_text_color":"322461","notifications":null,"statuses_count":1267,"favourites_count":9,"protected":false,"profile_link_color":"0e0105","location":"Asheville, NC","name":"Jason Luttrull","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/10573439\/Tigers_Logo_2.jpg","profile_sidebar_fill_color":"f5790f","url":"http:\/\/jeluttrull.wordpress.com","profile_sidebar_border_color":"050505","profile_background_tile":true,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/204799976\/Picture0020-1_normal.jpg","id":32143310,"time_zone":"Eastern Time (US & Canada)","followers_count":204},"favorited":false,"in_reply_to_screen_name":"verybadcat13","in_reply_to_status_id":1908203546,"id":1908232400,"source":"TweetDeck<\/a>"} {"text":"@soverpeck bro I can't stop laughing at this! I did keep reading to see what you where talking about but this is stating in my favorites!","created_at":"Mon May 25 01:59:16 +0000 2009","truncated":false,"in_reply_to_user_id":15251890,"user":{"profile_background_color":"f2d907","description":"","screen_name":"r0gue","following":null,"utc_offset":-21600,"created_at":"Wed Sep 24 15:53:49 +0000 2008","friends_count":69,"profile_text_color":"666666","notifications":null,"statuses_count":669,"favourites_count":1,"protected":false,"profile_link_color":"a42828","location":"iPhone: 28.534876,-81.261299","name":"Danny Haas","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/5425324\/robottwitter.jpg","profile_sidebar_fill_color":"00c2ba","url":null,"profile_sidebar_border_color":"000000","profile_background_tile":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/129606988\/r0gue_r0bot_normal.jpg","id":16436102,"time_zone":"Central Time (US & Canada)","followers_count":70},"favorited":false,"in_reply_to_screen_name":"soverpeck","in_reply_to_status_id":1908067283,"id":1908232401,"source":"TwitterFon<\/a>"} {"truncated":false,"text":"RT mos def have said this b4 @KadeejiaDenise #3drunkwords \"fuck that nigga...\" (On some Dream stuff) followed by \"wassup wit you\" *lolz*","created_at":"Mon May 25 01:59:16 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":2671,"favourites_count":6,"description":"\u2606college girl, dancer, lifeaholic, future PR phenom...i'm blessed & lovin' life \u2606","screen_name":"lilmizsunshyne","following":null,"utc_offset":-18000,"created_at":"Wed Feb 11 04:55:23 +0000 2009","profile_link_color":"170d26","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/7262523\/n1143060539_31097820_8569.jpg","profile_sidebar_fill_color":"f2da6e","protected":false,"location":"\u00dcT: 38.983101,-76.965605","name":"Chasity Cooper","profile_sidebar_border_color":"241424","profile_background_tile":true,"url":"http:\/\/lilmizsunshyne11.blogspot.com\/","time_zone":"Eastern Time (US & Canada)","followers_count":292,"profile_background_color":"642D8B","friends_count":399,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/227162884\/mee_normal.JPG","id":20572111,"profile_text_color":"504d3f"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908232404,"source":"web"} {"truncated":false,"text":"JOEKING's birthday. I'm ready fo some cake!","created_at":"Mon May 25 01:59:16 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":30,"favourites_count":0,"description":"I'm Holly. I love The Fray. the end.","screen_name":"hollysimone","following":null,"utc_offset":-21600,"created_at":"Thu Apr 02 01:41:18 +0000 2009","profile_link_color":"FF0000","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme12\/bg.gif","profile_sidebar_fill_color":"FFF7CC","protected":false,"location":"Pottsboro, Texas","name":"Holly Cantu","profile_sidebar_border_color":"F2E195","profile_background_tile":false,"url":"http:\/\/frayloveintexas.blogspot.com","time_zone":"Central Time (US & Canada)","followers_count":5,"profile_background_color":"BADFCD","friends_count":18,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/155719348\/100_6812_normal.png","id":28251463,"profile_text_color":"0C3E53"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908232402,"source":"web"} {"truncated":false,"text":"I CANT SEE!","in_reply_to_user_id":null,"favorited":false,"created_at":"Mon May 25 01:59:16 +0000 2009","in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908232403,"user":{"friends_count":25,"location":null,"utc_offset":null,"profile_text_color":"000000","notifications":null,"statuses_count":247,"favourites_count":0,"following":null,"profile_link_color":"0000ff","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme1\/bg.gif","description":null,"name":"heroin money","profile_sidebar_fill_color":"e0ff92","protected":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/228921775\/IMG00098_normal.JPG","created_at":"Mon Mar 30 04:49:39 +0000 2009","profile_sidebar_border_color":"87bc44","screen_name":"heron226","profile_background_tile":false,"time_zone":null,"followers_count":18,"id":27586762,"profile_background_color":"9ae4e8","url":null},"source":"web"} {"truncated":false,"text":"@pagingDrCullen hahahaha. Yay?!! Where are ur feinss?","created_at":"Mon May 25 01:59:17 +0000 2009","in_reply_to_user_id":21051141,"favorited":false,"user":{"notifications":null,"statuses_count":6485,"favourites_count":8,"description":"I 3 theatre & film","screen_name":"Greek4Honeybee","following":null,"utc_offset":-21600,"created_at":"Sat Mar 14 12:06:13 +0000 2009","profile_link_color":"B40B43","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme11\/bg.gif","profile_sidebar_fill_color":"E5507E","protected":false,"location":"on a boat","name":"Smelly Melly","profile_sidebar_border_color":"CC3366","profile_background_tile":true,"url":null,"time_zone":"Central Time (US & Canada)","followers_count":113,"profile_background_color":"FF6699","friends_count":87,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/216781321\/PICT0290_normal.jpg","id":24359940,"profile_text_color":"362720"},"in_reply_to_screen_name":"pagingDrCullen","in_reply_to_status_id":1908224085,"id":1908232501,"source":"TwitterFon<\/a>"} {"truncated":false,"text":"@minakox \u305d\u3063\u3061\u3092\u3084\u308b\u4f59\u88d5\u304c\u7121\u3044\u306e\u3067\uff20\uff12\uff5e\uff13\u65e5OK\u304b\u3068\u3002","created_at":"Mon May 25 01:59:17 +0000 2009","in_reply_to_user_id":14055303,"favorited":false,"user":{"notifications":null,"statuses_count":1797,"favourites_count":0,"description":"","screen_name":"TA223","following":null,"utc_offset":32400,"created_at":"Fri Jun 13 06:16:24 +0000 2008","profile_link_color":"0000ff","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme1\/bg.gif","profile_sidebar_fill_color":"e0ff92","protected":false,"location":"","name":"TA223","profile_sidebar_border_color":"87bc44","profile_background_tile":false,"url":null,"time_zone":"Tokyo","followers_count":11,"profile_background_color":"9ae4e8","friends_count":9,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/56490143\/images_normal.jpeg","id":15104832,"profile_text_color":"000000"},"in_reply_to_screen_name":"minakox","in_reply_to_status_id":null,"id":1908232503,"source":"Twit<\/a>"} {"text":"Why Do They Race? http:\/\/tinyurl.com\/ryx8lb","created_at":"Mon May 25 01:59:17 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"1A1B1F","description":"I'm a stand-up comedian and radio personality in Nashville Tn. I really, really like boobs.","screen_name":"JackSassRadio","following":null,"utc_offset":-21600,"created_at":"Mon Apr 20 11:05:58 +0000 2009","friends_count":2117,"profile_text_color":"666666","notifications":null,"statuses_count":5249,"favourites_count":0,"protected":false,"profile_link_color":"2FC2EF","location":"Nashville, TN","name":"Jack Sass","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/11866255\/sound_mixer_1.jpg","profile_sidebar_fill_color":"252429","url":"http:\/\/www.jacksassradio.com","profile_sidebar_border_color":"181A1E","profile_background_tile":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/178746344\/jack_sass_normal.jpg","id":33481613,"time_zone":"Central Time (US & Canada)","followers_count":1931},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908232502,"source":"twitterfeed<\/a>"} {"truncated":false,"text":"LIVE UK TV EXPATS Free Realms brings new "super ego" commercial online - Massively: S.. http:\/\/bit.ly\/12Fuaq","created_at":"Mon May 25 01:59:17 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":4355,"favourites_count":0,"description":"Passionate about UK Television and the right for anyone to view their own TV choice anywhere in the world. We provide that opportunity professionally.","screen_name":"UKTV2C","following":null,"utc_offset":0,"created_at":"Thu May 07 18:56:50 +0000 2009","profile_link_color":"0009b4","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/12410577\/twitter_background.jpg","profile_sidebar_fill_color":"cce8ff","protected":false,"location":"NORTH EAST ENGLAND","name":"MIKE GAMBLE","profile_sidebar_border_color":"c59e11","profile_background_tile":false,"url":"http:\/\/www.UKTV2C.com","time_zone":"London","followers_count":1297,"profile_background_color":"0f4043","friends_count":1505,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/205604605\/MIKE_GAMBLE_normal.jpg","id":38491767,"profile_text_color":"ac4520"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908232500,"source":"twitterfeed<\/a>"} {"text":"#h1n1 Parents asked to place children in swine-flu quarantine - The Age: Parents asked to place children in.. http:\/\/tinyurl.com\/okp5z8","created_at":"Mon May 25 01:59:18 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"9AE4E8","description":"All the latest flu information for Canada","screen_name":"flumap","following":null,"utc_offset":-18000,"created_at":"Mon Apr 27 18:37:40 +0000 2009","friends_count":59,"profile_text_color":"333333","notifications":null,"statuses_count":512,"favourites_count":0,"protected":false,"profile_link_color":"0084B4","location":"Toronto, Canada","name":"flumap.ca","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/10431910\/947314_41758108.jpg","profile_sidebar_fill_color":"DDFFCC","url":"http:\/\/www.flumap.ca","profile_sidebar_border_color":"BDDCAD","profile_background_tile":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/186631585\/947314_41758108asdasd_normal.jpg","id":35819731,"time_zone":"Quito","followers_count":74},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908232600,"source":"twitterfeed<\/a>"} {"truncated":false,"text":"Heres d final results4 adults judging is not easy really enjoyed my time here mexico hip hop has grown so much http:\/\/twitpic.com\/5wa38","in_reply_to_user_id":null,"favorited":false,"created_at":"Mon May 25 01:59:18 +0000 2009","in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908232603,"user":{"friends_count":30,"location":null,"utc_offset":null,"profile_text_color":"3D1957","notifications":null,"statuses_count":40,"favourites_count":3,"following":null,"profile_link_color":"FF0000","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme10\/bg.gif","description":null,"name":"Monica Guitian ","profile_sidebar_fill_color":"7AC3EE","protected":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/134716012\/sc0014f0dd_normal.jpg","created_at":"Sun Apr 12 16:38:11 +0000 2009","profile_sidebar_border_color":"65B0DA","screen_name":"monicaguiti","profile_background_tile":true,"time_zone":null,"followers_count":19,"id":30676419,"profile_background_color":"642D8B","url":null},"source":"Twitterrific<\/a>"} {"text":"Had a really good 40th bday today. Lots of calls from friends & family. Little surprises left by Gary bfore he went 2 work. I feel very lovd","created_at":"Mon May 25 01:59:18 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"82cb62","description":"Married to my BFF. Love nature, hiking, cooking, antiques, museums, pottery, minerals. Have 2 pet cats 'n 1 outdoor pet spider who doesn't know she's a pet.","screen_name":"grannymelissa","following":null,"utc_offset":-28800,"created_at":"Wed Aug 27 02:16:43 +0000 2008","friends_count":14,"profile_text_color":"333333","notifications":null,"statuses_count":341,"favourites_count":4,"protected":false,"profile_link_color":"a65a2b","location":"Redlands, California","name":"grannymelissa","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme8\/bg.gif","profile_sidebar_fill_color":"e8da9b","url":null,"profile_sidebar_border_color":"D9B17E","profile_background_tile":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/74607364\/Missy_oakglen12-08_normal.jpg","id":16006461,"time_zone":"Pacific Time (US & Canada)","followers_count":9},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908232602,"source":"web"} {"text":"going to bed","created_at":"Mon May 25 01:59:18 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"9ae4e8","description":null,"screen_name":"shyone0204","following":null,"utc_offset":null,"created_at":"Tue May 12 18:35:02 +0000 2009","friends_count":2,"profile_text_color":"000000","notifications":null,"statuses_count":8,"favourites_count":0,"protected":false,"profile_link_color":"0000ff","location":null,"name":"amanda campbell","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme1\/bg.gif","profile_sidebar_fill_color":"e0ff92","url":null,"profile_sidebar_border_color":"87bc44","profile_background_tile":false,"profile_image_url":"http:\/\/static.twitter.com\/images\/default_profile_normal.png","id":39562534,"time_zone":null,"followers_count":1},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908232604,"source":"web"} {"truncated":false,"text":"I watch this every day because its my ordinary miracle http:\/\/bit.ly\/16t8Yp","created_at":"Mon May 25 01:59:18 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":2324,"favourites_count":12,"description":"I do not make sales pitches, I make life pitches. I found an easy way to the LOA (Law of Attraction) and I'm sharing it with the world. Abundance is within.","screen_name":"KellyFlack","following":null,"utc_offset":36000,"created_at":"Wed Feb 18 12:25:06 +0000 2009","profile_link_color":"1346ae","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme10\/bg.gif","profile_sidebar_fill_color":"cd7aee","protected":false,"location":"Queensland Australia","name":"Kelly Flack","profile_sidebar_border_color":"65B0DA","profile_background_tile":true,"url":"http:\/\/www.PowerfulTools4Life.com","time_zone":"Brisbane","followers_count":2528,"profile_background_color":"642D8B","friends_count":2388,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/81562292\/2008_P_O_Cruise0002_normal.jpg","id":21190782,"profile_text_color":"8b228c"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908232601,"source":"web"} {"text":"Is waiting for Him so we can go to the movies. :D","created_at":"Mon May 25 01:59:18 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"642D8B","description":"I'm a smart ass. :]","screen_name":"xGoldielocks","following":null,"utc_offset":-28800,"created_at":"Fri May 22 21:33:26 +0000 2009","friends_count":6,"profile_text_color":"3D1957","notifications":null,"statuses_count":6,"favourites_count":0,"protected":false,"profile_link_color":"FF0000","location":"California","name":"Dana Nichole","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme10\/bg.gif","profile_sidebar_fill_color":"7AC3EE","url":"http:\/\/www.myspace.com\/xgoldielocks","profile_sidebar_border_color":"65B0DA","profile_background_tile":true,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/226692198\/l_0884a4fda1484c1e82ef9eba21011af9_normal.jpg","id":41906186,"time_zone":"Pacific Time (US & Canada)","followers_count":3},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908232701,"source":"web"} {"text":"#humpthestump","created_at":"Mon May 25 01:59:18 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"9ae4e8","description":null,"screen_name":"spamzlot","following":null,"utc_offset":null,"created_at":"Mon May 25 01:54:06 +0000 2009","friends_count":0,"profile_text_color":"000000","notifications":null,"statuses_count":105,"favourites_count":0,"protected":false,"profile_link_color":"0000ff","location":null,"name":"hjufykitudkut","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme1\/bg.gif","profile_sidebar_fill_color":"e0ff92","url":null,"profile_sidebar_border_color":"87bc44","profile_background_tile":false,"profile_image_url":"http:\/\/static.twitter.com\/images\/default_profile_normal.png","id":42326509,"time_zone":null,"followers_count":0},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908232704,"source":"web"} {"truncated":false,"text":"@macobyn Would love to chat about this as I work on our patient portal and also develop our (multiple) practice web sites ... #hcsm","in_reply_to_user_id":null,"favorited":false,"created_at":"Mon May 25 01:59:18 +0000 2009","in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908232702,"user":{"friends_count":723,"location":"Newport News, VA","utc_offset":-18000,"profile_text_color":"000000","notifications":null,"statuses_count":2181,"favourites_count":1,"following":null,"profile_link_color":"1c56ba","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/3551131\/twitter_background_v3.jpg","description":"Director of Internet Services, Riverside Health System (@riverside) \/ Social Media Enthusiast, Tech Fan, Single Parent, Swim Dad","name":"Steven Barley","profile_sidebar_fill_color":"989590","protected":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/206108906\/steve_new_normal.jpg","created_at":"Wed Sep 03 17:16:46 +0000 2008","profile_sidebar_border_color":"000000","screen_name":"StevenBarley","profile_background_tile":false,"time_zone":"Eastern Time (US & Canada)","followers_count":845,"id":16116044,"profile_background_color":"ffffff","url":"http:\/\/www.linkedin.com\/in\/stevenbarley"},"source":"TweetChat<\/a>"} {"truncated":false,"text":"RT: Im a chocolate bunny. I like to eat other bunnies.. BUNNIES!! :D http:\/\/tinyurl.com\/pu6npn","created_at":"Mon May 25 01:59:18 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":31553,"favourites_count":0,"description":"The Oompa Loompas Have You. Follow the Chocolate Bunny.","screen_name":"chocolatetweets","following":null,"utc_offset":-18000,"created_at":"Tue Nov 25 13:26:48 +0000 2008","profile_link_color":"0084B4","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/3442206\/chocolate1.gif","profile_sidebar_fill_color":"DDFFCC","protected":false,"location":"Willy Wonka's Chocolate Factor","name":"chocolatetweets","profile_sidebar_border_color":"BDDCAD","profile_background_tile":true,"url":null,"time_zone":"Eastern Time (US & Canada)","followers_count":1679,"profile_background_color":"9AE4E8","friends_count":1667,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/65420675\/chocolateREX_468x481_normal.jpg","id":17619075,"profile_text_color":"333333"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908232703,"source":"twitterfeed<\/a>"} {"truncated":false,"text":"2 favorite things: George and my mac http:\/\/twitpic.com\/5wa8y","created_at":"Mon May 25 01:59:19 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":231,"favourites_count":1,"description":"Uh, hi. Uh, my name is Tate, and uh..I like to party. ","screen_name":"tateywatey","following":null,"utc_offset":-25200,"created_at":"Thu Feb 26 04:49:30 +0000 2009","profile_link_color":"FF0000","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/14387652\/Photo_19.jpg","profile_sidebar_fill_color":"FFF7CC","protected":false,"location":"Arizona","name":"Tate Johnson","profile_sidebar_border_color":"F2E195","profile_background_tile":true,"url":null,"time_zone":"Arizona","followers_count":49,"profile_background_color":"BADFCD","friends_count":85,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/227706880\/2f896f595a8408181f93e3fb843451e2_normal.jpg","id":21972096,"profile_text_color":"0C3E53"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908232803,"source":"Tweetie<\/a>"} {"truncated":false,"text":"Theme song on the ride to school. Never did them, BTW. \u266b http:\/\/blip.fm\/~6yyw4","in_reply_to_user_id":null,"favorited":false,"created_at":"Mon May 25 01:59:19 +0000 2009","in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908232804,"user":{"friends_count":122,"location":"New York, New York","utc_offset":-18000,"profile_text_color":"000000","notifications":null,"statuses_count":287,"favourites_count":3,"following":null,"profile_link_color":"0000ff","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/7320923\/background4.jpg","description":"purveyor of quality content","name":"Robby Wells","profile_sidebar_fill_color":"e0ff92","protected":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/28241472\/robby.wells_normal.jpg","created_at":"Wed Mar 14 15:44:24 +0000 2007","profile_sidebar_border_color":"87bc44","screen_name":"robbywells","profile_background_tile":false,"time_zone":"Eastern Time (US & Canada)","followers_count":147,"id":1163711,"profile_background_color":"9ae4e8","url":"http:\/\/robbywells.wordpress.com\/"},"source":"Blip.fm<\/a>"} {"truncated":false,"text":"@chrissycakes84 of course lol","created_at":"Mon May 25 01:59:19 +0000 2009","in_reply_to_user_id":17744297,"favorited":false,"user":{"notifications":null,"statuses_count":15857,"favourites_count":7,"description":"Im way better than that nigga you signed! The hottest nigga in Florida. 407 what it iss! AIM: wesfifdotnet","screen_name":"WesFif","following":null,"utc_offset":-18000,"created_at":"Thu Nov 13 05:09:00 +0000 2008","profile_link_color":"2FC2EF","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/4268003\/wftwitbg.jpg","profile_sidebar_fill_color":"252429","protected":false,"location":"Orlando","name":"Wes Fif","profile_sidebar_border_color":"181A1E","profile_background_tile":true,"url":"http:\/\/www.myspace.com\/wesfif","time_zone":"Eastern Time (US & Canada)","followers_count":2731,"profile_background_color":"1A1B1F","friends_count":716,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/222124747\/twitta_normal.jpg","id":17358182,"profile_text_color":"666666"},"in_reply_to_screen_name":"chrissycakes84","in_reply_to_status_id":1908226462,"id":1908232802,"source":"web"} {"truncated":false,"text":"@ldclower interesting. I don't identify well with Springsteen OR Dylan. I'm 35, and yet somehow, I love Paul Simon, James Taylor & Marc Cohn","created_at":"Mon May 25 01:59:20 +0000 2009","in_reply_to_user_id":22026679,"favorited":false,"user":{"notifications":null,"statuses_count":1221,"favourites_count":15,"description":"Red wine lover in the Brew City, enjoys new\/social media, sports, and a good biz book. Milwaukee-baby!","screen_name":"philgerb","following":null,"utc_offset":-21600,"created_at":"Wed Oct 25 04:12:35 +0000 2006","profile_link_color":"0000ff","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/11580992\/twitter-template-7.jpg","profile_sidebar_fill_color":"EED800","protected":false,"location":"Milwaukee","name":"Phil Gerbyshak","profile_sidebar_border_color":"8DEE15","profile_background_tile":false,"url":"http:\/\/philgerbyshak.com","time_zone":"Central Time (US & Canada)","followers_count":1444,"profile_background_color":"f5f5f5","friends_count":1313,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/70555473\/new_phil_gerbyshak_normal.jpg","id":10441,"profile_text_color":"000000"},"in_reply_to_screen_name":"ldclower","in_reply_to_status_id":1908125748,"id":1908232900,"source":"web"} {"truncated":false,"text":"MY SISTER GRADUATE TODAY AND SHE DID IT BIG 09","created_at":"Mon May 25 01:59:20 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":6,"favourites_count":0,"description":null,"screen_name":"mzpeaches30","following":null,"utc_offset":null,"created_at":"Mon Apr 13 19:37:03 +0000 2009","profile_link_color":"b90066","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme4\/bg.gif","profile_sidebar_fill_color":"c495ec","protected":false,"location":null,"name":"Sheena","profile_sidebar_border_color":"dc5e8e","profile_background_tile":false,"url":null,"time_zone":null,"followers_count":7,"profile_background_color":"b700b9","friends_count":25,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/136263838\/Temika20Williams20wedding20044_edited_normal.jpg","id":30938949,"profile_text_color":"404039"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908232901,"source":"web"} {"truncated":false,"text":"Spending two days alone with my best friend and REALLY enjoying it.","in_reply_to_user_id":null,"favorited":false,"created_at":"Mon May 25 01:59:20 +0000 2009","in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908232902,"user":{"friends_count":43,"location":"Peoria, IL","utc_offset":-21600,"profile_text_color":"000000","notifications":null,"statuses_count":672,"favourites_count":0,"following":null,"profile_link_color":"0000ff","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme1\/bg.gif","description":"I don't eat, drive or wear my money","name":"Don","profile_sidebar_fill_color":"e0ff92","protected":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/224136467\/Photo_2_normal.jpg","created_at":"Tue Apr 24 18:11:20 +0000 2007","profile_sidebar_border_color":"87bc44","screen_name":"bowendk","profile_background_tile":false,"time_zone":"Central Time (US & Canada)","followers_count":112,"id":5472982,"profile_background_color":"9ae4e8","url":"http:\/\/wizidm.wordpress.com"},"source":"web"} {"truncated":false,"text":"\u6211\u521a\u521a\u5199\u4e86\u4e00\u7bc7\u535a\u5ba2\uff1a\u3010\u4e2d\u56fd\u56fd\u9645\u5c55\u89c8\u4e2d\u5fc3\u30112009\u5317\u4eac(\u6700\u5927)14\u5c4a\u8282\u80fd\u95e8\u7a97\u5c55\u4f1a \u65f6\u95f4\uff1a2009\u5e7406\u670818\u65e5-2009\u5e7406\u670820\u65e5 \u5730\u70b9\uff1a\u4e2d\u56fd\u56fd\u9645\u5c55\u89c8\u4e2d\u5fc3 http:\/\/r.im\/1qa1","created_at":"Mon May 25 01:59:20 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":3626,"favourites_count":0,"description":null,"screen_name":"iease_terry","following":null,"utc_offset":-32400,"created_at":"Fri Jun 20 04:54:18 +0000 2008","profile_link_color":"0000ff","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme1\/bg.gif","profile_sidebar_fill_color":"e0ff92","protected":false,"location":null,"name":"iease_terry","profile_sidebar_border_color":"87bc44","profile_background_tile":false,"url":null,"time_zone":"Alaska","followers_count":29,"profile_background_color":"9ae4e8","friends_count":0,"profile_image_url":"http:\/\/static.twitter.com\/images\/default_profile_normal.png","id":15176710,"profile_text_color":"000000"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908232903,"source":"digu<\/a>"} {"text":"@ericamerrin then she is wrong and should feel wrong. i would see it with you, but you're in one of those places that isn't chicago.","created_at":"Mon May 25 01:59:20 +0000 2009","truncated":false,"in_reply_to_user_id":22338914,"user":{"profile_background_color":"FF6699","description":"i want to be a toaster oven when i grow up.","screen_name":"wireandroses","following":null,"utc_offset":-21600,"created_at":"Sat Jan 06 19:29:43 +0000 2007","friends_count":119,"profile_text_color":"362720","notifications":null,"statuses_count":1278,"favourites_count":1,"protected":false,"profile_link_color":"B40B43","location":"","name":"abby","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme11\/bg.gif","profile_sidebar_fill_color":"E5507E","url":null,"profile_sidebar_border_color":"CC3366","profile_background_tile":true,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/81761452\/me_normal.jpg","id":608413,"time_zone":"Central Time (US & Canada)","followers_count":101},"favorited":false,"in_reply_to_screen_name":"ericamerrin","in_reply_to_status_id":1908207172,"id":1908232904,"source":"TwitterFox<\/a>"} {"text":"Aunque ahora me tengo que ba\u00f1ar, no vaya a ser cierto eso de que me puedo enfermar :P ah\u00ed vengo. Soy bien feliz! <3","created_at":"Mon May 25 01:59:20 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"ac2a2d","description":"","screen_name":"acmoises","following":null,"utc_offset":-21600,"created_at":"Tue Sep 09 01:26:44 +0000 2008","friends_count":383,"profile_text_color":"000000","notifications":null,"statuses_count":8445,"favourites_count":60,"protected":false,"profile_link_color":"b01721","location":"Queretaro, M\u00e9xico.","name":"Mois\u00e9s Aguirre C.","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/3639128\/bart.png","profile_sidebar_fill_color":"e8e869","url":"http:\/\/acmoises.wordpress.com","profile_sidebar_border_color":"eb4037","profile_background_tile":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/200003447\/luvqt_normal.jpg","id":16195630,"time_zone":"Mexico City","followers_count":416},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908233003,"source":"TwitterBerry<\/a>"} {"text":"@jackie7x jackie! i'm surprised at you. that language is really offensive.","created_at":"Mon May 25 01:59:20 +0000 2009","truncated":false,"in_reply_to_user_id":32271394,"user":{"profile_background_color":"553f4d","description":"","screen_name":"Julietlysm","following":null,"utc_offset":-18000,"created_at":"Sat May 02 21:02:33 +0000 2009","friends_count":6,"profile_text_color":"333333","notifications":null,"statuses_count":27,"favourites_count":0,"protected":false,"profile_link_color":"000000","location":"Maryland","name":"Cynthia Renee","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/11310116\/images.jpg","profile_sidebar_fill_color":"d0c3d0","url":null,"profile_sidebar_border_color":"b1a0b1","profile_background_tile":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/194256075\/two_019_normal.jpg","id":37282089,"time_zone":"Quito","followers_count":5},"favorited":false,"in_reply_to_screen_name":"jackie7x","in_reply_to_status_id":1906285122,"id":1908233002,"source":"web"} {"truncated":false,"text":"@qoola loll you're welcome ;)","in_reply_to_user_id":16266670,"favorited":false,"created_at":"Mon May 25 01:59:20 +0000 2009","in_reply_to_screen_name":"qoola","in_reply_to_status_id":1908183566,"id":1908233004,"user":{"friends_count":73,"location":"West Vancouver, BC, Canada","utc_offset":-28800,"profile_text_color":"333333","notifications":null,"statuses_count":117,"favourites_count":0,"following":null,"profile_link_color":"0084B4","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme1\/bg.gif","description":"Music, Drums, Rugby. Twitt Me :D","name":"Tim Choi","profile_sidebar_fill_color":"DDFFCC","protected":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/56892700\/drum_kit_normal.jpg","created_at":"Sat Jul 19 06:55:37 +0000 2008","profile_sidebar_border_color":"BDDCAD","screen_name":"tim167246","profile_background_tile":true,"time_zone":"Pacific Time (US & Canada)","followers_count":72,"id":15490694,"profile_background_color":"9AE4E8","url":"http:\/\/twitter.com\/tim167246"},"source":"Tweetie<\/a>"} {"truncated":false,"text":"Recommended @OracleCert to @MrTweet 'Because they are a Certification Vendor and should always be your 1st source f...' http:\/\/cli.gs\/6UWW7a","in_reply_to_user_id":null,"favorited":false,"created_at":"Mon May 25 01:59:20 +0000 2009","in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908233001,"user":{"friends_count":104,"location":"Corpus Christi, TX","utc_offset":-21600,"profile_text_color":"b9a904","notifications":null,"statuses_count":176,"favourites_count":1,"following":null,"profile_link_color":"336699","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/7955332\/Chicken-Songs-1.jpg","description":"Looking for only the best Certification resources so that we can pass them on to our members.","name":"Robert Williams","profile_sidebar_fill_color":"1A1B1F","protected":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/127950333\/CG-LOGO-ICON_normal.png","created_at":"Tue Apr 07 18:36:36 +0000 2009","profile_sidebar_border_color":"181A1E","screen_name":"CertGuard","profile_background_tile":true,"time_zone":"Central Time (US & Canada)","followers_count":70,"id":29510327,"profile_background_color":"1A1B1F","url":"http:\/\/www.certguard.com\/"},"source":"MrTweet<\/a>"} {"truncated":false,"text":"i have far too many tablets to take at the moment","created_at":"Mon May 25 01:59:21 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":4884,"favourites_count":67,"description":"Beep is my favourite word, but I have no idea why or how it started. I write beep literally everywhere.","screen_name":"djmattyg007","following":null,"utc_offset":36000,"created_at":"Sat Jun 07 02:22:20 +0000 2008","profile_link_color":"0000ff","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme1\/bg.gif","profile_sidebar_fill_color":"e0ff92","protected":false,"location":"Melbourne, Australia","name":"Matty G aka 007bond","profile_sidebar_border_color":"87bc44","profile_background_tile":false,"url":"http:\/\/djmattyg007.x10hosting.com","time_zone":"Melbourne","followers_count":154,"profile_background_color":"9ae4e8","friends_count":98,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/55147004\/7Wk_jWzRrbdcxWkBoZ7TcwF05JMRLBEF2kfn3aPvJXNQSxLux_UF0b4nRCUZWU7J_normal.jpg","id":15034829,"profile_text_color":"000000"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908233100,"source":"DestroyTwitter<\/a>"} {"in_reply_to_user_id":null,"text":"Well I danced on stage with soulja boy...guess my life is finally complete","favorited":false,"created_at":"Mon May 25 01:59:21 +0000 2009","in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908233103,"user":{"profile_link_color":"0000ff","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme1\/bg.gif","utc_offset":null,"profile_sidebar_fill_color":"e0ff92","profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/106766560\/london_normal.jpg","following":null,"created_at":"Mon Mar 23 00:22:35 +0000 2009","profile_sidebar_border_color":"87bc44","description":null,"screen_name":"cand_i","name":"Candice Clarida","profile_background_tile":false,"protected":false,"time_zone":null,"followers_count":10,"profile_background_color":"9ae4e8","friends_count":27,"location":null,"profile_text_color":"000000","id":25914748,"notifications":null,"statuses_count":34,"favourites_count":1,"url":null},"truncated":false,"source":"txt<\/a>"} {"truncated":false,"text":"@stephaniepratt just stay another night. i would.","created_at":"Mon May 25 01:59:21 +0000 2009","in_reply_to_user_id":23511303,"favorited":false,"user":{"notifications":null,"statuses_count":736,"favourites_count":0,"description":"college student. wants to change the world. loves everything music.","screen_name":"justrhi","following":null,"utc_offset":-25200,"created_at":"Mon Dec 01 17:13:24 +0000 2008","profile_link_color":"2b37d0","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/4865499\/2448704882_63f377da8e.jpg","profile_sidebar_fill_color":"ffcf0a","protected":false,"location":"boulder, co","name":"Rhiannon Riccillo","profile_sidebar_border_color":"1d1655","profile_background_tile":false,"url":"http:\/\/www.myspace.com\/rhirhi","time_zone":"Mountain Time (US & Canada)","followers_count":54,"profile_background_color":"860b09","friends_count":112,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/150978424\/twitterme_normal.jpg","id":17783401,"profile_text_color":"080807"},"in_reply_to_screen_name":"stephaniepratt","in_reply_to_status_id":1908200399,"id":1908233101,"source":"web"} {"truncated":false,"text":"bored as hell home trynna see wats goin down for tomorrow","created_at":"Mon May 25 01:59:21 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":1,"favourites_count":0,"description":null,"screen_name":"przliilmimi","following":null,"utc_offset":null,"created_at":"Mon May 25 01:57:06 +0000 2009","profile_link_color":"0000ff","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme1\/bg.gif","profile_sidebar_fill_color":"e0ff92","protected":false,"location":null,"name":"Mia ","profile_sidebar_border_color":"87bc44","profile_background_tile":false,"url":null,"time_zone":null,"followers_count":0,"profile_background_color":"9ae4e8","friends_count":0,"profile_image_url":"http:\/\/static.twitter.com\/images\/default_profile_normal.png","id":42326998,"profile_text_color":"000000"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908233104,"source":"web"} {"text":"drinking black tea and briefing fun flash emails","created_at":"Mon May 25 01:59:22 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"575a5b","description":"GIRLS JUST WANNA HAVE RUM","screen_name":"grace_x","following":null,"utc_offset":36000,"created_at":"Mon Feb 23 22:48:37 +0000 2009","friends_count":106,"profile_text_color":"d7568a","notifications":null,"statuses_count":133,"favourites_count":0,"protected":false,"profile_link_color":"ff42b0","location":"BONDI BEACH, SYDNEY, WOO","name":"Grace Gordon","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/5549999\/chanandkarl.jpg","profile_sidebar_fill_color":"2e2e2e","url":null,"profile_sidebar_border_color":"ea3eb4","profile_background_tile":true,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/81965317\/n545571639_1908019_1457_normal.jpg","id":21703649,"time_zone":"Sydney","followers_count":97},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908233200,"source":"mobile web<\/a>"} {"text":"@Haley89 i'm sorry about the dumpage hun :( are you alright?","created_at":"Mon May 25 01:59:22 +0000 2009","truncated":false,"in_reply_to_user_id":25162941,"user":{"profile_background_color":"C6E2EE","description":"I tell jokes and make films.","screen_name":"chrissweettweet","following":null,"utc_offset":-21600,"created_at":"Sat Mar 14 22:20:11 +0000 2009","friends_count":16,"profile_text_color":"663B12","notifications":null,"statuses_count":38,"favourites_count":0,"protected":false,"profile_link_color":"1F98C7","location":"Chicago, IL","name":"Christopher Svehla","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme2\/bg.gif","profile_sidebar_fill_color":"DAECF4","url":null,"profile_sidebar_border_color":"C6E2EE","profile_background_tile":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/96319811\/n1150110136_30036741_8491_normal.jpg","id":24440398,"time_zone":"Central Time (US & Canada)","followers_count":11},"favorited":false,"in_reply_to_screen_name":"Haley89","in_reply_to_status_id":1908126480,"id":1908233201,"source":"web"} {"text":"OMG JF & I are LMAO in YVR.","created_at":"Mon May 25 01:59:22 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"9ae4e8","description":"To know me is to love me. Now buy me a fucking drink.","screen_name":"Robbie1969","following":null,"utc_offset":-18000,"created_at":"Fri Mar 13 14:47:42 +0000 2009","friends_count":20,"profile_text_color":"000000","notifications":null,"statuses_count":216,"favourites_count":0,"protected":false,"profile_link_color":"0000ff","location":"Joliette","name":"Robert Mercier","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme1\/bg.gif","profile_sidebar_fill_color":"e0ff92","url":"http:\/\/www.tpimousevoyages.com\/1\/robadv","profile_sidebar_border_color":"87bc44","profile_background_tile":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/95212271\/sept06_412_normal.jpg","id":24182170,"time_zone":"Eastern Time (US & Canada)","followers_count":31},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908233204,"source":"Tweetie<\/a>"} {"truncated":false,"text":"-had a good Memorial Day wknd so far & is super excited to start my NEW JOB w Sprint on Tuesday!","created_at":"Mon May 25 01:59:22 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":72,"favourites_count":0,"description":"I'm an Air Force brat.","screen_name":"m_blaha","following":null,"utc_offset":-21600,"created_at":"Thu Feb 05 18:45:38 +0000 2009","profile_link_color":"B40B43","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme11\/bg.gif","profile_sidebar_fill_color":"E5507E","protected":false,"location":"816, MO","name":"Michelle Blaha \u30c4","profile_sidebar_border_color":"CC3366","profile_background_tile":true,"url":null,"time_zone":"Central Time (US & Canada)","followers_count":14,"profile_background_color":"FF6699","friends_count":56,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/201031299\/MichelleandJoeBW_normal.jpg","id":20173476,"profile_text_color":"362720"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908233203,"source":"TinyTwitter<\/a>"} {"text":"@tateru \u732e\u8eab\u7684\u306a\u30e6\u30fc\u30b6\u30fc\u3067\u3059\u304b\u3089\uff57\uff57\uff57\u3063\uff57\uff57","created_at":"Mon May 25 01:59:23 +0000 2009","truncated":false,"in_reply_to_user_id":3890601,"user":{"profile_background_color":"000000","description":"I love willcom too\u3002","screen_name":"0123","following":null,"utc_offset":32400,"created_at":"Mon May 07 08:56:06 +0000 2007","friends_count":65,"profile_text_color":"000000","notifications":null,"statuses_count":11776,"favourites_count":2,"protected":false,"profile_link_color":"0000ff","location":"Japan","name":"Legend","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme1\/bg.gif","profile_sidebar_fill_color":"607135","url":null,"profile_sidebar_border_color":"465337","profile_background_tile":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/122511065\/Image1_normal.jpg","id":5827462,"time_zone":"Tokyo","followers_count":94},"favorited":false,"in_reply_to_screen_name":"tateru","in_reply_to_status_id":1908218919,"id":1908233304,"source":"Tween<\/a>"} {"text":"Twitter & Me","created_at":"Mon May 25 01:59:23 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"352726","description":"Black and Mild with an affinity for horror, music, and pee in my pants laughter. ","screen_name":"slimgoodd","following":null,"utc_offset":-18000,"created_at":"Fri Mar 13 23:24:51 +0000 2009","friends_count":77,"profile_text_color":"3E4415","notifications":null,"statuses_count":90,"favourites_count":31,"protected":false,"profile_link_color":"D02B55","location":"Jersey Shore","name":"DaShawn","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme5\/bg.gif","profile_sidebar_fill_color":"99CC33","url":null,"profile_sidebar_border_color":"829D5E","profile_background_tile":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/221625173\/all_love_edited_normal.jpg","id":24280282,"time_zone":"Eastern Time (US & Canada)","followers_count":43},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908233302,"source":"web"} {"text":"#3News NZ: Drake dismisses Rihanna romance rumours: Rapper Drake is playing down rumours he's dating R.. http:\/\/tr.im\/mikf","created_at":"Mon May 25 01:59:23 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"9ae4e8","description":"Unofficial 3 News NZ Headlines - every 30 mins. @dodos57 wanted some NZ TV3 News on twitter. ","screen_name":"3NewsNZ","following":null,"utc_offset":43200,"created_at":"Fri Apr 04 11:25:18 +0000 2008","friends_count":485,"profile_text_color":"000000","notifications":null,"statuses_count":30518,"favourites_count":22,"protected":false,"profile_link_color":"0000ff","location":"The Ether, L:New Zealand:","name":"3News Headlines, NZ","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme1\/bg.gif","profile_sidebar_fill_color":"e0ff92","url":"http:\/\/3news.co.nz?from=Twitter.com\/3NewsNZ","profile_sidebar_border_color":"87bc44","profile_background_tile":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/82109046\/3Newslogo_normal.jpg","id":14301731,"time_zone":"Wellington","followers_count":937},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908233300,"source":"twitterfeed<\/a>"} {"truncated":false,"text":"THINK: is okay for ur bf 2 call your dad while you're on vaca if you're not answering his texts? Weird...","created_at":"Mon May 25 01:59:23 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":43,"favourites_count":0,"description":"","screen_name":"mandymarin","following":null,"utc_offset":-25200,"created_at":"Tue Mar 24 23:53:42 +0000 2009","profile_link_color":"0000ff","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme1\/bg.gif","profile_sidebar_fill_color":"e0ff92","protected":false,"location":"","name":"Mandy","profile_sidebar_border_color":"87bc44","profile_background_tile":false,"url":null,"time_zone":"Arizona","followers_count":32,"profile_background_color":"9ae4e8","friends_count":88,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/209028467\/Mandy_055_normal.jpg","id":26363310,"profile_text_color":"000000"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908233400,"source":"txt<\/a>"} {"text":"just chilling","created_at":"Mon May 25 01:59:23 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"9ae4e8","description":null,"screen_name":"free2beme3","following":null,"utc_offset":null,"created_at":"Mon May 25 01:56:41 +0000 2009","friends_count":2,"profile_text_color":"000000","notifications":null,"statuses_count":1,"favourites_count":0,"protected":false,"profile_link_color":"0000ff","location":null,"name":"Tyler Wilridge","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme1\/bg.gif","profile_sidebar_fill_color":"e0ff92","url":null,"profile_sidebar_border_color":"87bc44","profile_background_tile":false,"profile_image_url":"http:\/\/static.twitter.com\/images\/default_profile_normal.png","id":42326911,"time_zone":null,"followers_count":0},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908233401,"source":"web"} {"truncated":false,"text":"@nighthawk182 as if the heart murmur and seeing the cardio wasn't enough, then ear infection, thrush from antibiotics, now strep poor guy","created_at":"Mon May 25 01:59:23 +0000 2009","in_reply_to_user_id":25377980,"favorited":false,"user":{"notifications":null,"statuses_count":27,"favourites_count":1,"description":null,"screen_name":"ladyhawk182","following":null,"utc_offset":null,"created_at":"Mon Apr 13 01:49:26 +0000 2009","profile_link_color":"0000ff","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme1\/bg.gif","profile_sidebar_fill_color":"e0ff92","protected":false,"location":null,"name":"Laraine Epley","profile_sidebar_border_color":"87bc44","profile_background_tile":false,"url":null,"time_zone":null,"followers_count":9,"profile_background_color":"9ae4e8","friends_count":40,"profile_image_url":"http:\/\/static.twitter.com\/images\/default_profile_normal.png","id":30776862,"profile_text_color":"000000"},"in_reply_to_screen_name":"nighthawk182","in_reply_to_status_id":1907160325,"id":1908233404,"source":"Tweetie<\/a>"} {"truncated":false,"text":"just started playing UFC 2009 Undisputed. http:\/\/raptr.com\/dmac","created_at":"Mon May 25 01:59:23 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":129,"favourites_count":0,"description":"","screen_name":"Dmac271","following":null,"utc_offset":-18000,"created_at":"Wed Mar 25 02:38:30 +0000 2009","profile_link_color":"333333","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/6842822\/twitter1.png","profile_sidebar_fill_color":"c61515","protected":false,"location":"","name":"Derek Kaylor","profile_sidebar_border_color":"333333","profile_background_tile":false,"url":null,"time_zone":"Eastern Time (US & Canada)","followers_count":40,"profile_background_color":"333333","friends_count":61,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/109167236\/n1167450214_2014_normal.jpg","id":26407105,"profile_text_color":"333333"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908233403,"source":"Raptr<\/a>"} {"truncated":false,"text":"enjoyed the rain all weekend","in_reply_to_user_id":null,"favorited":false,"created_at":"Mon May 25 01:59:23 +0000 2009","in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908233402,"user":{"friends_count":172,"location":null,"utc_offset":null,"profile_text_color":"000000","notifications":null,"statuses_count":39,"favourites_count":0,"following":null,"profile_link_color":"0000ff","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme1\/bg.gif","description":null,"name":"Marty Chavez","profile_sidebar_fill_color":"e0ff92","protected":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/95410467\/visionary_normal.JPG","created_at":"Fri Mar 13 21:05:53 +0000 2009","profile_sidebar_border_color":"87bc44","screen_name":"MartyChavez","profile_background_tile":false,"time_zone":null,"followers_count":255,"id":24254006,"profile_background_color":"9ae4e8","url":null},"source":"web"} {"text":"CORALINE! EDEN LAKE! BLACK DYNAMITE! Nick Hornby's AN EDUCATION! And that's just for starters... Bring on @MIFF09Official!!!","created_at":"Mon May 25 01:59:24 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"22242a","description":"I watch, make, watch, blog about, and watch films.","screen_name":"cinemaviscera","following":null,"utc_offset":36000,"created_at":"Sun Mar 22 22:06:08 +0000 2009","friends_count":79,"profile_text_color":"d30909","notifications":null,"statuses_count":206,"favourites_count":0,"protected":false,"profile_link_color":"2f3bef","location":"Melbourne, Australia","name":"Paul Anthony Nelson","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme9\/bg.gif","profile_sidebar_fill_color":"010005","url":"http:\/\/pulpfrictionaustralia.blogspot.com","profile_sidebar_border_color":"181A1E","profile_background_tile":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/124035544\/DirectPic_normal.jpg","id":25890717,"time_zone":"Melbourne","followers_count":72},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908233503,"source":"web"} {"truncated":false,"text":"consegui foto da dancinha e foto do cora\u00e7\u00e3o, FG *--*","created_at":"Mon May 25 01:59:24 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":306,"favourites_count":0,"description":"","screen_name":"camilaxxx","following":null,"utc_offset":-14400,"created_at":"Tue Apr 21 02:30:03 +0000 2009","profile_link_color":"9e9e9e","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/14025780\/loveisdr4.jpg","profile_sidebar_fill_color":"fefbfc","protected":false,"location":"Brasil","name":"camila virna","profile_sidebar_border_color":"f3aad8","profile_background_tile":true,"url":null,"time_zone":"Santiago","followers_count":32,"profile_background_color":"f3aad8","friends_count":67,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/149640942\/Imagem_015_normal.jpg","id":33776191,"profile_text_color":"ea75af"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908233504,"source":"web"} {"text":"One more half, let's go Magic","created_at":"Mon May 25 01:59:24 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"1A1B1F","description":"I Live Life To The Fullest","screen_name":"cvv1984","following":null,"utc_offset":-21600,"created_at":"Wed Sep 10 22:16:07 +0000 2008","friends_count":188,"profile_text_color":"666666","notifications":null,"statuses_count":837,"favourites_count":3,"protected":false,"profile_link_color":"2FC2EF","location":"Mars","name":"IAMHIPHOP","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme9\/bg.gif","profile_sidebar_fill_color":"252429","url":"http:\/\/thecaramellounge.blogspot.com","profile_sidebar_border_color":"181A1E","profile_background_tile":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/228839138\/Photo_1_normal.jpg","id":16229264,"time_zone":"Central Time (US & Canada)","followers_count":70},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908233501,"source":"Twittelator<\/a>"} {"truncated":false,"text":"@heystephy hope it's a good one :D","in_reply_to_user_id":21638437,"favorited":false,"created_at":"Mon May 25 01:59:24 +0000 2009","in_reply_to_screen_name":"heystephy","in_reply_to_status_id":1908103775,"id":1908233500,"user":{"friends_count":35,"location":"Cali, Colombia ","utc_offset":-21600,"profile_text_color":"634047","notifications":null,"statuses_count":519,"favourites_count":6,"following":null,"profile_link_color":"088253","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme3\/bg.gif","description":"crazy curly hair all over the place = ME!","name":"Natalia G\u00f3mez T.","profile_sidebar_fill_color":"E3E2DE","protected":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/207572520\/natatwitter1_normal.jpg","created_at":"Sat Apr 04 02:13:38 +0000 2009","profile_sidebar_border_color":"D3D2CF","screen_name":"natagomez","profile_background_tile":false,"time_zone":"Central Time (US & Canada)","followers_count":14,"id":28716522,"profile_background_color":"EDECE9","url":null},"source":"web"} {"truncated":false,"text":"shares http:\/\/tinyurl.com\/pz8qtq http:\/\/plurk.com\/p\/vyvds","created_at":"Mon May 25 01:59:25 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":27,"favourites_count":0,"description":"","screen_name":"virginiagallino","following":null,"utc_offset":-14400,"created_at":"Sat Mar 28 17:17:42 +0000 2009","profile_link_color":"664100","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme1\/bg.gif","profile_sidebar_fill_color":"92b262","protected":false,"location":"Buenos Aires","name":"Virginia Gallino","profile_sidebar_border_color":"181A1E","profile_background_tile":false,"url":"http:\/\/www.virginiagallino.com.ar","time_zone":"Santiago","followers_count":7,"profile_background_color":"333642","friends_count":11,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/113011763\/facebook25_normal.jpg","id":27267022,"profile_text_color":"262626"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908233604,"source":"web"} {"text":"@lameymacdonald thought Gilbert video was great!Really did watch 3x.Could watch again.Love her description of creativity http:\/\/bit.ly\/N3jIf","created_at":"Mon May 25 01:59:25 +0000 2009","truncated":false,"in_reply_to_user_id":17454801,"user":{"profile_background_color":"9AE4E8","description":"creative, imagination, art, illustration, marketing professional by day, curious sort, cat hugger, nature lover, gardner, walker, bird watcher, giggler.","screen_name":"CHERYLtheArtist","following":null,"utc_offset":-18000,"created_at":"Wed Mar 04 14:57:10 +0000 2009","friends_count":493,"profile_text_color":"333333","notifications":null,"statuses_count":664,"favourites_count":31,"protected":false,"profile_link_color":"0084B4","location":"Pennsylvania","name":"Cheryl Kugler","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/5583368\/spiral_1___2_.jpg","profile_sidebar_fill_color":"e9c216","url":"http:\/\/www.cherylkugler.blogspot.com","profile_sidebar_border_color":"1189e8","profile_background_tile":true,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/90557757\/SadieAndKittyTea_square_crop_resized_75_normal.jpg","id":22782668,"time_zone":"Eastern Time (US & Canada)","followers_count":529},"favorited":false,"in_reply_to_screen_name":"lameymacdonald","in_reply_to_status_id":null,"id":1908233701,"source":"web"} {"text":"@AnaRampelotti continuaremos aqui pq \u00e9 bem massinha. =)","created_at":"Mon May 25 01:59:25 +0000 2009","truncated":false,"in_reply_to_user_id":41811980,"user":{"profile_background_color":"352726","description":"nasci, cresci e ainda n\u00e3o morri.","screen_name":"mahmih","following":null,"utc_offset":-14400,"created_at":"Sun May 24 15:11:40 +0000 2009","friends_count":16,"profile_text_color":"3E4415","notifications":null,"statuses_count":7,"favourites_count":0,"protected":false,"profile_link_color":"D02B55","location":"Sou Para\u00edba e n\u00e3o nego.","name":"Maira Mirella","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme5\/bg.gif","profile_sidebar_fill_color":"99CC33","url":null,"profile_sidebar_border_color":"829D5E","profile_background_tile":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/228520049\/hehe_normal.JPG","id":42225180,"time_zone":"Santiago","followers_count":8},"favorited":false,"in_reply_to_screen_name":"AnaRampelotti","in_reply_to_status_id":1908221930,"id":1908233703,"source":"web"} {"text":"@ShadyBob PBR!","created_at":"Mon May 25 01:59:25 +0000 2009","truncated":false,"in_reply_to_user_id":14513757,"user":{"profile_background_color":"FF6699","description":"Notorious Hollywood Party Girl, Photographer, Blogger and Message Board Hooker. Visiting Milwaukee WI June 1st-3rd Chicago ILL June 3rd-5th","screen_name":"jennydemilo","following":null,"utc_offset":-28800,"created_at":"Thu Nov 06 20:07:36 +0000 2008","friends_count":112,"profile_text_color":"362720","notifications":null,"statuses_count":3125,"favourites_count":8,"protected":false,"profile_link_color":"B40B43","location":"Downtown Los Angeles","name":"Jenny DeMilo","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/4552192\/bubbles.jpg","profile_sidebar_fill_color":"e550a6","url":"http:\/\/www.goodtimejenny.com","profile_sidebar_border_color":"CC3366","profile_background_tile":true,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/112586440\/Boston10_sm_normal.jpg","id":17218167,"time_zone":"Pacific Time (US & Canada)","followers_count":569},"favorited":false,"in_reply_to_screen_name":"ShadyBob","in_reply_to_status_id":1908176167,"id":1908233704,"source":"TweetDeck<\/a>"} {"text":"Im oficaly a world class bitch now. Both ears are infected (big pain!), Im super tired(2 hours sleep) & I would kill 4 food. Even nasty ...","created_at":"Mon May 25 01:59:25 +0000 2009","truncated":true,"in_reply_to_user_id":null,"user":{"profile_background_color":"1A1B1F","description":"Most days I make no sense but then again, do you?","screen_name":"Jodiesirovy","following":null,"utc_offset":-21600,"created_at":"Wed May 28 00:32:40 +0000 2008","friends_count":36,"profile_text_color":"666666","notifications":null,"statuses_count":2659,"favourites_count":1,"protected":false,"profile_link_color":"2FC2EF","location":"Iowa, I know, your jealous.","name":"Jodiesirovy","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme9\/bg.gif","profile_sidebar_fill_color":"252429","url":"http:\/\/www.myspace.com\/Jodie_sirovy","profile_sidebar_border_color":"181A1E","profile_background_tile":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/134573984\/l_3ba04c2ee8ae125b1e84e61ca490fb0d_normal.jpg","id":14927903,"time_zone":"Central Time (US & Canada)","followers_count":75},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908233702,"source":"txt<\/a>"} {"truncated":false,"text":"@Dollista lol! \"hey, shyt happens\" u knew her over twitter or beyond it?","created_at":"Mon May 25 01:59:26 +0000 2009","in_reply_to_user_id":11704052,"favorited":false,"user":{"notifications":null,"statuses_count":1242,"favourites_count":0,"description":"Fck You!","screen_name":"MelPopular","following":null,"utc_offset":-18000,"created_at":"Mon Mar 16 02:11:31 +0000 2009","profile_link_color":"FF0000","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme10\/bg.gif","profile_sidebar_fill_color":"7AC3EE","protected":false,"location":"Brooklyn, N.Y","name":"Melody Popular","profile_sidebar_border_color":"65B0DA","profile_background_tile":true,"url":"http:\/\/myspace.com\/fckmel","time_zone":"Eastern Time (US & Canada)","followers_count":123,"profile_background_color":"642D8B","friends_count":79,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/216813996\/IMG00028_normal.JPG","id":24631838,"profile_text_color":"3D1957"},"in_reply_to_screen_name":"Dollista","in_reply_to_status_id":null,"id":1908233802,"source":"mobile web<\/a>"} {"truncated":false,"text":"LOCAL: Connecticut Welcomes WWII Vets Home Again: Hundreds of family and friends welcomed home the team of.. http:\/\/tinyurl.com\/pb6csz","created_at":"Mon May 25 01:59:27 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":4416,"favourites_count":0,"description":"News. Around Town. Weather. Sports. Locals Only.","screen_name":"NBCConnecticut","following":null,"utc_offset":-21600,"created_at":"Mon Jan 19 20:59:33 +0000 2009","profile_link_color":"0099B9","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme4\/bg.gif","profile_sidebar_fill_color":"95E8EC","protected":false,"location":"","name":"NBC Connecticut","profile_sidebar_border_color":"5ED4DC","profile_background_tile":false,"url":"http:\/\/www.nbcconnecticut.com","time_zone":"Central Time (US & Canada)","followers_count":1138,"profile_background_color":"0099B9","friends_count":9,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/71960928\/nbclogo_normal.jpg","id":19201818,"profile_text_color":"3C3940"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908233900,"source":"twitterfeed<\/a>"} {"text":"@vderderian ummm i don't know what this will do...","created_at":"Mon May 25 01:59:27 +0000 2009","truncated":false,"in_reply_to_user_id":42322058,"user":{"profile_background_color":"FF6699","description":"","screen_name":"t_weenie","following":null,"utc_offset":-18000,"created_at":"Fri May 15 19:31:33 +0000 2009","friends_count":10,"profile_text_color":"362720","notifications":null,"statuses_count":4,"favourites_count":0,"protected":false,"profile_link_color":"B40B43","location":"","name":"Taleen Sandrouni","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme11\/bg.gif","profile_sidebar_fill_color":"E5507E","url":null,"profile_sidebar_border_color":"CC3366","profile_background_tile":true,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/213550234\/2657_525345711104_28304462_31689425_7995933_n_normal.jpg","id":40313458,"time_zone":"Eastern Time (US & Canada)","followers_count":1},"favorited":false,"in_reply_to_screen_name":"vderderian","in_reply_to_status_id":1908200360,"id":1908233903,"source":"web"} {"text":"RT @luxofgodsgirls: http:\/\/twitpic.com\/5w7vv - my hair covers my boobs. ta da!","created_at":"Mon May 25 01:59:27 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"9AE4E8","description":"Vintage Pinup girl and photographer with her own iPhone App!","screen_name":"PocketPinUp","following":null,"utc_offset":-28800,"created_at":"Tue Apr 21 23:56:58 +0000 2009","friends_count":859,"profile_text_color":"333333","notifications":null,"statuses_count":400,"favourites_count":5,"protected":false,"profile_link_color":"0084B4","location":"Main Street, USA","name":"Pocket Pin-Ups","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/9488387\/TwitterBackGround.jpg","profile_sidebar_fill_color":"DDFFCC","url":"http:\/\/www.pocketpin-ups.com","profile_sidebar_border_color":"BDDCAD","profile_background_tile":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/193090860\/ProfileIconPhoto_normal.jpg","id":34098896,"time_zone":"Pacific Time (US & Canada)","followers_count":860},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908233904,"source":"TwitterFon<\/a>"} {"text":"Playing on www.station112.com Rock: Led Zeppelin - Misty Mountain Hop","created_at":"Mon May 25 01:59:27 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"9ae4e8","description":null,"screen_name":"Station112_Rock","following":null,"utc_offset":null,"created_at":"Sun Apr 26 05:46:49 +0000 2009","friends_count":2,"profile_text_color":"000000","notifications":null,"statuses_count":8362,"favourites_count":0,"protected":false,"profile_link_color":"0000ff","location":null,"name":"Station112-Rock","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme1\/bg.gif","profile_sidebar_fill_color":"e0ff92","url":null,"profile_sidebar_border_color":"87bc44","profile_background_tile":false,"profile_image_url":"http:\/\/static.twitter.com\/images\/default_profile_normal.png","id":35414192,"time_zone":null,"followers_count":141},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908233902,"source":"TwitterMail<\/a>"} {"truncated":false,"text":"Just had a really bad meal at longhorn-cheapest thing on menu-was gonna charge it...but they did not make me pay...","created_at":"Mon May 25 01:59:27 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":1228,"favourites_count":0,"description":"seminary student in new orleans","screen_name":"jcardinell","following":null,"utc_offset":-25200,"created_at":"Tue Dec 16 18:17:44 +0000 2008","profile_link_color":"D02B55","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme9\/bg.gif","profile_sidebar_fill_color":"99CC33","protected":false,"location":"new orleans\/biloxi ms","name":"jcardinell","profile_sidebar_border_color":"829D5E","profile_background_tile":true,"url":"http:\/\/unlimitedpartnerships.org","time_zone":"Mountain Time (US & Canada)","followers_count":101,"profile_background_color":"352726","friends_count":67,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/148784417\/chicago_2002_normal.jpg","id":18168259,"profile_text_color":"3E4415"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908233901,"source":"txt<\/a>"} {"truncated":false,"text":"@pickerbrad: Your Twitter profile is worth 104 US$ http:\/\/tweetvalue.com","created_at":"Mon May 25 01:59:27 +0000 2009","in_reply_to_user_id":22960631,"favorited":false,"user":{"notifications":null,"statuses_count":2652,"favourites_count":0,"description":"How much is your Twitter profile worth?","screen_name":"tweetvalue","following":null,"utc_offset":-36000,"created_at":"Thu Dec 18 07:37:57 +0000 2008","profile_link_color":"0084B4","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/8655323\/tweetvalue_small.png","profile_sidebar_fill_color":"DDFFCC","protected":false,"location":"Sweden","name":"TweetValue.com","profile_sidebar_border_color":"BDDCAD","profile_background_tile":false,"url":"http:\/\/tweetvalue.com","time_zone":"Hawaii","followers_count":1165,"profile_background_color":"ffffff","friends_count":2002,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/67824507\/tweetvalue_small_normal.png","id":18211198,"profile_text_color":"333333"},"in_reply_to_screen_name":"pickerbrad","in_reply_to_status_id":null,"id":1908234004,"source":"web"} {"truncated":false,"text":"@lalumena Took some decongestants. They helped.","created_at":"Mon May 25 01:59:27 +0000 2009","in_reply_to_user_id":16901621,"favorited":false,"user":{"notifications":null,"statuses_count":920,"favourites_count":4,"description":"I'm the bomb like tick tick.","screen_name":"oxymoronassoc","following":null,"utc_offset":-28800,"created_at":"Fri Jan 09 22:07:08 +0000 2009","profile_link_color":"2FC2EF","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme9\/bg.gif","profile_sidebar_fill_color":"252429","protected":false,"location":"California","name":"Britta","profile_sidebar_border_color":"181A1E","profile_background_tile":false,"url":null,"time_zone":"Pacific Time (US & Canada)","followers_count":73,"profile_background_color":"1A1B1F","friends_count":52,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/156336550\/twitter_normal.jpg","id":18817499,"profile_text_color":"666666"},"in_reply_to_screen_name":"lalumena","in_reply_to_status_id":1908215208,"id":1908234000,"source":"TwitterFox<\/a>"} {"truncated":false,"text":"me gustaria comprar la version PRO de tantos servicios... ya soy increible, pero no PRO todavia... #serincreible","created_at":"Mon May 25 01:59:27 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":7299,"favourites_count":143,"description":"Estudiante de Dis. Multimedia\/Interactivo, fan de CSS, AE, internet, fotografia y la tech en gral. Corredor de bici cuando hay tpo.","screen_name":"rulexdesign","following":null,"utc_offset":-10800,"created_at":"Wed Aug 06 13:42:35 +0000 2008","profile_link_color":"fb2801","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme1\/bg.gif","profile_sidebar_fill_color":"0f0f0f","protected":false,"location":"Cba, Argentina","name":"eugenio","profile_sidebar_border_color":"FB2801","profile_background_tile":false,"url":"http:\/\/www.rule-xdesign.com.ar\/blog","time_zone":"Buenos Aires","followers_count":251,"profile_background_color":"000000","friends_count":192,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/220176942\/avatar-bici_normal.png","id":15749852,"profile_text_color":"666666"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908234002,"source":"TweetDeck<\/a>"} {"text":"T\u00f4 indo dormir e ler Budapeste - espero q n\u00e3o nessa ordem...","created_at":"Mon May 25 01:59:28 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"1A1B1F","description":"","screen_name":"caiobrant","following":null,"utc_offset":-10800,"created_at":"Thu Jun 19 19:25:55 +0000 2008","friends_count":206,"profile_text_color":"666666","notifications":null,"statuses_count":546,"favourites_count":28,"protected":false,"profile_link_color":"4f8696","location":"Bras\u00edlia - DF","name":"Caio Brant","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/9843136\/510011_75478994pq.jpg","profile_sidebar_fill_color":"252429","url":"http:\/\/www.meadiciona.com\/caiobrant","profile_sidebar_border_color":"181A1E","profile_background_tile":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/220506843\/caio02_normal.jpg","id":15172439,"time_zone":"Brasilia","followers_count":185},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908234100,"source":"TweetDeck<\/a>"} {"truncated":false,"text":"@Chinks1023 U doing anything when u get off ?","created_at":"Mon May 25 01:59:28 +0000 2009","in_reply_to_user_id":21711020,"favorited":false,"user":{"notifications":null,"statuses_count":2206,"favourites_count":20,"description":" The Real Tony Jonhnson!!!! N.C. Represent. AKA Tony Dynamite ","screen_name":"KingTee1","following":null,"utc_offset":-28800,"created_at":"Sat Apr 25 02:18:39 +0000 2009","profile_link_color":"0000ff","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme1\/bg.gif","profile_sidebar_fill_color":"e0ff92","protected":false,"location":"North Carolina","name":"Tony Johnson","profile_sidebar_border_color":"87bc44","profile_background_tile":false,"url":"http:\/\/Tszion23@yahoo.com ","time_zone":"Pacific Time (US & Canada)","followers_count":163,"profile_background_color":"9ae4e8","friends_count":286,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/186488804\/download_normal.jpg","id":35116862,"profile_text_color":"000000"},"in_reply_to_screen_name":"Chinks1023","in_reply_to_status_id":1908207436,"id":1908234103,"source":"TwitterFon<\/a>"} {"truncated":false,"text":"@no634 how does that amount of broken bones make a court case?","created_at":"Mon May 25 01:59:28 +0000 2009","in_reply_to_user_id":18326035,"favorited":false,"user":{"notifications":null,"statuses_count":5682,"favourites_count":3,"description":"I just graduated from the U of MN, and am killing some time before I go to South Korea to teach English","screen_name":"gnimsh","following":null,"utc_offset":-21600,"created_at":"Tue Apr 29 19:51:27 +0000 2008","profile_link_color":"1F98C7","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme2\/bg.gif","profile_sidebar_fill_color":"DAECF4","protected":false,"location":"Minneapolis","name":"Justin","profile_sidebar_border_color":"C6E2EE","profile_background_tile":false,"url":"http:\/\/www.linkedin.com\/in\/justinloutsch","time_zone":"Central Time (US & Canada)","followers_count":261,"profile_background_color":"C6E2EE","friends_count":292,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/81769475\/MefromPhone_normal.jpg","id":14589706,"profile_text_color":"663B12"},"in_reply_to_screen_name":"no634","in_reply_to_status_id":1908208067,"id":1908234101,"source":"TweetDeck<\/a>"} {"truncated":false,"text":"@HerrRigney have you ever read elephants of posnan or elephantmen? i recommend both.","created_at":"Mon May 25 01:59:28 +0000 2009","in_reply_to_user_id":36266039,"favorited":false,"user":{"notifications":null,"statuses_count":4479,"favourites_count":123,"description":"this is my replacement for short term memory. GET OUT OF MY HEAD, CHARLES!!!","screen_name":"emfail","following":null,"utc_offset":-21600,"created_at":"Sun Oct 19 22:42:39 +0000 2008","profile_link_color":"fe6d20","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/13606888\/twitterbackground.JPG","profile_sidebar_fill_color":"ffffff","protected":false,"location":"Highland Park, IL","name":"emily eff art doux","profile_sidebar_border_color":"181A1E","profile_background_tile":true,"url":"http:\/\/www.amazon.com\/gp\/registry\/wishlist\/2YM9O9S3XAC96","time_zone":"Central Time (US & Canada)","followers_count":71,"profile_background_color":"1A1B1F","friends_count":91,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/219396757\/newtwitterpic_normal.JPG","id":16857319,"profile_text_color":"000000"},"in_reply_to_screen_name":"HerrRigney","in_reply_to_status_id":1907366954,"id":1908234104,"source":"TwitterGadget<\/a>"} {"text":"\"A lot of fellows nowadays have a B.A., M.D., or Ph.D. Unfortunately, they don't have a J.O.B.\" Fats Domino","created_at":"Mon May 25 01:59:25 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"aeaa6b","description":"I provide Social Media Virtual Assistance to companies\/individuals _ DM to discuss your needs","screen_name":"bobgarrett","following":null,"utc_offset":-18000,"created_at":"Sat Mar 15 21:09:39 +0000 2008","friends_count":37294,"profile_text_color":"b34d4d","notifications":null,"statuses_count":8345,"favourites_count":30,"protected":false,"profile_link_color":"2FC2EF","location":"Philadelphia","name":"Bob Garrett","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/3658309\/p3.jpg","profile_sidebar_fill_color":"252429","url":"http:\/\/www.linkedin.com\/in\/bobgarrett","profile_sidebar_border_color":"181A1E","profile_background_tile":true,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/68639497\/P1010019_normal.JPG","id":14154581,"time_zone":"Eastern Time (US & Canada)","followers_count":35553},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908233700,"source":"web"} {"truncated":false,"text":"http:\/\/twitpic.com\/5wa9h -","created_at":"Mon May 25 01:59:29 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":16,"favourites_count":1,"description":"","screen_name":"aj_torres","following":null,"utc_offset":-14400,"created_at":"Sun May 03 21:06:23 +0000 2009","profile_link_color":"0084B4","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/14085667\/edge-crude-lewd-tattooed-rated-R-superstar-logo-wallpaper-preview.jpg","profile_sidebar_fill_color":"DDFFCC","protected":false,"location":"San Juan,PR","name":"Angel Torres","profile_sidebar_border_color":"BDDCAD","profile_background_tile":true,"url":null,"time_zone":"Caracas","followers_count":7,"profile_background_color":"810404","friends_count":10,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/220873150\/n604665536_5515681_661_normal.jpg","id":37502039,"profile_text_color":"092667"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908234203,"source":"TwitPic<\/a>"} {"truncated":false,"text":"@mattbritton florida has a great smell. the air also smells good after it rains....","created_at":"Mon May 25 01:59:29 +0000 2009","in_reply_to_user_id":14180584,"favorited":false,"user":{"notifications":null,"statuses_count":400,"favourites_count":1,"description":"strange girl who enjoys the strange things in life.","screen_name":"Erica9918","following":null,"utc_offset":-18000,"created_at":"Wed Feb 11 18:43:53 +0000 2009","profile_link_color":"0084B4","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme1\/bg.gif","profile_sidebar_fill_color":"DDFFCC","protected":false,"location":"NYC","name":"Erica Berger","profile_sidebar_border_color":"BDDCAD","profile_background_tile":false,"url":null,"time_zone":"Eastern Time (US & Canada)","followers_count":36,"profile_background_color":"9AE4E8","friends_count":32,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/142128354\/Yaakov_normal.jpg","id":20610237,"profile_text_color":"333333"},"in_reply_to_screen_name":"mattbritton","in_reply_to_status_id":1908176744,"id":1908234202,"source":"web"} {"text":"@itsinca how is everything?","created_at":"Mon May 25 01:59:29 +0000 2009","truncated":false,"in_reply_to_user_id":17079789,"user":{"profile_background_color":"9ae4e8","description":"","screen_name":"vinchinza","following":null,"utc_offset":-18000,"created_at":"Tue Feb 10 03:04:22 +0000 2009","friends_count":50,"profile_text_color":"000000","notifications":null,"statuses_count":326,"favourites_count":0,"protected":false,"profile_link_color":"0000ff","location":"\u00dcT: 39.273859,-76.653083","name":"Vinnie Samuel","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme1\/bg.gif","profile_sidebar_fill_color":"e0ff92","url":null,"profile_sidebar_border_color":"87bc44","profile_background_tile":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/113873778\/n1174572503_30107388_1380_normal.jpg","id":20488344,"time_zone":"Quito","followers_count":84},"favorited":false,"in_reply_to_screen_name":"itsinca","in_reply_to_status_id":1908180591,"id":1908234201,"source":"UberTwitter<\/a>"} {"truncated":false,"text":"Pusssy","created_at":"Mon May 25 01:59:29 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":146,"favourites_count":0,"description":"i'm sam. whaddup ullys","screen_name":"samanthaabear","following":null,"utc_offset":-28800,"created_at":"Thu Apr 16 23:27:42 +0000 2009","profile_link_color":"FF0000","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme12\/bg.gif","profile_sidebar_fill_color":"ffffff","protected":false,"location":"CHRESNO","name":"Samantha Bear","profile_sidebar_border_color":"b5d4cc","profile_background_tile":false,"url":"http:\/\/myspace.com\/iluhchoo","time_zone":"Pacific Time (US & Canada)","followers_count":27,"profile_background_color":"BADFCD","friends_count":19,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/141478861\/IMG_4771_77_normal.jpg","id":32201569,"profile_text_color":"171717"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908234200,"source":"txt<\/a>"} {"text":"@anal_probery Can you scan those drawings for me? It is a matter of saving the world, or at least my user icon.","created_at":"Mon May 25 01:59:29 +0000 2009","truncated":false,"in_reply_to_user_id":19422891,"user":{"profile_background_color":"C6E2EE","description":"Why hello there.","screen_name":"YouSexyThing","following":null,"utc_offset":-28800,"created_at":"Wed Apr 01 17:47:16 +0000 2009","friends_count":14,"profile_text_color":"393838","notifications":null,"statuses_count":674,"favourites_count":0,"protected":false,"profile_link_color":"1F98C7","location":"Kazakh SSR","name":"Jake Edwards","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/7350477\/Totoro_by_Rikku_x.jpg","profile_sidebar_fill_color":"d4d4d4","url":null,"profile_sidebar_border_color":"C6E2EE","profile_background_tile":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/118118466\/Totoro_normal.png","id":28153131,"time_zone":"Pacific Time (US & Canada)","followers_count":6},"favorited":false,"in_reply_to_screen_name":"anal_probery","in_reply_to_status_id":null,"id":1908234301,"source":"web"} {"truncated":false,"text":"At The Red Rock on E Broad in Blacklick watching the game.","in_reply_to_user_id":null,"favorited":false,"created_at":"Mon May 25 01:59:29 +0000 2009","in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908234304,"user":{"friends_count":1136,"location":"Pataskala, Ohio","utc_offset":-18000,"profile_text_color":"3D1957","notifications":null,"statuses_count":840,"favourites_count":28,"following":null,"profile_link_color":"FF0000","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/9843782\/twitterpageDenver.jpg","description":"Real Estate Investor (Always In Training). Enrolled in Than Merrill's Wholesaling University. Commercial Loan Broker Singer\/songwriter Goofball","name":"Denver Harris","profile_sidebar_fill_color":"7AC3EE","protected":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/204432754\/profile_normal.jpg","created_at":"Sun Mar 01 07:00:55 +0000 2009","profile_sidebar_border_color":"65B0DA","screen_name":"Denversings","profile_background_tile":true,"time_zone":"Eastern Time (US & Canada)","followers_count":1015,"id":22340023,"profile_background_color":"642D8B","url":"http:\/\/entrepreneurmanure.com"},"source":"Twitterrific<\/a>"} {"truncated":false,"text":"@jewelrytothesea how did you get twittah on your phone? T__T","created_at":"Mon May 25 01:59:29 +0000 2009","in_reply_to_user_id":21375395,"favorited":false,"user":{"notifications":null,"statuses_count":619,"favourites_count":3,"description":"","screen_name":"tylsforthescars","following":null,"utc_offset":-25200,"created_at":"Fri Jan 16 01:36:06 +0000 2009","profile_link_color":"0084B4","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme1\/bg.gif","profile_sidebar_fill_color":"DDFFCC","protected":false,"location":"","name":"Kaitlyn Skinner","profile_sidebar_border_color":"BDDCAD","profile_background_tile":false,"url":null,"time_zone":"Mountain Time (US & Canada)","followers_count":34,"profile_background_color":"9AE4E8","friends_count":36,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/193942354\/Photo_16_normal.jpg","id":19049313,"profile_text_color":"333333"},"in_reply_to_screen_name":"jewelrytothesea","in_reply_to_status_id":1908201184,"id":1908234303,"source":"web"} {"text":"Me gusta. Snapter. Escanea documentos con tu c\u00e1mara de fotos. http:\/\/snapter.atiz.com\/ (v\u00eda @hectorarturo)","created_at":"Mon May 25 01:59:29 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"ffffff","description":"Fathr, Lovr, Codr, Cancr, Philosophr, Designr, Bloggr, Flickr, Tumblr, Twittr, Googlr, Naileatr, Monstr, Writr, Teachr, Learnr, Deskhelpr, Dreamr, Left-handr","screen_name":"Quenerapu","following":null,"utc_offset":3600,"created_at":"Mon Mar 26 07:54:24 +0000 2007","friends_count":215,"profile_text_color":"4f4f4f","notifications":null,"statuses_count":2507,"favourites_count":11,"protected":false,"profile_link_color":"75001e","location":"Santiago de Compostela","name":"I\u00f1aki Quenerap\u00fa","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/8143719\/mini_USBlood.gif","profile_sidebar_fill_color":"ffffff","url":"http:\/\/quenerapu.com","profile_sidebar_border_color":"d1d1d1","profile_background_tile":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/203289450\/barca_normal.jpg","id":2270421,"time_zone":"Madrid","followers_count":197},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908234300,"source":"web"} {"truncated":false,"text":"Monday again.. Holidays next week..","created_at":"Mon May 25 01:59:30 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":23,"favourites_count":0,"description":"","screen_name":"SteveMartn","following":null,"utc_offset":36000,"created_at":"Thu Mar 26 05:08:17 +0000 2009","profile_link_color":"1F98C7","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme2\/bg.gif","profile_sidebar_fill_color":"DAECF4","protected":false,"location":"Melbourne","name":"Steve Martin","profile_sidebar_border_color":"C6E2EE","profile_background_tile":false,"url":null,"time_zone":"Melbourne","followers_count":4,"profile_background_color":"C6E2EE","friends_count":5,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/111370801\/21022009t_normal.jpg","id":26693519,"profile_text_color":"663B12"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908234402,"source":"Twitterrific<\/a>"} {"truncated":false,"text":"just flew back from Australia","created_at":"Mon May 25 01:59:30 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":80,"favourites_count":0,"description":"Artist management always looking for a new star myspace.com\/helliconmanagement","screen_name":"rickbottari","following":null,"utc_offset":-28800,"created_at":"Sat Apr 04 23:18:53 +0000 2009","profile_link_color":"2FC2EF","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme9\/bg.gif","profile_sidebar_fill_color":"252429","protected":false,"location":"LA","name":"rickbottari","profile_sidebar_border_color":"181A1E","profile_background_tile":false,"url":null,"time_zone":"Pacific Time (US & Canada)","followers_count":366,"profile_background_color":"1A1B1F","friends_count":1250,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/121986574\/Captured_2004-07-25_00004_2_normal.jpg","id":28892459,"profile_text_color":"666666"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908234404,"source":"web"} {"text":"need new perfumes na...","created_at":"Mon May 25 01:59:30 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"642D8B","description":"","screen_name":"neszreyes","following":null,"utc_offset":-32400,"created_at":"Mon May 11 03:05:13 +0000 2009","friends_count":10,"profile_text_color":"3D1957","notifications":null,"statuses_count":9,"favourites_count":0,"protected":false,"profile_link_color":"FF0000","location":"","name":"Nesz Reyes","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme10\/bg.gif","profile_sidebar_fill_color":"7AC3EE","url":"http:\/\/neszreyes.blogspot.com","profile_sidebar_border_color":"65B0DA","profile_background_tile":true,"profile_image_url":"http:\/\/static.twitter.com\/images\/default_profile_normal.png","id":39177922,"time_zone":"Alaska","followers_count":8},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908234403,"source":"web"} {"text":"So going to work late. Take that, coworker who's always late relieving me! :p Yes, I'm like, 12.","created_at":"Mon May 25 01:59:30 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"1A1B1F","description":"Behold the world's worst accident! I am 99% failure. And a music junkie. ","screen_name":"casket4mytears","following":null,"utc_offset":-18000,"created_at":"Fri Oct 31 02:41:59 +0000 2008","friends_count":31,"profile_text_color":"666666","notifications":null,"statuses_count":515,"favourites_count":21,"protected":false,"profile_link_color":"2FC2EF","location":"Toronto","name":"Amber Waves","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme9\/bg.gif","profile_sidebar_fill_color":"252429","url":"http:\/\/casket4mytears.vox.com","profile_sidebar_border_color":"181A1E","profile_background_tile":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/63244861\/n728260563_855262_7454_normal.jpg","id":17079497,"time_zone":"Eastern Time (US & Canada)","followers_count":25},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908234400,"source":"web"} {"text":"@siriman \u4e88\u5b9a\u3042\u3048\u3070\u3044\u304d\u305f\u3044\uff01","created_at":"Mon May 25 01:59:30 +0000 2009","truncated":false,"in_reply_to_user_id":15001270,"user":{"profile_background_color":"9AE4E8","description":"\u718a\u672c\u304b\u3089\u51fa\u3066\u304d\u305f\u7530\u820e\u8005\u304c\u30d6\u30ed\u30b0\u306b\u66f8\u304f\u307b\u3069\u3067\u3082\u306a\u3044\u3053\u3068\u3092\u3064\u3076\u3084\u3044\u3066\u3044\u304d\u307e\u3059\u3002\u6a5f\u68b0\u985e\u3092\u3044\u3058\u308b\u306e\u304c\u5927\u597d\u304d\u306a\u30d7\u30ed\u30b0\u30e9\u30de\u3067\u3059\u3002\u8da3\u5473\uff1a\u97f3\u697d\u9451\u8cde\u3001\u30ab\u30e9\u30aa\u30b1\u3001\u30b2\u30fc\u30bb\u30f3\u3001\u30e9\u30fc\u30e1\u30f3\u5c4b\u5de1\u308a\u3002\u30a2\u30a4\u30b3\u30f3\u306f\u30c0\u30c1\u306b\u4f5c\u3063\u3066\u3082\u3089\u3063\u305fIntel\u98a8\u306a\u3084\u3064\u3002","screen_name":"sakadai","following":null,"utc_offset":32400,"created_at":"Sun May 18 12:35:48 +0000 2008","friends_count":73,"profile_text_color":"333333","notifications":null,"statuses_count":11143,"favourites_count":44,"protected":false,"profile_link_color":"244cf0","location":"\u5343\u8449\u770c\u8239\u6a4b\u5e02\u21d4\u718a\u672c","name":"\u3055\u304b\u3060\u3044","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/11807663\/1024-768.jpg","profile_sidebar_fill_color":"ccfffb","url":"http:\/\/iddy.jp\/profile\/sakadai\/","profile_sidebar_border_color":"BDDCAD","profile_background_tile":true,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/54350501\/GRP_0000_normal.GIF","id":14820246,"time_zone":"Tokyo","followers_count":72},"favorited":false,"in_reply_to_screen_name":"siriman","in_reply_to_status_id":1908163696,"id":1908234401,"source":"P3:PeraPeraPrv<\/a>"} {"text":"@jennifersterger Seriously. I haven't seen players on the floor that much since the Spurs were winning championships.","created_at":"Mon May 25 01:59:31 +0000 2009","truncated":false,"in_reply_to_user_id":24469619,"user":{"profile_background_color":"9ae4e8","description":"EA SPORTS Community Manager ","screen_name":"raczilla","following":null,"utc_offset":-18000,"created_at":"Mon Apr 23 19:02:30 +0000 2007","friends_count":2804,"profile_text_color":"000000","notifications":null,"statuses_count":6269,"favourites_count":2,"protected":false,"profile_link_color":"0000ff","location":"Orlando","name":"Will Kinsler","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/4063317\/twittertemplate3.jpg","profile_sidebar_fill_color":"e0ff92","url":"http:\/\/insideblog.easports.com","profile_sidebar_border_color":"87bc44","profile_background_tile":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/63514872\/ea-sports-logo_normal.jpg","id":5442012,"time_zone":"Lima","followers_count":3982},"favorited":false,"in_reply_to_screen_name":"jennifersterger","in_reply_to_status_id":1908223503,"id":1908234503,"source":"web"} {"text":"Del Monte Social Media Strategy Creates A New Pet Food: NEW YORK AdAge.com -- It&#039s one thing to debate t.. http:\/\/tinyurl.com\/po7pb8","created_at":"Mon May 25 01:59:31 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"1A1B1F","description":"Advertising News - nobosh.com","screen_name":"4AdNews","following":null,"utc_offset":-28800,"created_at":"Sun Feb 15 19:02:30 +0000 2009","friends_count":4,"profile_text_color":"666666","notifications":null,"statuses_count":465,"favourites_count":0,"protected":false,"profile_link_color":"2FC2EF","location":"nobosh.com","name":"Brett Hellman","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme9\/bg.gif","profile_sidebar_fill_color":"252429","url":"http:\/\/nobosh.com\/advertising-news\/","profile_sidebar_border_color":"181A1E","profile_background_tile":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/78554356\/iphoneicon_v2_BIG_normal.jpg","id":20928733,"time_zone":"Pacific Time (US & Canada)","followers_count":64},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908234500,"source":"twitterfeed<\/a>"} {"text":"Chinese investment group to buy stake in NBA's Cleveland Cavaliers - http:\/\/twurl.nl\/l3fw5v","created_at":"Mon May 25 01:59:31 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"9ae4e8","description":"CEO of BroadWebAsia and Dir. Giant Interactive. Previously GenCounsel IBM China & Star TV, CFO TOM Online, In Beijing\/HK for 24 years","screen_name":"peterschloss","following":null,"utc_offset":28800,"created_at":"Fri Feb 29 15:17:49 +0000 2008","friends_count":171,"profile_text_color":"000000","notifications":null,"statuses_count":2181,"favourites_count":5,"protected":false,"profile_link_color":"0000ff","location":"Beijing","name":"Peter Schloss","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/2813833\/IMG_0098.JPG","profile_sidebar_fill_color":"e0ff92","url":"http:\/\/www.major.tv\/china","profile_sidebar_border_color":"87bc44","profile_background_tile":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/194129022\/Peter_Color_3_normal.JPG","id":14060630,"time_zone":"Beijing","followers_count":512},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908234502,"source":"TweetDeck<\/a>"} {"truncated":false,"text":"@PINKSUGARATL u got it baby","created_at":"Mon May 25 01:59:31 +0000 2009","in_reply_to_user_id":19094296,"favorited":false,"user":{"notifications":null,"statuses_count":3170,"favourites_count":83,"description":" Adult Entertainment Entrepreneur","screen_name":"TeddyHeffner","following":null,"utc_offset":-18000,"created_at":"Sun Apr 12 09:03:26 +0000 2009","profile_link_color":"0084B4","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/8280978\/cash.bmp","profile_sidebar_fill_color":"DDFFCC","protected":false,"location":"Atlanta,GA","name":"Teddy Heffner","profile_sidebar_border_color":"BDDCAD","profile_background_tile":false,"url":"http:\/\/www.youtube.com\/user\/teddyheffner","time_zone":"Eastern Time (US & Canada)","followers_count":1008,"profile_background_color":"9AE4E8","friends_count":2001,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/194786624\/4_normal.jpg","id":30626432,"profile_text_color":"333333"},"in_reply_to_screen_name":"PINKSUGARATL","in_reply_to_status_id":1908158235,"id":1908234504,"source":"web"} {"text":"@Coach_Dunn..barkley has the worst lol","created_at":"Mon May 25 01:59:31 +0000 2009","truncated":false,"in_reply_to_user_id":37016255,"user":{"profile_background_color":"9ae4e8","description":null,"screen_name":"ris2701","following":null,"utc_offset":null,"created_at":"Fri May 08 00:50:08 +0000 2009","friends_count":24,"profile_text_color":"000000","notifications":null,"statuses_count":60,"favourites_count":0,"protected":false,"profile_link_color":"0000ff","location":null,"name":"Karissa Stafford","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme1\/bg.gif","profile_sidebar_fill_color":"e0ff92","url":null,"profile_sidebar_border_color":"87bc44","profile_background_tile":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/215301102\/ris_normal.jpg","id":38565215,"time_zone":null,"followers_count":5},"favorited":false,"in_reply_to_screen_name":"Coach_Dunn","in_reply_to_status_id":null,"id":1908234601,"source":"mobile web<\/a>"} {"text":"@ampalm LOL I know he's not perfect but I really like West; he's a sincere and thoughtful philosopher #Stand","created_at":"Mon May 25 01:59:32 +0000 2009","truncated":false,"in_reply_to_user_id":10727332,"user":{"profile_background_color":"8B542B","description":"Blogging Postmodern Blackness","screen_name":"claudia_m","following":null,"utc_offset":-18000,"created_at":"Thu Oct 02 23:17:36 +0000 2008","friends_count":335,"profile_text_color":"333333","notifications":null,"statuses_count":732,"favourites_count":74,"protected":false,"profile_link_color":"9D582E","location":"Sula, pg. 6","name":"Bottom Of Heaven","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme8\/bg.gif","profile_sidebar_fill_color":"EADEAA","url":"http:\/\/thebottomofheaven.com","profile_sidebar_border_color":"D9B17E","profile_background_tile":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/103056142\/knelson_normal.jpg","id":16568648,"time_zone":"Eastern Time (US & Canada)","followers_count":279},"favorited":false,"in_reply_to_screen_name":"ampalm","in_reply_to_status_id":1908216850,"id":1908234702,"source":"web"} {"truncated":false,"text":"safeways asiago sindried tomato burgers are awsome....","in_reply_to_user_id":null,"favorited":false,"created_at":"Mon May 25 01:59:32 +0000 2009","in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908234700,"user":{"friends_count":17,"location":"Winnipeg","utc_offset":-21600,"profile_text_color":"000000","notifications":null,"statuses_count":73,"favourites_count":0,"following":null,"profile_link_color":"0000ff","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme1\/bg.gif","description":"","name":"Cian Whalley","profile_sidebar_fill_color":"e0ff92","protected":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/58943017\/n710936256_527342_2706_normal.jpg","created_at":"Wed Jul 30 21:46:59 +0000 2008","profile_sidebar_border_color":"87bc44","screen_name":"cwhalley","profile_background_tile":false,"time_zone":"Central America","followers_count":17,"id":15666716,"profile_background_color":"9ae4e8","url":"http:\/\/www.cian.ca"},"source":"Ping.fm<\/a>"} {"truncated":false,"text":"Nothing last day of vacation so I'm getting ready to go home.","created_at":"Mon May 25 01:59:34 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":1,"favourites_count":0,"description":null,"screen_name":"khnvb8","following":null,"utc_offset":null,"created_at":"Mon May 25 01:55:45 +0000 2009","profile_link_color":"0000ff","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme1\/bg.gif","profile_sidebar_fill_color":"e0ff92","protected":false,"location":null,"name":"Kylie Hulse-Nelson","profile_sidebar_border_color":"87bc44","profile_background_tile":false,"url":null,"time_zone":null,"followers_count":0,"profile_background_color":"9ae4e8","friends_count":0,"profile_image_url":"http:\/\/static.twitter.com\/images\/default_profile_normal.png","id":42326769,"profile_text_color":"000000"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908234703,"source":"web"} {"truncated":false,"text":"about to get dressed...i think im going on a umm dare i say it...DATE?!...OMG...","created_at":"Mon May 25 01:59:32 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":1320,"favourites_count":7,"description":"brown skin..pretty smile..big heart..make YOU go wild...TRUE story =)...","screen_name":"PrettyGirrl","following":null,"utc_offset":-25200,"created_at":"Fri Feb 27 22:23:15 +0000 2009","profile_link_color":"B40B43","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/14046690\/cassette.JPG","profile_sidebar_fill_color":"100e0f","protected":false,"location":"the skin im in...","name":"angelle gillum","profile_sidebar_border_color":"441323","profile_background_tile":true,"url":null,"time_zone":"Mountain Time (US & Canada)","followers_count":96,"profile_background_color":"110d0f","friends_count":128,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/224158985\/prettygirl_normal.jpg","id":22199340,"profile_text_color":"766760"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908234701,"source":"web"} {"text":"And off to bed I go... G'night!","created_at":"Mon May 25 01:59:32 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"EDECE9","description":"","screen_name":"shadysidefarm","following":null,"utc_offset":-18000,"created_at":"Sat Jan 31 19:52:46 +0000 2009","friends_count":103,"profile_text_color":"634047","notifications":null,"statuses_count":543,"favourites_count":3,"protected":false,"profile_link_color":"088253","location":"shadysidefarm.etsy.com","name":"Lona","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme3\/bg.gif","profile_sidebar_fill_color":"E3E2DE","url":"http:\/\/shadysidefarm.blogspot.com","profile_sidebar_border_color":"D3D2CF","profile_background_tile":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/74434041\/Tamarin_normal.jpg","id":19828552,"time_zone":"Eastern Time (US & Canada)","followers_count":144},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908234704,"source":"web"} {"truncated":false,"text":"@ItairaShanice oh shit lmfaooo ahaha !","created_at":"Mon May 25 01:59:33 +0000 2009","in_reply_to_user_id":23159528,"favorited":false,"user":{"notifications":null,"statuses_count":3553,"favourites_count":30,"description":"Kaylah Marie or KayKay =p..very silly and alwayss making people laugh =) love to sing and dancee and gets bored very easily lol ..oh yeah I FLIPPIN LOVE MUSIC !","screen_name":"kAYlAHMARiE_","following":null,"utc_offset":-18000,"created_at":"Sat Mar 07 22:40:50 +0000 2009","profile_link_color":"0084B4","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/10474742\/GorgeousDawn.jpg","profile_sidebar_fill_color":"DDFFCC","protected":false,"location":"MSZ.BAH-ROOK-LYN OWW !","name":"Kaylah Marie","profile_sidebar_border_color":"BDDCAD","profile_background_tile":true,"url":"http:\/\/www.myspace.com\/h2zel3yedqtpi3","time_zone":"Quito","followers_count":331,"profile_background_color":"9AE4E8","friends_count":131,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/210919700\/for_twitter_try_2_normal.png","id":23243904,"profile_text_color":"333333"},"in_reply_to_screen_name":"ItairaShanice","in_reply_to_status_id":1908228532,"id":1908234800,"source":"TweetDeck<\/a>"} {"text":"I haven't heard from Tanner in over 10 hours, and his phone is dead\/off. I'm getting REALLY worried.","created_at":"Mon May 25 01:59:33 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"642D8B","description":"I'm an aspiring Lifestyle Lolita, a Steampunk, an enigma, and an eccentric. Take your pick. =3","screen_name":"AvinaStar","following":null,"utc_offset":-18000,"created_at":"Sun Feb 22 02:21:53 +0000 2009","friends_count":32,"profile_text_color":"3D1957","notifications":null,"statuses_count":212,"favourites_count":2,"protected":false,"profile_link_color":"d676b6","location":"","name":"Avina Kurashina","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/13637184\/4dcddb56fea1256204f4ee0d8a95071f729_copy.jpg","profile_sidebar_fill_color":"ede5f6","url":"http:\/\/www.avinastar.livejournal.com","profile_sidebar_border_color":"553483","profile_background_tile":true,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/180161111\/Rose-Icon_normal.png","id":21537631,"time_zone":"Eastern Time (US & Canada)","followers_count":32},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908234801,"source":"TwitterFox<\/a>"} {"truncated":false,"text":"Hi...I'm cold and want to feel Tony's arms around me. :(","created_at":"Mon May 25 01:59:33 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":237,"favourites_count":8,"description":"Peace.Love.Dance.<3","screen_name":"LattexRosexx3","following":null,"utc_offset":-18000,"created_at":"Wed Apr 15 01:49:33 +0000 2009","profile_link_color":"0084B4","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/12186788\/just_dance.jpg","profile_sidebar_fill_color":"DDFFCC","protected":false,"location":"","name":"Charlotte Wright","profile_sidebar_border_color":"BDDCAD","profile_background_tile":true,"url":"http:\/\/lattexrosexx3.shutterfly,com password:iluvdance","time_zone":"Eastern Time (US & Canada)","followers_count":21,"profile_background_color":"9AE4E8","friends_count":95,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/204572646\/love_normal.jpg","id":31300899,"profile_text_color":"333333"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908234804,"source":"Twitterrific<\/a>"} {"truncated":false,"text":"Cant wait to have that California life!Mami hasnt been the sunshine state this week when i most need it to want the beach and starbucks life","created_at":"Mon May 25 01:59:34 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":5,"favourites_count":0,"description":"","screen_name":"fashionfreak923","following":null,"utc_offset":-36000,"created_at":"Wed May 06 00:26:52 +0000 2009","profile_link_color":"FF0000","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme10\/bg.gif","profile_sidebar_fill_color":"7AC3EE","protected":false,"location":"london uk","name":"maxine ","profile_sidebar_border_color":"65B0DA","profile_background_tile":true,"url":null,"time_zone":"Hawaii","followers_count":8,"profile_background_color":"642D8B","friends_count":12,"profile_image_url":"http:\/\/static.twitter.com\/images\/default_profile_normal.png","id":38064716,"profile_text_color":"3D1957"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908234902,"source":"web"} {"text":"need to sell short on your home? i'm working on some now, and we have a in house negotiator. www.i.listingbook.com contact there. #oc","created_at":"Mon May 25 01:59:34 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"352726","description":"ALL LA\/OC PEOPLE ALL THE TIME. i'm a Remax R.E. agent and shop at Hollywoodestore.com great gift store. thanks for following! I follow back oc\/la here","screen_name":"Steveintheoc","following":null,"utc_offset":-32400,"created_at":"Mon Feb 23 18:19:14 +0000 2009","friends_count":818,"profile_text_color":"3E4415","notifications":null,"statuses_count":1724,"favourites_count":1,"protected":false,"profile_link_color":"D02B55","location":"Fullerton, California","name":"Steve, that's me!","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/5010708\/Petals.jpg","profile_sidebar_fill_color":"99CC33","url":"http:\/\/www.steveoftheoc.tumblr.com","profile_sidebar_border_color":"829D5E","profile_background_tile":true,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/102161338\/Photo_15_normal.jpg","id":21676255,"time_zone":"Alaska","followers_count":919},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908234901,"source":"mobile web<\/a>"} {"truncated":false,"text":"home from Austin!","created_at":"Mon May 25 01:59:34 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":31,"favourites_count":0,"description":"","screen_name":"anabanana1025","following":null,"utc_offset":-18000,"created_at":"Thu May 07 21:14:02 +0000 2009","profile_link_color":"990000","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme7\/bg.gif","profile_sidebar_fill_color":"F3F3F3","protected":false,"location":"Kemah, Texass","name":"Ana Paula Pous","profile_sidebar_border_color":"DFDFDF","profile_background_tile":false,"url":null,"time_zone":"Eastern Time (US & Canada)","followers_count":6,"profile_background_color":"EBEBEB","friends_count":27,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/202699723\/03-31-09_1528_1__normal.jpg","id":38518658,"profile_text_color":"333333"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908234903,"source":"web"} {"text":"PLEASE DEAR GOD, LET THE GIRL SITTING IN FRONT OF ME FLY AWAY AND JUST FALL SICK OR SOMETHING?! Just disappear!!!! :@","created_at":"Mon May 25 01:59:34 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"1A1B1F","description":"good stuff, I dig.","screen_name":"aini","following":null,"utc_offset":28800,"created_at":"Sun Sep 16 15:22:06 +0000 2007","friends_count":39,"profile_text_color":"666666","notifications":null,"statuses_count":278,"favourites_count":0,"protected":false,"profile_link_color":"7cef2f","location":"Singapore.","name":"aini","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/12365659\/H_M_HQ.jpg","profile_sidebar_fill_color":"252429","url":"http:\/\/decodeme-aini.livejournal.com","profile_sidebar_border_color":"181A1E","profile_background_tile":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/130249131\/PAGE1edited_normal.png","id":8914292,"time_zone":"Singapore","followers_count":44},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908235003,"source":"web"} {"truncated":false,"text":"What a busy weekend.. I need to go to work for a break!","created_at":"Mon May 25 01:59:34 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":9,"favourites_count":0,"description":"","screen_name":"mrtr62","following":null,"utc_offset":-18000,"created_at":"Mon Apr 20 16:29:03 +0000 2009","profile_link_color":"B40B43","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme11\/bg.gif","profile_sidebar_fill_color":"E5507E","protected":false,"location":"","name":"Michelle Falkiner","profile_sidebar_border_color":"CC3366","profile_background_tile":true,"url":null,"time_zone":"Eastern Time (US & Canada)","followers_count":4,"profile_background_color":"FF6699","friends_count":10,"profile_image_url":"http:\/\/static.twitter.com\/images\/default_profile_normal.png","id":33570488,"profile_text_color":"362720"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908235001,"source":"web"} {"truncated":false,"text":"O-M-I-Lord.... RelientK is and always will be one of my all time favorite groups. They made my WHOLE month! \n-B","created_at":"Mon May 25 01:59:34 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":112,"favourites_count":0,"description":"pretty neat-o","screen_name":"PopElectricBj","following":null,"utc_offset":-28800,"created_at":"Tue Apr 21 08:52:00 +0000 2009","profile_link_color":"D02B55","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme5\/bg.gif","profile_sidebar_fill_color":"99CC33","protected":false,"location":"West Covina, Cali","name":"Belicia Jarquin","profile_sidebar_border_color":"829D5E","profile_background_tile":false,"url":"http:\/\/www.myspace.com\/popelectricbeejay","time_zone":"Pacific Time (US & Canada)","followers_count":16,"profile_background_color":"352726","friends_count":54,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/185922972\/l_185f291788ca4ecf9cda1c3504ba639a_normal.jpg","id":33854632,"profile_text_color":"3E4415"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908235002,"source":"txt<\/a>"} {"truncated":false,"text":"Books! Books! Always buying books. Charles & I are going to have a beautiful library in our new house on Hiawassee.","created_at":"Mon May 25 01:59:34 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":169,"favourites_count":0,"description":"Cut yourself some slack against a deck so stacked, I mean, come on now, you're just one man.","screen_name":"KendraAlayne","following":null,"utc_offset":-18000,"created_at":"Mon Oct 13 16:09:36 +0000 2008","profile_link_color":"2FC2EF","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme9\/bg.gif","profile_sidebar_fill_color":"252429","protected":false,"location":"Athens, GA","name":"Kendra Alayne","profile_sidebar_border_color":"181A1E","profile_background_tile":false,"url":"http:\/\/of-sorts.blogspot.com","time_zone":"Eastern Time (US & Canada)","followers_count":20,"profile_background_color":"1A1B1F","friends_count":37,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/68926183\/resized_normal.jpg","id":16722742,"profile_text_color":"666666"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908235004,"source":"web"} {"truncated":false,"text":"Good game so far!!! Now Lebron and co. are gonna do their thing!!","created_at":"Mon May 25 01:59:35 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":68,"favourites_count":0,"description":"Student Ministries Pastor of Fairlawn Baptist Church","screen_name":"Joelowen","following":null,"utc_offset":-18000,"created_at":"Thu Apr 16 00:28:53 +0000 2009","profile_link_color":"2FC2EF","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme9\/bg.gif","profile_sidebar_fill_color":"252429","protected":false,"location":"Parkersburg, WV","name":"Joel Owen","profile_sidebar_border_color":"181A1E","profile_background_tile":false,"url":null,"time_zone":"Quito","followers_count":6,"profile_background_color":"1A1B1F","friends_count":8,"profile_image_url":"http:\/\/static.twitter.com\/images\/default_profile_normal.png","id":31574442,"profile_text_color":"666666"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908235101,"source":"TwitterBerry<\/a>"} {"truncated":false,"text":"@jshockley Oh nice. The last movie I saw was confessions of a shop-a-holic. it was fun!","created_at":"Mon May 25 01:59:35 +0000 2009","in_reply_to_user_id":15407990,"favorited":false,"user":{"notifications":null,"statuses_count":1033,"favourites_count":1,"description":"I'm a licenced ham, I love to sing, read and play the piano. I'm studying to be a highschool choir teacher","screen_name":"marrie1","following":null,"utc_offset":-28800,"created_at":"Tue Apr 14 03:51:02 +0000 2009","profile_link_color":"0000ff","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme1\/bg.gif","profile_sidebar_fill_color":"e0ff92","protected":false,"location":"Nevada","name":"Sarah Alawami","profile_sidebar_border_color":"87bc44","profile_background_tile":false,"url":"http:\/\/music.marrie.org","time_zone":"Pacific Time (US & Canada)","followers_count":89,"profile_background_color":"9ae4e8","friends_count":62,"profile_image_url":"http:\/\/static.twitter.com\/images\/default_profile_normal.png","id":31050510,"profile_text_color":"000000"},"in_reply_to_screen_name":"jshockley","in_reply_to_status_id":1908218925,"id":1908235102,"source":"web"} {"truncated":false,"text":"Chicago Beatmakers: Boss Acoustic Simulator Pedal (Chicago) $225 http:\/\/tinyurl.com\/pknyr4","created_at":"Mon May 25 01:59:35 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":3484,"favourites_count":0,"description":"","screen_name":"chibeatmakers","following":null,"utc_offset":-18000,"created_at":"Tue Mar 24 20:36:46 +0000 2009","profile_link_color":"0000ff","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme1\/bg.gif","profile_sidebar_fill_color":"e0ff92","protected":false,"location":"","name":"baseshot","profile_sidebar_border_color":"87bc44","profile_background_tile":false,"url":"http:\/\/www.liquidub.com","time_zone":"Quito","followers_count":133,"profile_background_color":"9ae4e8","friends_count":34,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/108822914\/kaosscillator_normal.jpg","id":26317546,"profile_text_color":"000000"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908235104,"source":"twitterfeed<\/a>"} {"text":"@mspiker and it really cooled off nicely","created_at":"Mon May 25 01:59:35 +0000 2009","truncated":false,"in_reply_to_user_id":16859085,"user":{"profile_background_color":"496c79","description":"I'm on a porch, come visit! Inkling Media, WXPN in Central PA (Lancaster Harrisburg York), music and Philly sports","screen_name":"kmueller62","following":null,"utc_offset":-18000,"created_at":"Fri Apr 04 00:14:36 +0000 2008","friends_count":926,"profile_text_color":"333333","notifications":null,"statuses_count":20575,"favourites_count":2,"protected":false,"profile_link_color":"FF3300","location":"Lancaster, PA","name":"Ken Mueller","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme1\/bg.gif","profile_sidebar_fill_color":"A0C5C7","url":"http:\/\/brickthroughwindow.blogspot.com\/","profile_sidebar_border_color":"86A4A6","profile_background_tile":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/70002680\/10fih-f693f651d8ae194aec7a9957f7dcad53.49649db4_normal.jpg","id":14298131,"time_zone":"Eastern Time (US & Canada)","followers_count":885},"favorited":false,"in_reply_to_screen_name":"mspiker","in_reply_to_status_id":1908231446,"id":1908235100,"source":"twhirl<\/a>"} {"truncated":false,"text":"Admiring the DreamSpark [http:\/\/www.dreamspark.com] initiative of Microsoft!!!","created_at":"Mon May 25 01:59:35 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":9,"favourites_count":0,"description":"a software engineer by passion!!!","screen_name":"zeeshanqadir","following":null,"utc_offset":0,"created_at":"Tue Feb 24 20:52:15 +0000 2009","profile_link_color":"088253","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme3\/bg.gif","profile_sidebar_fill_color":"E3E2DE","protected":false,"location":"London, United Kingdom","name":"Zeeshan Qadir","profile_sidebar_border_color":"D3D2CF","profile_background_tile":false,"url":"http:\/\/zeeshanqadir.blogspot.com","time_zone":"London","followers_count":6,"profile_background_color":"EDECE9","friends_count":19,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/82390424\/zq_20071025_normal.jpg","id":21796093,"profile_text_color":"634047"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908235103,"source":"web"} {"truncated":false,"text":"@GoldyMom doing great! Just got back from our road trip. So fun:) Did you survive your birthday?","in_reply_to_user_id":21163437,"favorited":false,"created_at":"Mon May 25 01:59:36 +0000 2009","in_reply_to_screen_name":"GoldyMom","in_reply_to_status_id":1908154837,"id":1908235201,"user":{"friends_count":115,"location":"Vermont, USA","utc_offset":-18000,"profile_text_color":"4708b5","notifications":null,"statuses_count":438,"favourites_count":0,"following":null,"profile_link_color":"aa0e08","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/5702513\/Image_7075sm.jpg","description":"Full time Interior Designer [Laid off] Now full time stay at home mom. The adventure begins. I love a challenge.","name":"Christine Burdick","profile_sidebar_fill_color":"9e81e9","protected":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/221575026\/May_fun_014_normal.JPG","created_at":"Sat Feb 21 00:44:30 +0000 2009","profile_sidebar_border_color":"1412ab","screen_name":"chrisric2","profile_background_tile":true,"time_zone":"Eastern Time (US & Canada)","followers_count":113,"id":21451234,"profile_background_color":"EFC64E","url":null},"source":"web"} {"truncated":false,"text":"Que frio do caralho, pqp","created_at":"Mon May 25 01:59:36 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":38,"favourites_count":0,"description":"Segue eu e ja era!","screen_name":"gabinho_","following":null,"utc_offset":-14400,"created_at":"Fri May 22 02:54:50 +0000 2009","profile_link_color":"D02B55","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/14267795\/BXK306954_vortxex800.jpg","profile_sidebar_fill_color":"3be8e2","protected":false,"location":"Campola, SP","name":"Gabriel Habib","profile_sidebar_border_color":"000000","profile_background_tile":false,"url":null,"time_zone":"Santiago","followers_count":24,"profile_background_color":"ffffff","friends_count":56,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/226551318\/twitter_normal.JPG","id":41737334,"profile_text_color":"131111"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908235204,"source":"web"} {"truncated":false,"text":"@Gitano_Azul ....Merida Yucat\u00e1n, M\u00e9xico =p","created_at":"Mon May 25 01:59:36 +0000 2009","in_reply_to_user_id":31235417,"favorited":false,"user":{"notifications":null,"statuses_count":2648,"favourites_count":56,"description":"","screen_name":"KaRo_","following":null,"utc_offset":-21600,"created_at":"Fri Feb 27 18:26:33 +0000 2009","profile_link_color":"dc0933","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/12233883\/prrrr.jpg","profile_sidebar_fill_color":"0d0c0d","protected":false,"location":"M\u00e9rida","name":"Karolina Pati\u00f1o","profile_sidebar_border_color":"75014d","profile_background_tile":true,"url":"http:\/\/bubbletweet.com\/channel\/karo_","time_zone":"Mexico City","followers_count":245,"profile_background_color":"f12773","friends_count":202,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/189438122\/KAROOOOO_normal.jpg","id":22170620,"profile_text_color":"53094c"},"in_reply_to_screen_name":"Gitano_Azul","in_reply_to_status_id":1908186928,"id":1908235200,"source":"twhirl<\/a>"} {"truncated":false,"text":"Your Mom is via NBA on http:\/\/www.tnt.tv\/sports\/nba\/playoffs09","created_at":"Mon May 25 01:59:36 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":44,"favourites_count":0,"description":null,"screen_name":"Skitzophrenic","following":null,"utc_offset":null,"created_at":"Thu Apr 16 06:01:38 +0000 2009","profile_link_color":"0000ff","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme1\/bg.gif","profile_sidebar_fill_color":"e0ff92","protected":false,"location":null,"name":"Sako Dzherdzhyan","profile_sidebar_border_color":"87bc44","profile_background_tile":false,"url":null,"time_zone":null,"followers_count":4,"profile_background_color":"9ae4e8","friends_count":4,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/140399456\/frusciante1_normal.jpg","id":31666510,"profile_text_color":"000000"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908235203,"source":"NBA Eastern Conference Finals<\/a>"} {"truncated":false,"text":"why? because i want to make money on blogging. I will need help doing affilliate marketing, seo, and etc. What I need is: ideas on blogging.","created_at":"Mon May 25 01:59:36 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":56,"favourites_count":0,"description":"WAH Marketer","screen_name":"ltgl","following":null,"utc_offset":-28800,"created_at":"Sun Jul 06 21:00:56 +0000 2008","profile_link_color":"9D582E","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme8\/bg.gif","profile_sidebar_fill_color":"EADEAA","protected":false,"location":"CA","name":"Shannon Edwards","profile_sidebar_border_color":"D9B17E","profile_background_tile":false,"url":"http:\/\/livingthegoodlife.alivebuilder.com\/","time_zone":"Pacific Time (US & Canada)","followers_count":160,"profile_background_color":"8B542B","friends_count":164,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/56284041\/DSC00520_normal.JPG","id":15335630,"profile_text_color":"333333"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908235300,"source":"web"} {"truncated":false,"text":"Web fonts now http:\/\/tinyurl.com\/ooexdp (via @TheWebBlend)","created_at":"Mon May 25 01:59:37 +0000 2009","in_reply_to_user_id":38427778,"favorited":false,"user":{"notifications":null,"statuses_count":5153,"favourites_count":108,"description":"Web developer\/designer and standards advocate","screen_name":"devongovett","following":null,"utc_offset":-18000,"created_at":"Fri Aug 01 11:21:38 +0000 2008","profile_link_color":"FF3300","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme6\/bg.gif","profile_sidebar_fill_color":"A0C5C7","protected":false,"location":"","name":"devongovett","profile_sidebar_border_color":"86A4A6","profile_background_tile":false,"url":"http:\/\/devongovett.wordpress.com","time_zone":"Quito","followers_count":696,"profile_background_color":"709397","friends_count":395,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/92153139\/item_6_normal.jpg","id":15687937,"profile_text_color":"333333"},"in_reply_to_screen_name":"TheWebBlend","in_reply_to_status_id":1907744432,"id":1908235302,"source":"Twitterrific<\/a>"} {"truncated":false,"text":"Sitting in a car, figuring out what to do =\\","created_at":"Mon May 25 01:59:37 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":7,"favourites_count":0,"description":"","screen_name":"charlesespanol","following":null,"utc_offset":-21600,"created_at":"Tue Mar 25 20:18:12 +0000 2008","profile_link_color":"0000ff","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme1\/bg.gif","profile_sidebar_fill_color":"e0ff92","protected":false,"location":"Texas","name":"charlesespanol","profile_sidebar_border_color":"87bc44","profile_background_tile":false,"url":null,"time_zone":"Central Time (US & Canada)","followers_count":0,"profile_background_color":"9ae4e8","friends_count":0,"profile_image_url":"http:\/\/static.twitter.com\/images\/default_profile_normal.png","id":14218837,"profile_text_color":"000000"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908235301,"source":"Twitterrific<\/a>"} {"text":"received a death threat this mornin... HAH! ok i guess the goons gotta come with me tonight!!","created_at":"Mon May 25 01:59:37 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"ffffff","description":"We are the Greater Good","screen_name":"marionwrite","following":null,"utc_offset":-28800,"created_at":"Sat Feb 07 08:56:55 +0000 2009","friends_count":52,"profile_text_color":"000000","notifications":null,"statuses_count":1042,"favourites_count":0,"protected":false,"profile_link_color":"c1c57d","location":"Las Vegas","name":"Marion Write","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/7674133\/EPILOGUE.png","profile_sidebar_fill_color":"4b431b","url":"http:\/\/www.marionwrite.com","profile_sidebar_border_color":"ffffff","profile_background_tile":true,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/203516934\/twitpic_normal.jpg","id":20300176,"time_zone":"Pacific Time (US & Canada)","followers_count":77},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908235303,"source":"web"} {"truncated":false,"text":"Humane Society's Children's Book Awards to A HOME FOR DAKOTA (Jan Zita Grover) and DOLPHIN SONG (Lauren St. John): http:\/\/bit.ly\/qkpV7","in_reply_to_user_id":null,"favorited":false,"created_at":"Mon May 25 01:59:37 +0000 2009","in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908235404,"user":{"friends_count":817,"location":"Boston","utc_offset":-18000,"profile_text_color":"0e0c0c","notifications":null,"statuses_count":2059,"favourites_count":1,"following":null,"profile_link_color":"1608d4","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/14334921\/Twitter_Sidebar_Mitali_Perkins.jpg","description":"I write novels for young readers and tweet news about the children's and YA book world.","name":"Mitali Perkins","profile_sidebar_fill_color":"a7f05c","protected":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/141418665\/Mitali2008_normal.jpg","created_at":"Tue Jan 29 20:03:13 +0000 2008","profile_sidebar_border_color":"0c0674","screen_name":"mitaliperkins","profile_background_tile":false,"time_zone":"Eastern Time (US & Canada)","followers_count":1129,"id":12844002,"profile_background_color":"c0d7fc","url":"http:\/\/www.mitaliblog.com"},"source":"bit.ly<\/a>"} {"truncated":false,"text":"@JewelStaite @NathanFillion Passing on the yummy \"V\" goodness... Morena is going to be a great villian http:\/\/scifiwatch.comoj.com\/?p=2449","in_reply_to_user_id":34175976,"favorited":false,"created_at":"Mon May 25 01:59:37 +0000 2009","in_reply_to_screen_name":"JewelStaite","in_reply_to_status_id":1907801414,"id":1908235402,"user":{"friends_count":79,"location":"Wish I was in Atlantis.","utc_offset":-28800,"profile_text_color":"000000","notifications":null,"statuses_count":531,"favourites_count":1,"following":null,"profile_link_color":"0000ff","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/2772134\/infiniteballs2.jpg","description":"Yes it is I.. Reporter Chick! Have you seen my cape? Yes I'm a Geek, I love gadgets and electronics! They are all mine! SciFi is a way of life!","name":"Smileleigh :)","profile_sidebar_fill_color":"9977dd","protected":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/56774328\/dandilion_normal.jpg","created_at":"Wed Jul 16 19:00:27 +0000 2008","profile_sidebar_border_color":"87bc44","screen_name":"Smileleigh","profile_background_tile":true,"time_zone":"Pacific Time (US & Canada)","followers_count":66,"id":15458168,"profile_background_color":"9ae4e8","url":null},"source":"web"} {"text":"Link: \u30d1\u30d6\u30b3\u30e1\u3082\u52b9\u679c\u306a\u304f\u8b70\u8ad6\u7d42\u4e86\u3001\u533b\u85ac\u54c1\u30cd\u30c3\u30c8\u8ca9\u58f2\u898f\u5236\u3078 - \u697d\u5929\u306f\u8a34\u8a1f\u691c\u8a0e\u3082 | \u30cd\u30c3\u30c8 | \u30de\u30a4\u30b3\u30df\u30b8\u30e3\u30fc\u30ca\u30eb - \u539a\u52b4\u7701\u306f\u6d88\u8cbb\u8005\u306e\u5229\u4fbf\u3092\u512a\u5148\u3059\u3079\u304d\u3002\u89e3\u7981\u3067\u306f\u306a\u304f\u898f\u5236\u306a\u306e\u3060\u304b\u3089\u3002 http:\/\/tumblr.com\/xrb1v06hg","created_at":"Mon May 25 01:59:37 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"94e4e8","description":"\u6027\u7656\u3092\u96a0\u3059\u3053\u3068\u306f\u4eba\u3068\u3057\u3066\u5927\u5207\u306a\u3053\u3068\u3002\u30fb\u30fb\u30fb\u305d\u3046\u601d\u3063\u3066\u305f\u6642\u671f\u304c\u3042\u308a\u307e\u3057\u305f\u3002","screen_name":"tksn","following":null,"utc_offset":32400,"created_at":"Sun Mar 23 16:32:35 +0000 2008","friends_count":1660,"profile_text_color":"333333","notifications":null,"statuses_count":3552,"favourites_count":512,"protected":false,"profile_link_color":"0084B4","location":"\u304a\u3082\u306b\u3064\u3044\u3063\u305f\u30fc\u3002","name":"\u3089\u3080","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/8486100\/twitter_tksn2.jpg","profile_sidebar_fill_color":"DDFFCC","url":"http:\/\/www.f0ck.com\/","profile_sidebar_border_color":"BDDCAD","profile_background_tile":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/137139427\/twitter_tksn_icon_normal.gif","id":14202641,"time_zone":"Tokyo","followers_count":1447},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908235400,"source":"Tumblr<\/a>"} {"text":"Someone was looking for info on @johncmayer's \"brother\" on my JM blog.(Thanks for the visit!!) He has 2 @carlmayer & @ben_mayer both tweet!!","created_at":"Mon May 25 01:59:37 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"FF6699","description":"I love to tweet about John Mayer, Jensen Ackles, Jared Padalecki, Music, Celebrities, Hot Men and Celebrities...Am Often Found Chasing Butterflies!","screen_name":"sweetlilmzmia","following":null,"utc_offset":-21600,"created_at":"Fri Mar 13 14:56:10 +0000 2009","friends_count":1041,"profile_text_color":"362720","notifications":null,"statuses_count":5466,"favourites_count":40,"protected":false,"profile_link_color":"B40B43","location":"Somewhere over the rainbow ~","name":"Mia","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/12704571\/e3ebbb.jpg","profile_sidebar_fill_color":"E5507E","url":"http:\/\/www.xanga.com\/sweetlilmzmia","profile_sidebar_border_color":"CC3366","profile_background_tile":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/185268020\/Picture_021_normal.jpg","id":24183626,"time_zone":"Central Time (US & Canada)","followers_count":1322},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908235403,"source":"web"} {"truncated":false,"text":"Jeroen Van Aken-Atomic Wobble (Original - Kid Blue Remix)-(WEB)-(AUX005)-2009-KOUALA (Music\/MP3): ARTIST: Jeroen Van Aken ALBUM: Atomic W..","in_reply_to_user_id":null,"favorited":false,"created_at":"Mon May 25 01:59:37 +0000 2009","in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908235401,"user":{"friends_count":0,"location":null,"utc_offset":null,"profile_text_color":"000000","notifications":null,"statuses_count":7358,"favourites_count":0,"following":null,"profile_link_color":"0000ff","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme1\/bg.gif","description":null,"name":"asserouge","profile_sidebar_fill_color":"e0ff92","protected":false,"profile_image_url":"http:\/\/static.twitter.com\/images\/default_profile_normal.png","created_at":"Sat Feb 21 09:21:45 +0000 2009","profile_sidebar_border_color":"87bc44","screen_name":"asserouge","profile_background_tile":false,"time_zone":null,"followers_count":277,"id":21473594,"profile_background_color":"9ae4e8","url":null},"source":"twitterfeed<\/a>"} {"text":"texas : Drunked Britney Spears vomit behind Car Video: http:\/\/bit.ly\/QFMpx","created_at":"Mon May 25 01:59:38 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"9ae4e8","description":null,"screen_name":"meerysee1984x","following":null,"utc_offset":null,"created_at":"Sat May 23 16:06:42 +0000 2009","friends_count":0,"profile_text_color":"000000","notifications":null,"statuses_count":235,"favourites_count":0,"protected":false,"profile_link_color":"0000ff","location":null,"name":"meryse","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme1\/bg.gif","profile_sidebar_fill_color":"e0ff92","url":null,"profile_sidebar_border_color":"87bc44","profile_background_tile":false,"profile_image_url":"http:\/\/static.twitter.com\/images\/default_profile_normal.png","id":42049900,"time_zone":null,"followers_count":33},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908235503,"source":"web"} {"truncated":false,"text":"no trampo e com muito sono...","created_at":"Mon May 25 01:59:38 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":200,"favourites_count":0,"description":"Aprecia com modera\u00e7\u00e3o","screen_name":"Pexe_Oticos","following":null,"utc_offset":-10800,"created_at":"Wed Dec 31 17:10:07 +0000 2008","profile_link_color":"1e31f6","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/11444611\/nn_bg.gif","profile_sidebar_fill_color":"b0ff1a","protected":false,"location":"Rio de Janeiro","name":"Rodrigo Gammaro","profile_sidebar_border_color":"0800fa","profile_background_tile":false,"url":null,"time_zone":"Brasilia","followers_count":49,"profile_background_color":"1A1B1F","friends_count":59,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/222840384\/avvvvvvvvvvvvv_normal.jpg","id":18510598,"profile_text_color":"000000"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908235501,"source":"web"} {"truncated":false,"text":"@lwcavallucci Yeah I've been lurking... and like blah.","created_at":"Mon May 25 01:59:38 +0000 2009","in_reply_to_user_id":14171622,"favorited":false,"user":{"notifications":null,"statuses_count":4479,"favourites_count":159,"description":"Graphic Designer, Photographer. Member of PPA Professional Photographers Association & NAPP National Association of Photoshop Professionals","screen_name":"alisonwaring","following":null,"utc_offset":-18000,"created_at":"Fri Jun 20 21:07:45 +0000 2008","profile_link_color":"99cccc","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/3180762\/twitterbkgd.jpg","profile_sidebar_fill_color":"cc3366","protected":false,"location":"Ravenna Park, Florida","name":"Alison Waring","profile_sidebar_border_color":"99cccc","profile_background_tile":false,"url":"http:\/\/www.alisonwaring.com","time_zone":"Eastern Time (US & Canada)","followers_count":375,"profile_background_color":"9ae4e8","friends_count":190,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/141802023\/aidencheese_normal.jpg","id":15184394,"profile_text_color":"000000"},"in_reply_to_screen_name":"lwcavallucci","in_reply_to_status_id":1908216550,"id":1908235504,"source":"web"} {"truncated":false,"text":"Sporks!!!","created_at":"Mon May 25 01:59:39 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":281,"favourites_count":0,"description":"","screen_name":"annamarek","following":null,"utc_offset":-18000,"created_at":"Fri Apr 03 03:57:29 +0000 2009","profile_link_color":"D02B55","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme5\/bg.gif","profile_sidebar_fill_color":"99CC33","protected":false,"location":"Grand Rapids, MI","name":"Anna Marek","profile_sidebar_border_color":"829D5E","profile_background_tile":false,"url":null,"time_zone":"Eastern Time (US & Canada)","followers_count":9,"profile_background_color":"352726","friends_count":12,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/137998481\/1_normal.jpg","id":28497457,"profile_text_color":"3E4415"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908235602,"source":"txt<\/a>"} {"truncated":false,"text":"@mattceni my work blog 1) keep costumers abreast 2) a lifelong learning tool 3) introduce company to potentially new \"customers\" #blogchat","created_at":"Mon May 25 01:59:39 +0000 2009","in_reply_to_user_id":6065122,"favorited":false,"user":{"notifications":null,"statuses_count":22463,"favourites_count":98,"description":"sistah, social networker & seeker of truth, authenticity & simplicity","screen_name":"ShannonRenee","following":null,"utc_offset":-18000,"created_at":"Sat Feb 09 13:01:01 +0000 2008","profile_link_color":"67bd0f","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/3301698\/wave-foam.jpg","profile_sidebar_fill_color":"ffffff","protected":false,"location":"Washington, DC","name":"ShannonRenee","profile_sidebar_border_color":"10100e","profile_background_tile":true,"url":"http:\/\/shannonsezso.com\/","time_zone":"Eastern Time (US & Canada)","followers_count":1725,"profile_background_color":"3695ce","friends_count":1626,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/211731149\/curly_avatar_normal.jpg","id":13280692,"profile_text_color":"4e2b88"},"in_reply_to_screen_name":"mattceni","in_reply_to_status_id":null,"id":1908235601,"source":"TweetDeck<\/a>"} {"text":"Just notified my subscribers that the FREE summer issue of TPW Magazine is now available at: http:\/\/www.theperspiringwriter.com","created_at":"Mon May 25 01:59:39 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"8B542B","description":"The official Twiitter site for publisher, author, writer, golfer E. P. Ned Burke","screen_name":"nedburke","following":null,"utc_offset":-18000,"created_at":"Mon Jul 07 02:24:49 +0000 2008","friends_count":501,"profile_text_color":"333333","notifications":null,"statuses_count":68,"favourites_count":3,"protected":false,"profile_link_color":"9D582E","location":"Florida USA","name":"E. P. Ned Burke","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/5056973\/penandpad.jpg","profile_sidebar_fill_color":"EADEAA","url":"http:\/\/www.epburkepublishing.com","profile_sidebar_border_color":"D9B17E","profile_background_tile":true,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/197702839\/Editor_Ned_Burke_in_1973_normal.jpg","id":15337904,"time_zone":"Eastern Time (US & Canada)","followers_count":276},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908235600,"source":"web"} {"truncated":false,"text":"@Sassygirl4444 haha well keep it up! i'm off to bed now but i'll be watching the stars for a little while longer too ;-). Good night ;-)","created_at":"Mon May 25 01:59:39 +0000 2009","in_reply_to_user_id":21117348,"favorited":false,"user":{"notifications":null,"statuses_count":550,"favourites_count":0,"description":"live in UK, love movies, music and sunshine, but don't get enough of it here lol!","screen_name":"dvern","following":null,"utc_offset":0,"created_at":"Tue Mar 31 15:48:05 +0000 2009","profile_link_color":"0084B4","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/10148114\/Dock.jpg","profile_sidebar_fill_color":"DDFFCC","protected":false,"location":"Oxford\/London","name":"Dan Vernan","profile_sidebar_border_color":"BDDCAD","profile_background_tile":true,"url":null,"time_zone":"London","followers_count":63,"profile_background_color":"9AE4E8","friends_count":48,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/212240021\/Photo2586_normal.jpg","id":27896606,"profile_text_color":"333333"},"in_reply_to_screen_name":"Sassygirl4444","in_reply_to_status_id":1908194587,"id":1908235603,"source":"web"} {"truncated":false,"text":"Homemade Dog Food Recipes - Learn To Make Your Pet's Food ... http:\/\/bit.ly\/9n7xW","created_at":"Mon May 25 01:59:39 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":623,"favourites_count":2,"description":"Passionate traveller, adventureous, addicted twitterer, Joker.","screen_name":"deannie83","following":null,"utc_offset":36000,"created_at":"Sat May 16 07:49:22 +0000 2009","profile_link_color":"FF0000","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme10\/bg.gif","profile_sidebar_fill_color":"7AC3EE","protected":false,"location":"Australia","name":"Deanne Daniew","profile_sidebar_border_color":"65B0DA","profile_background_tile":true,"url":"http:\/\/tinyurl.com\/owwlpa","time_zone":"Sydney","followers_count":1555,"profile_background_color":"642D8B","friends_count":1917,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/214327707\/l_54c512d9761aea0ee0b67ab77d710540_normal.jpg","id":40429986,"profile_text_color":"3D1957"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908235604,"source":"twitterfeed<\/a>"} {"text":"por que amanh\u00e3 tem que ser segunda-feira? :T t\u00e1\u00e1, eu paro de reclamar ahodiaushoiduha","created_at":"Mon May 25 01:59:39 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"000000","description":"","screen_name":"nicolepaloschi","following":null,"utc_offset":-10800,"created_at":"Sun May 24 03:45:08 +0000 2009","friends_count":18,"profile_text_color":"3f554a","notifications":null,"statuses_count":18,"favourites_count":0,"protected":false,"profile_link_color":"018ec1","location":"","name":"nessie","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/14396312\/Gerard_Way_619.jpg","profile_sidebar_fill_color":"a0a39f","url":null,"profile_sidebar_border_color":"BDDCAD","profile_background_tile":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/227783174\/16_normal.JPG","id":42157861,"time_zone":"Brasilia","followers_count":6},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908235701,"source":"web"} {"truncated":false,"text":"@mktrob fue antes en la sec en unos 15","created_at":"Mon May 25 01:59:39 +0000 2009","in_reply_to_user_id":16334029,"favorited":false,"user":{"notifications":null,"statuses_count":2081,"favourites_count":6,"description":"CINEASTA QUERETANO, Productor, Guionista, Comunic\u00f3logo, Fotografo, Dise\u00f1ador Gr\u00e1fico, Editor","screen_name":"periclesfilm","following":null,"utc_offset":-21600,"created_at":"Wed Aug 13 07:13:14 +0000 2008","profile_link_color":"3c4ec8","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/14269740\/fondoholga.jpg","profile_sidebar_fill_color":"ffffff","protected":false,"location":"Queretaro Y Mexico D. F.","name":"Pericles dorantes","profile_sidebar_border_color":"ffffff","profile_background_tile":false,"url":"http:\/\/periclesfilm.blogspot.com\/","time_zone":"Mexico City","followers_count":241,"profile_background_color":"000000","friends_count":230,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/226477878\/_holga__by_KittyBoom_normal.jpg","id":15834041,"profile_text_color":"000000"},"in_reply_to_screen_name":"mktrob","in_reply_to_status_id":null,"id":1908235702,"source":"dabr<\/a>"} {"text":"Does nayone have jobs for me.. or would anyone like to jsut give me money, that'd work.","created_at":"Mon May 25 01:59:39 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"FF0000","description":"I am made of awesome.","screen_name":"itscalum010","following":null,"utc_offset":0,"created_at":"Mon Jul 21 23:31:28 +0000 2008","friends_count":146,"profile_text_color":"00FF59","notifications":null,"statuses_count":3401,"favourites_count":6,"protected":false,"profile_link_color":"FF8723","location":"South Yorkshire, England.","name":"Calum Hopwood","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/2883134\/22400.gif","profile_sidebar_fill_color":"FFFFFF","url":"http:\/\/www.youtube.com\/itscalum010","profile_sidebar_border_color":"00FFEE","profile_background_tile":true,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/113448481\/Photo_82_normal.jpg","id":15522503,"time_zone":"London","followers_count":462},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908235700,"source":"TweetDeck<\/a>"} {"text":"officejet problems printer will not print a wordperfect document. http:\/\/ow.ly\/9067","created_at":"Mon May 25 01:59:39 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"ffffff","description":"HP Officejet 6110 Problems and Solutions in Fixya.com","screen_name":"officejet_6110","following":null,"utc_offset":-10800,"created_at":"Sun Mar 01 11:51:22 +0000 2009","friends_count":5,"profile_text_color":"333333","notifications":null,"statuses_count":874,"favourites_count":0,"protected":false,"profile_link_color":"0084B4","location":"","name":"Officejet Problems","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/5317358\/Background_Image.jpg","profile_sidebar_fill_color":"DDFFCC","url":"http:\/\/Fixya.com","profile_sidebar_border_color":"BDDCAD","profile_background_tile":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/85055322\/Deskjet-6110_normal.jpg","id":22356163,"time_zone":"Greenland","followers_count":43},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908235704,"source":"HootSuite<\/a>"} {"truncated":false,"text":"Best of Todays Gamer Kicks: Kojima\u2019s Game Revealed? - http:\/\/bit.ly\/8ZUGg","created_at":"Mon May 25 01:59:39 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":2675,"favourites_count":1,"description":"Gamekicker.com - Gaming News Rating Website for all Playstation , Xbox 360, Nintendo DS, PSP, PC, Mobile Phone & Online","screen_name":"gamekicker","following":null,"utc_offset":-18000,"created_at":"Fri Dec 12 06:32:07 +0000 2008","profile_link_color":"2FC2EF","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/9144087\/twit_bk4.jpg","profile_sidebar_fill_color":"252429","protected":false,"location":"New York","name":"News For Gamers","profile_sidebar_border_color":"181A1E","profile_background_tile":true,"url":"http:\/\/www.gamekicker.com","time_zone":"Eastern Time (US & Canada)","followers_count":5647,"profile_background_color":"1A1B1F","friends_count":6202,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/75494398\/gk_anim2_normal.gif","id":18071696,"profile_text_color":"666666"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908235703,"source":"web"} {"text":"officejet problems print cartridge is bumping, not printing or copying on hp 6110 all-in-one http:\/\/ow.ly\/9068","created_at":"Mon May 25 01:59:40 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"ffffff","description":"HP Officejet 6110 Problems and Solutions in Fixya.com","screen_name":"officejet_6110","following":null,"utc_offset":-10800,"created_at":"Sun Mar 01 11:51:22 +0000 2009","friends_count":5,"profile_text_color":"333333","notifications":null,"statuses_count":875,"favourites_count":0,"protected":false,"profile_link_color":"0084B4","location":"","name":"Officejet Problems","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/5317358\/Background_Image.jpg","profile_sidebar_fill_color":"DDFFCC","url":"http:\/\/Fixya.com","profile_sidebar_border_color":"BDDCAD","profile_background_tile":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/85055322\/Deskjet-6110_normal.jpg","id":22356163,"time_zone":"Greenland","followers_count":43},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908235800,"source":"HootSuite<\/a>"} {"text":"bye byee","created_at":"Mon May 25 01:59:40 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"352726","description":"Once a Glambert, Always a Glambert :) --sick of the tears, and all the sorrow. forget yesterday, focus on tomorrow","screen_name":"scenexxqueen","following":null,"utc_offset":-21600,"created_at":"Thu Jan 15 22:07:12 +0000 2009","friends_count":323,"profile_text_color":"3E4415","notifications":null,"statuses_count":1464,"favourites_count":40,"protected":false,"profile_link_color":"D02B55","location":"Lambert Land","name":"Feme Davi","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/6951040\/adamtop11shoot2-1.jpg","profile_sidebar_fill_color":"99CC33","url":null,"profile_sidebar_border_color":"829D5E","profile_background_tile":true,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/205152912\/snapp_normal.jpg","id":19041560,"time_zone":"Central Time (US & Canada)","followers_count":143},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908235804,"source":"web"} {"text":"chas.barkley agrees w\/me that officiating has been awful during entire playoffs.","created_at":"Mon May 25 01:59:40 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"9ae4e8","description":"Pro photographer, artist and multidimensional nondenominational hedonist seeking friends and professional contacts in PDX. www.markcolman.com","screen_name":"Kram","following":null,"utc_offset":-28800,"created_at":"Fri May 04 13:38:18 +0000 2007","friends_count":500,"profile_text_color":"000000","notifications":null,"statuses_count":3226,"favourites_count":3,"protected":false,"profile_link_color":"0F6B82","location":"Portland, OR","name":"Mark Colman","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/3154727\/twitter_template_mc3.jpg","profile_sidebar_fill_color":"8E8994","url":"http:\/\/www.markcolemanphoto.com\/","profile_sidebar_border_color":"ADA4A6","profile_background_tile":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/125056921\/mc_avatar_normal.jpg","id":5766122,"time_zone":"Pacific Time (US & Canada)","followers_count":686},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908235802,"source":"web"} {"truncated":false,"text":"Lebron gets alot of calls go his way","created_at":"Mon May 25 01:59:40 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":200,"favourites_count":0,"description":"waxing philosophic since '77","screen_name":"philOsophic","following":null,"utc_offset":-18000,"created_at":"Thu Sep 25 01:34:17 +0000 2008","profile_link_color":"9D582E","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme8\/bg.gif","profile_sidebar_fill_color":"EADEAA","protected":false,"location":"toronto","name":"philOsophic","profile_sidebar_border_color":"D9B17E","profile_background_tile":false,"url":null,"time_zone":"Quito","followers_count":14,"profile_background_color":"8B542B","friends_count":11,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/60676322\/neruda_normal.jpg","id":16444625,"profile_text_color":"333333"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908235803,"source":"TwitterFon<\/a>"} {"text":"This is how awesome the future is 'dude remember the internet?' haha","created_at":"Mon May 25 01:59:40 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"1A1B1F","description":"Artist,performer and everything else inbetween.","screen_name":"Jakkblood","following":null,"utc_offset":-18000,"created_at":"Sun Sep 07 03:11:02 +0000 2008","friends_count":33,"profile_text_color":"666666","notifications":null,"statuses_count":266,"favourites_count":2,"protected":false,"profile_link_color":"2FC2EF","location":"Maine","name":"Jakk blood","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/4132836\/background.jpg","profile_sidebar_fill_color":"252429","url":"http:\/\/Jakkblood.com","profile_sidebar_border_color":"181A1E","profile_background_tile":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/73977965\/awesome_008_normal.jpg","id":16165298,"time_zone":"Quito","followers_count":43},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908235801,"source":"txt<\/a>"} {"truncated":false,"text":"... Passa um rato e ela se mija. N\u00e3o se mija com Jason, mas se mija com um rato? Depois achando que ele n\u00e3o estava no quarto, ela sai...","created_at":"Mon May 25 01:59:41 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":836,"favourites_count":0,"description":"","screen_name":"RenatoDeLarge","following":null,"utc_offset":-14400,"created_at":"Mon Mar 23 19:17:33 +0000 2009","profile_link_color":"0a91c2","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/10837607\/fight-club-in-tyler-we-trust.jpg","profile_sidebar_fill_color":"dedfdd","protected":false,"location":"","name":"Renato Supertramp","profile_sidebar_border_color":"49c908","profile_background_tile":false,"url":null,"time_zone":"Santiago","followers_count":86,"profile_background_color":"070808","friends_count":91,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/107567202\/DeLarge_normal.jpg","id":26067988,"profile_text_color":"000000"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908235901,"source":"web"} {"text":"\u305d\u308d\u305d\u308d\u3001\u958b\u6f14\u3067\u3059\u304a!! \u30ea\u30ea\u30fc\u30b9\u3092\u30c1\u30a7\u30c3\u30af!! #au","created_at":"Mon May 25 01:59:41 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"0099B9","description":"I'm \u305b\u3046(seu). Loving digital gadgets(especially ThinkPad, and Japanese KEITAI), Tsundere, and so on. Writing on ITmedia +D, and Mycom Journal.","screen_name":"shoinoue","following":null,"utc_offset":32400,"created_at":"Mon Aug 04 11:46:53 +0000 2008","friends_count":152,"profile_text_color":"3C3940","notifications":null,"statuses_count":3270,"favourites_count":5,"protected":false,"profile_link_color":"0099B9","location":"Tokyo, JAPAN","name":"Sho INOUE","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme4\/bg.gif","profile_sidebar_fill_color":"95E8EC","url":"http:\/\/ch00288.kitaguni.tv\/","profile_sidebar_border_color":"5ED4DC","profile_background_tile":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/201366496\/YnO_normal.jpg","id":15721090,"time_zone":"Tokyo","followers_count":156},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908235902,"source":"web"} {"text":"The Nature of the Current Financial Crisis: http:\/\/bit.ly\/y8vMm #80stweets @Bojowa963","created_at":"Mon May 25 01:59:41 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"9AE4E8","description":"Check us out live http:\/\/www.juarezcartel.com","screen_name":"t3connection","following":null,"utc_offset":-32400,"created_at":"Sat Mar 28 19:16:17 +0000 2009","friends_count":1969,"profile_text_color":"333333","notifications":null,"statuses_count":621,"favourites_count":0,"protected":false,"profile_link_color":"0084B4","location":"Juarez, Mexico","name":"Tomas Nutty","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/9237629\/D1609FN1.jpg","profile_sidebar_fill_color":"DDFFCC","url":"http:\/\/www.juarezcartel.com","profile_sidebar_border_color":"BDDCAD","profile_background_tile":true,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/147896851\/Mkennan_normal.jpg","id":27288923,"time_zone":"Alaska","followers_count":336},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908235904,"source":"web"} {"text":"sunday secrets\n<3","created_at":"Mon May 25 01:59:41 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"9AE4E8","description":"hiya","screen_name":"italktogalaxies","following":null,"utc_offset":-18000,"created_at":"Thu Mar 05 03:02:32 +0000 2009","friends_count":58,"profile_text_color":"333333","notifications":null,"statuses_count":116,"favourites_count":0,"protected":false,"profile_link_color":"0084B4","location":"los anjelous","name":"Elizabeth Miza","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/5172207\/abblue.jpg","profile_sidebar_fill_color":"DDFFCC","url":null,"profile_sidebar_border_color":"BDDCAD","profile_background_tile":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/88035158\/summatime021_normal.jpg","id":22870253,"time_zone":"Eastern Time (US & Canada)","followers_count":35},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908235903,"source":"web"} {"truncated":false,"text":"wonders what it is about fireworks that makes anyone patriotic? July 4, Memorial Day. Any ole day . . . .","created_at":"Mon May 25 01:59:42 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":1276,"favourites_count":1,"description":"Mom to 3, Husband to 1, Friend to Many","screen_name":"hnjmerck","following":null,"utc_offset":-21600,"created_at":"Tue May 06 16:37:23 +0000 2008","profile_link_color":"B40B43","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme11\/bg.gif","profile_sidebar_fill_color":"E5507E","protected":false,"location":"Chicagoland","name":"jennifer","profile_sidebar_border_color":"CC3366","profile_background_tile":true,"url":null,"time_zone":"Central Time (US & Canada)","followers_count":22,"profile_background_color":"FF6699","friends_count":25,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/54030608\/Purple_Flower_Edited_normal.jpg","id":14675489,"profile_text_color":"362720"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908236003,"source":"Tweetie<\/a>"} {"truncated":false,"text":"@perezhilton-in a few words jesus is a 22 brasilian model, unknown until he worked with madonna on some video","created_at":"Mon May 25 01:59:42 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":120,"favourites_count":0,"description":"","screen_name":"mirense","following":null,"utc_offset":-18000,"created_at":"Sun Apr 19 03:16:05 +0000 2009","profile_link_color":"0000ff","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme1\/bg.gif","profile_sidebar_fill_color":"e0ff92","protected":false,"location":"new york","name":"elisete santos","profile_sidebar_border_color":"87bc44","profile_background_tile":false,"url":null,"time_zone":"Quito","followers_count":323,"profile_background_color":"9ae4e8","friends_count":999,"profile_image_url":"http:\/\/static.twitter.com\/images\/default_profile_normal.png","id":33112123,"profile_text_color":"000000"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908236001,"source":"web"} {"truncated":false,"text":"@LAMBORGHINIBOW..WHATTTT,,THATS GON BE A LUCKY BITCH TONIGHT..HA!","in_reply_to_user_id":28331519,"favorited":false,"created_at":"Mon May 25 01:59:42 +0000 2009","in_reply_to_screen_name":"lamborghinibow","in_reply_to_status_id":null,"id":1908236004,"user":{"friends_count":79,"location":"LOUiE V, [kY]","utc_offset":-18000,"profile_text_color":"666666","notifications":null,"statuses_count":235,"favourites_count":4,"following":null,"profile_link_color":"2FC2EF","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/13322719\/Image2.jpg","description":"iM ME! NISEE! [LOL] i LOVE MEETING NEW PPL..SO COME HOLLA AT ME","name":"NiSEE","profile_sidebar_fill_color":"252429","protected":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/223750675\/niblk_normal.jpg","created_at":"Mon Mar 16 04:28:17 +0000 2009","profile_sidebar_border_color":"181A1E","screen_name":"yELLOW0NE","profile_background_tile":false,"time_zone":"Eastern Time (US & Canada)","followers_count":28,"id":24649817,"profile_background_color":"1A1B1F","url":"http:\/\/MYSPACE.COM\/502NISEE"},"source":"mobile web<\/a>"} {"truncated":false,"text":"Esperando come\u00e7ar Dr. Hollywood e votando no Que Pasa pra conhecer o Dr. Rey pessoalmente! http:\/\/tinyurl.com\/p7eckm =)","in_reply_to_user_id":null,"favorited":false,"created_at":"Mon May 25 01:59:42 +0000 2009","in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908236002,"user":{"friends_count":53,"location":"Brasil","utc_offset":-10800,"profile_text_color":"f3589a","notifications":null,"statuses_count":95,"favourites_count":0,"following":null,"profile_link_color":"ef2a8a","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/11424014\/porco.jpg","description":"\u00c9 melhor morrer do que perder sua propria vida!","name":"Rafaela","profile_sidebar_fill_color":"fbdae4","protected":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/198108137\/rafa_normal.jpg","created_at":"Mon Apr 27 22:06:16 +0000 2009","profile_sidebar_border_color":"CC3366","screen_name":"rafaelamesquita","profile_background_tile":true,"time_zone":"Brasilia","followers_count":53,"id":35878175,"profile_background_color":"FF6699","url":"http:\/\/rafamesquita.zip.net\/"},"source":"TwitterFox<\/a>"} {"truncated":false,"text":"@ThePhenomena The 'Girlstranaut' is very cool she got to operate the robotic arm!~ Imagine Kali with Robotic arms *Yikes* ;)","created_at":"Mon May 25 01:59:42 +0000 2009","in_reply_to_user_id":21321813,"favorited":false,"user":{"notifications":null,"statuses_count":1872,"favourites_count":17,"description":"Mother of Twins~'Liker' of UFOS, Crop Circles, Organic Food, Agnihotra, Current Events,HUMOUR, New Media AWESOME New MUSIC and MINDBLOWING aRT!..feed me.... :D","screen_name":"faithsonshyne","following":null,"utc_offset":-36000,"created_at":"Thu Oct 23 22:54:37 +0000 2008","profile_link_color":"df0c0f","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/12518531\/Sound_Wave.jpg","profile_sidebar_fill_color":"db0fd7","protected":false,"location":"Sydney","name":"Faith Hibberd","profile_sidebar_border_color":"e9d61c","profile_background_tile":true,"url":"http:\/\/www.facebook.com\/home.php#\/profile.php?id=525091711&ref=profile","time_zone":"Hawaii","followers_count":696,"profile_background_color":"642D8B","friends_count":916,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/142414481\/Photo_381_normal.jpg","id":16937912,"profile_text_color":"051ed6"},"in_reply_to_screen_name":"ThePhenomena","in_reply_to_status_id":1908213124,"id":1908236102,"source":"TweetDeck<\/a>"} {"text":"Off to bed! Early flight, but is going to be so worth it to get away from the asshole known as adam warren daniel!! Can't wait,,","created_at":"Mon May 25 01:59:42 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"9ae4e8","description":"this is so me","screen_name":"parkerdaisy","following":null,"utc_offset":-21600,"created_at":"Mon Nov 03 00:36:44 +0000 2008","friends_count":38,"profile_text_color":"000000","notifications":null,"statuses_count":230,"favourites_count":0,"protected":false,"profile_link_color":"0000ff","location":"Georgia","name":"parkerdaisy","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme1\/bg.gif","profile_sidebar_fill_color":"e0ff92","url":null,"profile_sidebar_border_color":"87bc44","profile_background_tile":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/112275683\/med_fuschia_gerbera_daisy_normal.jpg","id":17122684,"time_zone":"Central Time (US & Canada)","followers_count":19},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908236103,"source":"TwitterBerry<\/a>"} {"text":"@christianpior J\u00e1 quero um Di\u00e1rio de Cannes com um DVD cheio de extras baf\u00f4nicos by Sabrina e Christian!","created_at":"Mon May 25 01:59:44 +0000 2009","truncated":false,"in_reply_to_user_id":15292534,"user":{"profile_background_color":"0c0e0c","description":"Louco pela loucura da vida","screen_name":"dinhomartins","following":null,"utc_offset":-14400,"created_at":"Fri Mar 20 00:20:14 +0000 2009","friends_count":49,"profile_text_color":"fd2b4e","notifications":null,"statuses_count":232,"favourites_count":5,"protected":false,"profile_link_color":"ffda00","location":"S\u00e3o Paulo,Brasil","name":"dinhomartins","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/14252568\/cuboes.jpg","profile_sidebar_fill_color":"504b35","url":"http:\/\/\u00c9 isso!","profile_sidebar_border_color":"1137e4","profile_background_tile":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/202539055\/Dinho_martins0032_normal.jpg","id":25418426,"time_zone":"Santiago","followers_count":49},"favorited":false,"in_reply_to_screen_name":"christianpior","in_reply_to_status_id":1907877876,"id":1908236104,"source":"web"} {"truncated":false,"text":"\u54b1\u4eec\u73ed\u4eba\uff0c\u592a\u96be\u4e86\uff01","created_at":"Mon May 25 01:59:43 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":171,"favourites_count":3,"description":null,"screen_name":"chenghao1205","following":null,"utc_offset":null,"created_at":"Wed Apr 15 04:16:31 +0000 2009","profile_link_color":"1F98C7","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme2\/bg.gif","profile_sidebar_fill_color":"DAECF4","protected":false,"location":null,"name":"chenghao","profile_sidebar_border_color":"C6E2EE","profile_background_tile":false,"url":null,"time_zone":null,"followers_count":12,"profile_background_color":"C6E2EE","friends_count":14,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/142170701\/111_normal.jpg","id":31336959,"profile_text_color":"663B12"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908236200,"source":"twhirl<\/a>"} {"truncated":false,"text":"@bluevalkyrie Te refieres a saboteadores?","created_at":"Mon May 25 01:59:43 +0000 2009","in_reply_to_user_id":15726744,"favorited":false,"user":{"notifications":null,"statuses_count":528,"favourites_count":3,"description":"","screen_name":"Avencri","following":null,"utc_offset":-25200,"created_at":"Fri Mar 13 02:24:35 +0000 2009","profile_link_color":"D02B55","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme5\/bg.gif","profile_sidebar_fill_color":"99CC33","protected":false,"location":"Mexico","name":"Hugo Arrambide","profile_sidebar_border_color":"829D5E","profile_background_tile":false,"url":"http:\/\/avencri.deviantart.com","time_zone":"Mountain Time (US & Canada)","followers_count":49,"profile_background_color":"352726","friends_count":35,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/120853458\/bettle_normal.jpg","id":24107498,"profile_text_color":"3E4415"},"in_reply_to_screen_name":"bluevalkyrie","in_reply_to_status_id":null,"id":1908236202,"source":"TwitterFox<\/a>"} {"truncated":false,"text":"@ShawnaeR Awww...ok","created_at":"Mon May 25 01:59:43 +0000 2009","in_reply_to_user_id":25746641,"favorited":false,"user":{"notifications":null,"statuses_count":49,"favourites_count":2,"description":"","screen_name":"Diphrent","following":null,"utc_offset":-18000,"created_at":"Fri Mar 27 14:36:12 +0000 2009","profile_link_color":"f9f624","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/9292826\/KP_020382320.bmp","profile_sidebar_fill_color":"ffffff","protected":false,"location":"Fayetteville, NC","name":"Keon Pacheco","profile_sidebar_border_color":"000000","profile_background_tile":true,"url":"http:\/\/myspace.com\/dynasty2706","time_zone":"Quito","followers_count":71,"profile_background_color":"0810a1","friends_count":203,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/214972799\/KP_041209_1814_00__normal.jpg","id":27015632,"profile_text_color":"050505"},"in_reply_to_screen_name":"ShawnaeR","in_reply_to_status_id":1908174484,"id":1908236300,"source":"web"} {"truncated":false,"text":"polishing my combat boots. haven't done that in awhile.","created_at":"Mon May 25 01:59:43 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":891,"favourites_count":0,"description":"wanderer, sorta","screen_name":"redwinesus","following":null,"utc_offset":10800,"created_at":"Fri Aug 22 12:36:36 +0000 2008","profile_link_color":"0000ff","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/3423766\/BC.jpg","profile_sidebar_fill_color":"e0ff92","protected":false,"location":"Motown","name":"Susan","profile_sidebar_border_color":"87bc44","profile_background_tile":true,"url":null,"time_zone":"Baghdad","followers_count":46,"profile_background_color":"9ae4e8","friends_count":87,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/71089907\/nosepicker2_normal.jpg","id":15944166,"profile_text_color":"000000"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908236301,"source":"web"} {"truncated":false,"text":"@juant :( no cach\u00e9 que te ibas a Stgo. Suerte est\u00e1 semana","created_at":"Mon May 25 01:59:43 +0000 2009","in_reply_to_user_id":12001962,"favorited":false,"user":{"notifications":null,"statuses_count":2353,"favourites_count":7,"description":"DIgital Experience Designer","screen_name":"jorgebarahona","following":null,"utc_offset":-14400,"created_at":"Tue Dec 12 02:58:49 +0000 2006","profile_link_color":"0084B4","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/7224573\/CE07-2.gif","profile_sidebar_fill_color":"DDFFCC","protected":false,"location":"Vi\u00f1a del Mar, Chile","name":"Jorge Barahona","profile_sidebar_border_color":"BDDCAD","profile_background_tile":true,"url":"http:\/\/www.jbarahona.com","time_zone":"Santiago","followers_count":477,"profile_background_color":"9AE4E8","friends_count":121,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/206102699\/me_bn_normal.gif","id":59173,"profile_text_color":"333333"},"in_reply_to_screen_name":"juant","in_reply_to_status_id":1907958876,"id":1908236302,"source":"Tweetie<\/a>"} {"truncated":false,"text":"@biz I love Flight of the Conchords. Have fun!","in_reply_to_user_id":13,"favorited":false,"created_at":"Mon May 25 01:59:43 +0000 2009","in_reply_to_screen_name":"biz","in_reply_to_status_id":1906187103,"id":1908236304,"user":{"friends_count":90,"location":"where life is good","utc_offset":-25200,"profile_text_color":"663B12","notifications":null,"statuses_count":141,"favourites_count":186,"following":null,"profile_link_color":"186916","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/6633832\/leaves-1.gif","description":"Be nice and don't suck. If you do suck, (as we all occasionally do) suck less next time. ","name":"Jodi Combs-Kalla","profile_sidebar_fill_color":"DAECF4","protected":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/115410803\/moxie_normal.jpg","created_at":"Tue Feb 10 19:46:00 +0000 2009","profile_sidebar_border_color":"C6E2EE","screen_name":"MoxieFineArt","profile_background_tile":false,"time_zone":"Arizona","followers_count":122,"id":20538920,"profile_background_color":"C6E2EE","url":null},"source":"web"} {"truncated":false,"text":"@HelloMissJean Barkley needs some speech classes.","created_at":"Mon May 25 01:59:44 +0000 2009","in_reply_to_user_id":18895031,"favorited":false,"user":{"notifications":null,"statuses_count":5266,"favourites_count":10,"description":"Artist,Writer,Filmmaker, Photographer. I love twitter and want the opportunity to share my art with the world","screen_name":"blackjkspollock","following":null,"utc_offset":-21600,"created_at":"Sun Mar 01 16:18:35 +0000 2009","profile_link_color":"0084B4","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/9375744\/tasty_tasteee.JPG","profile_sidebar_fill_color":"DDFFCC","protected":false,"location":"Florida","name":"Gregory Pitts","profile_sidebar_border_color":"BDDCAD","profile_background_tile":false,"url":"http:\/\/theblackjacksonpollock.com","time_zone":"Central Time (US & Canada)","followers_count":1365,"profile_background_color":"9AE4E8","friends_count":2000,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/85162043\/Greg_Artist_22copy_normal.jpg","id":22376139,"profile_text_color":"333333"},"in_reply_to_screen_name":"HelloMissJean","in_reply_to_status_id":1908230691,"id":1908236404,"source":"web"} {"text":"Take a minute and add us on Facebook http:\/\/tinyurl.com\/oqkfkr","created_at":"Mon May 25 01:59:44 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"000000","description":"Northwests Premier Entertainment Destination","screen_name":"SpiritMTNcasino","following":null,"utc_offset":-28800,"created_at":"Thu Mar 19 02:19:04 +0000 2009","friends_count":781,"profile_text_color":"000000","notifications":null,"statuses_count":206,"favourites_count":0,"protected":false,"profile_link_color":"9D582E","location":" Grand Ronde, Oregon ","name":"SpiritMountainCasino","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/6797204\/twitterbg.jpg","profile_sidebar_fill_color":"79300b","url":"http:\/\/www.spiritmountain.com","profile_sidebar_border_color":"D9B17E","profile_background_tile":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/102597628\/sidebar_coyote_card_normal.jpg","id":25215905,"time_zone":"Pacific Time (US & Canada)","followers_count":411},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908236402,"source":"web"} {"text":"bom...mas um fds q se foi! Amanh\u00e3 come\u00e7a tudo de novo!","created_at":"Mon May 25 01:59:44 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"1A1B1F","description":"Definir \u00e9 limitar...","screen_name":"vanessa_araujo","following":null,"utc_offset":-10800,"created_at":"Sat Dec 15 19:29:38 +0000 2007","friends_count":50,"profile_text_color":"666666","notifications":null,"statuses_count":328,"favourites_count":2,"protected":false,"profile_link_color":"2FC2EF","location":"Rio de Janeiro","name":"vanessa_araujo","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme9\/bg.gif","profile_sidebar_fill_color":"252429","url":"http:\/\/www.flickr.com\/photos\/32873042@N03\/","profile_sidebar_border_color":"181A1E","profile_background_tile":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/181905314\/11995_kboing_normal.jpg","id":11202272,"time_zone":"Brasilia","followers_count":47},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908236400,"source":"yoono<\/a>"} {"truncated":false,"text":"@acallanan91 cause","created_at":"Mon May 25 01:59:44 +0000 2009","in_reply_to_user_id":41437992,"favorited":false,"user":{"notifications":null,"statuses_count":101,"favourites_count":0,"description":"","screen_name":"AustinHinton","following":null,"utc_offset":-18000,"created_at":"Tue May 19 23:38:37 +0000 2009","profile_link_color":"2FC2EF","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme9\/bg.gif","profile_sidebar_fill_color":"252429","protected":false,"location":"","name":"Austin Hinton","profile_sidebar_border_color":"181A1E","profile_background_tile":false,"url":null,"time_zone":"Eastern Time (US & Canada)","followers_count":2,"profile_background_color":"1A1B1F","friends_count":2,"profile_image_url":"http:\/\/static.twitter.com\/images\/default_profile_normal.png","id":41242284,"profile_text_color":"666666"},"in_reply_to_screen_name":"acallanan91","in_reply_to_status_id":null,"id":1908236401,"source":"txt<\/a>"} {"truncated":false,"text":"@birdiewhispers still going Lasko?","in_reply_to_user_id":33606197,"favorited":false,"created_at":"Mon May 25 01:59:45 +0000 2009","in_reply_to_screen_name":"birdiewhispers","in_reply_to_status_id":1907605695,"id":1908236503,"user":{"friends_count":43,"location":"Brook green, England","utc_offset":0,"profile_text_color":"666666","notifications":null,"statuses_count":307,"favourites_count":3,"following":null,"profile_link_color":"2FC2EF","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme9\/bg.gif","description":"If it involved a wave or an Apple then thats sweet with me :)","name":"Chris Hamill","profile_sidebar_fill_color":"252429","protected":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/148740049\/Photo_45_normal.jpg","created_at":"Sat Feb 07 18:03:39 +0000 2009","profile_sidebar_border_color":"181A1E","screen_name":"cihamill","profile_background_tile":false,"time_zone":"London","followers_count":53,"id":20323140,"profile_background_color":"1A1B1F","url":null},"source":"Tweetie<\/a>"} {"text":"Here are two new additions MyFICO and IDTheft! http:\/\/gabriellebourne.com\/enews.aspx","created_at":"Mon May 25 01:59:45 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"EDECE9","description":"Empowering individuals to live without limits; enhance quality of life and sustainability through conditioning of body, mind and spirit; achieve SMART goals...","screen_name":"gabriellebourne","following":null,"utc_offset":-18000,"created_at":"Mon Nov 24 15:11:07 +0000 2008","friends_count":58,"profile_text_color":"634047","notifications":null,"statuses_count":107,"favourites_count":1,"protected":false,"profile_link_color":"088253","location":"Palm Beach County","name":"Gabrielle Bourne","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme3\/bg.gif","profile_sidebar_fill_color":"E3E2DE","url":"http:\/\/www.gabriellebourne.com","profile_sidebar_border_color":"D3D2CF","profile_background_tile":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/151066283\/Gabrielle_WEF_2009_normal.jpg","id":17593277,"time_zone":"Eastern Time (US & Canada)","followers_count":54},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908236501,"source":"web"} {"text":"festival de cannes foi otimo hahahaah saiindo :*","created_at":"Mon May 25 01:59:45 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"9AE4E8","description":".. all i know, all i know love will save the day \u266a","screen_name":"kaiohenri","following":null,"utc_offset":-10800,"created_at":"Fri May 22 23:47:21 +0000 2009","friends_count":88,"profile_text_color":"333333","notifications":null,"statuses_count":42,"favourites_count":0,"protected":false,"profile_link_color":"0084B4","location":"Brasil\/Bras\u00edlia","name":"Kaio Henrique","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/14453814\/twi.jpg","profile_sidebar_fill_color":"ffffff","url":"http:\/\/www.orkut.com.br\/Main#Profile.aspx?rl=mp&uid=795541414909485574","profile_sidebar_border_color":"94d8eb","profile_background_tile":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/226376502\/d_normal.jpg","id":41929554,"time_zone":"Brasilia","followers_count":54},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908236502,"source":"web"} {"truncated":false,"text":"@emoai \u79c1\u306f\u672c\u4eba\u78ba\u8a8d\u66f8\u767a\u9001\u3055\u308c\u3066\u304b\u3089\u304f\u308b\u306e\u306b10\u65e5\u304b\u304b\u308a\u307e\u3057\u305f\u2026\u304a\u307e\u3051\u306b\u81ea\u5206\u304c\u81ea\u5b85\u3067\u53d7\u3051\u3068\u308a\u3057\u306a\u3044\u3068\u3044\u3051\u306a\u3044\u306e\u3067\u6b21\u306e\u4f11\u65e5\u307e\u3067\u5b9f\u8cea\u53d7\u3051\u53d6\u308a\u3067\u304d\u306a\u3044\u3057\u2026","created_at":"Mon May 25 01:59:45 +0000 2009","in_reply_to_user_id":34569564,"favorited":false,"user":{"notifications":null,"statuses_count":2900,"favourites_count":10,"description":"\u6771\u4eac\u306e\u897f\u5074\u306b\u4f4f\u3080\u30c0\u30e1\u4eba\u9593\u3067\u3059\u3001\u8a71\u984c\u306f\u30b2\u30fc\u30e0\u3001\u30de\u30f3\u30ac\u3001\u30a2\u30cb\u30e1\u3092\u30e1\u30a4\u30f3\u306b\u81ea\u4f5c\uff30\uff23\u3068\u6642\u4e8b\u554f\u984c\u304c\u3082\u591a\u5c11\u304b\u3058\u3063\u3066\u3044\u307e\u3059\u30d5\u30a9\u30ed\u30fc\u3001\u30ea\u30e0\u30fc\u30d6\u304a\u6c17\u8efd\u306b\u3069\u3046\u305e\u3002\uff38\uff22\uff2f\uff38\uff13\uff16\uff10\u30b2\u30fc\u30de\u30fc\u30bf\u30b0\u3082gatarou041\u3067\u3059","screen_name":"gatarou041","following":null,"utc_offset":32400,"created_at":"Fri May 16 15:32:40 +0000 2008","profile_link_color":"0099B9","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/5954409\/www_dotup_org23255.jpg","profile_sidebar_fill_color":"95E8EC","protected":false,"location":"\u6771\u4eac\u90fd\u516b\u738b\u5b50\u5e02","name":"\u305f\u308d\u3046","profile_sidebar_border_color":"5ED4DC","profile_background_tile":true,"url":"http:\/\/gatarou041.blog82.fc2.com\/","time_zone":"Tokyo","followers_count":52,"profile_background_color":"0099B9","friends_count":51,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/224052461\/sc0001_normal.png","id":14800072,"profile_text_color":"3C3940"},"in_reply_to_screen_name":"emoai","in_reply_to_status_id":1908211112,"id":1908236504,"source":"Tween<\/a>"} {"truncated":false,"text":"@GooberSnattch Already to bed?","created_at":"Mon May 25 01:59:46 +0000 2009","in_reply_to_user_id":16658682,"favorited":false,"user":{"notifications":null,"statuses_count":242,"favourites_count":0,"description":"Only When You've Left, Do You Know Where You've Been!","screen_name":"Wally0726","following":null,"utc_offset":-21600,"created_at":"Sun May 03 02:26:29 +0000 2009","profile_link_color":"0099B9","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme4\/bg.gif","profile_sidebar_fill_color":"95E8EC","protected":false,"location":"Music City","name":"Roland Roles","profile_sidebar_border_color":"5ED4DC","profile_background_tile":false,"url":null,"time_zone":"Central Time (US & Canada)","followers_count":50,"profile_background_color":"0099B9","friends_count":61,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/228713336\/twitter_normal.jpg","id":37342437,"profile_text_color":"3C3940"},"in_reply_to_screen_name":"GooberSnattch","in_reply_to_status_id":1908204426,"id":1908236602,"source":"web"} {"truncated":false,"text":"listening to Pink Floyd ~ Brain Damage\nhttp:\/\/tinyurl.com\/ywthsb","in_reply_to_user_id":null,"favorited":false,"created_at":"Mon May 25 01:59:46 +0000 2009","in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908236600,"user":{"friends_count":1519,"location":"boston, ma","utc_offset":-21600,"profile_text_color":"333333","notifications":null,"statuses_count":2384,"favourites_count":40,"following":null,"profile_link_color":"0084B4","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/9811633\/as.jpg","description":"fascinated by organized chaotic systems, rock, metal, punk, psychedelia, technology, anarchism","name":"setv","profile_sidebar_fill_color":"DDFFCC","protected":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/133220893\/page15-1005-full_normal.jpg","created_at":"Sun Dec 28 22:37:37 +0000 2008","profile_sidebar_border_color":"BDDCAD","screen_name":"setv","profile_background_tile":true,"time_zone":"Central Time (US & Canada)","followers_count":1107,"id":18435806,"profile_background_color":"9AE4E8","url":null},"source":"web"} {"truncated":false,"text":"with hard work comes accomplishment. we got the deck pretty well done.. just gotta finish putting the deck boards on.. job well done.","in_reply_to_user_id":null,"favorited":false,"created_at":"Mon May 25 01:59:46 +0000 2009","in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908236601,"user":{"friends_count":22,"location":"","utc_offset":-21600,"profile_text_color":"000000","notifications":null,"statuses_count":42,"favourites_count":0,"following":null,"profile_link_color":"0000ff","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme1\/bg.gif","description":"","name":"jason cook","profile_sidebar_fill_color":"e0ff92","protected":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/193928331\/PIC36_normal.JPG","created_at":"Sat May 02 00:40:21 +0000 2009","profile_sidebar_border_color":"87bc44","screen_name":"jasperpso","profile_background_tile":false,"time_zone":"Central Time (US & Canada)","followers_count":14,"id":37091846,"profile_background_color":"9ae4e8","url":null},"source":"web"} {"truncated":false,"text":"The 'King of the Cats' is building a den. Do you have what it takes?","created_at":"Mon May 25 01:59:46 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":17,"favourites_count":0,"description":"*We Won The War*","screen_name":"jogabot","following":null,"utc_offset":-18000,"created_at":"Fri May 22 00:04:45 +0000 2009","profile_link_color":"2FC2EF","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/14172945\/JoGa_Tabula_Rasa___v1_.jpg","profile_sidebar_fill_color":"252429","protected":false,"location":"","name":"JoGaBot","profile_sidebar_border_color":"181A1E","profile_background_tile":false,"url":"http:\/\/www.gattivision.com","time_zone":"Quito","followers_count":1,"profile_background_color":"1A1B1F","friends_count":1,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/223898441\/JoGa_Tabula_Rasa___v1__normal.jpg","id":41707459,"profile_text_color":"666666"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908236603,"source":"txt<\/a>"} {"truncated":false,"text":"@suttygal,Hey Hi Sutty! Okay off to FOD I go!","created_at":"Mon May 25 01:59:46 +0000 2009","in_reply_to_user_id":16430085,"favorited":false,"user":{"notifications":null,"statuses_count":935,"favourites_count":3,"description":"","screen_name":"JoeGfod","following":null,"utc_offset":-21600,"created_at":"Sat Apr 04 00:27:45 +0000 2009","profile_link_color":"0099B9","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/13734039\/joegtwitterbackground2.jpg","profile_sidebar_fill_color":"95E8EC","protected":false,"location":"Huntsville TX","name":"Joe Garza","profile_sidebar_border_color":"5ED4DC","profile_background_tile":true,"url":null,"time_zone":"Central Time (US & Canada)","followers_count":55,"profile_background_color":"0099B9","friends_count":88,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/185148590\/106-1_normal.jpg","id":28697015,"profile_text_color":"3C3940"},"in_reply_to_screen_name":"suttygal","in_reply_to_status_id":null,"id":1908236604,"source":"web"} {"text":"Die Outdoor-Navigationsger\u00e4te von Garmin werden mit den GPS-Chipsets von MediaTek ausgestattet: MediaTek Inc.: H.. http:\/\/twurl.nl\/bfef1d","created_at":"Mon May 25 01:59:47 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"9ae4e8","description":null,"screen_name":"addon","following":null,"utc_offset":null,"created_at":"Mon Feb 23 14:36:30 +0000 2009","friends_count":0,"profile_text_color":"000000","notifications":null,"statuses_count":2488,"favourites_count":0,"protected":false,"profile_link_color":"0000ff","location":null,"name":"active addon","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme1\/bg.gif","profile_sidebar_fill_color":"e0ff92","url":null,"profile_sidebar_border_color":"87bc44","profile_background_tile":false,"profile_image_url":"http:\/\/static.twitter.com\/images\/default_profile_normal.png","id":21656424,"time_zone":null,"followers_count":87},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908236703,"source":"twitterfeed<\/a>"} {"truncated":false,"text":"Como rodar o Norton Security Scan de um pendrive: - http:\/\/tinyurl.com\/ofzokv","created_at":"Mon May 25 01:59:47 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":21,"favourites_count":0,"description":"http:\/\/tutoriais.ctdo.com.br","screen_name":"tutoriaisctdo","following":null,"utc_offset":-14400,"created_at":"Mon May 18 04:34:03 +0000 2009","profile_link_color":"2FC2EF","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme9\/bg.gif","profile_sidebar_fill_color":"252429","protected":false,"location":"Brasil","name":"Tutoriais CTDO","profile_sidebar_border_color":"181A1E","profile_background_tile":false,"url":"http:\/\/tutoriais.ctdo.com.br","time_zone":"Santiago","followers_count":101,"profile_background_color":"1A1B1F","friends_count":1185,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/218292787\/foto-2_normal.png","id":40814100,"profile_text_color":"666666"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908236700,"source":"web"} {"truncated":false,"text":"@pimpin_idiots phone","created_at":"Mon May 25 01:59:47 +0000 2009","in_reply_to_user_id":17227165,"favorited":false,"user":{"notifications":null,"statuses_count":599,"favourites_count":1,"description":"interaction design. madras. manchester united. sustainability.","screen_name":"arv43","following":null,"utc_offset":-28800,"created_at":"Wed Dec 19 10:38:47 +0000 2007","profile_link_color":"D02B55","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme5\/bg.gif","profile_sidebar_fill_color":"99CC33","protected":false,"location":"SF, CA","name":"Arvind Ashok","profile_sidebar_border_color":"829D5E","profile_background_tile":false,"url":"http:\/\/www.linkedin.com\/in\/arvindashok","time_zone":"Pacific Time (US & Canada)","followers_count":62,"profile_background_color":"352726","friends_count":30,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/51908974\/comic_book_effect_copy_normal.jpg","id":11330392,"profile_text_color":"3E4415"},"in_reply_to_screen_name":"pimpin_idiots","in_reply_to_status_id":1908091560,"id":1908236702,"source":"Twitterrific<\/a>"} {"truncated":false,"text":"@jwilphotos I think whoever wins 3 games 1st wins both series","created_at":"Mon May 25 01:59:47 +0000 2009","in_reply_to_user_id":20498232,"favorited":false,"user":{"notifications":null,"statuses_count":3483,"favourites_count":8,"description":"NGenius ENT\/Core DJs\/Hustle Squad DJs","screen_name":"djhellayella","following":null,"utc_offset":-25200,"created_at":"Sat Dec 27 00:38:00 +0000 2008","profile_link_color":"2fd4ef","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/5354774\/djhellayellalogo_white__2_.jpg","profile_sidebar_fill_color":"252429","protected":false,"location":"Austin Texas","name":"DJ Hella Yella","profile_sidebar_border_color":"181A1E","profile_background_tile":false,"url":"http:\/\/www.myspace.com\/djhellayella","time_zone":"Mountain Time (US & Canada)","followers_count":2043,"profile_background_color":"1A1B1F","friends_count":522,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/187874990\/n100700270_5329_normal.jpg","id":18398695,"profile_text_color":"a99804"},"in_reply_to_screen_name":"jwilphotos","in_reply_to_status_id":1907764546,"id":1908236704,"source":"UberTwitter<\/a>"} {"text":"Sometimes ya'll don't need to respond w\/here I am or any LAME a** sh*t like that...be warned u tweet ur number I'm RT'ing it!!!!","created_at":"Mon May 25 01:59:47 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"1A1B1F","description":"Supermom, Blogger, Promoter for @hasanlc and @lcxradio, Staff Writer for @GotDamMagazine, Webdesigner, video editor and Marketer for various clients","screen_name":"DivasMistress","following":null,"utc_offset":-18000,"created_at":"Mon Mar 02 00:50:08 +0000 2009","friends_count":64,"profile_text_color":"666666","notifications":null,"statuses_count":18861,"favourites_count":111,"protected":false,"profile_link_color":"2FC2EF","location":"New Jersey","name":"Miss Tee Is A Diva","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/7839749\/bnw.jpg","profile_sidebar_fill_color":"252429","url":"http:\/\/www.divasmistress.com","profile_sidebar_border_color":"181A1E","profile_background_tile":true,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/209169531\/moi3_normal.jpg","id":22429985,"time_zone":"Eastern Time (US & Canada)","followers_count":1881},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908236701,"source":"TweetDeck<\/a>"} {"truncated":false,"text":"riding in the cab of a tow truck. Fuel problem in Visalia on the way home from Sequoia","created_at":"Mon May 25 01:59:47 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":117,"favourites_count":0,"description":"Just another liberal vegan in southern California","screen_name":"AAronL1968","following":null,"utc_offset":-32400,"created_at":"Thu Mar 05 22:17:43 +0000 2009","profile_link_color":"b40058","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/12744163\/yin_yang_background.gif","profile_sidebar_fill_color":"5fc7dd","protected":false,"location":"Thousand Oaks, CA","name":"AAron Leckinger","profile_sidebar_border_color":"518694","profile_background_tile":true,"url":"http:\/\/www.leckinger.com","time_zone":"Alaska","followers_count":57,"profile_background_color":"9AE4E8","friends_count":242,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/210529909\/AAron_technics_2_normal.jpg","id":22988702,"profile_text_color":"333333"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908236801,"source":"mobile web<\/a>"} {"truncated":false,"text":"Algu\u00e9m tem receitas de comidas liquidas?? J\u00e1 experimentaram bater arroz e feijao no liquidificador???","created_at":"Mon May 25 01:59:47 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":80,"favourites_count":2,"description":"","screen_name":"anapaulal","following":null,"utc_offset":-32400,"created_at":"Thu May 07 15:52:15 +0000 2009","profile_link_color":"FF0000","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme10\/bg.gif","profile_sidebar_fill_color":"7AC3EE","protected":false,"location":"S\u00e3o Paulo","name":"Ana Paula Louren\u00e7o ","profile_sidebar_border_color":"65B0DA","profile_background_tile":true,"url":null,"time_zone":"Alaska","followers_count":16,"profile_background_color":"642D8B","friends_count":23,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/208677413\/cortadatwitter_normal.JPG","id":38456061,"profile_text_color":"3D1957"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908236802,"source":"Twitterrific<\/a>"} {"in_reply_to_user_id":null,"text":"Just Relaxing","favorited":false,"created_at":"Mon May 25 01:59:48 +0000 2009","in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908236903,"user":{"profile_link_color":"0000ff","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme1\/bg.gif","utc_offset":null,"profile_sidebar_fill_color":"e0ff92","profile_image_url":"http:\/\/static.twitter.com\/images\/default_profile_normal.png","following":null,"created_at":"Mon May 25 01:55:29 +0000 2009","profile_sidebar_border_color":"87bc44","description":null,"screen_name":"Scooter128","name":"Scott Simon","profile_background_tile":false,"protected":false,"time_zone":null,"followers_count":0,"profile_background_color":"9ae4e8","friends_count":10,"location":null,"profile_text_color":"000000","id":42326736,"notifications":null,"statuses_count":1,"favourites_count":0,"url":null},"truncated":false,"source":"web"} {"truncated":false,"text":"New blog post: Loan Prinicples http:\/\/bit.ly\/kLKiX","created_at":"Mon May 25 01:59:47 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":48823,"favourites_count":0,"description":"","screen_name":"bananafancy","following":null,"utc_offset":-36000,"created_at":"Sat Mar 28 02:36:26 +0000 2009","profile_link_color":"0000ff","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme1\/bg.gif","profile_sidebar_fill_color":"e0ff92","protected":false,"location":"USA","name":"Peter Brown","profile_sidebar_border_color":"87bc44","profile_background_tile":false,"url":null,"time_zone":"Hawaii","followers_count":3171,"profile_background_color":"9ae4e8","friends_count":966,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/112672480\/2006413152222546_normal.png","id":27160574,"profile_text_color":"000000"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908236800,"source":"Twitter Tools<\/a>"} {"truncated":false,"text":"RT @ thecoastnj listening to \"Come Together - The Beatles\" \u266b http:\/\/blip.fm\/~6yyru","created_at":"Mon May 25 01:59:47 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":221,"favourites_count":7,"description":"RE Investor and RE Loan mod acceleration specialist. Entrepreneur, Internet Marketer. Let's meet on FaceBook","screen_name":"JET739","following":null,"utc_offset":-28800,"created_at":"Thu Jan 08 18:18:06 +0000 2009","profile_link_color":"FF0000","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/10819378\/061129151300.jpg","profile_sidebar_fill_color":"7AC3EE","protected":false,"location":"Nationwide","name":"Jan Torrence","profile_sidebar_border_color":"65B0DA","profile_background_tile":true,"url":"http:\/\/www.homemortgagerecovery.com","time_zone":"Pacific Time (US & Canada)","followers_count":6918,"profile_background_color":"642D8B","friends_count":6899,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/70369968\/Alaska_2007_776_normal.jpg","id":18772703,"profile_text_color":"3D1957"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908236804,"source":"web"} {"truncated":false,"text":"@mikachu02 Hi, I'm Nate. I'm a RE agent in Montgomery county. I'm building my network, so feel free to check out my profile.","created_at":"Mon May 25 01:59:48 +0000 2009","in_reply_to_user_id":21272096,"favorited":false,"user":{"notifications":null,"statuses_count":28,"favourites_count":0,"description":"Real Estate Agent in Montgomery County, Maryland, Olney","screen_name":"natebaker_ehp","following":null,"utc_offset":-18000,"created_at":"Fri May 15 23:37:37 +0000 2009","profile_link_color":"060709","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme2\/bg.gif","profile_sidebar_fill_color":"0d88bf","protected":false,"location":"Olney, MD 20832","name":"Nate Baker","profile_sidebar_border_color":"C6E2EE","profile_background_tile":false,"url":"http:\/\/www.ehomepost.com\/tabid\/8443\/controlType\/ViewProfile20418\/UserID\/111\/Default.aspx","time_zone":"Eastern Time (US & Canada)","followers_count":74,"profile_background_color":"C6E2EE","friends_count":77,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/219346787\/633461711695374160_normal.jpg","id":40362259,"profile_text_color":"443527"},"in_reply_to_screen_name":"mikachu02","in_reply_to_status_id":null,"id":1908236901,"source":"Twitterizer<\/a>"} {"truncated":false,"text":"@ladymelo mas ai eu teria de repetir alguma letra, tinho ja existe cryando","created_at":"Mon May 25 01:59:48 +0000 2009","in_reply_to_user_id":21439363,"favorited":false,"user":{"notifications":null,"statuses_count":61,"favourites_count":0,"description":"","screen_name":"tinhoohash","following":null,"utc_offset":-14400,"created_at":"Sun Apr 12 23:42:06 +0000 2009","profile_link_color":"18863E","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/8333623\/meu_own.jpg","profile_sidebar_fill_color":"ffffff","protected":false,"location":"Brasil","name":"tinho\/hash","profile_sidebar_border_color":"ffffff","profile_background_tile":false,"url":null,"time_zone":"Santiago","followers_count":75,"profile_background_color":"18863E","friends_count":102,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/228901835\/twitter_normal.jpg","id":30750958,"profile_text_color":"18863E"},"in_reply_to_screen_name":"ladymelo","in_reply_to_status_id":null,"id":1908236904,"source":"web"} {"text":"@caraalynn yes. yes i do. but it's all good. i mean, i know you really want to stalk me and all.","created_at":"Mon May 25 01:59:49 +0000 2009","truncated":false,"in_reply_to_user_id":21816485,"user":{"profile_background_color":"969696","description":"Commercial photographer during the day, Musician in the evening. This is my life, come pretend you care.","screen_name":"corymorton","following":null,"utc_offset":-18000,"created_at":"Sat Dec 27 23:03:24 +0000 2008","friends_count":148,"profile_text_color":"000000","notifications":null,"statuses_count":1143,"favourites_count":0,"protected":false,"profile_link_color":"234827","location":"Pittsburgh, PA","name":"Cory Morton","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme9\/bg.gif","profile_sidebar_fill_color":"ed8407","url":"http:\/\/www.corymortonphoto.com","profile_sidebar_border_color":"234827","profile_background_tile":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/224222881\/_MG_9517-Edit-s_normal.jpg","id":18416630,"time_zone":"Eastern Time (US & Canada)","followers_count":161},"favorited":false,"in_reply_to_screen_name":"caraalynn","in_reply_to_status_id":1908210849,"id":1908237003,"source":"TweetDeck<\/a>"} {"text":"God, i need Your help...!!","created_at":"Mon May 25 01:59:49 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"9ae4e8","description":"","screen_name":"shiho_i","following":null,"utc_offset":32400,"created_at":"Thu May 21 03:16:45 +0000 2009","friends_count":1,"profile_text_color":"000000","notifications":null,"statuses_count":3,"favourites_count":0,"protected":false,"profile_link_color":"0000ff","location":"","name":"Shiho Ishiguro","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme1\/bg.gif","profile_sidebar_fill_color":"e0ff92","url":null,"profile_sidebar_border_color":"87bc44","profile_background_tile":false,"profile_image_url":"http:\/\/static.twitter.com\/images\/default_profile_normal.png","id":41518813,"time_zone":"Tokyo","followers_count":0},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908237002,"source":"web"} {"text":"If Cornel is the new W.E.B. DuBois who is the new Booker T.? #stand","created_at":"Mon May 25 01:59:49 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"0099B9","description":"Leon Rogers is a fireball of energy... - New York Times","screen_name":"LeonX","following":null,"utc_offset":-18000,"created_at":"Tue Oct 09 02:00:21 +0000 2007","friends_count":60,"profile_text_color":"3C3940","notifications":null,"statuses_count":263,"favourites_count":0,"protected":false,"profile_link_color":"0099B9","location":"","name":"Leon Rogers","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/13999884\/brooklynati.jpg","profile_sidebar_fill_color":"95E8EC","url":null,"profile_sidebar_border_color":"5ED4DC","profile_background_tile":true,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/32702082\/sekou7_normal.jpg","id":9320262,"time_zone":"Eastern Time (US & Canada)","followers_count":57},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908237000,"source":"TweetDeck<\/a>"} {"truncated":false,"text":"I wanted to create a corporate-style brand for my work, to promote it as product rather than unique artefacts http:\/\/tinyurl.com\/o48ggx","created_at":"Mon May 25 01:59:49 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":1232,"favourites_count":2,"description":"Hazel Dooney has emerged as one of the Asia-Pacific region's most controversial young female artists.","screen_name":"DooneyStudio","following":null,"utc_offset":36000,"created_at":"Mon Jan 26 11:17:51 +0000 2009","profile_link_color":"00e3fa","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/4072503\/studio_eg2.jpg","profile_sidebar_fill_color":"ffffff","protected":false,"location":"Everywhere you least expect","name":"Hazel Dooney","profile_sidebar_border_color":"ffc2ec","profile_background_tile":false,"url":"http:\/\/hazeldooney.com","time_zone":"Sydney","followers_count":1489,"profile_background_color":"FFFFFF","friends_count":1993,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/121187128\/Aust-Most-Wanted-Portr800_normal.jpg","id":19529306,"profile_text_color":"fd3abf"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908237004,"source":"web"} {"truncated":false,"text":"Wings 6. BlackHawks 1. Another Dominating performance. Now we can concentrate on closing the series before looking forward to the pens.","created_at":"Mon May 25 01:59:49 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":2,"favourites_count":0,"description":null,"screen_name":"shyamv","following":null,"utc_offset":null,"created_at":"Sat May 23 06:56:20 +0000 2009","profile_link_color":"0000ff","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme1\/bg.gif","profile_sidebar_fill_color":"e0ff92","protected":false,"location":null,"name":"Shyam Veerasankar","profile_sidebar_border_color":"87bc44","profile_background_tile":false,"url":null,"time_zone":null,"followers_count":10,"profile_background_color":"9ae4e8","friends_count":12,"profile_image_url":"http:\/\/static.twitter.com\/images\/default_profile_normal.png","id":41990400,"profile_text_color":"000000"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908237001,"source":"web"} {"truncated":false,"text":"Up Against the Wal-Marts: How Your Business Can Prosper in the Shadow of the Retail Giants\nhttp:\/\/bit.ly\/u5gOI","created_at":"Mon May 25 01:59:49 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":4,"favourites_count":0,"description":"","screen_name":"retailbooks","following":null,"utc_offset":36000,"created_at":"Thu May 21 04:19:16 +0000 2009","profile_link_color":"0084B4","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/14048002\/Retail-books.jpg","profile_sidebar_fill_color":"DDFFCC","protected":false,"location":"Australia","name":"Retailbooks","profile_sidebar_border_color":"BDDCAD","profile_background_tile":false,"url":"http:\/\/www.retailbooks.com.au","time_zone":"Sydney","followers_count":5,"profile_background_color":"edf2f3","friends_count":1,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/223923559\/Retailbooks-logo-sml_normal.jpg","id":41527718,"profile_text_color":"333333"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908237100,"source":"web"} {"truncated":false,"text":"Vodka and jager bombs. Keep it classy bloomington. Pimpin since 86.","created_at":"Mon May 25 01:59:49 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":69,"favourites_count":1,"description":"A girl should be two things. Classy and fabulous.","screen_name":"heyuwiththehair","following":null,"utc_offset":-18000,"created_at":"Tue Apr 07 17:06:17 +0000 2009","profile_link_color":"FF3300","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme6\/bg.gif","profile_sidebar_fill_color":"A0C5C7","protected":false,"location":"Bedford, Indiana","name":"Samantha Marshall","profile_sidebar_border_color":"86A4A6","profile_background_tile":false,"url":"http:\/\/facebook.com\/people\/samantha-lee-ann-marshall","time_zone":"Indiana (East)","followers_count":18,"profile_background_color":"709397","friends_count":28,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/205902902\/twit_normal.jpg","id":29490896,"profile_text_color":"333333"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908237103,"source":"TwitterBerry<\/a>"} {"truncated":false,"text":"@jordanknight is it flava flav, boii? LOL!!","created_at":"Mon May 25 01:59:49 +0000 2009","in_reply_to_user_id":31001575,"favorited":false,"user":{"notifications":null,"statuses_count":2948,"favourites_count":13,"description":"I'm an NKOTB fan and DEW is the MAN. LET'S GET THIS!!","screen_name":"kayheartsdew","following":null,"utc_offset":-28800,"created_at":"Fri Jan 09 21:36:17 +0000 2009","profile_link_color":"FF0000","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/5352626\/donnie_wahlbergedit2.JPG","profile_sidebar_fill_color":"7AC3EE","protected":false,"location":"iPhone: 32.905454,-117.144327","name":"Karla LM","profile_sidebar_border_color":"65B0DA","profile_background_tile":true,"url":null,"time_zone":"Pacific Time (US & Canada)","followers_count":166,"profile_background_color":"642D8B","friends_count":382,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/195620760\/IMG_2088_edited_normal.JPG","id":18816417,"profile_text_color":"3D1957"},"in_reply_to_screen_name":"jordanknight","in_reply_to_status_id":null,"id":1908237104,"source":"TweetDeck<\/a>"} {"text":"Wind 0,7 m\/s W. Barometer 1013,7 mb, Falling slowly. Temperature 7,3 \u00b0C. Rain today 0,0 mm. Humidity 95%","created_at":"Mon May 25 01:59:49 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"9ae4e8","description":"","screen_name":"pander2208","following":null,"utc_offset":3600,"created_at":"Fri Jan 02 13:35:37 +0000 2009","friends_count":0,"profile_text_color":"000000","notifications":null,"statuses_count":8514,"favourites_count":0,"protected":false,"profile_link_color":"0000ff","location":"sweden","name":"pander2208","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme1\/bg.gif","profile_sidebar_fill_color":"e0ff92","url":null,"profile_sidebar_border_color":"87bc44","profile_background_tile":false,"profile_image_url":"http:\/\/static.twitter.com\/images\/default_profile_normal.png","id":18551940,"time_zone":"Stockholm","followers_count":47},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908237101,"source":"web"} {"text":"Thinking sticky rice. Godzirra!","created_at":"Mon May 25 01:59:50 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"1A1B1F","description":"Senior Promotions Producer aka Promo Pimp","screen_name":"Scoob314","following":null,"utc_offset":-18000,"created_at":"Sun Apr 05 01:05:24 +0000 2009","friends_count":73,"profile_text_color":"666666","notifications":null,"statuses_count":126,"favourites_count":2,"protected":false,"profile_link_color":"2FC2EF","location":"Richmond VA","name":"Brandon Seier","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme9\/bg.gif","profile_sidebar_fill_color":"252429","url":"http:\/\/www.linkedin.com\/in\/bseier","profile_sidebar_border_color":"181A1E","profile_background_tile":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/130496482\/twitter_pic_normal.JPG","id":28909203,"time_zone":"Eastern Time (US & Canada)","followers_count":39},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908237200,"source":"txt<\/a>"} {"truncated":false,"text":"@thisishanky that's awesome! I love new music :)","created_at":"Mon May 25 01:59:50 +0000 2009","in_reply_to_user_id":14570535,"favorited":false,"user":{"notifications":null,"statuses_count":379,"favourites_count":0,"description":"","screen_name":"katenaylor","following":null,"utc_offset":-18000,"created_at":"Mon Oct 06 00:31:05 +0000 2008","profile_link_color":"FF0000","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme10\/bg.gif","profile_sidebar_fill_color":"7AC3EE","protected":false,"location":"Cinnaminson","name":"katenaylor","profile_sidebar_border_color":"65B0DA","profile_background_tile":true,"url":"http:\/\/www.myspace.com\/kate_naylor","time_zone":"Eastern Time (US & Canada)","followers_count":50,"profile_background_color":"642D8B","friends_count":49,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/61343019\/Photo_45_normal.jpg","id":16607727,"profile_text_color":"3D1957"},"in_reply_to_screen_name":"ThisisHanky","in_reply_to_status_id":null,"id":1908237201,"source":"txt<\/a>"} {"text":"CLOSiNG UP SH0P. EF MY LiFE... MEMORiAL DAY WEEkEND SUCkSSS!","created_at":"Mon May 25 01:59:50 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"9ae4e8","description":null,"screen_name":"CO0L_kiD","following":null,"utc_offset":null,"created_at":"Sun May 24 01:56:20 +0000 2009","friends_count":6,"profile_text_color":"000000","notifications":null,"statuses_count":18,"favourites_count":0,"protected":false,"profile_link_color":"0000ff","location":null,"name":"Denisse Davis","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme1\/bg.gif","profile_sidebar_fill_color":"e0ff92","url":null,"profile_sidebar_border_color":"87bc44","profile_background_tile":false,"profile_image_url":"http:\/\/static.twitter.com\/images\/default_profile_normal.png","id":42140892,"time_zone":null,"followers_count":2},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908237202,"source":"mobile web<\/a>"} {"truncated":false,"text":"@LaurenConrad where r u going???","created_at":"Mon May 25 01:59:51 +0000 2009","in_reply_to_user_id":34097876,"favorited":false,"user":{"notifications":null,"statuses_count":61,"favourites_count":12,"description":null,"screen_name":"FatenFufu","following":null,"utc_offset":null,"created_at":"Mon Feb 23 11:13:16 +0000 2009","profile_link_color":"990000","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme7\/bg.gif","profile_sidebar_fill_color":"F3F3F3","protected":false,"location":null,"name":"Faten Hammouda","profile_sidebar_border_color":"DFDFDF","profile_background_tile":false,"url":null,"time_zone":null,"followers_count":35,"profile_background_color":"EBEBEB","friends_count":97,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/93697845\/meeeeeeeeeeeeeeeeeeeeeeeeee_normal.jpg","id":21645757,"profile_text_color":"333333"},"in_reply_to_screen_name":"LaurenConrad","in_reply_to_status_id":1904351462,"id":1908237303,"source":"TwitterFon<\/a>"} {"truncated":false,"text":"Relaxing, bed, wake up, go home.","created_at":"Mon May 25 01:59:51 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":676,"favourites_count":0,"description":"","screen_name":"WilliamMHughes","following":null,"utc_offset":-18000,"created_at":"Fri Sep 19 20:05:36 +0000 2008","profile_link_color":"FF3300","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/11039595\/miking-technique-tip-2.jpg","profile_sidebar_fill_color":"A0C5C7","protected":false,"location":"Cary, NC","name":"Will Hughes","profile_sidebar_border_color":"86A4A6","profile_background_tile":true,"url":"http:\/\/willhughes.wordpress.com","time_zone":"Eastern Time (US & Canada)","followers_count":41,"profile_background_color":"709397","friends_count":57,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/76115361\/n600330485_3611305_2780_normal.jpg","id":16369397,"profile_text_color":"333333"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908237304,"source":"web"} {"text":"Queens Liinden and Merrick is where i be when im home","created_at":"Mon May 25 01:59:51 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"9017ba","description":"Beauty&Brains O Yea I Luv Cash$$","screen_name":"LilBeaUtiie","following":null,"utc_offset":-18000,"created_at":"Mon Apr 13 16:11:09 +0000 2009","friends_count":90,"profile_text_color":"972670","notifications":null,"statuses_count":184,"favourites_count":0,"protected":false,"profile_link_color":"FF0000","location":"Where I Wanna Be","name":"BrandiG","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/14033943\/new_b3.jpg","profile_sidebar_fill_color":"e17aee","url":null,"profile_sidebar_border_color":"da65cf","profile_background_tile":true,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/224028018\/newb-1_normal.jpg","id":30893385,"time_zone":"Quito","followers_count":32},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908237302,"source":"web"} {"truncated":false,"text":"@sunsetoverdose It's not even 10 here on the east coast, and I have a (7) beer(s). Getcha one!","created_at":"Mon May 25 01:59:51 +0000 2009","in_reply_to_user_id":20826781,"favorited":false,"user":{"notifications":null,"statuses_count":1756,"favourites_count":1,"description":"I take random photos. I love writing but rarely find the right words. My marriage to music is usually rocky. My passport needs more stamps.","screen_name":"JasDunham","following":null,"utc_offset":-18000,"created_at":"Fri Dec 05 03:03:59 +0000 2008","profile_link_color":"c62315","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/12643284\/musictravelwritemosaicblackwhite.JPG","profile_sidebar_fill_color":"d9dbd6","protected":false,"location":"Oak Hill, Virginia","name":"Jason Dunham","profile_sidebar_border_color":"101113","profile_background_tile":false,"url":"http:\/\/www.jadunhamphotography.blogspot.com","time_zone":"Eastern Time (US & Canada)","followers_count":109,"profile_background_color":"0d0d0c","friends_count":144,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/209437269\/twitterwayfarerred_normal.JPG","id":17888230,"profile_text_color":"0b0909"},"in_reply_to_screen_name":"sunsetoverdose","in_reply_to_status_id":1908212119,"id":1908237301,"source":"TwitterFox<\/a>"} {"text":"@Poooles2sJBG hahah thats what her daughter said ohh","created_at":"Mon May 25 01:59:52 +0000 2009","truncated":false,"in_reply_to_user_id":28838109,"user":{"profile_background_color":"352726","description":"","screen_name":"Patrykxoxo","following":null,"utc_offset":36000,"created_at":"Mon Mar 16 12:20:43 +0000 2009","friends_count":88,"profile_text_color":"3E4415","notifications":null,"statuses_count":375,"favourites_count":2,"protected":false,"profile_link_color":"D02B55","location":"Sydney, Australia","name":"Patrick Zaczkiewicz","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme5\/bg.gif","profile_sidebar_fill_color":"99CC33","url":"http:\/\/www.myspace.com\/zaczkiewicz","profile_sidebar_border_color":"829D5E","profile_background_tile":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/99528535\/1_normal.jpg","id":24682369,"time_zone":"Sydney","followers_count":42},"favorited":false,"in_reply_to_screen_name":"Poooles2sJBG","in_reply_to_status_id":1908229926,"id":1908237402,"source":"web"} {"text":"On my way here i herd so many ghetto conversations. Makes me wonder.","created_at":"Mon May 25 01:59:52 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"1A1B1F","description":"a writer and lover of words","screen_name":"Blackstarr_","following":null,"utc_offset":-18000,"created_at":"Fri Aug 22 11:09:45 +0000 2008","friends_count":11,"profile_text_color":"666666","notifications":null,"statuses_count":595,"favourites_count":0,"protected":false,"profile_link_color":"2FC2EF","location":"Philadelphia, PA, USA","name":"freedom","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme9\/bg.gif","profile_sidebar_fill_color":"252429","url":"http:\/\/freedom1926.wordpress.com\/","profile_sidebar_border_color":"181A1E","profile_background_tile":false,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/117636984\/freedom_tower_02_normal.jpg","id":15943584,"time_zone":"Eastern Time (US & Canada)","followers_count":33},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908237404,"source":"mobile web<\/a>"} {"truncated":false,"text":"\u30b3\u30fc\u30d2\u30fc\u98f2\u3093\u3060\u3089\u304a\u306a\u304b\u3044\u305f\u3044 [Eee]","created_at":"Mon May 25 01:59:52 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":12960,"favourites_count":0,"description":"\u6c17\u307e\u3050\u308c\u306b\u97f3\u5f04\u308a\u3068\u304b\u3084\u3063\u3066\u307e\u3059","screen_name":"s1ta","following":null,"utc_offset":32400,"created_at":"Wed Jun 18 01:21:34 +0000 2008","profile_link_color":"088253","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme3\/bg.gif","profile_sidebar_fill_color":"E3E2DE","protected":false,"location":"\u3050\u3093\u307e\u3051\u3093","name":"sita","profile_sidebar_border_color":"D3D2CF","profile_background_tile":false,"url":null,"time_zone":"Tokyo","followers_count":236,"profile_background_color":"EDECE9","friends_count":209,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/65870627\/2811viploader471438_normal.jpg","id":15152548,"profile_text_color":"634047"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908237400,"source":"Tween<\/a>"} {"truncated":false,"text":"FAP-WINNER.com- Amazing Affiliate Profit: Up To 180 Per Sale! http:\/\/bit.ly\/xGMV6","created_at":"Mon May 25 01:59:52 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":288,"favourites_count":0,"description":"To find products in a specific language, select a category or enter keywords and choose the language from the Language dropdown, then click Go.","screen_name":"Click_Bank","following":null,"utc_offset":-36000,"created_at":"Mon Apr 27 05:28:50 +0000 2009","profile_link_color":"0000FF","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme1\/bg.gif","profile_sidebar_fill_color":"FFFFFF","protected":false,"location":"Boise","name":"ClickBank","profile_sidebar_border_color":"000000","profile_background_tile":false,"url":"http:\/\/bit.ly\/jhVbH","time_zone":"Hawaii","followers_count":3222,"profile_background_color":"3152A5","friends_count":3496,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/185755408\/cb_normal.jpg","id":35680175,"profile_text_color":"333333"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908237403,"source":"twitterfeed<\/a>"} {"truncated":false,"text":"@pathfindersar my golden retriever is 2 years old now and she wags her tail and tries to lick Ethan's face when a meltdown happens...","created_at":"Mon May 25 01:59:52 +0000 2009","in_reply_to_user_id":34815761,"favorited":false,"user":{"notifications":null,"statuses_count":2120,"favourites_count":45,"description":"Mother of 4. Son w\/ Asperger's. Fibro. CFS. Mental Health & Gay Rights supporter. Insomniac. Pet lover.Writer. Gardener. Love to sing out loud! Devoted Wife","screen_name":"FranAspiemom","following":null,"utc_offset":-18000,"created_at":"Sat Apr 18 17:40:03 +0000 2009","profile_link_color":"ef0b90","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/12856927\/blueyellowstars.jpg","profile_sidebar_fill_color":"fbf341","protected":false,"location":"Upstate NY","name":"Fran Corrow","profile_sidebar_border_color":"3a11e4","profile_background_tile":true,"url":null,"time_zone":"Eastern Time (US & Canada)","followers_count":455,"profile_background_color":"fff266","friends_count":400,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/224710590\/photo_normal.jpg","id":32953180,"profile_text_color":"3c06c1"},"in_reply_to_screen_name":"pathfindersar","in_reply_to_status_id":1908177805,"id":1908237401,"source":"TweetDeck<\/a>"} {"truncated":false,"text":"\u201cEnquanto nos derem ao menos 1% de chance, seguiremos lutando. E venceremos! Esse \u00e9 o verdadeiro e \u00fanico Clube da F\u00e9! Vai S\u00e3o Paulo!\u201d","created_at":"Mon May 25 01:59:53 +0000 2009","in_reply_to_user_id":null,"favorited":false,"user":{"notifications":null,"statuses_count":9,"favourites_count":0,"description":"","screen_name":"Renan_Tri","following":null,"utc_offset":-14400,"created_at":"Sat Apr 04 02:36:48 +0000 2009","profile_link_color":"0084B4","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/7448138\/65465040.jpg","profile_sidebar_fill_color":"DDFFCC","protected":false,"location":"","name":"Renan Lopes Leite","profile_sidebar_border_color":"BDDCAD","profile_background_tile":false,"url":null,"time_zone":"Santiago","followers_count":8,"profile_background_color":"9AE4E8","friends_count":29,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/120928824\/Apr22112_normal.JPG","id":28720775,"profile_text_color":"333333"},"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908237502,"source":"web"} {"truncated":false,"text":"@beckmermaid http:\/\/twitpic.com\/5w9k9 - That's a damn shame.","created_at":"Mon May 25 01:59:53 +0000 2009","in_reply_to_user_id":13530922,"favorited":false,"user":{"notifications":null,"statuses_count":1059,"favourites_count":0,"description":"Bon vivant, raconteur, clusterfuck operator, wang dang doodler.","screen_name":"scearley","following":null,"utc_offset":-28800,"created_at":"Sat Jun 02 04:57:41 +0000 2007","profile_link_color":"2A5E0A","profile_background_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_background_images\/7066002\/darkblue.gif","profile_sidebar_fill_color":"a7d7af","protected":false,"location":"Various areas outside Seattle","name":"Luscious Dick","profile_sidebar_border_color":"60AC34","profile_background_tile":false,"url":"http:\/\/scearley.livejournal.com","time_zone":"Pacific Time (US & Canada)","followers_count":84,"profile_background_color":"c47D3b","friends_count":67,"profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/114968858\/144736_normal.gif","id":6516702,"profile_text_color":"39375D"},"in_reply_to_screen_name":"beckmermaid","in_reply_to_status_id":null,"id":1908237501,"source":"TwitPic<\/a>"} {"text":"#humpthestump #humpthestump #humpthestump","created_at":"Mon May 25 01:59:53 +0000 2009","truncated":false,"in_reply_to_user_id":null,"user":{"profile_background_color":"9ae4e8","description":null,"screen_name":"spamzlot","following":null,"utc_offset":null,"created_at":"Mon May 25 01:54:06 +0000 2009","friends_count":0,"profile_text_color":"000000","notifications":null,"statuses_count":123,"favourites_count":0,"protected":false,"profile_link_color":"0000ff","location":null,"name":"hjufykitudkut","profile_background_image_url":"http:\/\/static.twitter.com\/images\/themes\/theme1\/bg.gif","profile_sidebar_fill_color":"e0ff92","url":null,"profile_sidebar_border_color":"87bc44","profile_background_tile":false,"profile_image_url":"http:\/\/static.twitter.com\/images\/default_profile_normal.png","id":42326509,"time_zone":null,"followers_count":0},"favorited":false,"in_reply_to_screen_name":null,"in_reply_to_status_id":null,"id":1908237503,"source":"web"} yajl-ruby-1.4.3/benchmark/subjects/twitter_search.json0000644000004100000410000001646314246427314023204 0ustar www-datawww-data{"results":[{"text":"RT @tmornini: Engine Yard Express = perfect way to test merb or rails deployment - http:\/\/express.engineyard.com\/","to_user_id":null,"from_user":"seanhealy","id":1429979943,"from_user_id":4485910,"iso_language_code":"en","source":"<a href="http:\/\/iconfactory.com\/software\/twitterrific">twitterrific<\/a>","profile_image_url":"https:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/62254150\/irish_noir_normal.jpg","created_at":"Wed, 01 Apr 2009 07:06:16 +0000"},{"text":"RT: Engine Yard Express = perfect way to test merb or rails deployment - http:\/\/express.engineyard.com\/ (via @digsby)","to_user_id":null,"from_user":"tmornini","id":1429966620,"from_user_id":168963,"iso_language_code":"en","source":"<a href="http:\/\/twitter.com\/">web<\/a>","profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/49018042\/Tom_Icon_64x64_normal.png","created_at":"Wed, 01 Apr 2009 07:02:00 +0000"},{"text":"Engine Yard Express = perfect way to test merb or rails deployment - http:\/\/express.engineyard.com\/","to_user_id":null,"from_user":"richardholland","id":1428644441,"from_user_id":1608628,"iso_language_code":"en","source":"<a href="http:\/\/www.digsby.com\/">digsby<\/a>","profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/63723025\/mesarah_normal.jpg","created_at":"Wed, 01 Apr 2009 02:07:30 +0000"},{"text":"RT @wycats: How to survive monster attacks. Some tips from your friends at EngineYard http:\/\/twitpic.com\/2nl7x","to_user_id":null,"from_user":"AmandaMorin","id":1427373261,"from_user_id":1756964,"iso_language_code":"en","source":"<a href="http:\/\/www.tweetdeck.com\/">TweetDeck<\/a>","profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/67971839\/avatar_normal.jpg","created_at":"Tue, 31 Mar 2009 22:19:29 +0000"},{"text":"engineyard added jarnold to mongrel: \n\n \n \n \n mongrel is at engineyard\/mongrel http:\/\/tinyurl.com\/dm7ldz","to_user_id":null,"from_user":"_snax","id":1427357028,"from_user_id":118386,"iso_language_code":"en","source":"<a href="http:\/\/twitterfeed.com">twitterfeed<\/a>","profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/19934062\/logo_large_normal.gif","created_at":"Tue, 31 Mar 2009 22:16:38 +0000"},{"text":"RT: LOL! RT @wycats:How to survive monster attacks. Some tips from your friends at EngineYard http:\/\/twitpic... http:\/\/tinyurl.com\/cgs2hj","to_user_id":null,"from_user":"howtotweets","id":1427228937,"from_user_id":3437258,"iso_language_code":"en","source":"<a href="http:\/\/twitterfeed.com">twitterfeed<\/a>","profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/81039760\/images_normal.jpg","created_at":"Tue, 31 Mar 2009 21:54:32 +0000"},{"text":"LOL! RT @wycats:How to survive monster attacks. Some tips from your friends at EngineYard http:\/\/twitpic.com\/2nl7x","to_user_id":null,"from_user":"tsykoduk","id":1427225099,"from_user_id":71236,"iso_language_code":"en","source":"<a href="http:\/\/www.nambu.com">Nambu<\/a>","profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/63278451\/Photo_33_normal.jpg","created_at":"Tue, 31 Mar 2009 21:53:52 +0000"},{"text":"RT @wycats: How to survive monster attacks. Some tips from your friends at EngineYard http:\/\/twitpic.com\/2nl7x","to_user_id":null,"from_user":"bratta","id":1427177698,"from_user_id":8376,"iso_language_code":"en","source":"<a href="http:\/\/thecosmicmachine.com\/eventbox\/">EventBox<\/a>","profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/80333638\/photo_normal.jpg","created_at":"Tue, 31 Mar 2009 21:45:46 +0000"},{"text":"additional infos on the engineyard outage: http:\/\/tinyurl.com\/cbhbkn","to_user_id":null,"from_user":"aentos","id":1427149457,"from_user_id":6459508,"iso_language_code":"en","source":"<a href="http:\/\/twitterfox.net\/">TwitterFox<\/a>","profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/66789130\/aentos_a_normal.png","created_at":"Tue, 31 Mar 2009 21:40:47 +0000"},{"text":"http:\/\/twitpic.com\/2nl9z - Surviving monster attacks. A PSA from your friends @engineyard","to_user_id":null,"from_user":"carllerche","id":1427108503,"from_user_id":880629,"iso_language_code":"en","source":"<a href="http:\/\/twitpic.com\/">TwitPic<\/a>","profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/56520194\/fry_coffee2_normal.jpg","created_at":"Tue, 31 Mar 2009 21:33:38 +0000"},{"text":"How to survive monster attacks. Some tips from your friends at EngineYard http:\/\/twitpic.com\/2nl7x","to_user_id":null,"from_user":"wycats","id":1427099726,"from_user_id":18414,"iso_language_code":"en","source":"<a href="http:\/\/twitterfon.net\/">TwitterFon<\/a>","profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/51747258\/Yehuda_-_Looking_at_Sky_normal.jpg","created_at":"Tue, 31 Mar 2009 21:32:07 +0000"},{"text":"RT @engineyard: Our CEO posted an update on yesterday's outage: http:\/\/bit.ly\/yA4p5 Good job keeping people in the loop!","to_user_id":null,"from_user":"fatnutz","id":1426857591,"from_user_id":706358,"iso_language_code":"en","source":"<a href="http:\/\/www.tweetdeck.com\/">TweetDeck<\/a>","profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/55573179\/snipe_normal.jpg","created_at":"Tue, 31 Mar 2009 20:50:21 +0000"},{"text":"loving our @entryway @engineyard solo instance, we built an integrity server in mins flat with @atmos lovely chef scripts: http:\/\/is.gd\/pVXw","to_user_id":null,"from_user":"gustin","id":1426653742,"from_user_id":3736601,"iso_language_code":"en","source":"<a href="http:\/\/83degrees.com\/to\/powertwitter">Power Twitter<\/a>","profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/116498033\/face_normal.png","created_at":"Tue, 31 Mar 2009 20:16:36 +0000"},{"text":"RT: Our CEO posted an update on yesterday's outage: http:\/\/bit.ly\/yA4p5 (via @engineyard)","to_user_id":null,"from_user":"tmornini","id":1426483075,"from_user_id":168963,"iso_language_code":"en","source":"<a href="http:\/\/twitter.com\/">web<\/a>","profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/49018042\/Tom_Icon_64x64_normal.png","created_at":"Tue, 31 Mar 2009 19:47:00 +0000"},{"text":"#engineyard #github very impressive - both the reason and the response - I must have missed the blog sorry","to_user_id":null,"from_user":"rickwindham","id":1426328592,"from_user_id":1819414,"iso_language_code":"en","source":"<a href="http:\/\/www.tweetdeck.com\/">TweetDeck<\/a>","profile_image_url":"http:\/\/s3.amazonaws.com\/twitter_production\/profile_images\/73617189\/me_new_normal.jpg","created_at":"Tue, 31 Mar 2009 19:16:30 +0000"}],"since_id":1386843259,"max_id":1429979943,"refresh_url":"?since_id=1429979943&q=engineyard","results_per_page":15,"next_page":"?page=2&max_id=1429979943&since_id=1386843259&q=engineyard","warning":"adjusted since_id, it was older than allowed","completed_in":0.037275,"page":1,"query":"engineyard"}yajl-ruby-1.4.3/benchmark/subjects/item.json0000644000004100000410000000056714246427314021111 0ustar www-datawww-data{"item": {"name": "generated", "cached_tag_list": "", "updated_at": "2009-03-24T05:25:09Z", "updated_by_id": null, "price": 1.99, "delta": false, "cost": 0.597, "account_id": 16, "unit": null, "import_tag": null, "taxable": true, "id": 1, "created_by_id": null, "description": null, "company_id": 0, "sku": "06317-0306", "created_at": "2009-03-24T05:25:09Z", "active": true}}yajl-ruby-1.4.3/benchmark/subjects/ohai.json0000644000004100000410000007727414246427314021104 0ustar www-datawww-data{ "command": { "ps": "ps -ef" }, "kernel": { "modules": { "org.virtualbox.kext.VBoxDrv": { "size": 118784, "version": "2.2.0", "index": "114", "refcount": "3" }, "com.cisco.nke.ipsec": { "size": 454656, "version": "2.0.1", "index": "111", "refcount": "0" }, "com.apple.driver.AppleAPIC": { "size": 12288, "version": "1.4", "index": "26", "refcount": "0" }, "com.apple.driver.AirPort.Atheros": { "size": 593920, "version": "318.8.3", "index": "88", "refcount": "0" }, "com.apple.driver.AppleIntelCPUPowerManagement": { "size": 102400, "version": "59.0.1", "index": "22", "refcount": "0" }, "com.apple.iokit.IOStorageFamily": { "size": 98304, "version": "1.5.5", "index": "44", "refcount": "9" }, "com.apple.iokit.IOATAPIProtocolTransport": { "size": 16384, "version": "1.5.2", "index": "52", "refcount": "0" }, "com.apple.iokit.IOPCIFamily": { "size": 65536, "version": "2.5", "index": "17", "refcount": "18" }, "com.apple.driver.AppleHPET": { "size": 12288, "version": "1.3", "index": "33", "refcount": "0" }, "com.apple.driver.AppleUSBHub": { "size": 49152, "version": "3.2.7", "index": "47", "refcount": "0" }, "com.apple.iokit.IOFireWireFamily": { "size": 258048, "version": "3.4.6", "index": "49", "refcount": "2" }, "com.apple.driver.AppleUSBComposite": { "size": 16384, "version": "3.2.0", "index": "60", "refcount": "1" }, "com.apple.driver.AppleIntelPIIXATA": { "size": 36864, "version": "2.0.0", "index": "41", "refcount": "0" }, "com.apple.driver.AppleSmartBatteryManager": { "size": 28672, "version": "158.6.0", "index": "32", "refcount": "0" }, "com.apple.filesystems.udf": { "size": 233472, "version": "2.0.2", "index": "119", "refcount": "0" }, "com.apple.iokit.IOSMBusFamily": { "size": 12288, "version": "1.1", "index": "27", "refcount": "2" }, "com.apple.iokit.IOACPIFamily": { "size": 16384, "version": "1.2.0", "index": "18", "refcount": "10" }, "foo.tap": { "size": 24576, "version": "1.0", "index": "113", "refcount": "0" }, "com.vmware.kext.vmx86": { "size": 864256, "version": "2.0.4", "index": "104", "refcount": "0" }, "com.apple.iokit.CHUDUtils": { "size": 28672, "version": "200", "index": "98", "refcount": "0" }, "org.virtualbox.kext.VBoxNetAdp": { "size": 8192, "version": "2.2.0", "index": "117", "refcount": "0" }, "com.apple.filesystems.autofs": { "size": 45056, "version": "2.0.1", "index": "109", "refcount": "0" }, "com.vmware.kext.vmnet": { "size": 36864, "version": "2.0.4", "index": "108", "refcount": "0" }, "com.apple.driver.AppleACPIButtons": { "size": 16384, "version": "1.2.4", "index": "30", "refcount": "0" }, "com.apple.driver.AppleFWOHCI": { "size": 139264, "version": "3.7.2", "index": "50", "refcount": "0" }, "com.apple.iokit.IOSCSIArchitectureModelFamily": { "size": 102400, "version": "2.0.5", "index": "51", "refcount": "4" }, "com.apple.iokit.IOSCSIBlockCommandsDevice": { "size": 90112, "version": "2.0.5", "index": "57", "refcount": "1" }, "com.apple.driver.AppleACPIPCI": { "size": 12288, "version": "1.2.4", "index": "31", "refcount": "0" }, "com.apple.security.seatbelt": { "size": 98304, "version": "107.10", "index": "25", "refcount": "0" }, "com.apple.driver.AppleUpstreamUserClient": { "size": 16384, "version": "2.7.2", "index": "100", "refcount": "0" }, "com.apple.kext.OSvKernDSPLib": { "size": 12288, "version": "1.1", "index": "79", "refcount": "1" }, "com.apple.iokit.IOBDStorageFamily": { "size": 20480, "version": "1.5", "index": "58", "refcount": "1" }, "com.apple.iokit.IOGraphicsFamily": { "size": 118784, "version": "1.7.1", "index": "70", "refcount": "5" }, "com.apple.iokit.IONetworkingFamily": { "size": 90112, "version": "1.6.1", "index": "82", "refcount": "4" }, "com.apple.iokit.IOATAFamily": { "size": 53248, "version": "2.0.0", "index": "40", "refcount": "2" }, "com.apple.iokit.IOUSBHIDDriver": { "size": 20480, "version": "3.2.2", "index": "63", "refcount": "2" }, "org.virtualbox.kext.VBoxUSB": { "size": 28672, "version": "2.2.0", "index": "115", "refcount": "0" }, "com.vmware.kext.vmioplug": { "size": 24576, "version": "2.0.4", "index": "107", "refcount": "0" }, "com.apple.security.TMSafetyNet": { "size": 12288, "version": "3", "index": "23", "refcount": "0" }, "com.apple.iokit.IONDRVSupport": { "size": 57344, "version": "1.7.1", "index": "71", "refcount": "3" }, "com.apple.BootCache": { "size": 20480, "version": "30.3", "index": "20", "refcount": "0" }, "com.apple.iokit.IOUSBUserClient": { "size": 8192, "version": "3.2.4", "index": "46", "refcount": "1" }, "com.apple.iokit.IOSCSIMultimediaCommandsDevice": { "size": 90112, "version": "2.0.5", "index": "59", "refcount": "0" }, "com.apple.driver.AppleIRController": { "size": 20480, "version": "110", "index": "78", "refcount": "0" }, "com.apple.driver.AudioIPCDriver": { "size": 16384, "version": "1.0.5", "index": "81", "refcount": "0" }, "org.virtualbox.kext.VBoxNetFlt": { "size": 16384, "version": "2.2.0", "index": "116", "refcount": "0" }, "com.apple.driver.AppleLPC": { "size": 12288, "version": "1.2.11", "index": "73", "refcount": "0" }, "com.apple.iokit.CHUDKernLib": { "size": 20480, "version": "196", "index": "93", "refcount": "2" }, "com.apple.iokit.CHUDProf": { "size": 49152, "version": "207", "index": "97", "refcount": "0" }, "com.apple.NVDAResman": { "size": 2478080, "version": "5.3.6", "index": "90", "refcount": "2" }, "com.apple.driver.AppleACPIEC": { "size": 20480, "version": "1.2.4", "index": "28", "refcount": "0" }, "foo.tun": { "size": 24576, "version": "1.0", "index": "118", "refcount": "0" }, "com.apple.iokit.IOSerialFamily": { "size": 36864, "version": "9.3", "index": "102", "refcount": "1" }, "com.apple.GeForce": { "size": 622592, "version": "5.3.6", "index": "96", "refcount": "0" }, "com.apple.iokit.IOCDStorageFamily": { "size": 32768, "version": "1.5", "index": "55", "refcount": "3" }, "com.apple.driver.AppleUSBEHCI": { "size": 73728, "version": "3.2.5", "index": "39", "refcount": "0" }, "com.apple.nvidia.nv50hal": { "size": 2445312, "version": "5.3.6", "index": "91", "refcount": "0" }, "com.apple.driver.AppleSMBIOS": { "size": 16384, "version": "1.1.1", "index": "29", "refcount": "0" }, "com.apple.driver.AppleBacklight": { "size": 16384, "version": "1.4.4", "index": "72", "refcount": "0" }, "com.apple.driver.AppleACPIPlatform": { "size": 253952, "version": "1.2.4", "index": "19", "refcount": "3" }, "com.apple.iokit.SCSITaskUserClient": { "size": 24576, "version": "2.0.5", "index": "54", "refcount": "0" }, "com.apple.iokit.IOHIDFamily": { "size": 233472, "version": "1.5.3", "index": "21", "refcount": "7" }, "com.apple.driver.DiskImages": { "size": 65536, "version": "195.2.2", "index": "101", "refcount": "0" }, "com.apple.iokit.IODVDStorageFamily": { "size": 24576, "version": "1.5", "index": "56", "refcount": "2" }, "com.apple.driver.XsanFilter": { "size": 20480, "version": "2.7.91", "index": "53", "refcount": "0" }, "com.apple.driver.AppleEFIRuntime": { "size": 12288, "version": "1.2.0", "index": "35", "refcount": "1" }, "com.apple.driver.AppleRTC": { "size": 20480, "version": "1.2.3", "index": "34", "refcount": "0" }, "com.apple.iokit.IOFireWireIP": { "size": 36864, "version": "1.7.6", "index": "83", "refcount": "0" }, "com.vmware.kext.vmci": { "size": 45056, "version": "2.0.4", "index": "106", "refcount": "0" }, "com.apple.iokit.IO80211Family": { "size": 126976, "version": "215.1", "index": "87", "refcount": "1" }, "com.apple.nke.applicationfirewall": { "size": 32768, "version": "1.0.77", "index": "24", "refcount": "0" }, "com.apple.iokit.IOAHCIBlockStorage": { "size": 69632, "version": "1.2.0", "index": "48", "refcount": "0" }, "com.apple.driver.AppleUSBUHCI": { "size": 57344, "version": "3.2.5", "index": "38", "refcount": "0" }, "com.apple.iokit.IOAHCIFamily": { "size": 24576, "version": "1.5.0", "index": "42", "refcount": "2" }, "com.apple.driver.AppleAHCIPort": { "size": 53248, "version": "1.5.2", "index": "43", "refcount": "0" }, "com.apple.driver.AppleEFINVRAM": { "size": 24576, "version": "1.2.0", "index": "36", "refcount": "0" }, "com.apple.iokit.IOUSBFamily": { "size": 167936, "version": "3.2.7", "index": "37", "refcount": "13" }, "com.apple.driver.AppleUSBMergeNub": { "size": 12288, "version": "3.2.4", "index": "61", "refcount": "0" } }, "machine": "i386", "name": "Darwin", "os": "Darwin", "version": "Darwin Kernel Version 9.6.0: Mon Nov 24 17:37:00 PST 2008; root:xnu-1228.9.59~1\/RELEASE_I386", "release": "9.6.0" }, "platform_version": "10.5.6", "platform": "mac_os_x", "ipaddress": "192.168.88.1", "keys": { "ssh": { "host_dsa_public": "private", "host_rsa_public": "private" } }, "network": { "settings": { "net.inet6.ip6.forwarding": "0", "net.inet.ip.dummynet.debug": "0", "net.inet.ip.rtexpire": "10", "net.inet6.ipsec6.esp_trans_deflev": "1", "net.inet.tcp.tcbhashsize": "4096", "net.key.esp_auth": "0", "net.inet6.ip6.hlim": "64", "net.inet.ip.fw.dyn_fin_lifetime": "1", "net.inet.ip.fw.dyn_udp_lifetime": "10", "net.inet.icmp.bmcastecho": "1", "net.athforceBias": "2 2", "net.athbgscan": "1 1", "net.inet.tcp.reass.maxsegments": "2048", "net.inet6.ip6.auto_flowlabel": "1", "net.inet6.ip6.rtmaxcache": "128", "net.inet.tcp.sendspace": "131072", "net.inet.tcp.keepinit": "75000", "net.inet.ip.dummynet.max_chain_len": "16", "net.inet.tcp.rfc1644": "0", "net.inet.ip.fw.curr_dyn_buckets": "256", "net.inet.ip.dummynet.ready_heap": "0", "net.inet.ip.portrange.first": "49152", "net.inet.tcp.background_io_trigger": "5", "net.link.ether.inet.host_down_time": "20", "net.inet6.ipsec6.def_policy": "1", "net.inet6.ipsec6.ecn": "0", "net.inet.ip.fastforwarding": "0", "net.athaddbaignore": "0 0", "net.inet6.ip6.v6only": "0", "net.inet.tcp.sack": "1", "net.inet6.ip6.rtexpire": "3600", "net.link.ether.inet.proxyall": "0", "net.inet6.ip6.keepfaith": "0", "net.key.spi_trycnt": "1000", "net.link.ether.inet.prune_intvl": "300", "net.inet.tcp.ecn_initiate_out": "0", "net.inet.ip.fw.dyn_rst_lifetime": "1", "net.local.stream.sendspace": "8192", "net.inet.tcp.socket_unlocked_on_output": "1", "net.inet.ip.fw.verbose_limit": "0", "net.local.dgram.recvspace": "4096", "net.inet.ipsec.debug": "0", "net.link.ether.inet.log_arp_warnings": "0", "net.inet.tcp.ecn_negotiate_in": "0", "net.inet.tcp.rfc3465": "1", "net.inet.tcp.icmp_may_rst": "1", "net.link.ether.inet.sendllconflict": "0", "net.inet.ipsec.ah_offsetmask": "0", "net.key.blockacq_count": "10", "net.inet.tcp.delayed_ack": "3", "net.inet.ip.fw.verbose": "2", "net.inet.ip.fw.dyn_count": "0", "net.inet.tcp.slowlink_wsize": "8192", "net.inet6.ip6.fw.enable": "1", "net.inet.ip.portrange.hilast": "65535", "net.inet.icmp.maskrepl": "0", "net.link.ether.inet.apple_hwcksum_rx": "1", "net.inet.tcp.drop_synfin": "1", "net.key.spi_maxval": "268435455", "net.inet.ipsec.ecn": "0", "net.inet.ip.fw.dyn_keepalive": "1", "net.key.int_random": "60", "net.key.debug": "0", "net.inet.ip.dummynet.curr_time": "0", "net.inet.udp.blackhole": "0", "net.athaggrqmin": "1 1", "net.athppmenable": "1 1", "net.inet.ip.fw.dyn_syn_lifetime": "20", "net.inet.tcp.keepidle": "7200000", "net.inet6.ip6.tempvltime": "604800", "net.inet.tcp.recvspace": "358400", "net.inet.tcp.keepintvl": "75000", "net.inet.udp.maxdgram": "9216", "net.inet.ip.maxchainsent": "0", "net.inet.ipsec.esp_net_deflev": "1", "net.inet6.icmp6.nd6_useloopback": "1", "net.inet.tcp.slowstart_flightsize": "1", "net.inet.ip.fw.debug": "0", "net.inet.ip.linklocal.in.allowbadttl": "1", "net.key.spi_minval": "256", "net.inet.ip.forwarding": "0", "net.inet.tcp.v6mssdflt": "1024", "net.key.larval_lifetime": "30", "net.inet6.ip6.fw.verbose_limit": "0", "net.inet.ip.dummynet.red_lookup_depth": "256", "net.inet.tcp.pcbcount": "36", "net.inet.ip.fw.dyn_ack_lifetime": "300", "net.inet.ip.portrange.lowlast": "600", "net.athCCAThreshold": "28 28", "net.link.ether.inet.useloopback": "1", "net.athqdepth": "0 0", "net.inet.ip.ttl": "64", "net.inet.ip.rtmaxcache": "128", "net.inet.ipsec.bypass": "0", "net.inet6.icmp6.nd6_debug": "0", "net.inet.ip.use_route_genid": "1", "net.inet6.icmp6.rediraccept": "1", "net.inet.ip.fw.static_count": "1", "net.inet6.ip6.fw.debug": "0", "net.inet.udp.pcbcount": "104", "net.inet.ipsec.esp_randpad": "-1", "net.inet6.icmp6.nd6_maxnudhint": "0", "net.inet.tcp.always_keepalive": "0", "net.inet.udp.checksum": "1", "net.link.ether.inet.keep_announcements": "1", "net.athfixedDropThresh": "150 150", "net.inet6.ip6.kame_version": "20010528\/apple-darwin", "net.inet.ip.fw.dyn_max": "4096", "net.inet.udp.log_in_vain": "0", "net.inet6.icmp6.nd6_mmaxtries": "3", "net.inet.ip.rtminexpire": "10", "net.inet.ip.fw.dyn_buckets": "256", "net.inet6.ip6.accept_rtadv": "0", "net.inet6.ip6.rr_prune": "5", "net.key.ah_keymin": "128", "net.inet.ip.redirect": "1", "net.inet.tcp.sack_globalmaxholes": "65536", "net.inet.ip.keepfaith": "0", "net.inet.ip.dummynet.expire": "1", "net.inet.ip.gifttl": "30", "net.inet.ip.portrange.last": "65535", "net.inet.ipsec.ah_net_deflev": "1", "net.inet6.icmp6.nd6_delay": "5", "net.inet.tcp.packetchain": "50", "net.inet6.ip6.hdrnestlimit": "50", "net.inet.tcp.newreno": "0", "net.inet6.ip6.dad_count": "1", "net.inet6.ip6.auto_linklocal": "1", "net.inet6.ip6.temppltime": "86400", "net.inet.tcp.strict_rfc1948": "0", "net.athdupie": "1 1", "net.inet.ip.dummynet.red_max_pkt_size": "1500", "net.inet.ip.maxfrags": "2048", "net.inet.tcp.log_in_vain": "0", "net.inet.tcp.rfc1323": "1", "net.inet.ip.subnets_are_local": "0", "net.inet.ip.dummynet.search_steps": "0", "net.inet.icmp.icmplim": "250", "net.link.ether.inet.apple_hwcksum_tx": "1", "net.inet6.icmp6.redirtimeout": "600", "net.inet.ipsec.ah_cleartos": "1", "net.inet6.ip6.log_interval": "5", "net.link.ether.inet.max_age": "1200", "net.inet.ip.fw.enable": "1", "net.inet6.ip6.redirect": "1", "net.athaggrfmax": "28 28", "net.inet.ip.maxfragsperpacket": "128", "net.inet6.ip6.use_deprecated": "1", "net.link.generic.system.dlil_input_sanity_check": "0", "net.inet.tcp.sack_globalholes": "0", "net.inet.tcp.reass.cursegments": "0", "net.inet6.icmp6.nodeinfo": "3", "net.local.inflight": "0", "net.inet.ip.dummynet.hash_size": "64", "net.inet.ip.dummynet.red_avg_pkt_size": "512", "net.inet.ipsec.dfbit": "0", "net.inet.tcp.reass.overflows": "0", "net.inet.tcp.rexmt_thresh": "2", "net.inet6.ip6.maxfrags": "8192", "net.inet6.ip6.rtminexpire": "10", "net.inet6.ipsec6.esp_net_deflev": "1", "net.inet.tcp.blackhole": "0", "net.key.esp_keymin": "256", "net.inet.ip.check_interface": "0", "net.inet.tcp.minmssoverload": "0", "net.link.ether.inet.maxtries": "5", "net.inet.tcp.do_tcpdrain": "0", "net.inet.ipsec.esp_port": "4500", "net.inet6.ipsec6.ah_net_deflev": "1", "net.inet.ip.dummynet.extract_heap": "0", "net.inet.tcp.path_mtu_discovery": "1", "net.inet.ip.intr_queue_maxlen": "50", "net.inet.ipsec.def_policy": "1", "net.inet.ip.fw.autoinc_step": "100", "net.inet.ip.accept_sourceroute": "0", "net.inet.raw.maxdgram": "8192", "net.inet.ip.maxfragpackets": "1024", "net.inet.ip.fw.one_pass": "0", "net.appletalk.routermix": "2000", "net.inet.tcp.tcp_lq_overflow": "1", "net.link.generic.system.ifcount": "9", "net.link.ether.inet.send_conflicting_probes": "1", "net.inet.tcp.background_io_enabled": "1", "net.inet6.ipsec6.debug": "0", "net.inet.tcp.win_scale_factor": "3", "net.key.natt_keepalive_interval": "20", "net.inet.tcp.msl": "15000", "net.inet.ip.portrange.hifirst": "49152", "net.inet.ipsec.ah_trans_deflev": "1", "net.inet.tcp.rtt_min": "1", "net.inet6.ip6.defmcasthlim": "1", "net.inet6.icmp6.nd6_prune": "1", "net.inet6.ip6.fw.verbose": "0", "net.inet.ip.portrange.lowfirst": "1023", "net.inet.tcp.maxseg_unacked": "8", "net.local.dgram.maxdgram": "2048", "net.key.blockacq_lifetime": "20", "net.inet.tcp.sack_maxholes": "128", "net.inet6.ip6.maxfragpackets": "1024", "net.inet6.ip6.use_tempaddr": "0", "net.athpowermode": "0 0", "net.inet.udp.recvspace": "73728", "net.inet.tcp.isn_reseed_interval": "0", "net.inet.tcp.local_slowstart_flightsize": "8", "net.inet.ip.dummynet.searches": "0", "net.inet.ip.intr_queue_drops": "0", "net.link.generic.system.multi_threaded_input": "1", "net.inet.raw.recvspace": "8192", "net.inet.ipsec.esp_trans_deflev": "1", "net.key.prefered_oldsa": "0", "net.local.stream.recvspace": "8192", "net.inet.tcp.sockthreshold": "64", "net.inet6.icmp6.nd6_umaxtries": "3", "net.pstimeout": "20 20", "net.inet.ip.sourceroute": "0", "net.inet.ip.fw.dyn_short_lifetime": "5", "net.inet.tcp.minmss": "216", "net.inet6.ip6.gifhlim": "0", "net.athvendorie": "1 1", "net.inet.ip.check_route_selfref": "1", "net.inet6.icmp6.errppslimit": "100", "net.inet.tcp.mssdflt": "512", "net.inet.icmp.log_redirect": "0", "net.inet6.ipsec6.ah_trans_deflev": "1", "net.inet6.ipsec6.esp_randpad": "-1", "net.inet.icmp.drop_redirect": "0", "net.inet.icmp.timestamp": "0", "net.inet.ip.random_id": "1" }, "interfaces": { "vmnet1": { "flags": [ "UP", "BROADCAST", "SMART", "RUNNING", "SIMPLEX", "MULTICAST" ], "addresses": [ { "broadcast": "192.168.88.255", "netmask": "255.255.255.0", "family": "inet", "address": "192.168.88.1" }, { "family": "lladdr", "address": "private" } ], "number": "1", "mtu": "1500", "type": "vmnet", "encapsulation": "Ethernet" }, "stf0": { "flags": [ ], "number": "0", "mtu": "1280", "type": "stf", "encapsulation": "6to4" }, "vboxnet0": { "flags": [ "BROADCAST", "RUNNING", "SIMPLEX", "MULTICAST" ], "addresses": [ { "family": "lladdr", "address": "private" } ], "number": "0", "mtu": "1500", "type": "vboxnet", "encapsulation": "Ethernet" }, "lo0": { "flags": [ "UP", "LOOPBACK", "RUNNING", "MULTICAST" ], "addresses": [ { "scope": "Link", "prefixlen": "64", "family": "inet6", "address": "fe80::1" }, { "netmask": "255.0.0.0", "family": "inet", "address": "127.0.0.1" }, { "scope": "Node", "prefixlen": "128", "family": "inet6", "address": "::1" }, { "scope": "Node", "prefixlen": "128", "family": "inet6", "address": "private" } ], "number": "0", "mtu": "16384", "type": "lo", "encapsulation": "Loopback" }, "vboxn": { "counters": { "tx": { "bytes": "0", "packets": "0", "collisions": "0", "compressed": 0, "carrier": 0, "drop": 0, "errors": "0", "overrun": 0 }, "rx": { "bytes": "0", "packets": "0", "compressed": 0, "drop": 0, "errors": "0", "overrun": 0, "frame": 0, "multicast": 0 } } }, "gif0": { "flags": [ "POINTOPOINT", "MULTICAST" ], "number": "0", "mtu": "1280", "type": "gif", "encapsulation": "IPIP" }, "vmnet": { "counters": { "tx": { "bytes": "0", "packets": "0", "collisions": "0", "compressed": 0, "carrier": 0, "drop": 0, "errors": "0", "overrun": 0 }, "rx": { "bytes": "0", "packets": "0", "compressed": 0, "drop": 0, "errors": "0", "overrun": 0, "frame": 0, "multicast": 0 } } }, "vmnet8": { "flags": [ "UP", "BROADCAST", "SMART", "RUNNING", "SIMPLEX", "MULTICAST" ], "addresses": [ { "broadcast": "192.168.237.255", "netmask": "255.255.255.0", "family": "inet", "address": "192.168.237.1" }, { "family": "lladdr", "address": "private" } ], "number": "8", "mtu": "1500", "type": "vmnet", "encapsulation": "Ethernet" }, "en0": { "status": "inactive", "flags": [ "UP", "BROADCAST", "SMART", "RUNNING", "SIMPLEX", "MULTICAST" ], "addresses": [ { "family": "lladdr", "address": "private" } ], "number": "0", "mtu": "1500", "media": { "supported": [ { "autoselect": { "options": [ ] } }, { "10baseT\/UTP": { "options": [ "half-duplex" ] } }, { "10baseT\/UTP": { "options": [ "full-duplex" ] } }, { "10baseT\/UTP": { "options": [ "full-duplex", "hw-loopback" ] } }, { "10baseT\/UTP": { "options": [ "full-duplex", "flow-control" ] } }, { "100baseTX": { "options": [ "half-duplex" ] } }, { "100baseTX": { "options": [ "full-duplex" ] } }, { "100baseTX": { "options": [ "full-duplex", "hw-loopback" ] } }, { "100baseTX": { "options": [ "full-duplex", "flow-control" ] } }, { "1000baseT": { "options": [ "full-duplex" ] } }, { "1000baseT": { "options": [ "full-duplex", "hw-loopback" ] } }, { "1000baseT": { "options": [ "full-duplex", "flow-control" ] } }, { "none": { "options": [ ] } } ], "selected": [ { "autoselect": { "options": [ ] } } ] }, "type": "en", "counters": { "tx": { "bytes": "342", "packets": "0", "collisions": "0", "compressed": 0, "carrier": 0, "drop": 0, "errors": "0", "overrun": 0 }, "rx": { "bytes": "0", "packets": "0", "compressed": 0, "drop": 0, "errors": "0", "overrun": 0, "frame": 0, "multicast": 0 } }, "encapsulation": "Ethernet" }, "en1": { "status": "active", "flags": [ "UP", "BROADCAST", "SMART", "RUNNING", "SIMPLEX", "MULTICAST" ], "addresses": [ { "scope": "Link", "prefixlen": "64", "family": "inet6", "address": "private" }, { "broadcast": "192.168.1.255", "netmask": "255.255.255.0", "family": "inet", "address": "192.168.1.4" }, { "family": "lladdr", "address": "private" } ], "number": "1", "mtu": "1500", "media": { "supported": [ { "autoselect": { "options": [ ] } } ], "selected": [ { "autoselect": { "options": [ ] } } ] }, "type": "en", "counters": { "tx": { "bytes": "449206298", "packets": "7041789", "collisions": "0", "compressed": 0, "carrier": 0, "drop": 0, "errors": "95", "overrun": 0 }, "rx": { "bytes": "13673879120", "packets": "19966002", "compressed": 0, "drop": 0, "errors": "1655893", "overrun": 0, "frame": 0, "multicast": 0 } }, "arp": { "192.168.1.7": "private" }, "encapsulation": "Ethernet" }, "fw0": { "status": "inactive", "flags": [ "UP", "BROADCAST", "SMART", "RUNNING", "SIMPLEX", "MULTICAST" ], "addresses": [ { "family": "lladdr", "address": "private" } ], "number": "0", "mtu": "4078", "media": { "supported": [ { "autoselect": { "options": [ "full-duplex" ] } } ], "selected": [ { "autoselect": { "options": [ "full-duplex" ] } } ] }, "type": "fw", "counters": { "tx": { "bytes": "346", "packets": "0", "collisions": "0", "compressed": 0, "carrier": 0, "drop": 0, "errors": "0", "overrun": 0 }, "rx": { "bytes": "0", "packets": "0", "compressed": 0, "drop": 0, "errors": "0", "overrun": 0, "frame": 0, "multicast": 0 } }, "encapsulation": "1394" } } }, "fqdn": "local.local", "ohai_time": 1240624355.08575, "domain": "local", "os": "darwin", "platform_build": "9G55", "os_version": "9.6.0", "hostname": "local", "macaddress": "private", "languages": { "ruby": { "target_os": "darwin9.0", "platform": "universal-darwin9.0", "host_vendor": "apple", "target_vendor": "apple", "target_cpu": "i686", "host_os": "darwin9.0", "host_cpu": "i686", "version": "1.8.6", "host": "i686-apple-darwin9.0", "target": "i686-apple-darwin9.0", "release_date": "2008-03-03" } } } yajl-ruby-1.4.3/.gitignore0000644000004100000410000000017214246427314015464 0ustar www-datawww-dataMakefile benchmark/subjects/contacts.* *.rbc *.o *.dylib *.bundle TODO.txt tmp/* pkg/* vendor/gems Gemfile.lock .rbx bin/ yajl-ruby-1.4.3/script/0000755000004100000410000000000014246427314015000 5ustar www-datawww-datayajl-ruby-1.4.3/script/bootstrap0000755000004100000410000000014114246427314016737 0ustar www-datawww-data#!/bin/sh set -e cd "$(dirname "$0")/.." exec bundle install --binstubs --path vendor/gems "$@" yajl-ruby-1.4.3/.codeclimate.yml0000644000004100000410000000270714246427314016554 0ustar www-datawww-data# This is a sample .codeclimate.yml configured for Engine analysis on Code # Climate Platform. For an overview of the Code Climate Platform, see here: # http://docs.codeclimate.com/article/300-the-codeclimate-platform # Under the engines key, you can configure which engines will analyze your repo. # Each key is an engine name. For each value, you need to specify enabled: true # to enable the engine as well as any other engines-specific configuration. # For more details, see here: # http://docs.codeclimate.com/article/289-configuring-your-repository-via-codeclimate-yml#platform # For a list of all available engines, see here: # http://docs.codeclimate.com/article/296-engines-available-engines engines: # to turn on an engine, add it here and set enabled to `true` # to turn off an engine, set enabled to `false` or remove it rubocop: enabled: true # Engines can analyze files and report issues on them, but you can separately # decide which files will receive ratings based on those issues. This is # specified by path patterns under the ratings key. # For more details see here: # http://docs.codeclimate.com/article/289-configuring-your-repository-via-codeclimate-yml#platform # Note: If the ratings key is not specified, this will result in a 0.0 GPA on your dashboard. ratings: paths: - ext/** - lib/** # You can globally exclude files from being analyzed by any engine using the # exclude_paths key. #exclude_paths: #- spec/**/* #- vendor/**/* yajl-ruby-1.4.3/LICENSE0000644000004100000410000000206614246427314014505 0ustar www-datawww-dataThe MIT License (MIT) Copyright (c) 2014 Brian Lopez 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. yajl-ruby-1.4.3/examples/0000755000004100000410000000000014246427314015312 5ustar www-datawww-datayajl-ruby-1.4.3/examples/http/0000755000004100000410000000000014246427314016271 5ustar www-datawww-datayajl-ruby-1.4.3/examples/http/twitter_stream_api.rb0000644000004100000410000000131314246427314022522 0ustar www-datawww-data$LOAD_PATH.unshift File.expand_path(File.dirname(__FILE__) + '/../..') $LOAD_PATH.unshift File.expand_path(File.dirname(__FILE__) + '/../../lib') require 'yajl/gzip' require 'yajl/deflate' require 'yajl/http_stream' require 'uri' unless (username = ARGV[0]) && (password = ARGV[1]) puts "\nUsage: ruby examples/http/twitter_stream_api.rb username password\n\n" exit(0) end captured = 0 uri = URI.parse("http://#{username}:#{password}@stream.twitter.com/1/statuses/sample.json") trap('INT') { puts "\n\nCaptured #{captured} objects from the stream" puts "CTRL+C caught, later!" exit(0) } Yajl::HttpStream.get(uri, :symbolize_keys => true) do |hash| STDOUT.putc '.' STDOUT.flush captured += 1 end yajl-ruby-1.4.3/examples/http/twitter_search_api.rb0000644000004100000410000000060614246427314022500 0ustar www-datawww-data$LOAD_PATH.unshift File.expand_path(File.dirname(__FILE__) + '/../..') $LOAD_PATH.unshift File.expand_path(File.dirname(__FILE__) + '/../../lib') require 'yajl/http_stream' require 'uri' unless keywords = ARGV[0] puts "\nUsage: ruby examples/http/twitter_search_api.rb keyword\n\n" exit(0) end puts Yajl::HttpStream.get("http://search.twitter.com/search.json?q=#{keywords}").inspect yajl-ruby-1.4.3/examples/encoding/0000755000004100000410000000000014246427314017100 5ustar www-datawww-datayajl-ruby-1.4.3/examples/encoding/chunked_encoding.rb0000644000004100000410000000151314246427314022714 0ustar www-datawww-data$LOAD_PATH.unshift File.expand_path(File.dirname(__FILE__) + '/../..') $LOAD_PATH.unshift File.expand_path(File.dirname(__FILE__) + '/../../lib') require 'yajl' obj = { :a_test => "of encoding in one pass" * 512, :a_test2 => "of encoding in one pass" * 512, :a_test3 => "of encoding in one pass" * 512, :a_test4 => "of encoding in one pass" * 512, :which_will => "simply return a string when finished" * 512, :which_will2 => "simply return a string when finished" * 512, :which_will3 => "simply return a string when finished" * 512, :which_will4 => "simply return a string when finished" * 512, :as_easy_as => 123 } chunks = 0 total_size = 0 Yajl::Encoder.encode(obj) do |chunk| chunks += 1 total_size += chunk.size STDOUT << chunk end puts "\n\nEncoder generated #{total_size} bytes of data, in #{chunks} chunks" yajl-ruby-1.4.3/examples/encoding/to_an_io.rb0000644000004100000410000000052314246427314021214 0ustar www-datawww-data$LOAD_PATH.unshift File.expand_path(File.dirname(__FILE__) + '/../..') $LOAD_PATH.unshift File.expand_path(File.dirname(__FILE__) + '/../../lib') require 'yajl' obj = { :a_test => "of encoding directly to an IO stream", :which_will => "simply return a string when finished", :as_easy_as => 123 } Yajl::Encoder.encode(obj, STDOUT) yajl-ruby-1.4.3/examples/encoding/one_shot.rb0000644000004100000410000000051514246427314021244 0ustar www-datawww-data$LOAD_PATH.unshift File.expand_path(File.dirname(__FILE__) + '/../..') $LOAD_PATH.unshift File.expand_path(File.dirname(__FILE__) + '/../../lib') require 'yajl' obj = { :a_test => "of encoding in one pass", :which_will => "simply return a string when finished", :as_easy_as => 123 } str = Yajl::Encoder.encode(obj) puts str yajl-ruby-1.4.3/examples/parsing/0000755000004100000410000000000014246427314016755 5ustar www-datawww-datayajl-ruby-1.4.3/examples/parsing/from_file.rb0000644000004100000410000000054414246427314021247 0ustar www-datawww-data$LOAD_PATH.unshift File.expand_path(File.dirname(__FILE__) + '/../..') $LOAD_PATH.unshift File.expand_path(File.dirname(__FILE__) + '/../../lib') require 'yajl' unless file = ARGV[0] puts "\nUsage: ruby examples/from_file.rb benchmark/subjects/item.json\n\n" exit(0) end json = File.new(file, 'r') hash = Yajl::Parser.parse(json) puts hash.inspect yajl-ruby-1.4.3/examples/parsing/from_string.rb0000644000004100000410000000052614246427314021636 0ustar www-datawww-data$LOAD_PATH.unshift File.expand_path(File.dirname(__FILE__) + '/../..') $LOAD_PATH.unshift File.expand_path(File.dirname(__FILE__) + '/../../lib') require 'yajl' require 'stringio' unless string = ARGV[0] puts "\nUsage: ruby examples/from_string.rb '{\"foo\": 1145}'\n\n" exit(0) end hash = Yajl::Parser.parse(string) puts hash.inspect yajl-ruby-1.4.3/examples/parsing/from_stdin.rb0000644000004100000410000000043714246427314021452 0ustar www-datawww-data$LOAD_PATH.unshift File.expand_path(File.dirname(__FILE__) + '/../..') $LOAD_PATH.unshift File.expand_path(File.dirname(__FILE__) + '/../../lib') require 'yajl' # Usage: cat benchmark/subjects/item.json | ruby examples/from_stdin.rb hash = Yajl::Parser.parse(STDIN) puts hash.inspect yajl-ruby-1.4.3/Rakefile0000644000004100000410000000010114246427314015131 0ustar www-datawww-data# Load custom tasks Dir['tasks/*.rake'].sort.each { |f| load f } yajl-ruby-1.4.3/lib/0000755000004100000410000000000014246427314014242 5ustar www-datawww-datayajl-ruby-1.4.3/lib/yajl.rb0000644000004100000410000000534714246427314015537 0ustar www-datawww-datarequire 'yajl/yajl' # = Extras # We're not going to load these automatically, because you might not need them ;) # # require 'yajl/http_stream.rb' unless defined?(Yajl::HttpStream) # require 'yajl/gzip.rb' unless defined?(Yajl::Gzip) # require 'yajl/deflate.rb' unless defined?(Yajl::Deflate) # require 'yajl/bzip2.rb' unless defined?(Yajl::Bzip2) # = Yajl # # Ruby bindings to the excellent Yajl (Yet Another JSON Parser) ANSI C library. module Yajl # For compatibility, has the same signature of Yajl::Parser.parse def self.load(str_or_io, options={}, read_bufsize=nil, &block) Parser.parse(str_or_io, options, read_bufsize, &block) end # For compatibility, has the same signature of Yajl::Encoder.encode def self.dump(obj, *args, &block) Encoder.encode(obj, args, &block) end class Projector def initialize(stream, read_bufsize=4096) @stream = stream @buffer_size = read_bufsize end end class Parser # A helper method for parse-and-forget use-cases # # +io+ is the stream to parse JSON from # # The +options+ hash allows you to set two parsing options - :allow_comments and :check_utf8 # # :allow_comments accepts a boolean will enable/disable checks for in-line comments in the JSON stream # # :check_utf8 accepts a boolean will enable/disable UTF8 validation for the JSON stream def self.parse(str_or_io, options={}, read_bufsize=nil, &block) new(options).parse(str_or_io, read_bufsize, &block) end end class Encoder # A helper method for encode-and-forget use-cases # # Examples: # Yajl::Encoder.encode(obj[, io, :pretty => true, :indent => "\t", &block]) # # output = Yajl::Encoder.encode(obj[, :pretty => true, :indent => "\t", &block]) # # +obj+ is a ruby object to encode to JSON format # # +io+ is the optional IO stream to encode the ruby object to. # If +io+ isn't passed, the resulting JSON string is returned. If +io+ is passed, nil is returned. # # The +options+ hash allows you to set two encoding options - :pretty and :indent # # :pretty accepts a boolean and will enable/disable "pretty printing" the resulting output # # :indent accepts a string and will be used as the indent character(s) during the pretty print process # # If a block is passed, it will be used as (and work the same as) the +on_progress+ callback def self.encode(obj, *args, &block) # TODO: this code smells, any ideas? args.flatten! options = {} io = nil args.each do |arg| if arg.is_a?(Hash) options = arg elsif arg.respond_to?(:write) io = arg end end if args.any? new(options).encode(obj, io, &block) end end end yajl-ruby-1.4.3/lib/yajl/0000755000004100000410000000000014246427314015201 5ustar www-datawww-datayajl-ruby-1.4.3/lib/yajl/version.rb0000644000004100000410000000004414246427314017211 0ustar www-datawww-datamodule Yajl VERSION = '1.4.3' end yajl-ruby-1.4.3/lib/yajl/bzip2.rb0000644000004100000410000000053714246427314016561 0ustar www-datawww-dataputs "DEPRECATION WARNING: Yajl's Bzip2 support is going to be removed in 2.0" require 'yajl' unless defined?(Yajl::Parser) begin require 'bzip2' unless defined?(Bzip2) require 'yajl/bzip2/stream_reader.rb' require 'yajl/bzip2/stream_writer.rb' rescue LoadError raise "Unable to load the bzip2 library. Is the bzip2-ruby gem installed?" end yajl-ruby-1.4.3/lib/yajl/gzip.rb0000644000004100000410000000035214246427314016477 0ustar www-datawww-dataputs "DEPRECATION WARNING: Yajl's Gzip support is going to be removed in 2.0" require 'yajl' unless defined?(Yajl::Parser) require 'zlib' unless defined?(Zlib) require 'yajl/gzip/stream_reader.rb' require 'yajl/gzip/stream_writer.rb'yajl-ruby-1.4.3/lib/yajl/http_stream.rb0000644000004100000410000001633714246427314020072 0ustar www-datawww-dataputs "DEPRECATION WARNING: Yajl::HttpStream is going to be removed in 2.0" require 'socket' require 'yajl' require 'yajl/version' unless defined? Yajl::VERSION require 'uri' require 'cgi' module Yajl # This module is for making HTTP requests to which the response bodies (and possibly requests in the near future) # are streamed directly into Yajl. class HttpStream # This Exception is thrown when an HTTP response isn't in ALLOWED_MIME_TYPES # and therefore cannot be parsed. class InvalidContentType < Exception; end class HttpError < StandardError attr_reader :message, :headers def initialize(message, headers) @message = message @headers = headers end end # The mime-type we expect the response to be. If it's anything else, we can't parse it # and an InvalidContentType is raised. ALLOWED_MIME_TYPES = ["application/json", "text/plain"] # Makes a basic HTTP GET request to the URI provided def self.get(uri, opts = {}, &block) request("GET", uri, opts, &block) end # Makes a basic HTTP GET request to the URI provided allowing the user to terminate the connection def get(uri, opts = {}, &block) initialize_socket(uri, opts) HttpStream::get(uri, opts, &block) rescue IOError => e raise e unless @intentional_termination end # Makes a basic HTTP POST request to the URI provided def self.post(uri, body, opts = {}, &block) request("POST", uri, opts.merge({:body => body}), &block) end # Makes a basic HTTP POST request to the URI provided allowing the user to terminate the connection def post(uri, body, opts = {}, &block) initialize_socket(uri, opts) HttpStream::post(uri, body, opts, &block) rescue IOError => e raise e unless @intentional_termination end # Makes a basic HTTP PUT request to the URI provided def self.put(uri, body, opts = {}, &block) request("PUT", uri, opts.merge({:body => body}), &block) end # Makes a basic HTTP PUT request to the URI provided allowing the user to terminate the connection def put(uri, body, opts = {}, &block) initialize_socket(uri, opts) HttpStream::put(uri, body, opts, &block) rescue IOError => e raise e unless @intentional_termination end # Makes a basic HTTP DELETE request to the URI provided def self.delete(uri, opts = {}, &block) request("DELETE", uri, opts, &block) end # Makes a basic HTTP DELETE request to the URI provided allowing the user to terminate the connection def delete(uri, opts = {}, &block) initialize_socket(uri, opts) HttpStream::delete(uri, opts, &block) rescue IOError => e raise e unless @intentional_termination end # Terminate a running HTTPStream instance def terminate @intentional_termination = true @socket.close end protected def self.request(method, uri, opts = {}, &block) if uri.is_a?(String) uri = URI.parse(uri) end default_headers = { "User-Agent" => opts["User-Agent"] || "Yajl::HttpStream #{Yajl::VERSION}", "Accept" => "*/*", "Accept-Charset" => "utf-8" } if method == "POST" || method == "PUT" default_headers["Content-Type"] = opts["Content-Type"] || "application/x-www-form-urlencoded" body = opts.delete(:body) if body.is_a?(Hash) body = body.keys.collect {|param| "#{CGI.escape(param.to_s)}=#{CGI.escape(body[param].to_s)}"}.join('&') end default_headers["Content-Length"] = body.length end unless uri.userinfo.nil? default_headers["Authorization"] = "Basic #{[uri.userinfo].pack('m').strip!}\r\n" end encodings = [] encodings << "bzip2" if defined?(Yajl::Bzip2) encodings << "gzip" if defined?(Yajl::Gzip) encodings << "deflate" if defined?(Yajl::Deflate) if encodings.any? default_headers["Accept-Encoding"] = "#{encodings.join(',')}\r\n" end headers = default_headers.merge(opts[:headers] || {}) socket = opts.delete(:socket) || TCPSocket.new(uri.host, uri.port) request = "#{method} #{uri.path}#{uri.query ? "?"+uri.query : nil} HTTP/1.1\r\n" request << "Host: #{uri.host}\r\n" headers.each do |k, v| request << "#{k}: #{v}\r\n" end request << "\r\n" if method == "POST" || method == "PUT" request << body end socket.write(request) response_head = {} response_head[:headers] = {} socket.each_line do |line| if line == "\r\n" # end of the headers break else header = line.split(": ") if header.size == 1 header = header[0].split(" ") response_head[:version] = header[0] response_head[:code] = header[1].to_i response_head[:msg] = header[2] # this is the response code line else response_head[:headers][header[0]] = header[1].strip end end end if (response_head[:code] != 200) raise HttpError.new("Code 200 expected got #{response_head[:code]}", response_head[:headers]) end parser = Yajl::Parser.new(opts) parser.on_parse_complete = block if block_given? if response_head[:headers]["Transfer-Encoding"] == 'chunked' if block_given? chunkLeft = 0 while !socket.eof? && (line = socket.gets) break if line.match(/^0.*?\r\n/) next if line == "\r\n" size = line.hex json = socket.read(size) next if json.nil? chunkLeft = size-json.size if chunkLeft == 0 parser << json else # received only part of the chunk, grab the rest parser << socket.read(chunkLeft) end end else raise Exception, "Chunked responses detected, but no block given to handle the chunks." end else content_type = response_head[:headers]["Content-Type"].split(';') content_type = content_type.first if ALLOWED_MIME_TYPES.include?(content_type) case response_head[:headers]["Content-Encoding"] when "gzip" return Yajl::Gzip::StreamReader.parse(socket, opts, &block) when "deflate" return Yajl::Deflate::StreamReader.parse(socket, opts.merge({:deflate_options => -Zlib::MAX_WBITS}), &block) when "bzip2" return Yajl::Bzip2::StreamReader.parse(socket, opts, &block) else return parser.parse(socket) end else raise InvalidContentType, "The response MIME type #{content_type}" end end ensure socket.close if !socket.nil? and !socket.closed? end private # Initialize socket and add it to the opts def initialize_socket(uri, opts = {}) return if opts[:socket] @socket = TCPSocket.new(uri.host, uri.port) opts.merge!({:socket => @socket}) @intentional_termination = false end end end yajl-ruby-1.4.3/lib/yajl/json_gem/0000755000004100000410000000000014246427314017002 5ustar www-datawww-datayajl-ruby-1.4.3/lib/yajl/json_gem/parsing.rb0000644000004100000410000000121514246427314020771 0ustar www-datawww-datarequire 'yajl' unless defined?(Yajl::Parser) module JSON class JSONError < StandardError; end unless defined?(JSON::JSONError) class ParserError < JSONError; end unless defined?(JSON::ParserError) def self.default_options @default_options ||= {:symbolize_keys => false} end def self.parse(str, opts=JSON.default_options) begin Yajl::Parser.parse(str, opts) rescue Yajl::ParseError => e raise JSON::ParserError, e.message end end def self.load(input, *args) begin Yajl::Parser.parse(input, default_options) rescue Yajl::ParseError => e raise JSON::ParserError, e.message end end endyajl-ruby-1.4.3/lib/yajl/json_gem/encoding.rb0000644000004100000410000000251214246427314021115 0ustar www-datawww-datarequire 'yajl' unless defined?(Yajl::Parser) # NOTE: this is probably temporary until I can split out the JSON compat C code into it's own # extension that can be included when this file is. Yajl::Encoder.enable_json_gem_compatability # Our fallback to_json definition unless defined?(ActiveSupport) class Object def to_json(*args, &block) "\"#{to_s}\"" end end end module JSON class JSONError < StandardError; end unless defined?(JSON::JSONError) class GeneratorError < JSONError; end unless defined?(JSON::GeneratorError) def self.generate(obj, opts=nil) opts ||= {} options_map = {} if opts.has_key?(:indent) options_map[:pretty] = true options_map[:indent] = opts[:indent] end Yajl::Encoder.encode(obj, options_map) rescue Yajl::EncodeError => e raise JSON::GeneratorError, e.message end def self.pretty_generate(obj, opts={}) begin options_map = {} options_map[:pretty] = true options_map[:indent] = opts[:indent] if opts.has_key?(:indent) Yajl::Encoder.encode(obj, options_map) rescue Yajl::EncodeError => e raise JSON::GeneratorError, e.message end end def self.dump(obj, io=nil, *args) begin Yajl::Encoder.encode(obj, io) rescue Yajl::EncodeError => e raise JSON::GeneratorError, e.message end end end yajl-ruby-1.4.3/lib/yajl/gzip/0000755000004100000410000000000014246427314016152 5ustar www-datawww-datayajl-ruby-1.4.3/lib/yajl/gzip/stream_reader.rb0000644000004100000410000000160714246427314021320 0ustar www-datawww-datamodule Yajl module Gzip # This is a wrapper around Zlib::GzipReader to allow it's #read method to adhere # to the IO spec, allowing for two parameters (length, and buffer) class StreamReader < ::Zlib::GzipReader # A helper method to allow use similar to IO#read def read(len=nil, buffer=nil) if val = super(len) unless buffer.nil? buffer.replace(val) return buffer end super(len) else nil end end # Helper method for one-off parsing from a gzip-compressed stream # # See Yajl::Parser#parse for parameter documentation def self.parse(input, options={}, buffer_size=nil, &block) if input.is_a?(String) input = StringIO.new(input) end Yajl::Parser.new(options).parse(new(input), buffer_size, &block) end end end endyajl-ruby-1.4.3/lib/yajl/gzip/stream_writer.rb0000644000004100000410000000056014246427314021367 0ustar www-datawww-datamodule Yajl module Gzip # Wraper around the Zlib::GzipWriter class class StreamWriter < ::Zlib::GzipWriter # A helper method for one-off encoding to a gzip-compressed stream # # Look up Yajl::Encoder#encode for parameter documentation def self.encode(obj, io) Yajl::Encoder.new.encode(obj, new(io)) end end end endyajl-ruby-1.4.3/lib/yajl/deflate/0000755000004100000410000000000014246427314016605 5ustar www-datawww-datayajl-ruby-1.4.3/lib/yajl/deflate/stream_reader.rb0000644000004100000410000000246614246427314021757 0ustar www-datawww-datamodule Yajl module Deflate # This is a wrapper around Zlib::Inflate, creating a #read method that adheres # to the IO spec, allowing for two parameters (length, and buffer) class StreamReader < ::Zlib::Inflate # Wrapper to the initialize method so we can set the initial IO to parse from. def initialize(io, options) @io = io super(options) end # A helper method to allow use similar to IO#read def read(len=nil, buffer=nil) if val = @io.read(len) unless buffer.nil? buffer.replace(inflate(val)) return buffer end inflate(@io.read(len)) else nil end end # Helper method for one-off parsing from a deflate-compressed stream # # See Yajl::Parser#parse for parameter documentation def self.parse(input, options={}, buffer_size=nil, &block) if input.is_a?(String) input = StringIO.new(input) end if options.is_a?(Hash) deflate_options = options.delete(:deflate_options) Yajl::Parser.new(options).parse(new(input, deflate_options), buffer_size, &block) elsif options.is_a?(Fixnum) Yajl::Parser.new.parse(new(input, options), buffer_size, &block) end end end end endyajl-ruby-1.4.3/lib/yajl/deflate/stream_writer.rb0000644000004100000410000000104214246427314022016 0ustar www-datawww-datamodule Yajl module Deflate # A wrapper around the Zlib::Deflate class for easier JSON stream parsing class StreamWriter < ::Zlib::Deflate # A helper method to allow use similar to IO#write def write(str) deflate(str) str.size unless str.nil? end # A helper method for one-off encoding to a deflate-compressed stream # # Look up Yajl::Encoder#encode for parameter documentation def self.encode(obj, io) Yajl::Encoder.new.encode(obj, new(io)) end end end endyajl-ruby-1.4.3/lib/yajl/json_gem.rb0000644000004100000410000000047214246427314017332 0ustar www-datawww-datarequire 'yajl' unless defined?(Yajl::Parser) require 'yajl/json_gem/parsing' require 'yajl/json_gem/encoding' module ::Kernel def JSON(object, opts = {}) if object.respond_to? :to_s JSON.parse(object.to_s, JSON.default_options.merge(opts)) else JSON.generate(object, opts) end end end yajl-ruby-1.4.3/lib/yajl/deflate.rb0000644000004100000410000000036314246427314017134 0ustar www-datawww-dataputs "DEPRECATION WARNING: Yajl's Deflate support is going to be removed in 2.0" require 'yajl' unless defined?(Yajl::Parser) require 'zlib' unless defined?(Zlib) require 'yajl/deflate/stream_reader.rb' require 'yajl/deflate/stream_writer.rb'yajl-ruby-1.4.3/lib/yajl/bzip2/0000755000004100000410000000000014246427314016227 5ustar www-datawww-datayajl-ruby-1.4.3/lib/yajl/bzip2/stream_reader.rb0000644000004100000410000000160314246427314021371 0ustar www-datawww-datamodule Yajl module Bzip2 # This is a wrapper around Bzip::Reader to allow it's #read method to adhere # to the IO spec, allowing for two parameters (length, and buffer) class StreamReader < ::Bzip2::Reader # A helper method to allow use similar to IO#read def read(len=nil, buffer=nil) if val = super(len) unless buffer.nil? buffer.replace(val) return buffer end super(len) else nil end end # Helper method for one-off parsing from a bzip2-compressed stream # # See Yajl::Parser#parse for parameter documentation def self.parse(input, options={}, buffer_size=nil, &block) if input.is_a?(String) input = StringIO.new(input) end Yajl::Parser.new(options).parse(new(input), buffer_size, &block) end end end endyajl-ruby-1.4.3/lib/yajl/bzip2/stream_writer.rb0000644000004100000410000000061014246427314021440 0ustar www-datawww-datamodule Yajl module Bzip2 # A wrapper around the Bzip2::Writer class for easier JSON stream encoding class StreamWriter < ::Bzip2::Writer # A helper method for encoding to a bzip2-compressed stream # # Look up Yajl::Encoder#encode for parameter documentation def self.encode(obj, io) Yajl::Encoder.new.encode(obj, new(io)) end end end endyajl-ruby-1.4.3/Gemfile0000644000004100000410000000004714246427314014770 0ustar www-datawww-datasource 'https://rubygems.org' gemspec yajl-ruby-1.4.3/.github/0000755000004100000410000000000014246427314015034 5ustar www-datawww-datayajl-ruby-1.4.3/.github/workflows/0000755000004100000410000000000014246427314017071 5ustar www-datawww-datayajl-ruby-1.4.3/.github/workflows/ci.yml0000644000004100000410000000120214246427314020202 0ustar www-datawww-dataname: CI on: [push, pull_request] jobs: test: strategy: matrix: ruby_version: [2.6.x, 2.7.x, 3.0.x] fail-fast: false runs-on: ubuntu-latest name: Test on Ruby ${{ matrix.ruby_version }} steps: - uses: actions/checkout@v2 - name: Setup Ruby ${{ matrix.ruby_version }} uses: actions/setup-ruby@v1 with: ruby-version: ${{ matrix.ruby_version }} - name: Install dependencies run: bundle install - name: Build gem run: gem build yajl-ruby.gemspec - name: Install gem run: gem install yajl-ruby - name: Run tests run: bundle exec rake spec yajl-ruby-1.4.3/yajl-ruby.gemspec0000644000004100000410000000137514246427314016765 0ustar www-datawww-datarequire './lib/yajl/version' Gem::Specification.new do |s| s.name = %q{yajl-ruby} s.version = Yajl::VERSION s.license = "MIT" s.authors = ["Brian Lopez", "Lloyd Hilaiel"] s.email = %q{seniorlopez@gmail.com} s.extensions = ["ext/yajl/extconf.rb"] s.files = `git ls-files`.split("\n") s.homepage = %q{https://github.com/brianmario/yajl-ruby} s.require_paths = ["lib"] s.summary = %q{Ruby C bindings to the excellent Yajl JSON stream-based parser library.} s.required_ruby_version = ">= 2.6.0" # tests s.add_development_dependency 'rake-compiler' s.add_development_dependency 'rspec' # benchmarks s.add_development_dependency 'activesupport' s.add_development_dependency 'json' s.add_development_dependency "benchmark-memory" end yajl-ruby-1.4.3/ext/0000755000004100000410000000000014246427314014274 5ustar www-datawww-datayajl-ruby-1.4.3/ext/yajl/0000755000004100000410000000000014246427314015233 5ustar www-datawww-datayajl-ruby-1.4.3/ext/yajl/yajl_alloc.c0000644000004100000410000000423714246427314017516 0ustar www-datawww-data/* * Copyright 2010, Lloyd Hilaiel. * * Redistribution and use in source and binary forms, with or without * modification, are permitted provided that the following conditions are * met: * * 1. Redistributions of source code must retain the above copyright * notice, this list of conditions and the following disclaimer. * * 2. 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. * * 3. Neither the name of Lloyd Hilaiel nor the names of its * contributors may be used to endorse or promote products derived * from this software without specific prior written permission. * * THIS SOFTWARE IS PROVIDED BY THE AUTHOR ``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 AUTHOR 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. */ /** * \file yajl_alloc.h * default memory allocation routines for yajl which use malloc/realloc and * free */ #include "yajl_alloc.h" #include static void * yajl_internal_malloc(void *ctx, unsigned int sz) { return malloc(sz); } static void * yajl_internal_realloc(void *ctx, void * previous, unsigned int sz) { return realloc(previous, sz); } static void yajl_internal_free(void *ctx, void * ptr) { free(ptr); } void yajl_set_default_alloc_funcs(yajl_alloc_funcs * yaf) { yaf->malloc = yajl_internal_malloc; yaf->free = yajl_internal_free; yaf->realloc = yajl_internal_realloc; yaf->ctx = NULL; } yajl-ruby-1.4.3/ext/yajl/yajl_bytestack.h0000644000004100000410000000657214246427314020426 0ustar www-datawww-data/* * Copyright 2010, Lloyd Hilaiel. * * Redistribution and use in source and binary forms, with or without * modification, are permitted provided that the following conditions are * met: * * 1. Redistributions of source code must retain the above copyright * notice, this list of conditions and the following disclaimer. * * 2. 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. * * 3. Neither the name of Lloyd Hilaiel nor the names of its * contributors may be used to endorse or promote products derived * from this software without specific prior written permission. * * THIS SOFTWARE IS PROVIDED BY THE AUTHOR ``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 AUTHOR 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. */ /* * A header only implementation of a simple stack of bytes, used in YAJL * to maintain parse state. */ #ifndef __YAJL_BYTESTACK_H__ #define __YAJL_BYTESTACK_H__ #include #include #include "api/yajl_common.h" #define YAJL_BS_INC 128 #define YAJL_BS_MAX_SIZE UINT_MAX typedef struct yajl_bytestack_t { unsigned char * stack; unsigned int size; unsigned int used; yajl_alloc_funcs * yaf; } yajl_bytestack; /* initialize a bytestack */ #define yajl_bs_init(obs, _yaf) { \ (obs).stack = NULL; \ (obs).size = 0; \ (obs).used = 0; \ (obs).yaf = (_yaf); \ } \ /* initialize a bytestack */ #define yajl_bs_free(obs) \ if ((obs).stack) (obs).yaf->free((obs).yaf->ctx, (obs).stack); #define yajl_bs_current(obs) \ (assert((obs).used > 0), (obs).stack[(obs).used - 1]) /* 0: success, 1: error */ static inline YAJL_WARN_UNUSED int yajl_bs_push_inline(yajl_bytestack *obs, unsigned char byte) { if ((obs->size - obs->used) == 0) { if (obs->size > YAJL_BS_MAX_SIZE - YAJL_BS_INC) return 1; obs->size += YAJL_BS_INC; obs->stack = obs->yaf->realloc(obs->yaf->ctx, (void *)obs->stack, obs->size); if (!obs->stack) return 1; } obs->stack[obs->used++] = byte; return 0; } #define yajl_bs_push(obs, byte) yajl_bs_push_inline(&(obs), (byte)) /* removes the top item of the stack, returns nothing */ #define yajl_bs_pop(obs) { ((obs).used)--; } static inline void yajl_bs_set_inline(yajl_bytestack *obs, unsigned char byte) { assert(obs->used > 0); assert(obs->size >= obs->used); obs->stack[obs->used - 1] = byte; } #define yajl_bs_set(obs, byte) yajl_bs_set_inline(&obs, byte) #endif yajl-ruby-1.4.3/ext/yajl/yajl_buf.h0000644000004100000410000000544114246427314017203 0ustar www-datawww-data/* * Copyright 2010, Lloyd Hilaiel. * * Redistribution and use in source and binary forms, with or without * modification, are permitted provided that the following conditions are * met: * * 1. Redistributions of source code must retain the above copyright * notice, this list of conditions and the following disclaimer. * * 2. 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. * * 3. Neither the name of Lloyd Hilaiel nor the names of its * contributors may be used to endorse or promote products derived * from this software without specific prior written permission. * * THIS SOFTWARE IS PROVIDED BY THE AUTHOR ``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 AUTHOR 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. */ #ifndef __YAJL_BUF_H__ #define __YAJL_BUF_H__ #include "api/yajl_common.h" #include "yajl_alloc.h" /* * Implementation/performance notes. If this were moved to a header * only implementation using #define's where possible we might be * able to sqeeze a little performance out of the guy by killing function * call overhead. YMMV. */ typedef enum { yajl_buf_ok = 0, yajl_buf_alloc_failed, yajl_buf_overflow } yajl_buf_state; /** * yajl_buf is a buffer with exponential growth. the buffer ensures that * you are always null padded. */ typedef struct yajl_buf_t * yajl_buf; /* allocate a new buffer */ YAJL_API yajl_buf yajl_buf_alloc(yajl_alloc_funcs * alloc); /* free the buffer */ YAJL_API void yajl_buf_free(yajl_buf buf); /* append a number of bytes to the buffer */ YAJL_API void yajl_buf_append(yajl_buf buf, const void * data, unsigned int len); /* empty the buffer */ YAJL_API void yajl_buf_clear(yajl_buf buf); /* get a pointer to the beginning of the buffer */ YAJL_API const unsigned char * yajl_buf_data(yajl_buf buf); /* get the length of the buffer */ YAJL_API unsigned int yajl_buf_len(yajl_buf buf); /* truncate the buffer */ YAJL_API void yajl_buf_truncate(yajl_buf buf, unsigned int len); /* get the state of buffer */ yajl_buf_state yajl_buf_err(yajl_buf buf); #endif yajl-ruby-1.4.3/ext/yajl/yajl_gen.c0000644000004100000410000002577614246427314017210 0ustar www-datawww-data/* * Copyright 2010, Lloyd Hilaiel. * * Redistribution and use in source and binary forms, with or without * modification, are permitted provided that the following conditions are * met: * * 1. Redistributions of source code must retain the above copyright * notice, this list of conditions and the following disclaimer. * * 2. 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. * * 3. Neither the name of Lloyd Hilaiel nor the names of its * contributors may be used to endorse or promote products derived * from this software without specific prior written permission. * * THIS SOFTWARE IS PROVIDED BY THE AUTHOR ``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 AUTHOR 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. */ #include "api/yajl_gen.h" #include "yajl_buf.h" #include "yajl_encode.h" #include #include #include #include typedef enum { yajl_gen_start, yajl_gen_map_start, yajl_gen_map_key, yajl_gen_map_val, yajl_gen_array_start, yajl_gen_in_array, yajl_gen_complete, yajl_gen_error } yajl_gen_state; struct yajl_gen_t { unsigned int depth; unsigned int pretty; const char * indentString; yajl_gen_state state[YAJL_MAX_DEPTH]; yajl_print_t print; void * ctx; /* yajl_buf */ /* memory allocation routines */ yajl_alloc_funcs alloc; unsigned int htmlSafe; }; yajl_gen yajl_gen_alloc(const yajl_gen_config * config, const yajl_alloc_funcs * afs) { return yajl_gen_alloc2(NULL, config, afs, NULL); } yajl_gen yajl_gen_alloc2(const yajl_print_t callback, const yajl_gen_config * config, const yajl_alloc_funcs * afs, void * ctx) { yajl_gen g = NULL; yajl_alloc_funcs afsBuffer; /* first order of business is to set up memory allocation routines */ if (afs != NULL) { if (afs->malloc == NULL || afs->realloc == NULL || afs->free == NULL) { return NULL; } } else { yajl_set_default_alloc_funcs(&afsBuffer); afs = &afsBuffer; } g = (yajl_gen) YA_MALLOC(afs, sizeof(struct yajl_gen_t)); if (!g) return NULL; memset((void *) g, 0, sizeof(struct yajl_gen_t)); /* copy in pointers to allocation routines */ memcpy((void *) &(g->alloc), (void *) afs, sizeof(yajl_alloc_funcs)); if (config) { const char *indent = config->indentString; g->pretty = config->beautify; g->indentString = config->indentString; if (indent) { for (; *indent; indent++) { if (*indent != '\n' && *indent != '\v' && *indent != '\f' && *indent != '\t' && *indent != '\r' && *indent != ' ') { g->indentString = NULL; break; } } } if (!g->indentString) { g->indentString = " "; } g->htmlSafe = config->htmlSafe; } if (callback) { g->print = callback; g->ctx = ctx; } else { g->print = (yajl_print_t)&yajl_buf_append; g->ctx = yajl_buf_alloc(&(g->alloc)); } return g; } void yajl_gen_free(yajl_gen g) { if (g->print == (yajl_print_t)&yajl_buf_append) yajl_buf_free((yajl_buf)g->ctx); YA_FREE(&(g->alloc), g); } #define INSERT_SEP \ if (g->state[g->depth] == yajl_gen_map_key || \ g->state[g->depth] == yajl_gen_in_array) { \ g->print(g->ctx, ",", 1); \ if (g->pretty) g->print(g->ctx, "\n", 1); \ } else if (g->state[g->depth] == yajl_gen_map_val) { \ g->print(g->ctx, ":", 1); \ if (g->pretty) g->print(g->ctx, " ", 1); \ } #define INSERT_WHITESPACE \ if (g->pretty) { \ if (g->state[g->depth] != yajl_gen_map_val) { \ unsigned int _i; \ for (_i=0;_idepth;_i++) \ g->print(g->ctx, \ g->indentString, \ (unsigned int)strlen(g->indentString)); \ } \ } #define ENSURE_NOT_KEY \ if (g->state[g->depth] == yajl_gen_map_key || \ g->state[g->depth] == yajl_gen_map_start) { \ return yajl_gen_keys_must_be_strings; \ } \ /* check that we're not complete, or in error state. in a valid state * to be generating */ #define ENSURE_VALID_STATE \ if (g->state[g->depth] == yajl_gen_error) { \ return yajl_gen_in_error_state;\ } else if (g->state[g->depth] == yajl_gen_complete) { \ return yajl_gen_generation_complete; \ } #define INCREMENT_DEPTH \ if (++(g->depth) >= YAJL_MAX_DEPTH) return yajl_max_depth_exceeded; #define DECREMENT_DEPTH \ if (--(g->depth) >= YAJL_MAX_DEPTH) return yajl_depth_underflow; #define APPENDED_ATOM \ switch (g->state[g->depth]) { \ case yajl_gen_map_start: \ case yajl_gen_map_key: \ g->state[g->depth] = yajl_gen_map_val; \ break; \ case yajl_gen_array_start: \ g->state[g->depth] = yajl_gen_in_array; \ break; \ case yajl_gen_map_val: \ g->state[g->depth] = yajl_gen_map_key; \ break; \ default: \ break; \ } \ #define FINAL_NEWLINE yajl_gen_status yajl_gen_integer(yajl_gen g, long int number) { char i[32]; ENSURE_VALID_STATE; ENSURE_NOT_KEY; INSERT_SEP; INSERT_WHITESPACE; sprintf(i, "%ld", number); g->print(g->ctx, i, (unsigned int)strlen(i)); APPENDED_ATOM; FINAL_NEWLINE; return yajl_gen_status_ok; } #ifdef WIN32 #include #define isnan _isnan #define isinf !_finite #endif yajl_gen_status yajl_gen_double(yajl_gen g, double number) { char i[32]; ENSURE_VALID_STATE; ENSURE_NOT_KEY; if (isnan(number) || isinf(number)) return yajl_gen_invalid_number; INSERT_SEP; INSERT_WHITESPACE; sprintf(i, "%.20g", number); g->print(g->ctx, i, (unsigned int)strlen(i)); APPENDED_ATOM; FINAL_NEWLINE; return yajl_gen_status_ok; } yajl_gen_status yajl_gen_long(yajl_gen g, long val) { char buf[32], *b = buf + sizeof buf; unsigned int len = 0; unsigned long uval; ENSURE_VALID_STATE; ENSURE_NOT_KEY; INSERT_SEP; INSERT_WHITESPACE; if (val < 0) { g->print(g->ctx, "-", 1); // Avoid overflow. This shouldn't happen because FIXNUMs are 1 bit less // than LONGs, but good to be safe. uval = 1 + (unsigned long)(-(val + 1)); } else { uval = val; } do { *--b = "0123456789"[uval % 10]; uval /= 10; len++; } while(uval); g->print(g->ctx, b, len); APPENDED_ATOM; FINAL_NEWLINE; return yajl_gen_status_ok; } yajl_gen_status yajl_gen_number(yajl_gen g, const char * s, unsigned int l) { ENSURE_VALID_STATE; ENSURE_NOT_KEY; INSERT_SEP; INSERT_WHITESPACE; g->print(g->ctx, s, l); APPENDED_ATOM; FINAL_NEWLINE; return yajl_gen_status_ok; } yajl_gen_status yajl_gen_string(yajl_gen g, const unsigned char * str, unsigned int len) { ENSURE_VALID_STATE; INSERT_SEP; INSERT_WHITESPACE; g->print(g->ctx, "\"", 1); yajl_string_encode2(g->print, g->ctx, str, len, g->htmlSafe); g->print(g->ctx, "\"", 1); APPENDED_ATOM; FINAL_NEWLINE; return yajl_gen_status_ok; } yajl_gen_status yajl_gen_null(yajl_gen g) { ENSURE_VALID_STATE; ENSURE_NOT_KEY; INSERT_SEP; INSERT_WHITESPACE; g->print(g->ctx, "null", strlen("null")); APPENDED_ATOM; FINAL_NEWLINE; return yajl_gen_status_ok; } yajl_gen_status yajl_gen_bool(yajl_gen g, int boolean) { const char * val = boolean ? "true" : "false"; ENSURE_VALID_STATE; ENSURE_NOT_KEY; INSERT_SEP; INSERT_WHITESPACE; g->print(g->ctx, val, (unsigned int)strlen(val)); APPENDED_ATOM; FINAL_NEWLINE; return yajl_gen_status_ok; } yajl_gen_status yajl_gen_map_open(yajl_gen g) { ENSURE_VALID_STATE; ENSURE_NOT_KEY; INSERT_SEP; INSERT_WHITESPACE; INCREMENT_DEPTH; g->state[g->depth] = yajl_gen_map_start; g->print(g->ctx, "{", 1); if (g->pretty) g->print(g->ctx, "\n", 1); FINAL_NEWLINE; return yajl_gen_status_ok; } yajl_gen_status yajl_gen_map_close(yajl_gen g) { ENSURE_VALID_STATE; DECREMENT_DEPTH; if (g->pretty) g->print(g->ctx, "\n", 1); APPENDED_ATOM; INSERT_WHITESPACE; g->print(g->ctx, "}", 1); FINAL_NEWLINE; return yajl_gen_status_ok; } yajl_gen_status yajl_gen_array_open(yajl_gen g) { ENSURE_VALID_STATE; ENSURE_NOT_KEY; INSERT_SEP; INSERT_WHITESPACE; INCREMENT_DEPTH; g->state[g->depth] = yajl_gen_array_start; g->print(g->ctx, "[", 1); if (g->pretty) g->print(g->ctx, "\n", 1); FINAL_NEWLINE; return yajl_gen_status_ok; } yajl_gen_status yajl_gen_array_close(yajl_gen g) { ENSURE_VALID_STATE; DECREMENT_DEPTH; if (g->pretty) g->print(g->ctx, "\n", 1); APPENDED_ATOM; INSERT_WHITESPACE; g->print(g->ctx, "]", 1); FINAL_NEWLINE; return yajl_gen_status_ok; } yajl_gen_status yajl_gen_get_buf(yajl_gen g, const unsigned char ** buf, unsigned int * len) { if (g->print != (yajl_print_t)&yajl_buf_append) return yajl_gen_no_buf; yajl_buf_state buf_err = yajl_buf_err((yajl_buf)g->ctx); if (buf_err) { return yajl_gen_alloc_error; } *buf = yajl_buf_data((yajl_buf)g->ctx); *len = yajl_buf_len((yajl_buf)g->ctx); return yajl_gen_status_ok; } void yajl_gen_clear(yajl_gen g) { if (g->print == (yajl_print_t)&yajl_buf_append) yajl_buf_clear((yajl_buf)g->ctx); } yajl-ruby-1.4.3/ext/yajl/yajl_ext.h0000644000004100000410000001263114246427314017226 0ustar www-datawww-data/* * Copyright (c) 2008-2011 Brian Lopez - http://github.com/brianmario * * 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. */ #include "api/yajl_parse.h" #include "api/yajl_gen.h" /* tell rbx not to use it's caching compat layer by doing this we're making a promize to RBX that we'll never modify the pointers we get back from RSTRING_PTR */ #define RSTRING_NOT_MODIFIED #include #ifdef HAVE_RUBY_ENCODING_H #include static rb_encoding *utf8Encoding; #endif #define READ_BUFSIZE 8192 #define WRITE_BUFSIZE 8192 /* Older versions of Ruby (< 1.8.6) need these */ #ifndef RSTRING_PTR #define RSTRING_PTR(s) (RSTRING(s)->ptr) #endif #ifndef RSTRING_LEN #define RSTRING_LEN(s) (RSTRING(s)->len) #endif #ifndef RARRAY_PTR #define RARRAY_PTR(s) (RARRAY(s)->ptr) #endif #ifndef RARRAY_LEN #define RARRAY_LEN(s) (RARRAY(s)->len) #endif static VALUE cStandardError, cParseError, cEncodeError, mYajl, cParser, cProjector, cEncoder; static ID intern_io_read, intern_call, intern_keys, intern_to_s, intern_to_json, intern_has_key, intern_to_sym, intern_as_json; static ID sym_allow_comments, sym_check_utf8, sym_pretty, sym_indent, sym_terminator, sym_symbolize_keys, sym_symbolize_names, sym_html_safe, sym_entities; #define GetParser(obj, sval) Data_Get_Struct(obj, yajl_parser_wrapper, sval); #define GetEncoder(obj, sval) Data_Get_Struct(obj, yajl_encoder_wrapper, sval); static void yajl_check_and_fire_callback(void * ctx); static void yajl_set_static_value(void * ctx, VALUE val); static void yajl_encode_part(void * wrapper, VALUE obj, VALUE io); static void yajl_parse_chunk(const unsigned char * chunk, unsigned int len, yajl_handle parser); static int yajl_found_null(void * ctx); static int yajl_found_boolean(void * ctx, int boolean); static int yajl_found_number(void * ctx, const char * numberVal, unsigned int numberLen); static int yajl_found_string(void * ctx, const unsigned char * stringVal, unsigned int stringLen); static int yajl_found_hash_key(void * ctx, const unsigned char * stringVal, unsigned int stringLen); static int yajl_found_start_hash(void * ctx); static int yajl_found_end_hash(void * ctx); static int yajl_found_start_array(void * ctx); static int yajl_found_end_array(void * ctx); static yajl_callbacks callbacks = { yajl_found_null, yajl_found_boolean, NULL, NULL, yajl_found_number, yajl_found_string, yajl_found_start_hash, yajl_found_hash_key, yajl_found_end_hash, yajl_found_start_array, yajl_found_end_array }; typedef struct { VALUE builderStack; VALUE parse_complete_callback; int nestedArrayLevel; int nestedHashLevel; int objectsFound; int symbolizeKeys; yajl_handle parser; } yajl_parser_wrapper; typedef struct { VALUE on_progress_callback; VALUE terminator; yajl_gen encoder; unsigned char *indentString; } yajl_encoder_wrapper; static VALUE rb_yajl_parser_new(int argc, VALUE * argv, VALUE self); static VALUE rb_yajl_parser_init(int argc, VALUE * argv, VALUE self); static VALUE rb_yajl_parser_parse(int argc, VALUE * argv, VALUE self); static VALUE rb_yajl_parser_parse_chunk(VALUE self, VALUE chunk); static VALUE rb_yajl_parser_set_complete_cb(VALUE self, VALUE callback); static void yajl_parser_wrapper_free(void * wrapper); static void yajl_parser_wrapper_mark(void * wrapper); static VALUE rb_yajl_encoder_new(int argc, VALUE * argv, VALUE klass); static VALUE rb_yajl_encoder_init(int argc, VALUE * argv, VALUE self); static VALUE rb_yajl_encoder_encode(int argc, VALUE * argv, VALUE self); static VALUE rb_yajl_encoder_set_progress_cb(VALUE self, VALUE callback); static void yajl_encoder_wrapper_free(void * wrapper); static void yajl_encoder_wrapper_mark(void * wrapper); static VALUE rb_yajl_json_ext_hash_to_json(int argc, VALUE * argv, VALUE self); static VALUE rb_yajl_json_ext_array_to_json(int argc, VALUE * argv, VALUE self); static VALUE rb_yajl_json_ext_fixnum_to_json(int argc, VALUE * argv, VALUE self); static VALUE rb_yajl_json_ext_float_to_json(int argc, VALUE * argv, VALUE self); static VALUE rb_yajl_json_ext_string_to_json(int argc, VALUE * argv, VALUE self); static VALUE rb_yajl_json_ext_true_to_json(int argc, VALUE * argv, VALUE self); static VALUE rb_yajl_json_ext_false_to_json(int argc, VALUE * argv, VALUE self); static VALUE rb_yajl_json_ext_nil_to_json(int argc, VALUE * argv, VALUE self); static VALUE rb_yajl_encoder_enable_json_gem_ext(VALUE klass); void Init_yajl(); yajl-ruby-1.4.3/ext/yajl/yajl_buf.c0000644000004100000410000001175414246427314017202 0ustar www-datawww-data/* * Copyright 2010, Lloyd Hilaiel. * * Redistribution and use in source and binary forms, with or without * modification, are permitted provided that the following conditions are * met: * * 1. Redistributions of source code must retain the above copyright * notice, this list of conditions and the following disclaimer. * * 2. 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. * * 3. Neither the name of Lloyd Hilaiel nor the names of its * contributors may be used to endorse or promote products derived * from this software without specific prior written permission. * * THIS SOFTWARE IS PROVIDED BY THE AUTHOR ``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 AUTHOR 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. */ #include "yajl_buf.h" #include #include #include #include #define YAJL_BUF_INIT_SIZE 2048 struct yajl_buf_t { yajl_buf_state state; unsigned int len; unsigned int used; unsigned char * data; yajl_alloc_funcs * alloc; }; static void *noop_realloc(void *ctx, void *ptr, unsigned int sz) { fprintf(stderr, "Attempt to allocate on invalid yajl_buf_t\n"); abort(); } static void *noop_malloc(void *ctx, unsigned int sz) { return noop_realloc(ctx, NULL, sz); } static void noop_free(void *ctx, void *ptr) { } static yajl_alloc_funcs noop_allocs = { .malloc = &noop_malloc, .realloc = &noop_realloc, .free = &noop_free, }; // A buffer to be returned if the initial allocation fails static struct yajl_buf_t buf_alloc_error = { .state = yajl_buf_alloc_failed, .alloc = &noop_allocs }; #include yajl_buf_state yajl_buf_err(yajl_buf buf) { assert(buf); return buf->state; } static yajl_buf_state yajl_buf_set_error(yajl_buf buf, yajl_buf_state err) { buf->state = err; // free and clear all data from the buffer YA_FREE(buf->alloc, buf->data); buf->len = 0; buf->data = 0; buf->used = 0; return err; } static yajl_buf_state yajl_buf_ensure_available(yajl_buf buf, unsigned int want) { unsigned int need; assert(buf != NULL); if (buf->state != yajl_buf_ok) { return buf->state; } /* first call */ if (buf->data == NULL) { buf->len = YAJL_BUF_INIT_SIZE; buf->data = (unsigned char *) YA_MALLOC(buf->alloc, buf->len); if (buf->data == NULL) { return yajl_buf_set_error(buf, yajl_buf_overflow); } buf->data[0] = 0; } if (want == 0) { return yajl_buf_ok; } need = buf->len; while (want >= (need - buf->used) && need > 0) need <<= 1; // Check for overflow if (need < buf->used || need == 0) { return yajl_buf_set_error(buf, yajl_buf_overflow); } if (need != buf->len) { buf->data = (unsigned char *) YA_REALLOC(buf->alloc, buf->data, need); if (buf->data == NULL) { return yajl_buf_set_error(buf, yajl_buf_overflow); } buf->len = need; } return yajl_buf_ok; } yajl_buf yajl_buf_alloc(yajl_alloc_funcs * alloc) { yajl_buf b = YA_MALLOC(alloc, sizeof(struct yajl_buf_t)); if (b == NULL) { return &buf_alloc_error; } memset((void *) b, 0, sizeof(struct yajl_buf_t)); b->alloc = alloc; return b; } void yajl_buf_free(yajl_buf buf) { assert(buf != NULL); if (buf->data) YA_FREE(buf->alloc, buf->data); YA_FREE(buf->alloc, buf); } void yajl_buf_append(yajl_buf buf, const void * data, unsigned int len) { if (yajl_buf_ensure_available(buf, len)) { return; } if (len > 0) { assert(data != NULL); memcpy(buf->data + buf->used, data, len); buf->used += len; buf->data[buf->used] = 0; } } void yajl_buf_clear(yajl_buf buf) { assert(buf); assert(!yajl_buf_err(buf)); buf->used = 0; if (buf->data) buf->data[buf->used] = 0; } const unsigned char * yajl_buf_data(yajl_buf buf) { assert(buf); assert(!yajl_buf_err(buf)); return buf->data; } unsigned int yajl_buf_len(yajl_buf buf) { assert(buf); assert(!yajl_buf_err(buf)); return buf->used; } void yajl_buf_truncate(yajl_buf buf, unsigned int len) { assert(buf); assert(!yajl_buf_err(buf)); assert(len <= buf->used); buf->used = len; } yajl-ruby-1.4.3/ext/yajl/yajl_encode.h0000644000004100000410000000417114246427314017663 0ustar www-datawww-data/* * Copyright 2010, Lloyd Hilaiel. * * Redistribution and use in source and binary forms, with or without * modification, are permitted provided that the following conditions are * met: * * 1. Redistributions of source code must retain the above copyright * notice, this list of conditions and the following disclaimer. * * 2. 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. * * 3. Neither the name of Lloyd Hilaiel nor the names of its * contributors may be used to endorse or promote products derived * from this software without specific prior written permission. * * THIS SOFTWARE IS PROVIDED BY THE AUTHOR ``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 AUTHOR 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. */ #ifndef __YAJL_ENCODE_H__ #define __YAJL_ENCODE_H__ #include "yajl_buf.h" #include "api/yajl_gen.h" YAJL_API void yajl_string_encode2(const yajl_print_t printer, void * ctx, const unsigned char * str, unsigned int length, unsigned int htmlSafe); YAJL_API void yajl_string_encode(yajl_buf buf, const unsigned char * str, unsigned int length, unsigned int htmlSafe); YAJL_API void yajl_string_decode(yajl_buf buf, const unsigned char * str, unsigned int length); #endif yajl-ruby-1.4.3/ext/yajl/yajl_ext.c0000644000004100000410000013636414246427314017233 0ustar www-datawww-data/* * Copyright (c) 2008-2011 Brian Lopez - http://github.com/brianmario * * 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. */ #include "yajl_ext.h" #include "yajl_lex.h" #include "yajl_alloc.h" #include "yajl_buf.h" #include "yajl_encode.h" #include "api/yajl_common.h" #include "assert.h" #define YAJL_RB_TO_JSON \ VALUE rb_encoder, cls; \ rb_scan_args(argc, argv, "01", &rb_encoder); \ cls = rb_obj_class(rb_encoder); \ if (rb_encoder == Qnil || cls != cEncoder) { \ rb_encoder = rb_yajl_encoder_new(0, NULL, cEncoder); \ } \ return rb_yajl_encoder_encode(1, &self, rb_encoder); \ static void *rb_internal_malloc(void *ctx, unsigned int sz) { return xmalloc(sz); } static void *rb_internal_realloc(void *ctx, void *previous, unsigned int sz) { return xrealloc(previous, sz); } static void rb_internal_free(void *ctx, void *ptr) { xfree(ptr); } static yajl_alloc_funcs rb_alloc_funcs = { rb_internal_malloc, rb_internal_realloc, rb_internal_free, NULL }; /* Helpers for building objects */ static void yajl_check_and_fire_callback(void * ctx) { yajl_parser_wrapper * wrapper; GetParser((VALUE)ctx, wrapper); /* No need to do any of this if the callback isn't even setup */ if (wrapper->parse_complete_callback != Qnil) { long len = RARRAY_LEN(wrapper->builderStack); if (len == 1 && wrapper->nestedArrayLevel == 0 && wrapper->nestedHashLevel == 0) { rb_funcall(wrapper->parse_complete_callback, intern_call, 1, rb_ary_pop(wrapper->builderStack)); } } else { long len = RARRAY_LEN(wrapper->builderStack); if (len == 1 && wrapper->nestedArrayLevel == 0 && wrapper->nestedHashLevel == 0) { wrapper->objectsFound++; if (wrapper->objectsFound > 1) { rb_raise(cParseError, "%s", "Found multiple JSON objects in the stream but no block or the on_parse_complete callback was assigned to handle them."); } } } } static char *yajl_raise_encode_error_for_status(yajl_gen_status status, VALUE obj) { switch (status) { case yajl_gen_keys_must_be_strings: rb_raise(cEncodeError, "YAJL internal error: attempted use of non-string object as key"); case yajl_max_depth_exceeded: rb_raise(cEncodeError, "Max nesting depth of %d exceeded", YAJL_MAX_DEPTH); case yajl_gen_in_error_state: rb_raise(cEncodeError, "YAJL internal error: a generator function (yajl_gen_XXX) was called while in an error state"); case yajl_gen_generation_complete: rb_raise(cEncodeError, "YAJL internal error: attempted to encode to an already-complete document"); case yajl_gen_invalid_number: rb_raise(cEncodeError, "Invalid number: cannot encode Infinity, -Infinity, or NaN"); case yajl_gen_no_buf: rb_raise(cEncodeError, "YAJL internal error: yajl_gen_get_buf was called, but a print callback was specified, so no internal buffer is available"); case yajl_gen_alloc_error: rb_raise(cEncodeError, "YAJL internal error: failed to allocate memory"); default: // fixme: why wasn't this already here?? rb_raise(cEncodeError, "Encountered unknown YAJL status %d during JSON generation", status); return NULL; } } static void yajl_set_static_value(void * ctx, VALUE val) { yajl_parser_wrapper * wrapper; VALUE lastEntry, hash; long len; GetParser((VALUE)ctx, wrapper); len = RARRAY_LEN(wrapper->builderStack); if (len > 0) { lastEntry = rb_ary_entry(wrapper->builderStack, len-1); switch (TYPE(lastEntry)) { case T_ARRAY: rb_ary_push(lastEntry, val); if (TYPE(val) == T_HASH || TYPE(val) == T_ARRAY) { rb_ary_push(wrapper->builderStack, val); } break; case T_HASH: rb_hash_aset(lastEntry, val, Qnil); rb_ary_push(wrapper->builderStack, val); break; case T_STRING: case T_SYMBOL: hash = rb_ary_entry(wrapper->builderStack, len-2); if (TYPE(hash) == T_HASH) { rb_hash_aset(hash, lastEntry, val); rb_ary_pop(wrapper->builderStack); if (TYPE(val) == T_HASH || TYPE(val) == T_ARRAY) { rb_ary_push(wrapper->builderStack, val); } } break; } } else { rb_ary_push(wrapper->builderStack, val); } } static void yajl_encoder_wrapper_free(void * wrapper) { yajl_encoder_wrapper * w = wrapper; if (w) { if (w->indentString) { xfree(w->indentString); } yajl_gen_free(w->encoder); xfree(w); } } static void yajl_encoder_wrapper_mark(void * wrapper) { yajl_encoder_wrapper * w = wrapper; if (w) { rb_gc_mark(w->on_progress_callback); rb_gc_mark(w->terminator); } } static VALUE yajl_key_to_string(VALUE obj) { switch (TYPE(obj)) { case T_STRING: return obj; case T_SYMBOL: return rb_sym2str(obj); default: return rb_funcall(obj, intern_to_s, 0); } } void yajl_encode_part(void * wrapper, VALUE obj, VALUE io); struct yajl_encode_hash_iter { void *w; VALUE io; }; static int yajl_encode_part_hash_i(VALUE key, VALUE val, VALUE iter_v) { struct yajl_encode_hash_iter *iter = (struct yajl_encode_hash_iter *)iter_v; /* key must be a string */ VALUE keyStr = yajl_key_to_string(key); /* the key */ yajl_encode_part(iter->w, keyStr, iter->io); /* the value */ yajl_encode_part(iter->w, val, iter->io); return ST_CONTINUE; } #define CHECK_STATUS(call) \ if ((status = (call)) != yajl_gen_status_ok) { break; } void yajl_encode_part(void * wrapper, VALUE obj, VALUE io) { VALUE str, outBuff; yajl_encoder_wrapper * w = wrapper; yajl_gen_status status; int idx = 0; const unsigned char * buffer; const char * cptr; unsigned int len; if (io != Qnil || w->on_progress_callback != Qnil) { status = yajl_gen_get_buf(w->encoder, &buffer, &len); if (status != yajl_gen_status_ok) { yajl_raise_encode_error_for_status(status, obj); } if (len >= WRITE_BUFSIZE) { outBuff = rb_str_new((const char *)buffer, len); if (io != Qnil) { rb_io_write(io, outBuff); } else if (w->on_progress_callback != Qnil) { rb_funcall(w->on_progress_callback, intern_call, 1, outBuff); } yajl_gen_clear(w->encoder); } } switch (TYPE(obj)) { case T_HASH: CHECK_STATUS(yajl_gen_map_open(w->encoder)); struct yajl_encode_hash_iter iter; iter.w = w; iter.io = io; rb_hash_foreach(obj, yajl_encode_part_hash_i, (VALUE)&iter); CHECK_STATUS(yajl_gen_map_close(w->encoder)); break; case T_ARRAY: CHECK_STATUS(yajl_gen_array_open(w->encoder)); VALUE *ptr = RARRAY_PTR(obj); for(idx=0; idxencoder)); break; case T_NIL: CHECK_STATUS(yajl_gen_null(w->encoder)); break; case T_TRUE: CHECK_STATUS(yajl_gen_bool(w->encoder, 1)); break; case T_FALSE: CHECK_STATUS(yajl_gen_bool(w->encoder, 0)); break; case T_FIXNUM: CHECK_STATUS(yajl_gen_long(w->encoder, FIX2LONG(obj))); break; case T_FLOAT: case T_BIGNUM: str = rb_funcall(obj, intern_to_s, 0); cptr = RSTRING_PTR(str); len = (unsigned int)RSTRING_LEN(str); if (memcmp(cptr, "NaN", 3) == 0 || memcmp(cptr, "Infinity", 8) == 0 || memcmp(cptr, "-Infinity", 9) == 0) { rb_raise(cEncodeError, "'%s' is an invalid number", cptr); } CHECK_STATUS(yajl_gen_number(w->encoder, cptr, len)); break; case T_STRING: cptr = RSTRING_PTR(obj); len = (unsigned int)RSTRING_LEN(obj); CHECK_STATUS(yajl_gen_string(w->encoder, (const unsigned char *)cptr, len)); break; case T_SYMBOL: str = rb_sym2str(obj); cptr = RSTRING_PTR(str); len = (unsigned int)RSTRING_LEN(str); CHECK_STATUS(yajl_gen_string(w->encoder, (const unsigned char *)cptr, len)); break; default: if (rb_respond_to(obj, intern_to_json)) { str = rb_funcall(obj, intern_to_json, 0); Check_Type(str, T_STRING); cptr = RSTRING_PTR(str); len = (unsigned int)RSTRING_LEN(str); CHECK_STATUS(yajl_gen_number(w->encoder, cptr, len)); } else { str = rb_funcall(obj, intern_to_s, 0); Check_Type(str, T_STRING); cptr = RSTRING_PTR(str); len = (unsigned int)RSTRING_LEN(str); CHECK_STATUS(yajl_gen_string(w->encoder, (const unsigned char *)cptr, len)); } break; } if (status != yajl_gen_status_ok) { yajl_raise_encode_error_for_status(status, obj); rb_raise(cEncodeError, "Encountered unknown YAJL status %d during JSON generation", status); } } void yajl_parser_wrapper_free(void * wrapper) { yajl_parser_wrapper * w = wrapper; if (w) { yajl_free(w->parser); xfree(w); } } void yajl_parser_wrapper_mark(void * wrapper) { yajl_parser_wrapper * w = wrapper; if (w) { rb_gc_mark(w->builderStack); rb_gc_mark(w->parse_complete_callback); } } void yajl_parse_chunk(const unsigned char * chunk, unsigned int len, yajl_handle parser) { yajl_status stat; stat = yajl_parse(parser, chunk, len); if (stat == yajl_status_ok || stat == yajl_status_insufficient_data) { // success } else if (stat == yajl_status_error) { unsigned char * str = yajl_get_error(parser, 1, chunk, len); VALUE errobj = rb_exc_new2(cParseError, (const char*) str); yajl_free_error(parser, str); rb_exc_raise(errobj); } else { const char * str = yajl_status_to_string(stat); VALUE errobj = rb_exc_new2(cParseError, (const char*) str); rb_exc_raise(errobj); } } /* YAJL Callbacks */ static int yajl_found_null(void * ctx) { yajl_set_static_value(ctx, Qnil); yajl_check_and_fire_callback(ctx); return 1; } static int yajl_found_boolean(void * ctx, int boolean) { yajl_set_static_value(ctx, boolean ? Qtrue : Qfalse); yajl_check_and_fire_callback(ctx); return 1; } static int yajl_found_number(void * ctx, const char * numberVal, unsigned int numberLen) { char* buf = (char*)malloc(numberLen + 1); buf[numberLen] = 0; memcpy(buf, numberVal, numberLen); if (memchr(buf, '.', numberLen) || memchr(buf, 'e', numberLen) || memchr(buf, 'E', numberLen)) { yajl_set_static_value(ctx, rb_float_new(strtod(buf, NULL))); } else { yajl_set_static_value(ctx, rb_cstr2inum(buf, 10)); } free(buf); return 1; } static int yajl_found_string(void * ctx, const unsigned char * stringVal, unsigned int stringLen) { VALUE str = rb_str_new((const char *)stringVal, stringLen); #ifdef HAVE_RUBY_ENCODING_H rb_encoding *default_internal_enc = rb_default_internal_encoding(); rb_enc_associate(str, utf8Encoding); if (default_internal_enc) { str = rb_str_export_to_enc(str, default_internal_enc); } #endif yajl_set_static_value(ctx, str); yajl_check_and_fire_callback(ctx); return 1; } static int yajl_found_hash_key(void * ctx, const unsigned char * stringVal, unsigned int stringLen) { yajl_parser_wrapper * wrapper; VALUE keyStr; #ifdef HAVE_RUBY_ENCODING_H rb_encoding *default_internal_enc; #endif GetParser((VALUE)ctx, wrapper); #ifdef HAVE_RUBY_ENCODING_H default_internal_enc = rb_default_internal_encoding(); #endif if (wrapper->symbolizeKeys) { #ifdef HAVE_RUBY_ENCODING_H ID id = rb_intern3((const char *)stringVal, stringLen, utf8Encoding); keyStr = ID2SYM(id); #else VALUE str = rb_str_new((const char *)stringVal, stringLen); keyStr = rb_str_intern(str); #endif } else { keyStr = rb_str_new((const char *)stringVal, stringLen); #ifdef HAVE_RUBY_ENCODING_H rb_enc_associate(keyStr, utf8Encoding); if (default_internal_enc) { keyStr = rb_str_export_to_enc(keyStr, default_internal_enc); } #endif } yajl_set_static_value(ctx, keyStr); yajl_check_and_fire_callback(ctx); return 1; } static int yajl_found_start_hash(void * ctx) { yajl_parser_wrapper * wrapper; GetParser((VALUE)ctx, wrapper); wrapper->nestedHashLevel++; yajl_set_static_value(ctx, rb_hash_new()); return 1; } static int yajl_found_end_hash(void * ctx) { yajl_parser_wrapper * wrapper; GetParser((VALUE)ctx, wrapper); wrapper->nestedHashLevel--; if (RARRAY_LEN(wrapper->builderStack) > 1) { rb_ary_pop(wrapper->builderStack); } yajl_check_and_fire_callback(ctx); return 1; } static int yajl_found_start_array(void * ctx) { yajl_parser_wrapper * wrapper; GetParser((VALUE)ctx, wrapper); wrapper->nestedArrayLevel++; yajl_set_static_value(ctx, rb_ary_new()); return 1; } static int yajl_found_end_array(void * ctx) { yajl_parser_wrapper * wrapper; GetParser((VALUE)ctx, wrapper); wrapper->nestedArrayLevel--; if (RARRAY_LEN(wrapper->builderStack) > 1) { rb_ary_pop(wrapper->builderStack); } yajl_check_and_fire_callback(ctx); return 1; } /* Ruby Interface */ /* * Document-class: Yajl::Parser * * This class contains methods for parsing JSON directly from an IO object. * The only basic requirment currently is that the IO object respond to #read(len) and #eof? * The IO is parsed until a complete JSON object has been read and a ruby object will be returned. */ /* * Document-method: new * * call-seq: new([:symbolize_keys => true, [:allow_comments => false[, :check_utf8 => false]]]) * * :symbolize_keys will turn hash keys into Ruby symbols, defaults to false. * * :allow_comments will turn on/off the check for comments inside the JSON stream, defaults to true. * * :check_utf8 will validate UTF8 characters found in the JSON stream, defaults to true. */ static VALUE rb_yajl_parser_new(int argc, VALUE * argv, VALUE klass) { yajl_parser_wrapper * wrapper; yajl_parser_config cfg; VALUE opts, obj; int allowComments = 1, checkUTF8 = 1, symbolizeKeys = 0; /* Scan off config vars */ if (rb_scan_args(argc, argv, "01", &opts) == 1) { Check_Type(opts, T_HASH); if (rb_hash_aref(opts, sym_allow_comments) == Qfalse) { allowComments = 0; } if (rb_hash_aref(opts, sym_check_utf8) == Qfalse) { checkUTF8 = 0; } if (rb_hash_aref(opts, sym_symbolize_keys) == Qtrue || rb_hash_aref(opts, sym_symbolize_names) == Qtrue) { symbolizeKeys = 1; } } cfg = (yajl_parser_config){allowComments, checkUTF8}; obj = Data_Make_Struct(klass, yajl_parser_wrapper, yajl_parser_wrapper_mark, yajl_parser_wrapper_free, wrapper); wrapper->parser = yajl_alloc(&callbacks, &cfg, &rb_alloc_funcs, (void *)obj); wrapper->nestedArrayLevel = 0; wrapper->nestedHashLevel = 0; wrapper->objectsFound = 0; wrapper->symbolizeKeys = symbolizeKeys; wrapper->builderStack = rb_ary_new(); wrapper->parse_complete_callback = Qnil; rb_obj_call_init(obj, 0, 0); return obj; } /* * Document-method: initialize * * call-seq: new([:symbolize_keys => true, [:allow_comments => false[, :check_utf8 => false]]]) * * :symbolize_keys will turn hash keys into Ruby symbols, defaults to false. * * :allow_comments will turn on/off the check for comments inside the JSON stream, defaults to true. * * :check_utf8 will validate UTF8 characters found in the JSON stream, defaults to true. */ static VALUE rb_yajl_parser_init(int argc, VALUE * argv, VALUE self) { return self; } /* * Document-method: parse * * call-seq: * parse(input, buffer_size=8192) * parse(input, buffer_size=8192) { |obj| ... } * * +input+ can either be a string or an IO to parse JSON from * * +buffer_size+ is the size of chunk that will be parsed off the input (if it's an IO) for each loop of the parsing process. * 8192 is a good balance between the different types of streams (off disk, off a socket, etc...), but this option * is here so the caller can better tune their parsing depending on the type of stream being passed. * A larger read buffer will perform better for files off disk, where as a smaller size may be more efficient for * reading off of a socket directly. * * If a block was passed, it's called when an object has been parsed off the stream. This is especially * usefull when parsing a stream of multiple JSON objects. * * NOTE: you can optionally assign the +on_parse_complete+ callback, and it will be called the same way the optional * block is for this method. */ static VALUE rb_yajl_parser_parse(int argc, VALUE * argv, VALUE self) { yajl_status stat; yajl_parser_wrapper * wrapper; VALUE rbufsize, input, blk; unsigned int len; const char * cptr; GetParser(self, wrapper); /* setup our parameters */ rb_scan_args(argc, argv, "11&", &input, &rbufsize, &blk); if (NIL_P(rbufsize)) { rbufsize = INT2FIX(READ_BUFSIZE); } else { Check_Type(rbufsize, T_FIXNUM); } if (!NIL_P(blk)) { rb_yajl_parser_set_complete_cb(self, blk); } if (TYPE(input) == T_STRING) { cptr = RSTRING_PTR(input); len = (unsigned int)RSTRING_LEN(input); yajl_parse_chunk((const unsigned char*)cptr, len, wrapper->parser); } else if (rb_respond_to(input, intern_io_read)) { VALUE parsed = rb_str_new(0, FIX2LONG(rbufsize)); while (rb_funcall(input, intern_io_read, 2, rbufsize, parsed) != Qnil) { cptr = RSTRING_PTR(parsed); len = (unsigned int)RSTRING_LEN(parsed); yajl_parse_chunk((const unsigned char*)cptr, len, wrapper->parser); } } else { rb_raise(cParseError, "input must be a string or IO"); } /* parse any remaining buffered data */ stat = yajl_parse_complete(wrapper->parser); if (wrapper->parse_complete_callback != Qnil) { yajl_check_and_fire_callback((void *)self); return Qnil; } return rb_ary_pop(wrapper->builderStack); } /* * Document-method: parse_chunk * * call-seq: parse_chunk(string_chunk) * * +string_chunk+ can be a partial or full JSON string to push on the parser. * * This method will throw an exception if the +on_parse_complete+ callback hasn't been assigned yet. * The +on_parse_complete+ callback assignment is required so the user can handle objects that have been * parsed off the stream as they're found. */ static VALUE rb_yajl_parser_parse_chunk(VALUE self, VALUE chunk) { yajl_parser_wrapper * wrapper; unsigned int len; GetParser(self, wrapper); if (NIL_P(chunk)) { rb_raise(cParseError, "Can't parse a nil string."); } if (wrapper->parse_complete_callback != Qnil) { const char * cptr = RSTRING_PTR(chunk); len = (unsigned int)RSTRING_LEN(chunk); yajl_parse_chunk((const unsigned char*)cptr, len, wrapper->parser); } else { rb_raise(cParseError, "The on_parse_complete callback isn't setup, parsing useless."); } return Qnil; } /* * Document-method: on_parse_complete= * * call-seq: on_parse_complete = Proc.new { |obj| ... } * * This callback setter allows you to pass a Proc/lambda or any other object that responds to #call. * * It will pass a single parameter, the ruby object built from the last parsed JSON object */ static VALUE rb_yajl_parser_set_complete_cb(VALUE self, VALUE callback) { yajl_parser_wrapper * wrapper; GetParser(self, wrapper); wrapper->parse_complete_callback = callback; return Qnil; } /* * An event stream pulls data off the IO source into the buffer, * then runs the lexer over that stream. */ struct yajl_event_stream_s { yajl_alloc_funcs *funcs; VALUE stream; // source VALUE buffer; unsigned int offset; yajl_lexer lexer; // event source }; typedef struct yajl_event_stream_s *yajl_event_stream_t; struct yajl_event_s { yajl_tok token; const char *buf; unsigned int len; }; typedef struct yajl_event_s yajl_event_t; static yajl_event_t yajl_event_stream_next(yajl_event_stream_t parser, int pop) { assert(parser->stream); assert(parser->buffer); while (1) { if (parser->offset >= RSTRING_LEN(parser->buffer)) { //printf("reading offset %d size %ld\n", parser->offset, RSTRING_LEN(parser->buffer)); // Refill the buffer rb_funcall(parser->stream, intern_io_read, 2, INT2FIX(RSTRING_LEN(parser->buffer)), parser->buffer); if (RSTRING_LEN(parser->buffer) == 0) { yajl_event_t event = { .token = yajl_tok_eof, }; return event; } parser->offset = 0; } // Try to pull an event off the lexer yajl_event_t event; yajl_tok token; if (pop == 0) { //printf("peeking %p %ld %d\n", RSTRING_PTR(parser->buffer), RSTRING_LEN(parser->buffer), parser->offset); token = yajl_lex_peek(parser->lexer, (const unsigned char *)RSTRING_PTR(parser->buffer), (unsigned int)RSTRING_LEN(parser->buffer), parser->offset); //printf("peeked event %d\n", token); if (token == yajl_tok_eof) { parser->offset = (unsigned int)RSTRING_LEN(parser->buffer); continue; } event.token = token; return event; } //printf("popping\n"); token = yajl_lex_lex(parser->lexer, (const unsigned char *)RSTRING_PTR(parser->buffer), (unsigned int)RSTRING_LEN(parser->buffer), &parser->offset, (const unsigned char **)&event.buf, &event.len); //printf("popped event %d\n", token); if (token == yajl_tok_eof) { continue; } event.token = token; return event; } return (yajl_event_t){}; } static VALUE rb_yajl_projector_filter_array_subtree(yajl_event_stream_t parser, VALUE schema, yajl_event_t event); static VALUE rb_yajl_projector_filter_object_subtree(yajl_event_stream_t parser, VALUE schema, yajl_event_t event); static void rb_yajl_projector_ignore_value(yajl_event_stream_t parser); static void rb_yajl_projector_ignore_container(yajl_event_stream_t parser); static VALUE rb_yajl_projector_build_simple_value(yajl_event_stream_t parser, yajl_event_t event); static VALUE rb_yajl_projector_build_string(yajl_event_stream_t parser, yajl_event_t event); static VALUE rb_yajl_projector_filter(yajl_event_stream_t parser, VALUE schema, yajl_event_t event) { assert(parser->stream); switch(event.token) { case yajl_tok_left_brace: return rb_yajl_projector_filter_array_subtree(parser, schema, event); break; case yajl_tok_left_bracket: return rb_yajl_projector_filter_object_subtree(parser, schema, event); break; default: return rb_yajl_projector_build_simple_value(parser, event); } } static VALUE rb_yajl_projector_filter_array_subtree(yajl_event_stream_t parser, VALUE schema, yajl_event_t event) { assert(event.token == yajl_tok_left_brace); VALUE ary = rb_ary_new(); while (1) { event = yajl_event_stream_next(parser, 1); if (event.token == yajl_tok_right_brace) { break; } VALUE val = rb_yajl_projector_filter(parser, schema, event); rb_ary_push(ary, val); event = yajl_event_stream_next(parser, 0); if (event.token == yajl_tok_comma) { event = yajl_event_stream_next(parser, 1); assert(event.token == yajl_tok_comma); event = yajl_event_stream_next(parser, 0); if (!(event.token == yajl_tok_string || event.token == yajl_tok_integer || event.token == yajl_tok_double || event.token == yajl_tok_null || event.token == yajl_tok_bool || event.token == yajl_tok_left_bracket || event.token == yajl_tok_left_brace)) { rb_raise(cParseError, "read a comma, expected a value to follow, actually read %s", yajl_tok_name(event.token)); } } else if (event.token != yajl_tok_right_brace) { rb_raise(cParseError, "didn't read a comma, expected closing array, actually read %s", yajl_tok_name(event.token)); } } return ary; } static VALUE rb_yajl_projector_filter_object_subtree(yajl_event_stream_t parser, VALUE schema, yajl_event_t event) { assert(event.token == yajl_tok_left_bracket); VALUE hsh = rb_hash_new(); while (1) { event = yajl_event_stream_next(parser, 1); if (event.token == yajl_tok_right_bracket) { break; } if (!(event.token == yajl_tok_string || event.token == yajl_tok_string_with_escapes)) { rb_raise(cParseError, "Expected string, unexpected stream event %s", yajl_tok_name(event.token)); } VALUE key = rb_yajl_projector_build_string(parser, event); event = yajl_event_stream_next(parser, 1); if (!(event.token == yajl_tok_colon)) { rb_raise(cParseError, "Expected colon, unexpected stream event %s", yajl_tok_name(event.token)); } // nil schema means reify the subtree from here on // otherwise if the schema has a key for this we want it int interesting = (schema == Qnil || rb_funcall(schema, rb_intern("key?"), 1, key) == Qtrue); if (!interesting) { rb_yajl_projector_ignore_value(parser); goto peek_comma; } yajl_event_t value_event = yajl_event_stream_next(parser, 1); VALUE key_schema; if (schema == Qnil) { key_schema = Qnil; } else { key_schema = rb_hash_aref(schema, key); } VALUE val = rb_yajl_projector_filter(parser, key_schema, value_event); rb_str_freeze(key); rb_hash_aset(hsh, key, val); peek_comma: event = yajl_event_stream_next(parser, 0); if (event.token == yajl_tok_comma) { event = yajl_event_stream_next(parser, 1); assert(event.token == yajl_tok_comma); event = yajl_event_stream_next(parser, 0); if (!(event.token == yajl_tok_string || event.token == yajl_tok_string_with_escapes)) { rb_raise(cParseError, "read a comma, expected a key to follow, actually read %s", yajl_tok_name(event.token)); } } else if (event.token != yajl_tok_right_bracket) { rb_raise(cParseError, "read a value without tailing comma, expected closing bracket, actually read %s", yajl_tok_name(event.token)); } } return hsh; } /* # After reading a key if we know we are not interested in the next value, # read and discard all its stream events. # # Values can be simple (string, numeric, boolean, null) or compound (object # or array). # # Returns nothing. */ static void rb_yajl_projector_ignore_value(yajl_event_stream_t parser) { yajl_event_t value_event = yajl_event_stream_next(parser, 1); switch (value_event.token) { case yajl_tok_null: case yajl_tok_bool: case yajl_tok_integer: case yajl_tok_double: case yajl_tok_string: case yajl_tok_string_with_escapes: return; default: break; } if (value_event.token == yajl_tok_left_brace || value_event.token == yajl_tok_left_bracket) { rb_yajl_projector_ignore_container(parser); return; } rb_raise(cParseError, "unknown value type to ignore %s", yajl_tok_name(value_event.token)); } /* # Given the start of an array or object, read until the closing event. # Object structures can nest and this is considered. # # Returns nothing. */ static void rb_yajl_projector_ignore_container(yajl_event_stream_t parser) { int depth = 1; while (depth > 0) { yajl_event_t event = yajl_event_stream_next(parser, 1); if (event.token == yajl_tok_eof) { return; } if (event.token == yajl_tok_left_bracket || event.token == yajl_tok_left_brace) { depth += 1; } else if (event.token == yajl_tok_right_bracket || event.token == yajl_tok_right_brace) { depth -= 1; } } } static VALUE rb_yajl_projector_build_simple_value(yajl_event_stream_t parser, yajl_event_t event) { assert(parser->stream); switch (event.token) { case yajl_tok_null:; return Qnil; case yajl_tok_bool:; if (memcmp(event.buf, "true", 4) == 0) { return Qtrue; } else if (memcmp(event.buf, "false", 5) == 0) { return Qfalse; } else { rb_raise(cStandardError, "unknown boolean token %s", event.buf); } case yajl_tok_integer:; case yajl_tok_double:; char *buf = (char *)malloc(event.len + 1); buf[event.len] = 0; memcpy(buf, event.buf, event.len); VALUE val; if (memchr(buf, '.', event.len) || memchr(buf, 'e', event.len) || memchr(buf, 'E', event.len)) { val = rb_float_new(strtod(buf, NULL)); } else { val = rb_cstr2inum(buf, 10); } free(buf); return val; case yajl_tok_string:; case yajl_tok_string_with_escapes:; return rb_yajl_projector_build_string(parser, event); case yajl_tok_eof:; rb_raise(cParseError, "unexpected eof while constructing value"); case yajl_tok_comma: rb_raise(cParseError, "unexpected comma while constructing value"); case yajl_tok_colon: rb_raise(cParseError, "unexpected colon while constructing value"); default:; rb_bug("we should never get here"); } } static VALUE rb_yajl_projector_build_string(yajl_event_stream_t parser, yajl_event_t event) { switch (event.token) { case yajl_tok_string:; { VALUE str = rb_str_new(event.buf, event.len); rb_enc_associate(str, utf8Encoding); rb_encoding *default_internal_enc = rb_default_internal_encoding(); if (default_internal_enc) { str = rb_str_export_to_enc(str, default_internal_enc); } return str; } case yajl_tok_string_with_escapes:; { //printf("decoding string with escapes\n"); yajl_buf strBuf = yajl_buf_alloc(parser->funcs); yajl_string_decode(strBuf, (const unsigned char *)event.buf, event.len); if (yajl_buf_err(strBuf)) { rb_raise(cParseError, "YAJL internal error: failed to allocate memory"); } VALUE str = rb_str_new((const char *)yajl_buf_data(strBuf), yajl_buf_len(strBuf)); rb_enc_associate(str, utf8Encoding); yajl_buf_free(strBuf); rb_encoding *default_internal_enc = rb_default_internal_encoding(); if (default_internal_enc) { str = rb_str_export_to_enc(str, default_internal_enc); } return str; } default:; { rb_bug("we should never get here"); } } } static VALUE rb_protected_yajl_projector_filter(VALUE pointer) { VALUE *args = (VALUE *)pointer; return rb_yajl_projector_filter((struct yajl_event_stream_s *)args[0], args[1], *(yajl_event_t *)args[2]); } /* * Document-method: project */ static VALUE rb_yajl_projector_project(VALUE self, VALUE schema) { VALUE stream = rb_iv_get(self, "@stream"); long buffer_size = FIX2LONG(rb_iv_get(self, "@buffer_size")); VALUE buffer = rb_str_new(0, buffer_size); struct yajl_event_stream_s parser = { .funcs = &rb_alloc_funcs, .stream = stream, .buffer = buffer, .offset = (unsigned int)buffer_size, .lexer = yajl_lex_alloc(&rb_alloc_funcs, 0, 1), }; yajl_event_t event = yajl_event_stream_next(&parser, 1); RB_GC_GUARD(stream); RB_GC_GUARD(buffer); VALUE result; int state = 0; if (event.token == yajl_tok_left_brace || event.token == yajl_tok_left_bracket) { VALUE args[3]; args[0] = (VALUE)&parser; args[1] = schema; args[2] = (VALUE)&event; result = rb_protect(rb_protected_yajl_projector_filter, (VALUE)args, &state); } else { yajl_lex_free(parser.lexer); rb_raise(cParseError, "expected left bracket or brace, actually read %s", yajl_tok_name(event.token)); } yajl_lex_free(parser.lexer); if (state) rb_jump_tag(state); return result; } /* * Document-class: Yajl::Encoder * * This class contains methods for encoding a Ruby object into JSON, streaming it's output into an IO object. * The IO object need only respond to #write(str) * The JSON stream created is written to the IO in chunks, as it's being created. */ static unsigned char * defaultIndentString = (unsigned char *)" "; /* * Document-method: new * * call-seq: initialize([:pretty => false[, :indent => ' '][, :terminator => "\n"]]) * * :pretty will enable/disable beautifying or "pretty priting" the output string. * * :indent is the character(s) used to indent the output string. * * :terminator allows you to specify a character to be used as the termination character after a full JSON string has been generated by * the encoder. This would be especially useful when encoding in chunks (via a block or callback during the encode process), to be able to * determine when the last chunk of the current encode is sent. * If you specify this option to be nil, it will be ignored if encoding directly to an IO or simply returning a string. But if a block is used, * the encoder will still pass it - I hope that makes sense ;). */ static VALUE rb_yajl_encoder_new(int argc, VALUE * argv, VALUE klass) { yajl_encoder_wrapper * wrapper; yajl_gen_config cfg; VALUE opts, obj, indent; unsigned char *indentString = NULL, *actualIndent = NULL; int beautify = 0, htmlSafe = 0; /* Scan off config vars */ if (rb_scan_args(argc, argv, "01", &opts) == 1) { Check_Type(opts, T_HASH); if (rb_hash_aref(opts, sym_pretty) == Qtrue) { beautify = 1; indent = rb_hash_aref(opts, sym_indent); if (indent != Qnil) { #ifdef HAVE_RUBY_ENCODING_H indent = rb_str_export_to_enc(indent, utf8Encoding); #endif Check_Type(indent, T_STRING); indentString = (unsigned char*)xmalloc(RSTRING_LEN(indent)+1); memcpy(indentString, RSTRING_PTR(indent), RSTRING_LEN(indent)); indentString[RSTRING_LEN(indent)] = '\0'; actualIndent = indentString; } } if (rb_hash_aref(opts, sym_html_safe) == Qtrue) { htmlSafe = 1; } if (rb_hash_aref(opts, sym_entities) == Qtrue) { htmlSafe = 2; } } if (!indentString) { indentString = defaultIndentString; } cfg = (yajl_gen_config){beautify, (const char *)indentString, htmlSafe}; obj = Data_Make_Struct(klass, yajl_encoder_wrapper, yajl_encoder_wrapper_mark, yajl_encoder_wrapper_free, wrapper); wrapper->indentString = actualIndent; wrapper->encoder = yajl_gen_alloc(&cfg, &rb_alloc_funcs); wrapper->on_progress_callback = Qnil; if (opts != Qnil && rb_funcall(opts, intern_has_key, 1, sym_terminator) == Qtrue) { wrapper->terminator = rb_hash_aref(opts, sym_terminator); #ifdef HAVE_RUBY_ENCODING_H if (TYPE(wrapper->terminator) == T_STRING) { wrapper->terminator = rb_str_export_to_enc(wrapper->terminator, utf8Encoding); } #endif } else { wrapper->terminator = 0; } rb_obj_call_init(obj, 0, 0); return obj; } /* * Document-method: initialize * * call-seq: initialize([:pretty => false[, :indent => ' '][, :terminator => "\n"]]) * * :pretty will enable/disable beautifying or "pretty priting" the output string. * * :indent is the character(s) used to indent the output string. * * :terminator allows you to specify a character to be used as the termination character after a full JSON string has been generated by * the encoder. This would be especially useful when encoding in chunks (via a block or callback during the encode process), to be able to * determine when the last chunk of the current encode is sent. * If you specify this option to be nil, it will be ignored if encoding directly to an IO or simply returning a string. But if a block is used, * the encoder will still pass it - I hope that makes sense ;). */ static VALUE rb_yajl_encoder_init(int argc, VALUE * argv, VALUE self) { return self; } /* * Document-method: encode * * call-seq: encode(obj[, io[, &block]]) * * +obj+ is the Ruby object to encode to JSON * * +io+ is an optional IO used to stream the encoded JSON string to. * If +io+ isn't specified, this method will return the resulting JSON string. If +io+ is specified, this method returns nil * * If an optional block is passed, it's called when encoding is complete and passed the resulting JSON string * * It should be noted that you can reuse an instance of this class to continue encoding multiple JSON * to the same stream. Just continue calling this method, passing it the same IO object with new/different * ruby objects to encode. This is how streaming is accomplished. */ static VALUE rb_yajl_encoder_encode(int argc, VALUE * argv, VALUE self) { yajl_encoder_wrapper * wrapper; const unsigned char * buffer; unsigned int len; VALUE obj, io, blk, outBuff; yajl_gen_status status; GetEncoder(self, wrapper); rb_scan_args(argc, argv, "11&", &obj, &io, &blk); if (blk != Qnil) { wrapper->on_progress_callback = blk; } /* begin encode process */ yajl_encode_part(wrapper, obj, io); /* just make sure we output the remaining buffer */ status = yajl_gen_get_buf(wrapper->encoder, &buffer, &len); if (status != yajl_gen_status_ok) { yajl_raise_encode_error_for_status(status, obj); } outBuff = rb_str_new((const char *)buffer, len); #ifdef HAVE_RUBY_ENCODING_H rb_enc_associate(outBuff, utf8Encoding); #endif yajl_gen_clear(wrapper->encoder); if (io != Qnil) { rb_io_write(io, outBuff); if (wrapper->terminator != 0 && wrapper->terminator != Qnil) { rb_io_write(io, wrapper->terminator); } return Qnil; } else if (blk != Qnil) { rb_funcall(blk, intern_call, 1, outBuff); if (wrapper->terminator != 0) { rb_funcall(blk, intern_call, 1, wrapper->terminator); } return Qnil; } else { if (wrapper->terminator != 0 && wrapper->terminator != Qnil) { rb_str_concat(outBuff, wrapper->terminator); } return outBuff; } return Qnil; } /* * Document-method: on_progress * * call-seq: on_progress = Proc.new {|str| ...} * * This callback setter allows you to pass a Proc/lambda or any other object that responds to #call. * * It will pass the caller a chunk of the encode buffer after it's reached it's internal max buffer size (defaults to 8kb). * For example, encoding a large object that would normally result in 24288 bytes of data will result in 3 calls to this callback (assuming the 8kb default encode buffer). */ static VALUE rb_yajl_encoder_set_progress_cb(VALUE self, VALUE callback) { yajl_encoder_wrapper * wrapper; GetEncoder(self, wrapper); wrapper->on_progress_callback = callback; return Qnil; } /* JSON Gem compatibility */ /* * Document-class: Hash */ /* * Document-method: to_json * * call-seq: to_json(encoder=Yajl::Encoder.new) * * +encoder+ is an existing Yajl::Encoder used to encode JSON * * Encodes an instance of Hash to JSON */ static VALUE rb_yajl_json_ext_hash_to_json(int argc, VALUE * argv, VALUE self) { YAJL_RB_TO_JSON; } /* * Document-class: Array */ /* * Document-method: to_json * * call-seq: to_json(encoder=Yajl::Encoder.new) * * +encoder+ is an existing Yajl::Encoder used to encode JSON * * Encodes an instance of Array to JSON */ static VALUE rb_yajl_json_ext_array_to_json(int argc, VALUE * argv, VALUE self) { YAJL_RB_TO_JSON; } /* * Document-class: Fixnum */ /* * Document-method: to_json * * call-seq: to_json(encoder=Yajl::Encoder.new) * * +encoder+ is an existing Yajl::Encoder used to encode JSON * * Encodes an instance of Fixnum to JSON */ static VALUE rb_yajl_json_ext_fixnum_to_json(int argc, VALUE * argv, VALUE self) { YAJL_RB_TO_JSON; } /* * Document-class: Float */ /* * Document-method: to_json * * call-seq: to_json(encoder=Yajl::Encoder.new) * * +encoder+ is an existing Yajl::Encoder used to encode JSON * * Encodes an instance of Float to JSON */ static VALUE rb_yajl_json_ext_float_to_json(int argc, VALUE * argv, VALUE self) { YAJL_RB_TO_JSON; } /* * Document-class: String */ /* * Document-method: to_json * * call-seq: to_json(encoder=Yajl::Encoder.new) * * +encoder+ is an existing Yajl::Encoder used to encode JSON * * Encodes an instance of TrueClass to JSON */ static VALUE rb_yajl_json_ext_string_to_json(int argc, VALUE * argv, VALUE self) { YAJL_RB_TO_JSON; } /* * Document-class: TrueClass */ /* * Document-method: to_json * * call-seq: to_json(encoder=Yajl::Encoder.new) * * +encoder+ is an existing Yajl::Encoder used to encode JSON * * Encodes an instance of TrueClass to JSON */ static VALUE rb_yajl_json_ext_true_to_json(int argc, VALUE * argv, VALUE self) { YAJL_RB_TO_JSON; } /* * Document-class: FalseClass */ /* * Document-method: to_json * * call-seq: to_json(encoder=Yajl::Encoder.new) * * +encoder+ is an existing Yajl::Encoder used to encode JSON * * Encodes an instance of FalseClass to JSON */ static VALUE rb_yajl_json_ext_false_to_json(int argc, VALUE * argv, VALUE self) { YAJL_RB_TO_JSON; } /* * Document-class: NilClass */ /* * Document-method: to_json * * call-seq: to_json(encoder=Yajl::Encoder.new) * * +encoder+ is an existing Yajl::Encoder used to encode JSON * * Encodes an instance of NilClass to JSON */ static VALUE rb_yajl_json_ext_nil_to_json(int argc, VALUE * argv, VALUE self) { YAJL_RB_TO_JSON; } /* * Document-class: Yajl::Encoder */ /* * Document-method: enable_json_gem_compatability * * call-seq: enable_json_gem_compatability * * Enables the JSON gem compatibility API */ static VALUE rb_yajl_encoder_enable_json_gem_ext(VALUE klass) { rb_define_method(rb_cHash, "to_json", rb_yajl_json_ext_hash_to_json, -1); rb_define_method(rb_cArray, "to_json", rb_yajl_json_ext_array_to_json, -1); #ifdef RUBY_INTEGER_UNIFICATION rb_define_method(rb_cInteger, "to_json", rb_yajl_json_ext_fixnum_to_json, -1); #else rb_define_method(rb_cFixnum, "to_json", rb_yajl_json_ext_fixnum_to_json, -1); #endif rb_define_method(rb_cFloat, "to_json", rb_yajl_json_ext_float_to_json, -1); rb_define_method(rb_cString, "to_json", rb_yajl_json_ext_string_to_json, -1); rb_define_method(rb_cTrueClass, "to_json", rb_yajl_json_ext_true_to_json, -1); rb_define_method(rb_cFalseClass, "to_json", rb_yajl_json_ext_false_to_json, -1); rb_define_method(rb_cNilClass, "to_json", rb_yajl_json_ext_nil_to_json, -1); return Qnil; } /* Ruby Extension initializer */ void Init_yajl() { mYajl = rb_define_module("Yajl"); rb_define_const(mYajl, "MAX_DEPTH", INT2NUM(YAJL_MAX_DEPTH)); cParseError = rb_define_class_under(mYajl, "ParseError", rb_eStandardError); cEncodeError = rb_define_class_under(mYajl, "EncodeError", rb_eStandardError); cStandardError = rb_const_get(rb_cObject, rb_intern("StandardError")); cParser = rb_define_class_under(mYajl, "Parser", rb_cObject); rb_undef_alloc_func(cParser); rb_define_singleton_method(cParser, "new", rb_yajl_parser_new, -1); rb_define_method(cParser, "initialize", rb_yajl_parser_init, -1); rb_define_method(cParser, "parse", rb_yajl_parser_parse, -1); rb_define_method(cParser, "parse_chunk", rb_yajl_parser_parse_chunk, 1); rb_define_method(cParser, "<<", rb_yajl_parser_parse_chunk, 1); rb_define_method(cParser, "on_parse_complete=", rb_yajl_parser_set_complete_cb, 1); cProjector = rb_define_class_under(mYajl, "Projector", rb_cObject); rb_define_method(cProjector, "project", rb_yajl_projector_project, 1); cEncoder = rb_define_class_under(mYajl, "Encoder", rb_cObject); rb_undef_alloc_func(cEncoder); rb_define_singleton_method(cEncoder, "new", rb_yajl_encoder_new, -1); rb_define_method(cEncoder, "initialize", rb_yajl_encoder_init, -1); rb_define_method(cEncoder, "encode", rb_yajl_encoder_encode, -1); rb_define_method(cEncoder, "on_progress=", rb_yajl_encoder_set_progress_cb, 1); rb_define_singleton_method(cEncoder, "enable_json_gem_compatability", rb_yajl_encoder_enable_json_gem_ext, 0); intern_io_read = rb_intern("read"); intern_call = rb_intern("call"); intern_keys = rb_intern("keys"); intern_to_s = rb_intern("to_s"); intern_to_json = rb_intern("to_json"); intern_to_sym = rb_intern("to_sym"); intern_has_key = rb_intern("has_key?"); intern_as_json = rb_intern("as_json"); sym_allow_comments = ID2SYM(rb_intern("allow_comments")); sym_check_utf8 = ID2SYM(rb_intern("check_utf8")); sym_pretty = ID2SYM(rb_intern("pretty")); sym_indent = ID2SYM(rb_intern("indent")); sym_html_safe = ID2SYM(rb_intern("html_safe")); sym_entities = ID2SYM(rb_intern("entities")); sym_terminator = ID2SYM(rb_intern("terminator")); sym_symbolize_keys = ID2SYM(rb_intern("symbolize_keys")); sym_symbolize_names = ID2SYM(rb_intern("symbolize_names")); #ifdef HAVE_RUBY_ENCODING_H utf8Encoding = rb_utf8_encoding(); #endif } yajl-ruby-1.4.3/ext/yajl/yajl_parser.h0000644000004100000410000000556014246427314017725 0ustar www-datawww-data/* * Copyright 2010, Lloyd Hilaiel. * * Redistribution and use in source and binary forms, with or without * modification, are permitted provided that the following conditions are * met: * * 1. Redistributions of source code must retain the above copyright * notice, this list of conditions and the following disclaimer. * * 2. 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. * * 3. Neither the name of Lloyd Hilaiel nor the names of its * contributors may be used to endorse or promote products derived * from this software without specific prior written permission. * * THIS SOFTWARE IS PROVIDED BY THE AUTHOR ``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 AUTHOR 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. */ #ifndef __YAJL_PARSER_H__ #define __YAJL_PARSER_H__ #include "api/yajl_parse.h" #include "yajl_bytestack.h" #include "yajl_buf.h" typedef enum { yajl_state_start = 0, yajl_state_parse_complete, yajl_state_parse_error, yajl_state_lexical_error, yajl_state_map_start, yajl_state_map_sep, yajl_state_map_need_val, yajl_state_map_got_val, yajl_state_map_need_key, yajl_state_array_start, yajl_state_array_got_val, yajl_state_array_need_val } yajl_state; struct yajl_handle_t { const yajl_callbacks * callbacks; void * ctx; yajl_lexer lexer; const char * parseError; /* the number of bytes consumed from the last client buffer, * in the case of an error this will be an error offset, in the * case of an error this can be used as the error offset */ unsigned int bytesConsumed; /* temporary storage for decoded strings */ yajl_buf decodeBuf; /* a stack of states. access with yajl_state_XXX routines */ yajl_bytestack stateStack; /* memory allocation routines */ yajl_alloc_funcs alloc; }; YAJL_API yajl_status yajl_do_parse(yajl_handle handle, const unsigned char * jsonText, unsigned int jsonTextLen); YAJL_API unsigned char * yajl_render_error_string(yajl_handle hand, const unsigned char * jsonText, unsigned int jsonTextLen, int verbose); #endif yajl-ruby-1.4.3/ext/yajl/yajl_lex.c0000644000004100000410000006337714246427314017226 0ustar www-datawww-data/* * Copyright 2010, Lloyd Hilaiel. * * Redistribution and use in source and binary forms, with or without * modification, are permitted provided that the following conditions are * met: * * 1. Redistributions of source code must retain the above copyright * notice, this list of conditions and the following disclaimer. * * 2. 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. * * 3. Neither the name of Lloyd Hilaiel nor the names of its * contributors may be used to endorse or promote products derived * from this software without specific prior written permission. * * THIS SOFTWARE IS PROVIDED BY THE AUTHOR ``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 AUTHOR 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. */ #include "yajl_lex.h" #include "yajl_buf.h" #include #include #include #include const char *yajl_tok_name(yajl_tok tok) { switch (tok) { case yajl_tok_bool: return "bool"; case yajl_tok_colon: return "colon"; case yajl_tok_comma: return "comma"; case yajl_tok_comment: return "comment"; case yajl_tok_eof: return "eof"; case yajl_tok_error: return "error"; case yajl_tok_left_brace: return "open_array"; case yajl_tok_left_bracket: return "open_object"; case yajl_tok_null: return "null"; case yajl_tok_integer: return "integer"; case yajl_tok_double: return "double"; case yajl_tok_right_brace: return "close_array"; case yajl_tok_right_bracket: return "close_object"; case yajl_tok_string: return "string"; case yajl_tok_string_with_escapes: return "string_with_escapes"; } return "unknown"; } /* Impact of the stream parsing feature on the lexer: * * YAJL support stream parsing. That is, the ability to parse the first * bits of a chunk of JSON before the last bits are available (still on * the network or disk). This makes the lexer more complex. The * responsibility of the lexer is to handle transparently the case where * a chunk boundary falls in the middle of a token. This is * accomplished is via a buffer and a character reading abstraction. * * Overview of implementation * * When we lex to end of input string before end of token is hit, we * copy all of the input text composing the token into our lexBuf. * * Every time we read a character, we do so through the readChar function. * readChar's responsibility is to handle pulling all chars from the buffer * before pulling chars from input text */ struct yajl_lexer_t { /* the overal line and char offset into the data */ unsigned int lineOff; unsigned int charOff; /* error */ yajl_lex_error error; /* a input buffer to handle the case where a token is spread over * multiple chunks */ yajl_buf buf; /* in the case where we have data in the lexBuf, bufOff holds * the current offset into the lexBuf. */ unsigned int bufOff; /* are we using the lex buf? */ unsigned int bufInUse; /* shall we allow comments? */ unsigned int allowComments; /* shall we validate utf8 inside strings? */ unsigned int validateUTF8; yajl_alloc_funcs * alloc; }; #define readChar(lxr, txt, off) \ (((lxr)->bufInUse && yajl_buf_len((lxr)->buf) && lxr->bufOff < yajl_buf_len((lxr)->buf)) ? \ (*((const unsigned char *) yajl_buf_data((lxr)->buf) + ((lxr)->bufOff)++)) : \ ((txt)[(*(off))++])) #define unreadChar(lxr, off) ((*(off) > 0) ? (*(off))-- : ((lxr)->bufOff--)) yajl_lexer yajl_lex_alloc(yajl_alloc_funcs * alloc, unsigned int allowComments, unsigned int validateUTF8) { yajl_lexer lxr = (yajl_lexer) YA_MALLOC(alloc, sizeof(struct yajl_lexer_t)); if (!lxr) return NULL; memset((void *) lxr, 0, sizeof(struct yajl_lexer_t)); lxr->buf = yajl_buf_alloc(alloc); lxr->allowComments = allowComments; lxr->validateUTF8 = validateUTF8; lxr->alloc = alloc; return lxr; } yajl_lexer yajl_lex_realloc(yajl_lexer orig) { orig->lineOff = 0; orig->charOff = 0; orig->error = yajl_lex_e_ok; yajl_buf_clear(orig->buf); orig->bufOff = 0; orig->bufInUse = 0; return orig; } void yajl_lex_free(yajl_lexer lxr) { yajl_buf_free(lxr->buf); YA_FREE(lxr->alloc, lxr); return; } /* a lookup table which lets us quickly determine three things: * VEC - valid escaped conrol char * IJC - invalid json char * VHC - valid hex char * note. the solidus '/' may be escaped or not. * note. the */ #define VEC 1 #define IJC 2 #define VHC 4 static const char charLookupTable[256] = { /*00*/ IJC , IJC , IJC , IJC , IJC , IJC , IJC , IJC , /*08*/ IJC , IJC , IJC , IJC , IJC , IJC , IJC , IJC , /*10*/ IJC , IJC , IJC , IJC , IJC , IJC , IJC , IJC , /*18*/ IJC , IJC , IJC , IJC , IJC , IJC , IJC , IJC , /*20*/ 0 , 0 , VEC|IJC, 0 , 0 , 0 , 0 , 0 , /*28*/ 0 , 0 , 0 , 0 , 0 , 0 , 0 , VEC , /*30*/ VHC , VHC , VHC , VHC , VHC , VHC , VHC , VHC , /*38*/ VHC , VHC , 0 , 0 , 0 , 0 , 0 , 0 , /*40*/ 0 , VHC , VHC , VHC , VHC , VHC , VHC , 0 , /*48*/ 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , /*50*/ 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , /*58*/ 0 , 0 , 0 , 0 , VEC|IJC, 0 , 0 , 0 , /*60*/ 0 , VHC , VEC|VHC, VHC , VHC , VHC , VEC|VHC, 0 , /*68*/ 0 , 0 , 0 , 0 , 0 , 0 , VEC , 0 , /*70*/ 0 , 0 , VEC , 0 , VEC , 0 , 0 , 0 , /*78*/ 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , /* include these so we don't have to always check the range of the char */ 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 , 0 }; /** process a variable length utf8 encoded codepoint. * * returns: * yajl_tok_string - if valid utf8 char was parsed and offset was * advanced * yajl_tok_eof - if end of input was hit before validation could * complete * yajl_tok_error - if invalid utf8 was encountered * * NOTE: on error the offset will point to the first char of the * invalid utf8 */ #define UTF8_CHECK_EOF if (*offset >= jsonTextLen) { return yajl_tok_eof; } static yajl_tok yajl_lex_utf8_char(yajl_lexer lexer, const unsigned char * jsonText, unsigned int jsonTextLen, unsigned int * offset, unsigned char curChar) { if (curChar <= 0x7f) { /* single byte */ return yajl_tok_string; } else if ((curChar >> 5) == 0x6) { /* two byte */ UTF8_CHECK_EOF; curChar = readChar(lexer, jsonText, offset); if ((curChar >> 6) == 0x2) return yajl_tok_string; } else if ((curChar >> 4) == 0x0e) { /* three byte */ UTF8_CHECK_EOF; curChar = readChar(lexer, jsonText, offset); if ((curChar >> 6) == 0x2) { UTF8_CHECK_EOF; curChar = readChar(lexer, jsonText, offset); if ((curChar >> 6) == 0x2) return yajl_tok_string; } } else if ((curChar >> 3) == 0x1e) { /* four byte */ UTF8_CHECK_EOF; curChar = readChar(lexer, jsonText, offset); if ((curChar >> 6) == 0x2) { UTF8_CHECK_EOF; curChar = readChar(lexer, jsonText, offset); if ((curChar >> 6) == 0x2) { UTF8_CHECK_EOF; curChar = readChar(lexer, jsonText, offset); if ((curChar >> 6) == 0x2) return yajl_tok_string; } } } return yajl_tok_error; } /* lex a string. input is the lexer, pointer to beginning of * json text, and start of string (offset). * a token is returned which has the following meanings: * yajl_tok_string: lex of string was successful. offset points to * terminating '"'. * yajl_tok_eof: end of text was encountered before we could complete * the lex. * yajl_tok_error: embedded in the string were unallowable chars. offset * points to the offending char */ #define STR_CHECK_EOF \ if (*offset >= jsonTextLen) { \ tok = yajl_tok_eof; \ goto finish_string_lex; \ } static yajl_tok yajl_lex_string(yajl_lexer lexer, const unsigned char * jsonText, unsigned int jsonTextLen, unsigned int * offset) { yajl_tok tok = yajl_tok_error; int hasEscapes = 0; for (;;) { unsigned char curChar; STR_CHECK_EOF; curChar = readChar(lexer, jsonText, offset); /* quote terminates */ if (curChar == '"') { tok = yajl_tok_string; break; } /* backslash escapes a set of control chars, */ else if (curChar == '\\') { hasEscapes = 1; STR_CHECK_EOF; /* special case \u */ curChar = readChar(lexer, jsonText, offset); if (curChar == 'u') { unsigned int i = 0; for (i=0;i<4;i++) { STR_CHECK_EOF; curChar = readChar(lexer, jsonText, offset); if (!(charLookupTable[curChar] & VHC)) { /* back up to offending char */ unreadChar(lexer, offset); lexer->error = yajl_lex_string_invalid_hex_char; goto finish_string_lex; } } } else if (!(charLookupTable[curChar] & VEC)) { /* back up to offending char */ unreadChar(lexer, offset); lexer->error = yajl_lex_string_invalid_escaped_char; goto finish_string_lex; } } /* when not validating UTF8 it's a simple table lookup to determine * if the present character is invalid */ else if(charLookupTable[curChar] & IJC) { /* back up to offending char */ unreadChar(lexer, offset); lexer->error = yajl_lex_string_invalid_json_char; goto finish_string_lex; } /* when in validate UTF8 mode we need to do some extra work */ else if (lexer->validateUTF8) { yajl_tok t = yajl_lex_utf8_char(lexer, jsonText, jsonTextLen, offset, curChar); if (t == yajl_tok_eof) { tok = yajl_tok_eof; goto finish_string_lex; } else if (t == yajl_tok_error) { lexer->error = yajl_lex_string_invalid_utf8; goto finish_string_lex; } } /* accept it, and move on */ } finish_string_lex: /* tell our buddy, the parser, wether he needs to process this string * again */ if (hasEscapes && tok == yajl_tok_string) { tok = yajl_tok_string_with_escapes; } return tok; } #define RETURN_IF_EOF if (*offset >= jsonTextLen) return yajl_tok_eof; static yajl_tok yajl_lex_number(yajl_lexer lexer, const unsigned char * jsonText, unsigned int jsonTextLen, unsigned int * offset) { /** XXX: numbers are the only entities in json that we must lex * _beyond_ in order to know that they are complete. There * is an ambiguous case for integers at EOF. */ unsigned char c; yajl_tok tok = yajl_tok_integer; RETURN_IF_EOF; c = readChar(lexer, jsonText, offset); /* optional leading minus */ if (c == '-') { RETURN_IF_EOF; c = readChar(lexer, jsonText, offset); } /* a single zero, or a series of integers */ if (c == '0') { RETURN_IF_EOF; c = readChar(lexer, jsonText, offset); } else if (c >= '1' && c <= '9') { do { RETURN_IF_EOF; c = readChar(lexer, jsonText, offset); } while (c >= '0' && c <= '9'); } else { unreadChar(lexer, offset); lexer->error = yajl_lex_missing_integer_after_minus; return yajl_tok_error; } /* optional fraction (indicates this is floating point) */ if (c == '.') { int numRd = 0; RETURN_IF_EOF; c = readChar(lexer, jsonText, offset); while (c >= '0' && c <= '9') { numRd++; RETURN_IF_EOF; c = readChar(lexer, jsonText, offset); } if (!numRd) { unreadChar(lexer, offset); lexer->error = yajl_lex_missing_integer_after_decimal; return yajl_tok_error; } tok = yajl_tok_double; } /* optional exponent (indicates this is floating point) */ if (c == 'e' || c == 'E') { RETURN_IF_EOF; c = readChar(lexer, jsonText, offset); /* optional sign */ if (c == '+' || c == '-') { RETURN_IF_EOF; c = readChar(lexer, jsonText, offset); } if (c >= '0' && c <= '9') { do { RETURN_IF_EOF; c = readChar(lexer, jsonText, offset); } while (c >= '0' && c <= '9'); } else { unreadChar(lexer, offset); lexer->error = yajl_lex_missing_integer_after_exponent; return yajl_tok_error; } tok = yajl_tok_double; } /* we always go "one too far" */ unreadChar(lexer, offset); return tok; } static yajl_tok yajl_lex_comment(yajl_lexer lexer, const unsigned char * jsonText, unsigned int jsonTextLen, unsigned int * offset) { unsigned char c; yajl_tok tok = yajl_tok_comment; RETURN_IF_EOF; c = readChar(lexer, jsonText, offset); /* either slash or star expected */ if (c == '/') { /* now we throw away until end of line */ do { RETURN_IF_EOF; c = readChar(lexer, jsonText, offset); } while (c != '\n'); } else if (c == '*') { /* now we throw away until end of comment */ for (;;) { RETURN_IF_EOF; c = readChar(lexer, jsonText, offset); if (c == '*') { RETURN_IF_EOF; c = readChar(lexer, jsonText, offset); if (c == '/') { break; } else { unreadChar(lexer, offset); } } } } else { lexer->error = yajl_lex_invalid_char; tok = yajl_tok_error; } return tok; } yajl_tok yajl_lex_lex(yajl_lexer lexer, const unsigned char * jsonText, unsigned int jsonTextLen, unsigned int * offset, const unsigned char ** outBuf, unsigned int * outLen) { yajl_tok tok = yajl_tok_error; unsigned char c; unsigned int startOffset = *offset; *outBuf = NULL; *outLen = 0; for (;;) { assert(*offset <= jsonTextLen); if (*offset >= jsonTextLen) { tok = yajl_tok_eof; goto lexed; } c = readChar(lexer, jsonText, offset); switch (c) { case '{': tok = yajl_tok_left_bracket; goto lexed; case '}': tok = yajl_tok_right_bracket; goto lexed; case '[': tok = yajl_tok_left_brace; goto lexed; case ']': tok = yajl_tok_right_brace; goto lexed; case ',': tok = yajl_tok_comma; goto lexed; case ':': tok = yajl_tok_colon; goto lexed; case '\t': case '\n': case '\v': case '\f': case '\r': case ' ': startOffset++; break; case 't': { const char * want = "rue"; do { if (*offset >= jsonTextLen) { tok = yajl_tok_eof; goto lexed; } c = readChar(lexer, jsonText, offset); if (c != *want) { unreadChar(lexer, offset); lexer->error = yajl_lex_invalid_string; tok = yajl_tok_error; goto lexed; } } while (*(++want)); tok = yajl_tok_bool; goto lexed; } case 'f': { const char * want = "alse"; do { if (*offset >= jsonTextLen) { tok = yajl_tok_eof; goto lexed; } c = readChar(lexer, jsonText, offset); if (c != *want) { unreadChar(lexer, offset); lexer->error = yajl_lex_invalid_string; tok = yajl_tok_error; goto lexed; } } while (*(++want)); tok = yajl_tok_bool; goto lexed; } case 'n': { const char * want = "ull"; do { if (*offset >= jsonTextLen) { tok = yajl_tok_eof; goto lexed; } c = readChar(lexer, jsonText, offset); if (c != *want) { unreadChar(lexer, offset); lexer->error = yajl_lex_invalid_string; tok = yajl_tok_error; goto lexed; } } while (*(++want)); tok = yajl_tok_null; goto lexed; } case '"': { tok = yajl_lex_string(lexer, (const unsigned char *) jsonText, jsonTextLen, offset); goto lexed; } case '-': case '0': case '1': case '2': case '3': case '4': case '5': case '6': case '7': case '8': case '9': { /* integer parsing wants to start from the beginning */ unreadChar(lexer, offset); tok = yajl_lex_number(lexer, (const unsigned char *) jsonText, jsonTextLen, offset); goto lexed; } case '/': /* hey, look, a probable comment! If comments are disabled * it's an error. */ if (!lexer->allowComments) { unreadChar(lexer, offset); lexer->error = yajl_lex_unallowed_comment; tok = yajl_tok_error; goto lexed; } /* if comments are enabled, then we should try to lex * the thing. possible outcomes are * - successful lex (tok_comment, which means continue), * - malformed comment opening (slash not followed by * '*' or '/') (tok_error) * - eof hit. (tok_eof) */ tok = yajl_lex_comment(lexer, (const unsigned char *) jsonText, jsonTextLen, offset); if (tok == yajl_tok_comment) { /* "error" is silly, but that's the initial * state of tok. guilty until proven innocent. */ tok = yajl_tok_error; yajl_buf_clear(lexer->buf); lexer->bufInUse = 0; startOffset = *offset; break; } /* hit error or eof, bail */ goto lexed; default: lexer->error = yajl_lex_invalid_char; tok = yajl_tok_error; goto lexed; } } lexed: /* need to append to buffer if the buffer is in use or * if it's an EOF token */ if (tok == yajl_tok_eof || lexer->bufInUse) { if (!lexer->bufInUse) yajl_buf_clear(lexer->buf); lexer->bufInUse = 1; yajl_buf_append(lexer->buf, jsonText + startOffset, *offset - startOffset); lexer->bufOff = 0; if (yajl_buf_err(lexer->buf)) { lexer->error = yajl_lex_alloc_failed; return yajl_tok_error; } if (tok != yajl_tok_eof) { *outBuf = yajl_buf_data(lexer->buf); *outLen = yajl_buf_len(lexer->buf); lexer->bufInUse = 0; } } else if (tok != yajl_tok_error) { *outBuf = jsonText + startOffset; *outLen = *offset - startOffset; } /* special case for strings. skip the quotes. */ if (tok == yajl_tok_string || tok == yajl_tok_string_with_escapes) { assert(*outLen >= 2); (*outBuf)++; *outLen -= 2; } #ifdef YAJL_LEXER_DEBUG if (tok == yajl_tok_error) { printf("lexical error: %s\n", yajl_lex_error_to_string(yajl_lex_get_error(lexer))); } else if (tok == yajl_tok_eof) { printf("EOF hit\n"); } else { printf("lexed %s: '", tokToStr(tok)); fwrite(*outBuf, 1, *outLen, stdout); printf("'\n"); } #endif return tok; } const char * yajl_lex_error_to_string(yajl_lex_error error) { switch (error) { case yajl_lex_e_ok: return "ok, no error"; case yajl_lex_string_invalid_utf8: return "invalid bytes in UTF8 string."; case yajl_lex_string_invalid_escaped_char: return "inside a string, '\\' occurs before a character " "which it may not."; case yajl_lex_string_invalid_json_char: return "invalid character inside string."; case yajl_lex_string_invalid_hex_char: return "invalid (non-hex) character occurs after '\\u' inside " "string."; case yajl_lex_invalid_char: return "invalid char in json text."; case yajl_lex_invalid_string: return "invalid string in json text."; case yajl_lex_missing_integer_after_exponent: return "malformed number, a digit is required after the exponent."; case yajl_lex_missing_integer_after_decimal: return "malformed number, a digit is required after the " "decimal point."; case yajl_lex_missing_integer_after_minus: return "malformed number, a digit is required after the " "minus sign."; case yajl_lex_unallowed_comment: return "probable comment found in input text, comments are " "not enabled."; case yajl_lex_alloc_failed: return "allocation failed"; } return "unknown error code"; } /** allows access to more specific information about the lexical * error when yajl_lex_lex returns yajl_tok_error. */ yajl_lex_error yajl_lex_get_error(yajl_lexer lexer) { if (lexer == NULL) return (yajl_lex_error) -1; return lexer->error; } unsigned int yajl_lex_current_line(yajl_lexer lexer) { return lexer->lineOff; } unsigned int yajl_lex_current_char(yajl_lexer lexer) { return lexer->charOff; } yajl_tok yajl_lex_peek(yajl_lexer lexer, const unsigned char * jsonText, unsigned int jsonTextLen, unsigned int offset) { const unsigned char * outBuf; unsigned int outLen; unsigned int bufLen = yajl_buf_len(lexer->buf); unsigned int bufOff = lexer->bufOff; unsigned int bufInUse = lexer->bufInUse; yajl_tok tok; tok = yajl_lex_lex(lexer, jsonText, jsonTextLen, &offset, &outBuf, &outLen); if (tok == yajl_tok_eof) { return tok; } lexer->bufOff = bufOff; lexer->bufInUse = bufInUse; yajl_buf_truncate(lexer->buf, bufLen); return tok; } yajl-ruby-1.4.3/ext/yajl/yajl_lex.h0000644000004100000410000001226014246427314017214 0ustar www-datawww-data/* * Copyright 2010, Lloyd Hilaiel. * * Redistribution and use in source and binary forms, with or without * modification, are permitted provided that the following conditions are * met: * * 1. Redistributions of source code must retain the above copyright * notice, this list of conditions and the following disclaimer. * * 2. 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. * * 3. Neither the name of Lloyd Hilaiel nor the names of its * contributors may be used to endorse or promote products derived * from this software without specific prior written permission. * * THIS SOFTWARE IS PROVIDED BY THE AUTHOR ``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 AUTHOR 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. */ #ifndef __YAJL_LEX_H__ #define __YAJL_LEX_H__ #include "api/yajl_common.h" typedef enum { yajl_tok_bool, // 0 yajl_tok_colon, // 1 yajl_tok_comma, // 2 yajl_tok_eof, // 3 yajl_tok_error, // 4 yajl_tok_left_brace, // 5 yajl_tok_left_bracket, // 6 yajl_tok_null, // 7 yajl_tok_right_brace, // 8 yajl_tok_right_bracket, // 9 /* we differentiate between integers and doubles to allow the * parser to interpret the number without re-scanning */ yajl_tok_integer, // 10 yajl_tok_double, // 11 /* we differentiate between strings which require further processing, * and strings that do not */ yajl_tok_string, // 12 yajl_tok_string_with_escapes, // 13 /* comment tokens are not currently returned to the parser, ever */ yajl_tok_comment // 14 } yajl_tok; typedef struct yajl_lexer_t * yajl_lexer; const char *yajl_tok_name(yajl_tok tok); YAJL_API yajl_lexer yajl_lex_alloc(yajl_alloc_funcs * alloc, unsigned int allowComments, unsigned int validateUTF8); YAJL_API yajl_lexer yajl_lex_realloc(yajl_lexer orig); YAJL_API void yajl_lex_free(yajl_lexer lexer); /** * run/continue a lex. "offset" is an input/output parameter. * It should be initialized to zero for a * new chunk of target text, and upon subsetquent calls with the same * target text should passed with the value of the previous invocation. * * the client may be interested in the value of offset when an error is * returned from the lexer. This allows the client to render useful n * error messages. * * When you pass the next chunk of data, context should be reinitialized * to zero. * * Finally, the output buffer is usually just a pointer into the jsonText, * however in cases where the entity being lexed spans multiple chunks, * the lexer will buffer the entity and the data returned will be * a pointer into that buffer. * * This behavior is abstracted from client code except for the performance * implications which require that the client choose a reasonable chunk * size to get adequate performance. */ YAJL_API yajl_tok yajl_lex_lex(yajl_lexer lexer, const unsigned char * jsonText, unsigned int jsonTextLen, unsigned int * offset, const unsigned char ** outBuf, unsigned int * outLen); /** have a peek at the next token, but don't move the lexer forward */ YAJL_API yajl_tok yajl_lex_peek(yajl_lexer lexer, const unsigned char * jsonText, unsigned int jsonTextLen, unsigned int offset); typedef enum { yajl_lex_e_ok = 0, yajl_lex_string_invalid_utf8, yajl_lex_string_invalid_escaped_char, yajl_lex_string_invalid_json_char, yajl_lex_string_invalid_hex_char, yajl_lex_invalid_char, yajl_lex_invalid_string, yajl_lex_missing_integer_after_decimal, yajl_lex_missing_integer_after_exponent, yajl_lex_missing_integer_after_minus, yajl_lex_unallowed_comment, yajl_lex_alloc_failed } yajl_lex_error; YAJL_API const char * yajl_lex_error_to_string(yajl_lex_error error); /** allows access to more specific information about the lexical * error when yajl_lex_lex returns yajl_tok_error. */ YAJL_API yajl_lex_error yajl_lex_get_error(yajl_lexer lexer); /** get the current offset into the most recently lexed json string. */ YAJL_API unsigned int yajl_lex_current_offset(yajl_lexer lexer); /** get the number of lines lexed by this lexer instance */ YAJL_API unsigned int yajl_lex_current_line(yajl_lexer lexer); /** get the number of chars lexed by this lexer instance since the last * \n or \r */ YAJL_API unsigned int yajl_lex_current_char(yajl_lexer lexer); #endif yajl-ruby-1.4.3/ext/yajl/yajl_alloc.h0000644000004100000410000000370214246427314017517 0ustar www-datawww-data/* * Copyright 2010, Lloyd Hilaiel. * * Redistribution and use in source and binary forms, with or without * modification, are permitted provided that the following conditions are * met: * * 1. Redistributions of source code must retain the above copyright * notice, this list of conditions and the following disclaimer. * * 2. 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. * * 3. Neither the name of Lloyd Hilaiel nor the names of its * contributors may be used to endorse or promote products derived * from this software without specific prior written permission. * * THIS SOFTWARE IS PROVIDED BY THE AUTHOR ``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 AUTHOR 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. */ /** * \file yajl_alloc.h * default memory allocation routines for yajl which use malloc/realloc and * free */ #ifndef __YAJL_ALLOC_H__ #define __YAJL_ALLOC_H__ #include "api/yajl_common.h" #define YA_MALLOC(afs, sz) (afs)->malloc((afs)->ctx, (sz)) #define YA_FREE(afs, ptr) (afs)->free((afs)->ctx, (ptr)) #define YA_REALLOC(afs, ptr, sz) (afs)->realloc((afs)->ctx, (ptr), (sz)) YAJL_API void yajl_set_default_alloc_funcs(yajl_alloc_funcs * yaf); #endif yajl-ruby-1.4.3/ext/yajl/extconf.rb0000644000004100000410000000047314246427314017232 0ustar www-datawww-datarequire 'mkmf' require 'rbconfig' $CFLAGS << ' -Wall -funroll-loops -Wno-declaration-after-statement' $CFLAGS << ' -Werror-implicit-function-declaration -Wextra -O0 -ggdb3' if ENV['DEBUG'] if ENV['SANITIZE'] $CFLAGS << ' -fsanitize=address' $LDFLAGS << ' -fsanitize=address' end create_makefile('yajl/yajl') yajl-ruby-1.4.3/ext/yajl/yajl_version.c0000644000004100000410000000012114246427314020075 0ustar www-datawww-data#include "api/yajl_version.h" int yajl_version(void) { return YAJL_VERSION; } yajl-ruby-1.4.3/ext/yajl/yajl_encode.c0000644000004100000410000002033214246427314017653 0ustar www-datawww-data/* * Copyright 2010, Lloyd Hilaiel. * * Redistribution and use in source and binary forms, with or without * modification, are permitted provided that the following conditions are * met: * * 1. Redistributions of source code must retain the above copyright * notice, this list of conditions and the following disclaimer. * * 2. 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. * * 3. Neither the name of Lloyd Hilaiel nor the names of its * contributors may be used to endorse or promote products derived * from this software without specific prior written permission. * * THIS SOFTWARE IS PROVIDED BY THE AUTHOR ``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 AUTHOR 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. */ #include "yajl_encode.h" #include #include #include #include static void CharToHex(unsigned char c, char * hexBuf) { const char * hexchar = "0123456789ABCDEF"; hexBuf[0] = hexchar[c >> 4]; hexBuf[1] = hexchar[c & 0x0F]; } void yajl_string_encode(yajl_buf buf, const unsigned char * str, unsigned int len, unsigned int htmlSafe) { yajl_string_encode2((const yajl_print_t) &yajl_buf_append, buf, str, len, htmlSafe); } void yajl_string_encode2(const yajl_print_t print, void * ctx, const unsigned char * str, unsigned int len, unsigned int htmlSafe) { unsigned int beg = 0; unsigned int end = 0; unsigned int increment = 0; char hexBuf[7]; char entityBuffer[7]; hexBuf[0] = '\\'; hexBuf[1] = 'u'; hexBuf[2] = '0'; hexBuf[3] = '0'; hexBuf[6] = 0; entityBuffer[0] = '\\'; entityBuffer[1] = 'u'; entityBuffer[2] = '2'; entityBuffer[3] = '0'; entityBuffer[6] = 0; while (end < len) { increment = 1; const char * escaped = NULL; switch (str[end]) { case '\r': escaped = "\\r"; break; case '\n': escaped = "\\n"; break; case '\\': escaped = "\\\\"; break; /* case '/': escaped = "\\/"; break; */ case '"': escaped = "\\\""; break; case '\f': escaped = "\\f"; break; case '\b': escaped = "\\b"; break; case '\t': escaped = "\\t"; break; case '/': if (htmlSafe == 1 || htmlSafe == 2) { escaped = "\\/"; } break; /* Escaping 0xe280a8 0xe280a9 */ case 0xe2: if (htmlSafe == 2) { if (len - end >= 2 && str[end + 1] == 0x80) { if (str[end + 2] == 0xa8) { increment = 3; entityBuffer[4] = '2'; entityBuffer[5] = '8'; escaped = entityBuffer; break; } if (str[end + 2] == 0xa9) { increment = 3; entityBuffer[4] = '2'; entityBuffer[5] = '9'; escaped = entityBuffer; break; } } } case '<': case '>': case '&': if (htmlSafe == 2) { CharToHex(str[end], hexBuf + 4); escaped = hexBuf; } break; default: if ((unsigned char) str[end] < 32) { CharToHex(str[end], hexBuf + 4); escaped = hexBuf; } break; } if (escaped != NULL) { print(ctx, (const char *) (str + beg), end - beg); print(ctx, escaped, (unsigned int)strlen(escaped)); end += increment; beg = end; } else { ++end; } } print(ctx, (const char *) (str + beg), end - beg); } static void hexToDigit(unsigned int * val, const unsigned char * hex) { unsigned int i; for (i=0;i<4;i++) { unsigned char c = hex[i]; if (c >= 'A') c = (c & ~0x20) - 7; c -= '0'; assert(!(c & 0xF0)); *val = (*val << 4) | c; } } static void Utf32toUtf8(unsigned int codepoint, char * utf8Buf) { if (codepoint < 0x80) { utf8Buf[0] = (char) codepoint; utf8Buf[1] = 0; } else if (codepoint < 0x0800) { utf8Buf[0] = (char) ((codepoint >> 6) | 0xC0); utf8Buf[1] = (char) ((codepoint & 0x3F) | 0x80); utf8Buf[2] = 0; } else if (codepoint < 0x10000) { utf8Buf[0] = (char) ((codepoint >> 12) | 0xE0); utf8Buf[1] = (char) (((codepoint >> 6) & 0x3F) | 0x80); utf8Buf[2] = (char) ((codepoint & 0x3F) | 0x80); utf8Buf[3] = 0; } else if (codepoint < 0x200000) { utf8Buf[0] =(char)((codepoint >> 18) | 0xF0); utf8Buf[1] =(char)(((codepoint >> 12) & 0x3F) | 0x80); utf8Buf[2] =(char)(((codepoint >> 6) & 0x3F) | 0x80); utf8Buf[3] =(char)((codepoint & 0x3F) | 0x80); utf8Buf[4] = 0; } else { utf8Buf[0] = '?'; utf8Buf[1] = 0; } } void yajl_string_decode(yajl_buf buf, const unsigned char * str, unsigned int len) { unsigned int beg = 0; unsigned int end = 0; while (end < len) { if (str[end] == '\\') { char utf8Buf[5]; const char * unescaped = "?"; yajl_buf_append(buf, str + beg, end - beg); switch (str[++end]) { case 'r': unescaped = "\r"; break; case 'n': unescaped = "\n"; break; case '\\': unescaped = "\\"; break; case '/': unescaped = "/"; break; case '"': unescaped = "\""; break; case 'f': unescaped = "\f"; break; case 'b': unescaped = "\b"; break; case 't': unescaped = "\t"; break; case 'u': { unsigned int codepoint = 0; hexToDigit(&codepoint, str + ++end); end+=3; /* check if this is a surrogate */ if ((codepoint & 0xFC00) == 0xD800) { if (end + 2 < len && str[end + 1] == '\\' && str[end + 2] == 'u') { end++; unsigned int surrogate = 0; hexToDigit(&surrogate, str + end + 2); codepoint = (((codepoint & 0x3F) << 10) | ((((codepoint >> 6) & 0xF) + 1) << 16) | (surrogate & 0x3FF)); end += 5; } else { unescaped = "?"; break; } } Utf32toUtf8(codepoint, utf8Buf); unescaped = utf8Buf; if (codepoint == 0) { yajl_buf_append(buf, unescaped, 1); beg = ++end; continue; } break; } default: assert("this should never happen" == NULL); } yajl_buf_append(buf, unescaped, (unsigned int)strlen(unescaped)); beg = ++end; } else { end++; } } yajl_buf_append(buf, str + beg, end - beg); } yajl-ruby-1.4.3/ext/yajl/yajl_parser.c0000644000004100000410000005061614246427314017722 0ustar www-datawww-data/* * Copyright 2010, Lloyd Hilaiel. * * Redistribution and use in source and binary forms, with or without * modification, are permitted provided that the following conditions are * met: * * 1. Redistributions of source code must retain the above copyright * notice, this list of conditions and the following disclaimer. * * 2. 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. * * 3. Neither the name of Lloyd Hilaiel nor the names of its * contributors may be used to endorse or promote products derived * from this software without specific prior written permission. * * THIS SOFTWARE IS PROVIDED BY THE AUTHOR ``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 AUTHOR 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. */ #include "yajl_lex.h" #include "yajl_parser.h" #include "yajl_encode.h" #include "yajl_bytestack.h" #include #include #include #include #include #include #include #include unsigned char * yajl_render_error_string(yajl_handle hand, const unsigned char * jsonText, unsigned int jsonTextLen, int verbose) { unsigned int offset = hand->bytesConsumed; unsigned char * str; const char * errorType = NULL; const char * errorText = NULL; char text[72]; const char * arrow = " (right here) ------^\n"; if (yajl_bs_current(hand->stateStack) == yajl_state_parse_error) { errorType = "parse"; errorText = hand->parseError; } else if (yajl_bs_current(hand->stateStack) == yajl_state_lexical_error) { errorType = "lexical"; errorText = yajl_lex_error_to_string(yajl_lex_get_error(hand->lexer)); } else { errorType = "unknown"; } { unsigned int memneeded = 0; memneeded += strlen(errorType); memneeded += strlen(" error"); if (errorText != NULL) { memneeded += strlen(": "); memneeded += strlen(errorText); } str = (unsigned char *) YA_MALLOC(&(hand->alloc), memneeded + 2); str[0] = 0; strcat((char *) str, errorType); strcat((char *) str, " error"); if (errorText != NULL) { strcat((char *) str, ": "); strcat((char *) str, errorText); } strcat((char *) str, "\n"); } /* now we append as many spaces as needed to make sure the error * falls at char 41, if verbose was specified */ if (verbose) { unsigned int start, end, i; unsigned int spacesNeeded; spacesNeeded = (offset < 30 ? 40 - offset : 10); start = (offset >= 30 ? offset - 30 : 0); end = (offset + 30 > jsonTextLen ? jsonTextLen : offset + 30); for (i=0;ialloc), (unsigned int)(strlen((char *) str) + strlen((char *) text) + strlen(arrow) + 1)); newStr[0] = 0; strcat((char *) newStr, (char *) str); strcat((char *) newStr, text); strcat((char *) newStr, arrow); YA_FREE(&(hand->alloc), str); str = (unsigned char *) newStr; } } return str; } /* check for client cancelation */ #define _CC_CHK(x) \ if (!(x)) { \ yajl_bs_set(hand->stateStack, yajl_state_parse_error); \ hand->parseError = \ "client cancelled parse via callback return value"; \ return yajl_status_client_canceled; \ } /* check for buffer error */ #define _BUF_CHK(x) \ if (yajl_buf_err(x)) { \ yajl_bs_set(hand->stateStack, yajl_state_parse_error); \ hand->parseError = \ "allocation failed"; \ return yajl_status_alloc_failed; \ } yajl_status yajl_do_parse(yajl_handle hand, const unsigned char * jsonText, unsigned int jsonTextLen) { yajl_tok tok; const unsigned char * buf; unsigned int bufLen; unsigned int * offset = &(hand->bytesConsumed); *offset = 0; around_again: switch (yajl_bs_current(hand->stateStack)) { case yajl_state_parse_complete: return yajl_status_ok; case yajl_state_lexical_error: case yajl_state_parse_error: return yajl_status_error; case yajl_state_start: case yajl_state_map_need_val: case yajl_state_array_need_val: case yajl_state_array_start: { /* for arrays and maps, we advance the state for this * depth, then push the state of the next depth. * If an error occurs during the parsing of the nesting * entity, the state at this level will not matter. * a state that needs pushing will be anything other * than state_start */ yajl_state stateToPush = yajl_state_start; tok = yajl_lex_lex(hand->lexer, jsonText, jsonTextLen, offset, &buf, &bufLen); switch (tok) { case yajl_tok_eof: return yajl_status_insufficient_data; case yajl_tok_error: yajl_bs_set(hand->stateStack, yajl_state_lexical_error); goto around_again; case yajl_tok_string: if (hand->callbacks && hand->callbacks->yajl_string) { _CC_CHK(hand->callbacks->yajl_string(hand->ctx, buf, bufLen)); } break; case yajl_tok_string_with_escapes: if (hand->callbacks && hand->callbacks->yajl_string) { yajl_buf_clear(hand->decodeBuf); yajl_string_decode(hand->decodeBuf, buf, bufLen); _BUF_CHK(hand->decodeBuf); _CC_CHK(hand->callbacks->yajl_string( hand->ctx, yajl_buf_data(hand->decodeBuf), yajl_buf_len(hand->decodeBuf))); } break; case yajl_tok_bool: if (hand->callbacks && hand->callbacks->yajl_boolean) { _CC_CHK(hand->callbacks->yajl_boolean(hand->ctx, *buf == 't')); } break; case yajl_tok_null: if (hand->callbacks && hand->callbacks->yajl_null) { _CC_CHK(hand->callbacks->yajl_null(hand->ctx)); } break; case yajl_tok_left_bracket: if (hand->callbacks && hand->callbacks->yajl_start_map) { _CC_CHK(hand->callbacks->yajl_start_map(hand->ctx)); } stateToPush = yajl_state_map_start; break; case yajl_tok_left_brace: if (hand->callbacks && hand->callbacks->yajl_start_array) { _CC_CHK(hand->callbacks->yajl_start_array(hand->ctx)); } stateToPush = yajl_state_array_start; break; case yajl_tok_integer: /* * note. strtol does not respect the length of * the lexical token. in a corner case where the * lexed number is a integer with a trailing zero, * immediately followed by the end of buffer, * sscanf could run off into oblivion and cause a * crash. for this reason we copy the integer * (and doubles), into our parse buffer (the same * one used for unescaping strings), before * calling strtol. yajl_buf ensures null padding, * so we're safe. */ if (hand->callbacks) { if (hand->callbacks->yajl_number) { _CC_CHK(hand->callbacks->yajl_number( hand->ctx,(const char *) buf, bufLen)); } else if (hand->callbacks->yajl_integer) { long int i = 0; yajl_buf_clear(hand->decodeBuf); yajl_buf_append(hand->decodeBuf, buf, bufLen); _BUF_CHK(hand->decodeBuf); buf = yajl_buf_data(hand->decodeBuf); i = strtol((const char *) buf, NULL, 10); if ((i == LONG_MIN || i == LONG_MAX) && errno == ERANGE) { yajl_bs_set(hand->stateStack, yajl_state_parse_error); hand->parseError = "integer overflow" ; /* try to restore error offset */ if (*offset >= bufLen) *offset -= bufLen; else *offset = 0; goto around_again; } _CC_CHK(hand->callbacks->yajl_integer(hand->ctx, i)); } } break; case yajl_tok_double: if (hand->callbacks) { if (hand->callbacks->yajl_number) { _CC_CHK(hand->callbacks->yajl_number( hand->ctx, (const char *) buf, bufLen)); } else if (hand->callbacks->yajl_double) { double d = 0.0; yajl_buf_clear(hand->decodeBuf); yajl_buf_append(hand->decodeBuf, buf, bufLen); _BUF_CHK(hand->decodeBuf); buf = yajl_buf_data(hand->decodeBuf); d = strtod((char *) buf, NULL); if ((d == HUGE_VAL || d == -HUGE_VAL) && errno == ERANGE) { yajl_bs_set(hand->stateStack, yajl_state_parse_error); hand->parseError = "numeric (floating point) " "overflow"; /* try to restore error offset */ if (*offset >= bufLen) *offset -= bufLen; else *offset = 0; goto around_again; } _CC_CHK(hand->callbacks->yajl_double(hand->ctx, d)); } } break; case yajl_tok_right_brace: { if (yajl_bs_current(hand->stateStack) == yajl_state_array_start) { if (hand->callbacks && hand->callbacks->yajl_end_array) { _CC_CHK(hand->callbacks->yajl_end_array(hand->ctx)); } yajl_bs_pop(hand->stateStack); goto around_again; } /* intentional fall-through */ } case yajl_tok_colon: case yajl_tok_comma: case yajl_tok_right_bracket: yajl_bs_set(hand->stateStack, yajl_state_parse_error); hand->parseError = "unallowed token at this point in JSON text"; goto around_again; default: yajl_bs_set(hand->stateStack, yajl_state_parse_error); hand->parseError = "invalid token, internal error"; goto around_again; } /* got a value. transition depends on the state we're in. */ { yajl_state s = yajl_bs_current(hand->stateStack); if (s == yajl_state_start) { /* HACK: is this even safe to do? yajl_bs_set(hand->stateStack, yajl_state_parse_complete); */ yajl_reset_parser(hand); } else if (s == yajl_state_map_need_val) { yajl_bs_set(hand->stateStack, yajl_state_map_got_val); } else { yajl_bs_set(hand->stateStack, yajl_state_array_got_val); } } if (stateToPush != yajl_state_start) { if (yajl_bs_push(hand->stateStack, stateToPush)) { return yajl_status_alloc_failed; } } goto around_again; } case yajl_state_map_start: case yajl_state_map_need_key: { /* only difference between these two states is that in * start '}' is valid, whereas in need_key, we've parsed * a comma, and a string key _must_ follow */ tok = yajl_lex_lex(hand->lexer, jsonText, jsonTextLen, offset, &buf, &bufLen); switch (tok) { case yajl_tok_eof: return yajl_status_insufficient_data; case yajl_tok_error: yajl_bs_set(hand->stateStack, yajl_state_lexical_error); goto around_again; case yajl_tok_string_with_escapes: if (hand->callbacks && hand->callbacks->yajl_map_key) { yajl_buf_clear(hand->decodeBuf); yajl_string_decode(hand->decodeBuf, buf, bufLen); _BUF_CHK(hand->decodeBuf); buf = yajl_buf_data(hand->decodeBuf); bufLen = yajl_buf_len(hand->decodeBuf); } /* intentional fall-through */ case yajl_tok_string: if (hand->callbacks && hand->callbacks->yajl_map_key) { _CC_CHK(hand->callbacks->yajl_map_key(hand->ctx, buf, bufLen)); } yajl_bs_set(hand->stateStack, yajl_state_map_sep); goto around_again; case yajl_tok_right_bracket: if (yajl_bs_current(hand->stateStack) == yajl_state_map_start) { if (hand->callbacks && hand->callbacks->yajl_end_map) { _CC_CHK(hand->callbacks->yajl_end_map(hand->ctx)); } yajl_bs_pop(hand->stateStack); goto around_again; } default: yajl_bs_set(hand->stateStack, yajl_state_parse_error); hand->parseError = "invalid object key (must be a string)"; goto around_again; } } case yajl_state_map_sep: { tok = yajl_lex_lex(hand->lexer, jsonText, jsonTextLen, offset, &buf, &bufLen); switch (tok) { case yajl_tok_colon: yajl_bs_set(hand->stateStack, yajl_state_map_need_val); goto around_again; case yajl_tok_eof: return yajl_status_insufficient_data; case yajl_tok_error: yajl_bs_set(hand->stateStack, yajl_state_lexical_error); goto around_again; default: yajl_bs_set(hand->stateStack, yajl_state_parse_error); hand->parseError = "object key and value must " "be separated by a colon (':')"; goto around_again; } } case yajl_state_map_got_val: { tok = yajl_lex_lex(hand->lexer, jsonText, jsonTextLen, offset, &buf, &bufLen); switch (tok) { case yajl_tok_right_bracket: if (hand->callbacks && hand->callbacks->yajl_end_map) { _CC_CHK(hand->callbacks->yajl_end_map(hand->ctx)); } yajl_bs_pop(hand->stateStack); goto around_again; case yajl_tok_comma: yajl_bs_set(hand->stateStack, yajl_state_map_need_key); goto around_again; case yajl_tok_eof: return yajl_status_insufficient_data; case yajl_tok_error: yajl_bs_set(hand->stateStack, yajl_state_lexical_error); goto around_again; default: yajl_bs_set(hand->stateStack, yajl_state_parse_error); hand->parseError = "after key and value, inside map, " "I expect ',' or '}'"; /* try to restore error offset */ if (*offset >= bufLen) *offset -= bufLen; else *offset = 0; goto around_again; } } case yajl_state_array_got_val: { tok = yajl_lex_lex(hand->lexer, jsonText, jsonTextLen, offset, &buf, &bufLen); switch (tok) { case yajl_tok_right_brace: if (hand->callbacks && hand->callbacks->yajl_end_array) { _CC_CHK(hand->callbacks->yajl_end_array(hand->ctx)); } yajl_bs_pop(hand->stateStack); goto around_again; case yajl_tok_comma: yajl_bs_set(hand->stateStack, yajl_state_array_need_val); goto around_again; case yajl_tok_eof: return yajl_status_insufficient_data; case yajl_tok_error: yajl_bs_set(hand->stateStack, yajl_state_lexical_error); goto around_again; default: yajl_bs_set(hand->stateStack, yajl_state_parse_error); hand->parseError = "after array element, I expect ',' or ']'"; goto around_again; } } } abort(); return yajl_status_error; } yajl-ruby-1.4.3/ext/yajl/yajl.c0000644000004100000410000001235014246427314016337 0ustar www-datawww-data/* * Copyright 2010, Lloyd Hilaiel. * * Redistribution and use in source and binary forms, with or without * modification, are permitted provided that the following conditions are * met: * * 1. Redistributions of source code must retain the above copyright * notice, this list of conditions and the following disclaimer. * * 2. 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. * * 3. Neither the name of Lloyd Hilaiel nor the names of its * contributors may be used to endorse or promote products derived * from this software without specific prior written permission. * * THIS SOFTWARE IS PROVIDED BY THE AUTHOR ``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 AUTHOR 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. */ #include "api/yajl_parse.h" #include "yajl_lex.h" #include "yajl_parser.h" #include "yajl_alloc.h" #include #include #include const char * yajl_status_to_string(yajl_status stat) { const char * statStr = "unknown"; switch (stat) { case yajl_status_ok: statStr = "ok, no error"; break; case yajl_status_client_canceled: statStr = "client canceled parse"; break; case yajl_status_insufficient_data: statStr = "eof was met before the parse could complete"; break; case yajl_status_error: statStr = "parse error"; break; case yajl_status_alloc_failed: statStr = "allocation failed"; break; } return statStr; } yajl_handle yajl_alloc(const yajl_callbacks * callbacks, const yajl_parser_config * config, const yajl_alloc_funcs * afs, void * ctx) { unsigned int allowComments = 0; unsigned int validateUTF8 = 0; yajl_handle hand = NULL; yajl_alloc_funcs afsBuffer; /* first order of business is to set up memory allocation routines */ if (afs != NULL) { if (afs->malloc == NULL || afs->realloc == NULL || afs->free == NULL) { return NULL; } } else { yajl_set_default_alloc_funcs(&afsBuffer); afs = &afsBuffer; } hand = (yajl_handle) YA_MALLOC(afs, sizeof(struct yajl_handle_t)); if (hand == NULL) return NULL; /* copy in pointers to allocation routines */ memcpy((void *) &(hand->alloc), (void *) afs, sizeof(yajl_alloc_funcs)); if (config != NULL) { allowComments = config->allowComments; validateUTF8 = config->checkUTF8; } hand->callbacks = callbacks; hand->ctx = ctx; hand->lexer = yajl_lex_alloc(&(hand->alloc), allowComments, validateUTF8); if (!hand->lexer) { YA_FREE(afs, hand); return NULL; } hand->bytesConsumed = 0; hand->decodeBuf = yajl_buf_alloc(&(hand->alloc)); yajl_bs_init(hand->stateStack, &(hand->alloc)); if (yajl_bs_push(hand->stateStack, yajl_state_start)) { return NULL; } return hand; } void yajl_reset_parser(yajl_handle hand) { assert(hand); hand->lexer = yajl_lex_realloc(hand->lexer); } void yajl_free(yajl_handle handle) { assert(handle); yajl_bs_free(handle->stateStack); yajl_buf_free(handle->decodeBuf); yajl_lex_free(handle->lexer); YA_FREE(&(handle->alloc), handle); } yajl_status yajl_parse(yajl_handle hand, const unsigned char * jsonText, unsigned int jsonTextLen) { assert(hand); yajl_status status; status = yajl_do_parse(hand, jsonText, jsonTextLen); return status; } yajl_status yajl_parse_complete(yajl_handle hand) { assert(hand); /* The particular case we want to handle is a trailing number. * Further input consisting of digits could cause our interpretation * of the number to change (buffered "1" but "2" comes in). * A very simple approach to this is to inject whitespace to terminate * any number in the lex buffer. */ return yajl_parse(hand, (const unsigned char *)" ", 1); } unsigned char * yajl_get_error(yajl_handle hand, int verbose, const unsigned char * jsonText, unsigned int jsonTextLen) { assert(hand); return yajl_render_error_string(hand, jsonText, jsonTextLen, verbose); } unsigned int yajl_get_bytes_consumed(yajl_handle hand) { if (!hand) return 0; else return hand->bytesConsumed; } void yajl_free_error(yajl_handle hand, unsigned char * str) { /* use memory allocation functions if set */ YA_FREE(&(hand->alloc), str); } /* XXX: add utility routines to parse from file */ yajl-ruby-1.4.3/ext/yajl/api/0000755000004100000410000000000014246427314016004 5ustar www-datawww-datayajl-ruby-1.4.3/ext/yajl/api/yajl_parse.h0000644000004100000410000002101214246427314020302 0ustar www-datawww-data/* * Copyright 2010, Lloyd Hilaiel. * * Redistribution and use in source and binary forms, with or without * modification, are permitted provided that the following conditions are * met: * * 1. Redistributions of source code must retain the above copyright * notice, this list of conditions and the following disclaimer. * * 2. 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. * * 3. Neither the name of Lloyd Hilaiel nor the names of its * contributors may be used to endorse or promote products derived * from this software without specific prior written permission. * * THIS SOFTWARE IS PROVIDED BY THE AUTHOR ``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 AUTHOR 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. */ /** * \file yajl_parse.h * Interface to YAJL's JSON parsing facilities. */ #include "api/yajl_common.h" #ifndef __YAJL_PARSE_H__ #define __YAJL_PARSE_H__ #ifdef __cplusplus extern "C" { #endif /** error codes returned from this interface */ typedef enum { /** no error was encountered */ yajl_status_ok, /** a client callback returned zero, stopping the parse */ yajl_status_client_canceled, /** The parse cannot yet complete because more json input text * is required, call yajl_parse with the next buffer of input text. * (pertinent only when stream parsing) */ yajl_status_insufficient_data, /** An error occured during the parse. Call yajl_get_error for * more information about the encountered error */ yajl_status_error, /** an allocation failed */ yajl_status_alloc_failed, } yajl_status; /** attain a human readable, english, string for an error */ YAJL_API const char * yajl_status_to_string(yajl_status code); /** an opaque handle to a parser */ typedef struct yajl_handle_t * yajl_handle; /** yajl is an event driven parser. this means as json elements are * parsed, you are called back to do something with the data. The * functions in this table indicate the various events for which * you will be called back. Each callback accepts a "context" * pointer, this is a void * that is passed into the yajl_parse * function which the client code may use to pass around context. * * All callbacks return an integer. If non-zero, the parse will * continue. If zero, the parse will be canceled and * yajl_status_client_canceled will be returned from the parse. * * Note about handling of numbers: * yajl will only convert numbers that can be represented in a double * or a long int. All other numbers will be passed to the client * in string form using the yajl_number callback. Furthermore, if * yajl_number is not NULL, it will always be used to return numbers, * that is yajl_integer and yajl_double will be ignored. If * yajl_number is NULL but one of yajl_integer or yajl_double are * defined, parsing of a number larger than is representable * in a double or long int will result in a parse error. */ typedef struct { int (* yajl_null)(void * ctx); int (* yajl_boolean)(void * ctx, int boolVal); int (* yajl_integer)(void * ctx, long integerVal); int (* yajl_double)(void * ctx, double doubleVal); /** A callback which passes the string representation of the number * back to the client. Will be used for all numbers when present */ int (* yajl_number)(void * ctx, const char * numberVal, unsigned int numberLen); /** strings are returned as pointers into the JSON text when, * possible, as a result, they are _not_ null padded */ int (* yajl_string)(void * ctx, const unsigned char * stringVal, unsigned int stringLen); int (* yajl_start_map)(void * ctx); int (* yajl_map_key)(void * ctx, const unsigned char * key, unsigned int stringLen); int (* yajl_end_map)(void * ctx); int (* yajl_start_array)(void * ctx); int (* yajl_end_array)(void * ctx); } yajl_callbacks; /** configuration structure for the generator */ typedef struct { /** if nonzero, javascript style comments will be allowed in * the json input, both slash star and slash slash */ unsigned int allowComments; /** if nonzero, invalid UTF8 strings will cause a parse * error */ unsigned int checkUTF8; } yajl_parser_config; /** allocate a parser handle * \param callbacks a yajl callbacks structure specifying the * functions to call when different JSON entities * are encountered in the input text. May be NULL, * which is only useful for validation. * \param config configuration parameters for the parse. * \param ctx a context pointer that will be passed to callbacks. */ YAJL_API yajl_handle yajl_alloc(const yajl_callbacks * callbacks, const yajl_parser_config * config, const yajl_alloc_funcs * allocFuncs, void * ctx); /** allow resetting of the lexer without the need to realloc a new parser */ YAJL_API void yajl_reset_parser(yajl_handle hand); /** free a parser handle */ YAJL_API void yajl_free(yajl_handle handle); /** Parse some json! * \param hand - a handle to the json parser allocated with yajl_alloc * \param jsonText - a pointer to the UTF8 json text to be parsed * \param jsonTextLength - the length, in bytes, of input text */ YAJL_API yajl_status yajl_parse(yajl_handle hand, const unsigned char * jsonText, unsigned int jsonTextLength); /** Parse any remaining buffered json. * Since yajl is a stream-based parser, without an explicit end of * input, yajl sometimes can't decide if content at the end of the * stream is valid or not. For example, if "1" has been fed in, * yajl can't know whether another digit is next or some character * that would terminate the integer token. * * \param hand - a handle to the json parser allocated with yajl_alloc */ YAJL_API yajl_status yajl_parse_complete(yajl_handle hand); /** get an error string describing the state of the * parse. * * If verbose is non-zero, the message will include the JSON * text where the error occured, along with an arrow pointing to * the specific char. * * \returns A dynamically allocated string will be returned which should * be freed with yajl_free_error */ YAJL_API unsigned char * yajl_get_error(yajl_handle hand, int verbose, const unsigned char * jsonText, unsigned int jsonTextLength); /** * get the amount of data consumed from the last chunk passed to YAJL. * * In the case of a successful parse this can help you understand if * the entire buffer was consumed (which will allow you to handle * "junk at end of input". * * In the event an error is encountered during parsing, this function * affords the client a way to get the offset into the most recent * chunk where the error occured. 0 will be returned if no error * was encountered. */ YAJL_API unsigned int yajl_get_bytes_consumed(yajl_handle hand); /** free an error returned from yajl_get_error */ YAJL_API void yajl_free_error(yajl_handle hand, unsigned char * str); #ifdef __cplusplus } #endif #endif yajl-ruby-1.4.3/ext/yajl/api/yajl_common.h0000644000004100000410000000651114246427314020467 0ustar www-datawww-data/* * Copyright 2010, Lloyd Hilaiel. * * Redistribution and use in source and binary forms, with or without * modification, are permitted provided that the following conditions are * met: * * 1. Redistributions of source code must retain the above copyright * notice, this list of conditions and the following disclaimer. * * 2. 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. * * 3. Neither the name of Lloyd Hilaiel nor the names of its * contributors may be used to endorse or promote products derived * from this software without specific prior written permission. * * THIS SOFTWARE IS PROVIDED BY THE AUTHOR ``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 AUTHOR 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. */ #ifndef __YAJL_COMMON_H__ #define __YAJL_COMMON_H__ #ifdef __cplusplus extern "C" { #endif #define YAJL_MAX_DEPTH 256 /* msft dll export gunk. To build a DLL on windows, you * must define WIN32, YAJL_SHARED, and YAJL_BUILD. To use a shared * DLL, you must define YAJL_SHARED and WIN32 */ #if defined(WIN32) && defined(YAJL_SHARED) # ifdef YAJL_BUILD # define YAJL_API __declspec(dllexport) # else # define YAJL_API __declspec(dllimport) # endif #else # if defined(__GNUC__) && (__GNUC__ * 100 + __GNUC_MINOR__) >= 303 # define YAJL_API __attribute__ ((visibility("hidden"))) # else # define YAJL_API # endif #endif #if defined(__GNUC__) #define YAJL_WARN_UNUSED __attribute__ ((warn_unused_result)) #else #define YAJL_WARN_UNUSED #endif /** pointer to a malloc function, supporting client overriding memory * allocation routines */ typedef void * (*yajl_malloc_func)(void *ctx, unsigned int sz); /** pointer to a free function, supporting client overriding memory * allocation routines */ typedef void (*yajl_free_func)(void *ctx, void * ptr); /** pointer to a realloc function which can resize an allocation. */ typedef void * (*yajl_realloc_func)(void *ctx, void * ptr, unsigned int sz); /** A structure which can be passed to yajl_*_alloc routines to allow the * client to specify memory allocation functions to be used. */ typedef struct { /** pointer to a function that can allocate uninitialized memory */ yajl_malloc_func malloc; /** pointer to a function that can resize memory allocations */ yajl_realloc_func realloc; /** pointer to a function that can free memory allocated using * reallocFunction or mallocFunction */ yajl_free_func free; /** a context pointer that will be passed to above allocation routines */ void * ctx; } yajl_alloc_funcs; #ifdef __cplusplus } #endif #endif yajl-ruby-1.4.3/ext/yajl/api/yajl_gen.h0000644000004100000410000001652014246427314017751 0ustar www-datawww-data/* * Copyright 2010, Lloyd Hilaiel. * * Redistribution and use in source and binary forms, with or without * modification, are permitted provided that the following conditions are * met: * * 1. Redistributions of source code must retain the above copyright * notice, this list of conditions and the following disclaimer. * * 2. 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. * * 3. Neither the name of Lloyd Hilaiel nor the names of its * contributors may be used to endorse or promote products derived * from this software without specific prior written permission. * * THIS SOFTWARE IS PROVIDED BY THE AUTHOR ``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 AUTHOR 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. */ /** * \file yajl_gen.h * Interface to YAJL's JSON generation facilities. */ #include "api/yajl_common.h" #ifndef __YAJL_GEN_H__ #define __YAJL_GEN_H__ #ifdef __cplusplus extern "C" { #endif /** generator status codes */ typedef enum { /** no error */ yajl_gen_status_ok = 0, /** at a point where a map key is generated, a function other than * yajl_gen_string was called */ yajl_gen_keys_must_be_strings, /** YAJL's maximum generation depth was exceeded. see * YAJL_MAX_DEPTH */ yajl_max_depth_exceeded, /** A generator function (yajl_gen_XXX) was called while in an error * state */ yajl_gen_in_error_state, /** A complete JSON document has been generated */ yajl_gen_generation_complete, /** yajl_gen_double was passed an invalid floating point value * (infinity or NaN). */ yajl_gen_invalid_number, /** A print callback was passed in, so there is no internal * buffer to get from */ yajl_gen_no_buf, /** Tried to decrement at depth 0 */ yajl_depth_underflow, /** Allocation error */ yajl_gen_alloc_error } yajl_gen_status; /** an opaque handle to a generator */ typedef struct yajl_gen_t * yajl_gen; /** a callback used for "printing" the results. */ typedef void (*yajl_print_t)(void * ctx, const char * str, unsigned int len); /** configuration structure for the generator */ typedef struct { /** generate indented (beautiful) output */ unsigned int beautify; /** an opportunity to define an indent string. such as \\t or * some number of spaces. default is four spaces ' '. This * member is only relevant when beautify is true */ const char * indentString; /** escape the '/' character */ unsigned int htmlSafe; } yajl_gen_config; /** allocate a generator handle * \param config a pointer to a structure containing parameters which * configure the behavior of the json generator * \param allocFuncs an optional pointer to a structure which allows * the client to overide the memory allocation * used by yajl. May be NULL, in which case * malloc/free/realloc will be used. * * \returns an allocated handle on success, NULL on failure (bad params) */ YAJL_API yajl_gen yajl_gen_alloc(const yajl_gen_config * config, const yajl_alloc_funcs * allocFuncs); /** allocate a generator handle that will print to the specified * callback rather than storing the results in an internal buffer. * \param callback a pointer to a printer function. May be NULL * in which case, the results will be store in an * internal buffer. * \param config a pointer to a structure containing parameters * which configure the behavior of the json * generator. * \param allocFuncs an optional pointer to a structure which allows * the client to overide the memory allocation * used by yajl. May be NULL, in which case * malloc/free/realloc will be used. * \param ctx a context pointer that will be passed to the * printer callback. * * \returns an allocated handle on success, NULL on failure (bad params) */ YAJL_API yajl_gen yajl_gen_alloc2(const yajl_print_t callback, const yajl_gen_config * config, const yajl_alloc_funcs * allocFuncs, void * ctx); /** free a generator handle */ YAJL_API void yajl_gen_free(yajl_gen handle); YAJL_API yajl_gen_status yajl_gen_integer(yajl_gen hand, long int number); /** generate a floating point number. number may not be infinity or * NaN, as these have no representation in JSON. In these cases the * generator will return 'yajl_gen_invalid_number' */ YAJL_API yajl_gen_status yajl_gen_double(yajl_gen hand, double number); YAJL_API yajl_gen_status yajl_gen_long(yajl_gen hand, long value); YAJL_API yajl_gen_status yajl_gen_number(yajl_gen hand, const char * num, unsigned int len); YAJL_API yajl_gen_status yajl_gen_string(yajl_gen hand, const unsigned char * str, unsigned int len); YAJL_API yajl_gen_status yajl_gen_null(yajl_gen hand); YAJL_API yajl_gen_status yajl_gen_bool(yajl_gen hand, int boolean); YAJL_API yajl_gen_status yajl_gen_map_open(yajl_gen hand); YAJL_API yajl_gen_status yajl_gen_map_close(yajl_gen hand); YAJL_API yajl_gen_status yajl_gen_array_open(yajl_gen hand); YAJL_API yajl_gen_status yajl_gen_array_close(yajl_gen hand); /** access the null terminated generator buffer. If incrementally * outputing JSON, one should call yajl_gen_clear to clear the * buffer. This allows stream generation. */ YAJL_API YAJL_WARN_UNUSED yajl_gen_status yajl_gen_get_buf(yajl_gen hand, const unsigned char ** buf, unsigned int * len); /** clear yajl's output buffer, but maintain all internal generation * state. This function will not "reset" the generator state, and is * intended to enable incremental JSON outputing. */ YAJL_API void yajl_gen_clear(yajl_gen hand); #ifdef __cplusplus } #endif #endif yajl-ruby-1.4.3/ext/yajl/api/yajl_version.h0000644000004100000410000000055314246427314020664 0ustar www-datawww-data#ifndef YAJL_VERSION_H_ #define YAJL_VERSION_H_ #include "api/yajl_common.h" #define YAJL_MAJOR 1 #define YAJL_MINOR 0 #define YAJL_MICRO 12 #define YAJL_VERSION ((YAJL_MAJOR * 10000) + (YAJL_MINOR * 100) + YAJL_MICRO) #ifdef __cplusplus extern "C" { #endif extern int YAJL_API yajl_version(void); #ifdef __cplusplus } #endif #endif /* YAJL_VERSION_H_ */