text
stringlengths
6
2.91M
{"pageProps":{"canonical":"https://meteo.ionkom.com/ro/vremea/ciocanesti-dambovita/681747"},"__N_SSG":true}
post_cb({"11562": {"ViewCount": "23704", "Body": "<p><code>std::swap()</code> is used by many std containers (such as <code>std::list</code> and <code>std::vector</code>) during sorting and even assignment.</p>\n<p>But the std implementation of <code>swap()</code> is very generalized and rather inefficient for custom types.</p>\n<p>Thus efficiency can be gained by overloading <code>std::swap()</code> with a custom type specific implementation. But how can you implement it so it will be used by the std containers?</p>\n", "AcceptedAnswerId": "2684544", "Title": "How to overload std::swap()", "CreationDate": "2008-08-14T19:24:17.260", "Id": "11562", "CommentCount": "0", "FavoriteCount": "42", "PostTypeId": "1", "LastEditDate": "2013-03-22T18:30:07.997", "LastEditorDisplayName": "Brian R. Bondy", "OwnerDisplayName": "Adam", "LastEditorUserId": "140719", "LastActivityDate": "2015-08-31T17:13:17.170", "Score": "97", "OwnerUserId": "1366", "Tags": "<c++><performance><optimization><stl><c++-faq>", "AnswerCount": "4"}, "109613": {"Body": "<p>While it's correct that one shouldn't generally add stuff to the std:: namespace, adding template specializations for user-defined types is specifically allowed. Overloading the functions is not. This is a subtle difference :-)</p>\n<blockquote>\n<p id=\"so_11562_109613_0\">17.4.3.1/1\n It is undefined for a C++ program to add declarations or definitions\n to namespace std or namespaces with namespace std unless otherwise\n specified. A program may add template specializations for any\n standard library template to namespace std. Such a specialization\n (complete or partial) of a standard library results in undefined\n behaviour unless the declaration depends on a user-defined name of\n external linkage and unless the template specialization meets the\n standard library requirements for the original template. </p>\n</blockquote>\n<p>A specialization of std::swap would look like:</p>\n<pre><code>namespace std\n{\n template&lt;&gt;\n void swap(myspace::mytype&amp; a, myspace::mytype&amp; b) { ... }\n}\n</code></pre>\n<p>Without the template&lt;&gt; bit it would be an overload, which is undefined, rather than a specialization, which is permitted. @Wilka's suggest approach of changing the default namespace may work with user code (due to Koenig lookup preferring the namespace-less version) but it's not guaranteed to, and in fact isn't really supposed to (the STL implementation ought to use the fully-qualified std::swap).</p>\n<p>There is a <a href=\"http://groups.google.ca/group/comp.lang.c++.moderated/browse_thread/thread/b396fedad7dcdc81\" rel=\"noreferrer\">thread on comp.lang.c++.moderated</a> with a <strong>long</strong> dicussion of the topic. Most of it is about partial specialization, though (which there's currently no good way to do).</p>\n", "CreationDate": "2008-09-20T22:24:12.633", "ParentId": "11562", "CommentCount": "2", "LastEditDate": "2008-09-20T22:37:47.017", "PostTypeId": "2", "LastEditorDisplayName": "puetzk", "LastActivityDate": "2008-09-20T22:37:47.017", "LastEditorUserId": "14312", "Id": "109613", "OwnerDisplayName": "puetzk", "Score": "27", "OwnerUserId": "14312"}, "bq_ids": {"n4140": {"so_11562_109613_0": {"length": 24, "quality": 0.5853658536585366, "section_id": 6299}}, "n3337": {"so_11562_109613_0": {"length": 24, "quality": 0.5853658536585366, "section_id": 6056}}, "n4659": {"so_11562_109613_0": {"length": 24, "quality": 0.5853658536585366, "section_id": 7808}}}, "2684544": {"Id": "2684544", "PostTypeId": "2", "Body": "<p>The right way to overload swap is to write it in the same namespace as what you're swapping, so that it can be found via argument-dependent lookup (ADL). One particularly easy thing to do is:</p>\n<pre><code>class X\n{\n // ...\n friend void swap(X&amp; a, X&amp; b)\n {\n using std::swap; // bring in swap for built-in types\n\n swap(a.base1, b.base1);\n swap(a.base2, b.base2);\n // ...\n swap(a.member1, b.member1);\n swap(a.member2, b.member2);\n // ...\n }\n};\n</code></pre>\n", "LastActivityDate": "2010-04-21T16:02:22.350", "CommentCount": "18", "CreationDate": "2010-04-21T16:02:22.350", "ParentId": "11562", "Score": "104", "OwnerUserId": "125349"}, "11599": {"Body": "<p>You're not allowed (by the C++ standard) to overload std::swap, however you are specifically allowed to add template specializations for your own types to the std namespace. E.g.</p>\n<pre><code>namespace std\n{\n template&lt;&gt;\n void swap(my_type&amp; lhs, my_type&amp; rhs)\n {\n // ... blah\n }\n}\n</code></pre>\n<p>then the usages in the std containers (and anywhere else) will pick your specialization instead of the general one.</p>\n<p>Also note that providing a base class implementation of swap isn't good enough for your derived types. E.g. if you have</p>\n<pre><code>class Base\n{\n // ... stuff ...\n}\nclass Derived : public Base\n{\n // ... stuff ...\n}\n\nnamespace std\n{\n template&lt;&gt;\n void swap(Base&amp; lha, Base&amp; rhs)\n {\n // ...\n }\n}\n</code></pre>\n<p>this will work for Base classes, but if you try to swap two Derived objects it will use the generic version from std because the templated swap is an exact match (and it avoids the problem of only swapping the 'base' parts of your derived objects).</p>\n<p>NOTE: I've updated this to remove the wrong bits from my last answer. D'oh! (thanks puetzk and j_random_hacker for pointing it out)</p>\n", "CreationDate": "2008-08-14T19:46:32.113", "ParentId": "11562", "CommentCount": "8", "LastEditDate": "2014-01-27T14:15:05.883", "PostTypeId": "2", "LastEditorDisplayName": "Wilka", "LastActivityDate": "2014-01-27T14:15:05.883", "LastEditorUserId": "368896", "Id": "11599", "OwnerDisplayName": "Wilka", "Score": "50", "OwnerUserId": "1367"}, "8439357": {"Id": "8439357", "PostTypeId": "2", "Body": "<p><strong>Attention Mozza314</strong></p>\n<p>Here is a simulation of the effects of a generic <code>std::algorithm</code> calling <code>std::swap</code>, and having the user provide their swap in namespace std. As this is an experiment, this simulation uses <code>namespace exp</code> instead of <code>namespace std</code>.</p>\n<pre><code>// simulate &lt;algorithm&gt;\n\n#include &lt;cstdio&gt;\n\nnamespace exp\n{\n\n template &lt;class T&gt;\n void\n swap(T&amp; x, T&amp; y)\n {\n printf(\"generic exp::swap\\n\");\n T tmp = x;\n x = y;\n y = tmp;\n }\n\n template &lt;class T&gt;\n void algorithm(T* begin, T* end)\n {\n if (end-begin &gt;= 2)\n exp::swap(begin[0], begin[1]);\n }\n\n}\n\n// simulate user code which includes &lt;algorithm&gt;\n\nstruct A\n{\n};\n\nnamespace exp\n{\n void swap(A&amp;, A&amp;)\n {\n printf(\"exp::swap(A, A)\\n\");\n }\n\n}\n\n// exercise simulation\n\nint main()\n{\n A a[2];\n exp::algorithm(a, a+2);\n}\n</code></pre>\n<p>For me this prints out: </p>\n<pre><code>generic exp::swap\n</code></pre>\n<p>If your compiler prints out something different then it is not correctly implementing \"two-phase lookup\" for templates.</p>\n<p>If your compiler is conforming (to any of C++98/03/11), then it will give the same output I show. And in that case exactly what you fear will happen, does happen. And putting your <code>swap</code> into namespace <code>std</code> (<code>exp</code>) did not stop it from happening.</p>\n<p>Dave and I are both committee members and have been working this area of the standard for a decade (and not always in agreement with each other). But this issue has been settled for a long time, and we both agree on how it has been settled. Disregard Dave's expert opinion/answer in this area at your own peril.</p>\n<p>This issue came to light after C++98 was published. Starting about 2001 Dave and I began to <a href=\"http://www.open-std.org/jtc1/sc22/wg21/docs/papers/2001/n1289.html\">work this area</a>. And this is the modern solution:</p>\n<pre><code>// simulate &lt;algorithm&gt;\n\n#include &lt;cstdio&gt;\n\nnamespace exp\n{\n\n template &lt;class T&gt;\n void\n swap(T&amp; x, T&amp; y)\n {\n printf(\"generic exp::swap\\n\");\n T tmp = x;\n x = y;\n y = tmp;\n }\n\n template &lt;class T&gt;\n void algorithm(T* begin, T* end)\n {\n if (end-begin &gt;= 2)\n swap(begin[0], begin[1]);\n }\n\n}\n\n// simulate user code which includes &lt;algorithm&gt;\n\nstruct A\n{\n};\n\nvoid swap(A&amp;, A&amp;)\n{\n printf(\"swap(A, A)\\n\");\n}\n\n// exercise simulation\n\nint main()\n{\n A a[2];\n exp::algorithm(a, a+2);\n}\n</code></pre>\n<p>Output is:</p>\n<pre><code>swap(A, A)\n</code></pre>\n<p><strong>Update</strong></p>\n<p>An observation has been made that:</p>\n<pre><code>namespace exp\n{ \n template &lt;&gt;\n void swap(A&amp;, A&amp;)\n {\n printf(\"exp::swap(A, A)\\n\");\n }\n\n}\n</code></pre>\n<p>works! So why not use that?</p>\n<p>Consider the case that your <code>A</code> is a class template:</p>\n<pre><code>// simulate user code which includes &lt;algorithm&gt;\n\ntemplate &lt;class T&gt;\nstruct A\n{\n};\n\nnamespace exp\n{\n\n template &lt;class T&gt;\n void swap(A&lt;T&gt;&amp;, A&lt;T&gt;&amp;)\n {\n printf(\"exp::swap(A, A)\\n\");\n }\n\n}\n\n// exercise simulation\n\nint main()\n{\n A&lt;int&gt; a[2];\n exp::algorithm(a, a+2);\n}\n</code></pre>\n<p>Now it doesn't work again. :-(</p>\n<p>So you could put <code>swap</code> in namespace std and have it work. But you'll need to remember to put <code>swap</code> in <code>A</code>'s namespace for the case when you have a template: <code>A&lt;T&gt;</code>. And since both cases will work if you put <code>swap</code> in <code>A</code>'s namespace, it is just easier to remember (and to teach others) to just do it that one way.</p>\n", "LastEditorUserId": "1913824", "LastActivityDate": "2015-08-31T17:13:17.170", "Score": "60", "CreationDate": "2011-12-08T23:52:13.473", "ParentId": "11562", "CommentCount": "17", "OwnerUserId": "576911", "LastEditDate": "2015-08-31T17:13:17.170"}});
[ { "type": "The color of the sky", "answers": ["blue","ازرق", "أزرق", "زرقاء", "لون أزرق", "لون ازرق"] }, { "type": "ما هو إسم الشهر الميلادي الذي إذا حذفت أوله , تحول إلى إسم فاكهه ؟", "answers": ["تموز"] }, { "type": "ما هي الكلمه التي يبطل معناها إذا نطقنا بها ؟", "answers": ["الصمت", "صمت", "السكوت", "الصموت"] }, { "type": " ما الذي يكون بين السماء و الارض ؟", "answers": ["الواو","حرف الواو", "و", "حرف و"] }, { "type": "ما هو الشي الذي كلما زاد نقص ؟", "answers": ["العمر"] }, { "type": "ما هو الشي الذي كلما زاد نقص ؟", "answers": ["العمر", "عمر", "عمرك"] }, { "type": "ما هو الشي الذي يتكلم جميع لغات العالم ؟", "answers": ["الصدى", "صدى"] }, { "type": "ما هو الشي الذي كلما أخذت منه كبر ؟", "answers": ["الحفرة"] }, { "type": "هو ابن الماء . وإذا وضع فيه الماء مات ... فماذا يكون ؟", "answers": ["الثلج", "ثلج", "ثلجة"] }, { "type": "كله ثقوب و مع ذلك يحفظ الماء ؟", "answers": ["الاسفنج", "اسفنح", "اسفنحة", "اسفنحه", "سفنج"] }, { "type": "مدينه سعوديه إسمها على إسم نبات .. فما هي ؟", "answers": ["عرعر", "العرعر", "مدينة عرعر", "عريعرة"] }, { "type": "من هي بنت خال بنت والدك ؟ ", "answers": ["اختك", "اختي", "ختي", "اختوي"] }, { "type": "ما هو الشي الذي لا يستفاد منه إلا إذا كسر ؟", "answers": ["البيض", "البيضة", "البيضه", "بيض", "بيضه", "بيضة"] }, { "type": "انسان .. ولكنه ليس من بني ادم فمن هو ؟", "answers": ["ادم", "ادم عليه السلام", "أدم", "النبي ادم"] }, { "type": "من هو الذي تراه ولا يراك ؟", "answers": ["الأعمى", "الكفيف", "العمي", "أعمى"] }, { "type": "ما هو الشي الذي يذهب ولا يرجع ؟", "answers": ["الدخان", "دخان", "ادخنة"] }, { "type": "ما هو الشي الذي كلما زاد نقص ؟", "answers": ["العمر"] }, { "type": "ما هو الشي الذي كلما زاد نقص ؟", "answers": ["العمر"] } ]
{ "textures": { "oak": "logs/yew" }, "parent": "item/logs/oak" }
{ "add": { "doc": { "id": "7b1e4b090e3a682798993b5d5715f4b9cc0f7e6ac299c0c141c55f4258adcf20", "url": "https://upload.wikimedia.org/wikipedia/en/thumb/d/d7/American_Airlines_logo.svg/220px-American_Airlines_logo.svg.png", "previous": " ", "after": " In 1967 Massimo Vignelli designed the famous AA logo 99 100 Thirty years later in 1997 American Airlines was able to make its logo Internet compatible by buying the domain AA com AA is also American s two letter IATA airline designator ", "color": "firebrick|0.82737 indian|0.1098 red|0.1098 light|0.042092 coral|0.042092 pink|0.0099749 light|0.0079029 pink|0.0079029 ", "after_weights": " In|1 1967|0.97619 Massimo|0.95238 Vignelli|0.92857 designed|0.90476 the|0.88095 famous|0.85714 AA|0.83333 logo|0.80952 99|0.78571 100|0.7619 Thirty|0.7381 years|0.71429 later|0.69048 in|0.66667 1997|0.64286 American|0.61905 Airlines|0.59524 was|0.57143 able|0.54762 to|0.52381 make|0.5 its|0.47619 logo|0.45238 Internet|0.42857 compatible|0.40476 by|0.38095 buying|0.35714 the|0.33333 domain|0.30952 AA|0.28571 com|0.2619 AA|0.2381 is|0.21429 also|0.19048 American|0.16667 s|0.14286 two|0.11905 letter|0.095238 IATA|0.071429 airline|0.047619 designator|0.02381 |0", "previous_weights": " " } } }
[ "http://2.bp.blogspot.com/-ON4Qe4e33ug/TzGVFZvzFnI/AAAAAAAAEV0/XsG8SnJvS5Y/s0/000.png", "http://2.bp.blogspot.com/-QCp45-cVziw/TzGVHZTznFI/AAAAAAAAEWA/k7QPTcz5Q9I/s0/001.png", "http://2.bp.blogspot.com/-RCi9oCZy_e4/TzGVJYISm1I/AAAAAAAAEWU/fRrS_OYnFoI/s0/002.png", "http://2.bp.blogspot.com/-R-xhgo7jRg4/TzGVLVd3KZI/AAAAAAAAEWg/elob3dhuGoM/s0/003.png", "http://2.bp.blogspot.com/-W7ZrzjcqIzY/TzGVNR5AZMI/AAAAAAAAEWw/282P6tXiHT4/s0/004.png", "http://2.bp.blogspot.com/-sGVCNwVCoUI/TzGVPOX7oII/AAAAAAAAEXE/vpsHZFaEzN0/s0/005.png", "http://2.bp.blogspot.com/-yR5vXFzfTso/TzGVRfXqeNI/AAAAAAAAEXQ/3myQ4Js_LcI/s0/006.png", "http://2.bp.blogspot.com/-4wb9ZnY5UNw/TzGVTXeLdKI/AAAAAAAAEXk/CPiYGnWZELM/s0/007.png", "http://2.bp.blogspot.com/-i0zl1YKA96I/TzGVX7pCB4I/AAAAAAAAEYA/kkyeNPDu6i0/s0/008.png", "http://2.bp.blogspot.com/-4dcpJdbLJ80/TzGVaEJvZlI/AAAAAAAAEYQ/BXdWzJfx8S0/s0/009.png", "http://2.bp.blogspot.com/-xIwlo5q_yG8/TzGVcGStPmI/AAAAAAAAEYY/i_a0XsEd1FE/s0/010.png", "http://2.bp.blogspot.com/-qnRykXseV9g/TzGVeBPkKgI/AAAAAAAAEYk/wOceT9I6Eq0/s0/011.png", "http://2.bp.blogspot.com/-avSEe_vEr0I/TzGVgHro3XI/AAAAAAAAEYs/6-YzYfDe8r8/s0/012.png", "http://2.bp.blogspot.com/-oTWf7s6mi4I/TzGViF16acI/AAAAAAAAEY4/R7zHmas9tOs/s0/013.png", "http://2.bp.blogspot.com/-GAfENm8KCdU/TzGVkT2C4KI/AAAAAAAAEZI/x5R4O93Gfmo/s0/014.png", "http://2.bp.blogspot.com/-xMOdWDnQ6vI/TzGVmQwZCFI/AAAAAAAAEZU/0BWVXlP2l90/s0/015.png", "http://2.bp.blogspot.com/-NpKHkNr6Nko/TzGVoPnVsyI/AAAAAAAAEZk/K7IXu0L9v0A/s0/016.png", "http://2.bp.blogspot.com/-pm75aDv7Js8/TzGVqGhGTRI/AAAAAAAAEZ0/yrC-0cVbyGY/s0/017.png", "http://2.bp.blogspot.com/-OViJ0JCnogY/TzGVsPRnX-I/AAAAAAAAEaE/WUN1TtyPvqg/s0/018.png", "http://2.bp.blogspot.com/--gTDVaZe_ro/TzGVtOfBcWI/AAAAAAAAEaM/I00pg3UJoks/s0/019.png" ]
[{"date":"1319150884000","id":"fe398e8a-b774-461e-820a-0f61cd299e50","t":"Paris Hilton Attends the ‘Dirty Dancing’ Premiere in Germany (Photos)","u":"http://www.celebdirtylaundry.com/2011/paris-hilton-attends-the-dirty-dancing-premiere-in-germany-photos/"},{"date":"1319533144000","id":"f3406ffb-2336-44a6-9f4a-49061796c501","t":"Kardashian Fam -- Coming to a Bathroom Near You","u":"http://www.tmz.com/2011/10/24/kardashian-kollection-home-bathroom-products-kitchen-towels-home-line/"},{"date":"1319533144000","id":"d2357ae2-b6bf-42ca-b72c-937a0bc03f68","t":"The Wendy Williams Show Got Renewed for 2 More Seasons","u":"http://perezhilton.com/2011-10-25-the-wendy-williams-show-picked-up-for-two-more-seasons"},{"date":"1319150884000","id":"3566036d-2e6f-4bcc-adfe-6145cc711978","t":"Joey Lawrence Shows Off Sexy Shirtless Bod During Outdoor Workout","u":"http://www.usmagazine.com/healthylifestyle/news/joey-lawrence-shows-off-sexy-shirtless-bod-during-outdoor-workout-20112010"},{"date":"1319016484000","id":"41bd9305-ece7-4367-b089-903bda8b8fa8","t":"Dita Von Teese -- $5,000 Victory Over Alleged Anti-Semite Landlord","u":"http://www.tmz.com/2011/10/18/dita-von-teese-landlord-anti-semitic-rant/"},{"date":"1319030081000","id":"1409753d-8004-445a-8837-cf824913f649","t":"Leona Palmer: Celebrity Fit: Hollywood Skinny and Sample Sizes","u":"http://www.huffingtonpost.com/leona-palmer/body-image-hollywood_b_952999.html"},{"date":"1319533144000","id":"26a76426-6e0f-4f67-8989-efd7f6473b3b","t":"Matthew Perry Talks Drug Control With Government Officials","u":"http://www.starpulse.com/news/index.php/2011/10/24/matthew_perry_talks_drug_control_with_"},{"date":"1319112423000","id":"1eaea302-ca51-46f4-9634-d2d324ed478b","t":"Lindsay Lohan Accused of Smoking Crack or Meth by Dad Michael Lohan","u":"http://haveuheard.net/2011/10/lindsay-lohan-accused-smoking-crack-meth-dad-michael-lohan/"},{"date":"1319131624000","id":"d95158ec-e860-4bcd-ba26-951d7f5d3466","t":"Gaddafi Dead – See How A Tyrant Dies","u":"http://www.celebdirtylaundry.com/2011/gaddafi-dead-see-how-a-tyrant-dies-2/"},{"date":"1319533144000","id":"6824aaae-47c1-406e-8df7-e7a7d06c020c","t":"Hope Solo Dancing With The Stars Rumba Performance Video 10/24/11","u":"http://www.celebdirtylaundry.com/2011/hope-solo-dancing-with-the-stars-rumba-performance-video-102411/"},{"date":"1319121148000","id":"8d6a7e9f-b28f-4cb9-a7ee-040dd73519ff","t":"J14","u":"http://www.j14.com/"},{"date":"1319150884000","id":"1369449e-3c29-48a2-8861-1f55870727b5","t":"Fox News announces Republican debates","u":"http://omg.yahoo.com/news/fox-news-announces-republican-debates-213301709.html"},{"date":"1318494486000","id":"7c79ad20-84a7-43c6-a336-9927b8efb3bd","t":"Kiel's Balance Blow","u":"http://www.imdb.com/rg/rss/news/news/ni16615899/"},{"date":"1319131624000","id":"fabc1699-782e-4759-a918-fa187e932f11","t":"Halle Berry Wins in Court, Gabriel Aubrey Declined Unsupervised Visits With Daughter!","u":"http://feedproxy.google.com/%7er/beautelicious/lujv/%7e3/vws6hkbkp8o/"},{"date":"1319131624000","id":"8202c4a3-1210-4f6c-8515-1825e00ed6f3","t":"Ali Fedotowsky: We are not planning a wedding","u":"http://rss.cnn.com/%7er/rss/cnn_showbiz/%7e3/lp4ytghtowo/index.html"},{"date":"1319095943000","id":"a8fbf077-5f1d-478c-aac0-87a21a7e5ce8","t":"The Ultimate Celebrity Upskirt site","u":"http://www.celebrity-upskirt.co.uk/news.htm"},{"date":"1319131624000","id":"7238b48d-8e3a-49cb-8ba1-1009fed2a02a","t":"Gallery: 7 Creepy But Charismatic Movie Villains","u":"http://feeds.b5media.com/%7er/b5media/pittwatch/%7e3/cdyziwfwife/"},{"date":"1319533144000","id":"b337c44b-a2f4-42de-a9ae-9f947e29c4e2","t":"X Factor 2011: Simon Cowell insist he won’t sack Louis Walsh *sad face*","u":"http://feedproxy.google.com/%7er/unreality/%7e3/7pigqx3pit0/"},{"date":"1319112423000","id":"c2306e6e-a867-4549-80ec-d835266111bf","t":"X Factor bosses hit out at contestants’ ‘lack of effort’","u":"http://feedproxy.google.com/%7er/unreality/%7e3/p60dtaaqaxq/"},{"date":"1319131624000","id":"24f5555a-39f3-4514-b23b-c287831849da","t":"Baker's movie 'Margin Call' is ripped from reality","u":"http://omg.yahoo.com/news/bakers-movie-margin-call-ripped-reality-125122682.html"}]
{"rendered": {"description": {"raw": "Fix vrc_bandwidth installing issue.", "markup": "markdown", "html": "<p>Fix vrc_bandwidth installing issue.</p>", "type": "rendered"}, "title": {"raw": "ROS setup sourced", "markup": "markdown", "html": "<p>ROS setup sourced</p>", "type": "rendered"}}, "type": "pullrequest", "description": "Fix vrc_bandwidth installing issue.", "links": {"decline": {"href": "https://api.bitbucket.org/2.0/repositories/osrf/cloudsim-client-tools/pullrequests/5/decline"}, "diffstat": {"href": "https://api.bitbucket.org/2.0/repositories/osrf/cloudsim-client-tools/diffstat/osrf/cloudsim-client-tools:9f9e12addd1d%0D5f93c28fd0e0?from_pullrequest_id=5"}, "commits": {"href": "data/repositories/osrf/cloudsim-client-tools/pullrequests/5/commits.json"}, "self": {"href": "data/repositories/osrf/cloudsim-client-tools/pullrequests/5.json"}, "comments": {"href": "data/repositories/osrf/cloudsim-client-tools/pullrequests/5/comments_page=1.json"}, "merge": {"href": "https://api.bitbucket.org/2.0/repositories/osrf/cloudsim-client-tools/pullrequests/5/merge"}, "html": {"href": "#!/osrf/cloudsim-client-tools/pull-requests/5"}, "activity": {"href": "data/repositories/osrf/cloudsim-client-tools/pullrequests/5/activity.json"}, "diff": {"href": "https://api.bitbucket.org/2.0/repositories/osrf/cloudsim-client-tools/diff/osrf/cloudsim-client-tools:9f9e12addd1d%0D5f93c28fd0e0?from_pullrequest_id=5"}, "approve": {"href": "https://api.bitbucket.org/2.0/repositories/osrf/cloudsim-client-tools/pullrequests/5/approve"}, "statuses": {"href": "data/repositories/osrf/cloudsim-client-tools/pullrequests/5/statuses_page=1.json"}}, "title": "ROS setup sourced", "close_source_branch": true, "reviewers": [{"display_name": "Hugo Boyer", "uuid": "{3d87874e-7099-4981-b04f-57f0272faa7d}", "links": {"self": {"href": "https://api.bitbucket.org/2.0/users/%7B3d87874e-7099-4981-b04f-57f0272faa7d%7D"}, "html": {"href": "https://bitbucket.org/%7B3d87874e-7099-4981-b04f-57f0272faa7d%7D/"}, "avatar": {"href": "data/secure.gravatar.com/avatar/21198da8539b599e3633017f5f5f8150d=httpsavatar-management--avatars.us-west-2.prod.public.atl-paas.netinitialsHB-6.png"}}, "nickname": "hugomatic", "type": "user", "account_id": "557058:869c02bb-b246-4cdc-9db3-0064e8add185"}], "id": 5, "destination": {"commit": {"hash": "5f93c28fd0e0", "type": "commit", "links": {"self": {"href": "data/repositories/osrf/cloudsim-client-tools/commit/5f93c28fd0e0.json"}, "html": {"href": "#!/osrf/cloudsim-client-tools/commits/5f93c28fd0e0"}}}, "repository": {"links": {"self": {"href": "data/repositories/osrf/cloudsim-client-tools.json"}, "html": {"href": "#!/osrf/cloudsim-client-tools"}, "avatar": {"href": "data/bytebucket.org/ravatar/{efce1748-f779-4923-ad69-731a0b345049}ts=c_plus_plus"}}, "type": "repository", "name": "cloudsim-client-tools", "full_name": "osrf/cloudsim-client-tools", "uuid": "{efce1748-f779-4923-ad69-731a0b345049}"}, "branch": {"name": "default"}}, "created_on": "2013-03-04T23:36:49.496004+00:00", "summary": {"raw": "Fix vrc_bandwidth installing issue.", "markup": "markdown", "html": "<p>Fix vrc_bandwidth installing issue.</p>", "type": "rendered"}, "source": {"commit": {"hash": "0da4415d3d44", "type": "commit", "links": {"self": {"href": "data/repositories/osrf/cloudsim-client-tools/commit/0da4415d3d44.json"}, "html": {"href": "#!/osrf/cloudsim-client-tools/commits/0da4415d3d44"}}}, "repository": {"links": {"self": {"href": "data/repositories/osrf/cloudsim-client-tools.json"}, "html": {"href": "#!/osrf/cloudsim-client-tools"}, "avatar": {"href": "data/bytebucket.org/ravatar/{efce1748-f779-4923-ad69-731a0b345049}ts=c_plus_plus"}}, "type": "repository", "name": "cloudsim-client-tools", "full_name": "osrf/cloudsim-client-tools", "uuid": "{efce1748-f779-4923-ad69-731a0b345049}"}, "branch": {"name": "issue02"}}, "comment_count": 0, "state": "MERGED", "task_count": 0, "participants": [{"role": "REVIEWER", "participated_on": "2013-03-05T00:20:40.561886+00:00", "type": "participant", "approved": true, "user": {"display_name": "Hugo Boyer", "uuid": "{3d87874e-7099-4981-b04f-57f0272faa7d}", "links": {"self": {"href": "https://api.bitbucket.org/2.0/users/%7B3d87874e-7099-4981-b04f-57f0272faa7d%7D"}, "html": {"href": "https://bitbucket.org/%7B3d87874e-7099-4981-b04f-57f0272faa7d%7D/"}, "avatar": {"href": "data/secure.gravatar.com/avatar/21198da8539b599e3633017f5f5f8150d=httpsavatar-management--avatars.us-west-2.prod.public.atl-paas.netinitialsHB-6.png"}}, "nickname": "hugomatic", "type": "user", "account_id": "557058:869c02bb-b246-4cdc-9db3-0064e8add185"}}, {"role": "PARTICIPANT", "participated_on": "2013-03-05T00:15:25.665572+00:00", "type": "participant", "approved": true, "user": {"display_name": "Ian Chen", "uuid": "{eaa6fca5-6deb-43f6-907f-971c144735dd}", "links": {"self": {"href": "https://api.bitbucket.org/2.0/users/%7Beaa6fca5-6deb-43f6-907f-971c144735dd%7D"}, "html": {"href": "https://bitbucket.org/%7Beaa6fca5-6deb-43f6-907f-971c144735dd%7D/"}, "avatar": {"href": "https://avatar-management--avatars.us-west-2.prod.public.atl-paas.net/557058:10b01d41-a2e9-4a41-a907-e6e2f03b6cd5/1e4adcdf-1946-4280-9aea-eb5f15a7f912/128"}}, "nickname": "Ian Chen", "type": "user", "account_id": "557058:10b01d41-a2e9-4a41-a907-e6e2f03b6cd5"}}], "reason": "", "updated_on": "2013-03-05T00:21:35.965969+00:00", "author": {"display_name": "Carlos Ag\u00fcero", "uuid": "{da8a8e89-4bb0-421b-bd0e-dbbed3d4ed6a}", "links": {"self": {"href": "https://api.bitbucket.org/2.0/users/%7Bda8a8e89-4bb0-421b-bd0e-dbbed3d4ed6a%7D"}, "html": {"href": "https://bitbucket.org/%7Bda8a8e89-4bb0-421b-bd0e-dbbed3d4ed6a%7D/"}, "avatar": {"href": "data/secure.gravatar.com/avatar/692bf15758111acaddae4da15a47f9e5d=httpsavatar-management--avatars.us-west-2.prod.public.atl-paas.netinitialsCA-0.png"}}, "nickname": "caguero", "type": "user", "account_id": "557058:4ded1ddf-947e-4154-bbd1-3dba24f1bdbd"}, "merge_commit": {"hash": "9f9e12addd1d", "type": "commit", "links": {"self": {"href": "data/repositories/osrf/cloudsim-client-tools/commit/9f9e12addd1d.json"}, "html": {"href": "#!/osrf/cloudsim-client-tools/commits/9f9e12addd1d"}}}, "closed_by": {"display_name": "Carlos Ag\u00fcero", "uuid": "{da8a8e89-4bb0-421b-bd0e-dbbed3d4ed6a}", "links": {"self": {"href": "https://api.bitbucket.org/2.0/users/%7Bda8a8e89-4bb0-421b-bd0e-dbbed3d4ed6a%7D"}, "html": {"href": "https://bitbucket.org/%7Bda8a8e89-4bb0-421b-bd0e-dbbed3d4ed6a%7D/"}, "avatar": {"href": "data/secure.gravatar.com/avatar/692bf15758111acaddae4da15a47f9e5d=httpsavatar-management--avatars.us-west-2.prod.public.atl-paas.netinitialsCA-0.png"}}, "nickname": "caguero", "type": "user", "account_id": "557058:4ded1ddf-947e-4154-bbd1-3dba24f1bdbd"}}
{ "first_traded_price": 862.0, "highest_price": 879.0, "isin": "IRO1INDM0001", "last_traded_price": 872.0, "lowest_price": 861.0, "trade_volume": 878293.0, "unix_time": 1499212800 }
{ "actions": [ { "acted_at": "2001-12-19", "committee": "Committee on the Judiciary", "references": [], "status": "REFERRED", "text": "Read twice and referred to the Committee on the Judiciary.", "type": "referral" } ], "amendments": [], "bill_id": "s1859-107", "bill_type": "s", "committees": [ { "activity": [ "referral", "in committee" ], "committee": "Senate Judiciary", "committee_id": "SSJU" } ], "congress": "107", "cosponsors": [ { "district": null, "name": "Chafee, Lincoln", "sponsored_at": "2001-12-19", "state": "RI", "thomas_id": "01612", "title": "Sen", "withdrawn_at": null }, { "district": null, "name": "Clinton, Hillary Rodham", "sponsored_at": "2001-12-20", "state": "NY", "thomas_id": "01631", "title": "Sen", "withdrawn_at": null }, { "district": null, "name": "Durbin, Richard", "sponsored_at": "2002-05-21", "state": "IL", "thomas_id": "00326", "title": "Sen", "withdrawn_at": null } ], "enacted_as": null, "history": { "awaiting_signature": false, "enacted": false, "vetoed": false }, "introduced_at": "2001-12-19", "number": "1859", "official_title": "A bill to extend the deadline for granting posthumous citizenship to individuals who die while on active-duty service in the Armed Forces.", "popular_title": null, "related_bills": [ { "bill_id": "hr2623-107", "reason": "identical" } ], "short_title": "Posthumous Citizenship Restoration Act of 2001", "sponsor": { "district": null, "name": "Schumer, Charles E.", "state": "NY", "thomas_id": "01036", "title": "Sen", "type": "person" }, "status": "REFERRED", "status_at": "2001-12-19", "subjects": [ "Aliens", "Armed forces and national security", "Citizenship", "Government operations and politics", "History", "Immigration", "Korean War, 1950-1953", "Vietnamese Conflict", "War casualties", "World War I", "World War II" ], "subjects_top_term": "Immigration", "summary": { "as": "Introduced", "date": "2001-12-19", "text": "Posthumous Citizenship Restoration Act of 2001 - Amends the Immigration and Nationality Act to extend until two years after the later of the date of enactment of this Act or the date of the person's death the deadline for the Attorney General to approve a request to grant posthumous citizenship to individuals who die while on active-duty military service." }, "titles": [ { "as": "introduced", "title": "Posthumous Citizenship Restoration Act of 2001", "type": "short" }, { "as": "introduced", "title": "A bill to extend the deadline for granting posthumous citizenship to individuals who die while on active-duty service in the Armed Forces.", "type": "official" } ], "updated_at": "2013-02-02T20:47:19-05:00" }
{ "success": true, "data": [ { "_id": "12345", "name": "Cymulate Best Practice" }, { "_id": "6789", "name": "Cloud Services" }, { "_id": "9876", "name": "Network Protocols" }, { "_id": "54321", "name": "Physical" } ] }
{"first_name":"Nadav","last_name":"Zohar","permalink":"nadav-zohar","crunchbase_url":"http://www.crunchbase.com/person/nadav-zohar","homepage_url":null,"birthplace":null,"twitter_username":null,"blog_url":null,"blog_feed_url":null,"affiliation_name":"Unaffiliated","born_year":null,"born_month":null,"born_day":null,"tag_list":null,"alias_list":null,"created_at":"Thu Apr 29 18:32:11 UTC 2010","updated_at":"Fri Apr 30 20:30:15 UTC 2010","overview":null,"image":null,"degrees":[],"relationships":[{"is_past":false,"title":"Board Member","firm":{"name":"Soluto","permalink":"soluto","type_of_entity":"company","image":{"available_sizes":[[[150,48],"assets/images/resized/0006/4716/64716v5-max-150x150.jpg"],[[230,74],"assets/images/resized/0006/4716/64716v5-max-250x250.jpg"],[[230,74],"assets/images/resized/0006/4716/64716v5-max-450x450.jpg"]],"attribution":null}}}],"investments":[],"milestones":[],"video_embeds":[],"external_links":[],"web_presences":[]}
["3a6b2169b677edc046395edfe7f0e0d26bbb98b3"]
{ "first_traded_price": 12150.0, "highest_price": 12280.0, "isin": "IRO3RPEZ0001", "last_traded_price": 12190.0, "lowest_price": 1.2e4, "trade_volume": 709327.0, "unix_time": 1515283200 }
{"parse":{"title":"User talk:\u5f53\u5348\u5f53\u5348\u4f60\u5728\u54ea","pageid":63850,"wikitext":{"*":"{{Template:Welcome|realName=|name=\u5f53\u5348\u5f53\u5348\u4f60\u5728\u54ea}}\n\n-- [[User:\u840c\u767e\u5a18|\u840c\u767e\u5a18]]\uff08[[User talk:\u840c\u767e\u5a18|\u8ba8\u8bba]]\uff09 2013\u5e7411\u670823\u65e5 (\u516d) 19:31 (CST)"}}}
{ "name": "M\u00ec Tr\u1ed9n Indomie 158", "address": "158 Th\u00e1i Th\u1ecbnh, Qu\u1eadn \u0110\u1ed1ng \u0110a H\u00e0 N\u1ed9i", "category": "\u0102n v\u1eb7t/v\u1ec9a h\u00e8", "scores": { "avg_score": 9.1, "price": 9.3, "quality": 9.3, "service": 9.3, "location": 9.0, "space": 8.8 }, "review_count": 4, "opening_time": "07:00", "closing_time": "23:59", "min_price": "20.000", "max_price": "30.000", "audiences": [ "C\u1eb7p \u0111\u00f4i", "Gia \u0111\u00ecnh", "Nh\u00f3m h\u1ed9i" ], "cuisine": "M\u00f3n Vi\u1ec7t", "url": "https://www.foody.vn/ha-noi/mi-tron-indomie-158" }
[ { "id": "1f8ddaf5-6cc1-4857-8a71-e4b6b8c82e82", "data": [ { "text": "gibt es eine Möglichkeit sich zu testen", "userDefined": false } ], "isTemplate": false, "count": 0, "updated": 0 }, { "id": "2adba48b-73d9-4e60-96db-f7dfe9b7f265", "data": [ { "text": "Wie kann ich wissen ob ich Coronavirus habe?", "userDefined": false } ], "isTemplate": false, "count": 0, "updated": 0 }, { "id": "5ca8df00-e16b-4407-b78f-a992e74dc8c2", "data": [ { "text": "wie wird ", "userDefined": false }, { "text": "eine", "meta": "@sys.ignore", "userDefined": false }, { "text": " Infektion getestet", "userDefined": false } ], "isTemplate": false, "count": 0, "updated": 0 }, { "id": "0f423351-da0d-4096-9b01-ef4e5af29036", "data": [ { "text": "Schnelltest", "userDefined": false } ], "isTemplate": false, "count": 1, "updated": 0 }, { "id": "cef1d1d6-26ed-4625-87a5-6fb0a7fdfe30", "data": [ { "text": "bin ich krank", "userDefined": false } ], "isTemplate": false, "count": 0, "updated": 0 }, { "id": "3a37f4a0-d2ae-425c-a34b-1d6b5e918932", "data": [ { "text": "wo kann ich mich testen lassen", "userDefined": false } ], "isTemplate": false, "count": 1, "updated": 0 }, { "id": "cce8bc40-c8c0-4ad6-b66b-497336003915", "data": [ { "text": "kann es sein dass ich mich angesteckt habe", "userDefined": false } ], "isTemplate": false, "count": 0, "updated": 0 }, { "id": "de4968bd-2947-44a6-a238-db62c9ea8e94", "data": [ { "text": "habe ich mich angesteckt habe", "userDefined": false } ], "isTemplate": false, "count": 0, "updated": 0 }, { "id": "78bb6556-1545-4ab5-9da2-7326953bb2bc", "data": [ { "text": "gibt es einen Schnelltest", "userDefined": false } ], "isTemplate": false, "count": 1, "updated": 0 }, { "id": "f3849924-2b2f-4ea9-ac8e-40b0ace00c1f", "data": [ { "text": "Gibt es einen Schnelltest?", "userDefined": false } ], "isTemplate": false, "count": 0, "updated": 0 }, { "id": "c9f9208b-ca78-4f99-9127-e18e7a2c04d0", "data": [ { "text": "woran erkenne ich ob ich krank bin", "userDefined": false } ], "isTemplate": false, "count": 0, "updated": 0 }, { "id": "7c834250-e78c-474a-910f-750c5a234621", "data": [ { "text": "Habe ich mich angesteckt?", "userDefined": false } ], "isTemplate": false, "count": 0, "updated": 0 }, { "id": "27d00f99-438e-4d1f-b094-733c85c64ab0", "data": [ { "text": "Wo kann ich mich testen lassen?", "userDefined": false } ], "isTemplate": false, "count": 1, "updated": 0 }, { "id": "9773020c-c744-472b-a357-81a47b929f51", "data": [ { "text": "Wo finde ich ", "userDefined": false }, { "text": "einen Arzt", "meta": "@sys.ignore", "userDefined": false }, { "text": "?", "userDefined": false } ], "isTemplate": false, "count": 0, "updated": 0 }, { "id": "76e6be3d-8431-4140-89af-f1c0e6069830", "data": [ { "text": "Bin ich krank?", "userDefined": false } ], "isTemplate": false, "count": 0, "updated": 0 }, { "id": "e34f5542-052b-45b1-9d18-3906e9b28c46", "data": [ { "text": "Kann man sich Testen lassen?", "userDefined": false } ], "isTemplate": false, "count": 0, "updated": 0 }, { "id": "49b77233-ddd8-4efa-a1ef-e8a3eac29c2d", "data": [ { "text": "Gibt es einen Schnelltest für das neuartige Coronavirus?", "userDefined": false } ], "isTemplate": false, "count": 0, "updated": 0 } ]
{"userName": "@diditsaad", "bio": "Musical People formerly member / producer of Esqi:ef | Ray D Sky | Plastik | eVo | @daddynthehottea", "outputProfileName": "diditsaad", "bigrams": ["@d", "di", "id", "di", "it", "ts", "sa", "aa", "ad", "Di", "id", "di", "it", "t", "S", "Sa", "aa", "ad"], "pictureURL": "https://pbs.twimg.com/profile_images/729535575338811392/APSN2HCp_400x400.jpg", "location": "Jakarta, Indonesia", "fullName": "Didit Saad", "externalUrl": "instagram.com/diditsaad"}
{"name":"Valant Medical Solutions","permalink":"valant-medical-solutions","crunchbase_url":"http://www.crunchbase.com/company/valant-medical-solutions","homepage_url":"http://www.valant.com/","blog_url":"http://www.valant.com/blog","blog_feed_url":"","twitter_username":"valant","category_code":"software","number_of_employees":20,"founded_year":2005,"founded_month":null,"founded_day":null,"deadpooled_year":null,"deadpooled_month":null,"deadpooled_day":null,"deadpooled_url":null,"tag_list":"behavioral-health-emr, psychiatry-ehr, psychiatry-emr, emr-demo, mental-health-software, psychiatrist-ehr, meaningful-use","alias_list":null,"email_address":"info@valantmed.com","phone_number":"888-774-0532","description":"EMR/EHR for psychiatrists ","created_at":"Mon Oct 17 21:24:11 UTC 2011","updated_at":"Mon Oct 31 01:32:13 UTC 2011","overview":"<p>Valant provides a web-based Electronic Medical Record (EMR/EHR) system to psychiatrists and other Behavioral Health professionals. Valant&#8217;s comprehensive EMR provides clinical documentation, scheduling, e-prescribing, billing, lab integrations, support, Meaningful Use certification and a mobile application. This secure, web-based software frees up your valuable time so you can spend it seeing patients and earning more revenue. Valant&#8217;s EMR is the only EMR designed and developed by a practicing psychiatrist.</p>","image":{"available_sizes":[[[150,57],"assets/images/resized/0015/8450/158450v2-max-150x150.jpg"],[[250,96],"assets/images/resized/0015/8450/158450v2-max-250x250.jpg"],[[450,173],"assets/images/resized/0015/8450/158450v2-max-450x450.jpg"]],"attribution":null},"products":[],"relationships":[],"competitions":[],"providerships":[],"total_money_raised":"$0","funding_rounds":[],"investments":[],"acquisition":null,"acquisitions":[],"offices":[],"milestones":[],"ipo":null,"video_embeds":[],"screenshots":[],"external_links":[]}
{ "hello_everybody_e6b69598": { "message": "Hello everybody" }, "loading_725811ca": { "message": "loading" }, "more_6fae695f": { "message": "more" }, "movies_5ae3362a": { "message": "Movies" }, "popular_44306aeb": { "message": "Popular" }, "top_rated_4a245716": { "message": "Top Rated" }, "tv_352bc329": { "message": "Tv" }, "upcoming_e1ff3db4": { "message": "Upcoming" } }
{ "first_traded_price": 9.0e3, "highest_price": 9.0e3, "isin": "IRO1TMVD0001", "last_traded_price": 8785.0, "lowest_price": 8785.0, "trade_volume": 162002.0, "unix_time": 1325462400 }
{"name":"AirXpanders","permalink":"airxpanders","crunchbase_url":"http://www.crunchbase.com/company/airxpanders","homepage_url":"http://www.airxpanders.com","blog_url":"","blog_feed_url":"","twitter_username":"","category_code":"biotech","number_of_employees":null,"founded_year":null,"founded_month":null,"founded_day":null,"deadpooled_year":null,"deadpooled_month":null,"deadpooled_day":null,"deadpooled_url":null,"tag_list":"","alias_list":"","email_address":"info@airxpanders.com","phone_number":"650-390-9000","description":"","created_at":"Wed Apr 28 02:59:43 UTC 2010","updated_at":"Tue Jan 24 04:14:04 UTC 2012","overview":"<p>AirXpanders is developing technology to address current unmet needs for patients who require tissue expansion after reconstructive surgery with the first emphasis in breast reconstruction. Present methods of tissue expansion utilize saline filled implants that are typically injected on a weekly basis after surgery in order to reach the volume of skin and tissue required for the placement of a permanent breast implant.</p>","image":{"available_sizes":[[[150,35],"assets/images/resized/0008/5152/85152v1-max-150x150.jpg"],[[152,36],"assets/images/resized/0008/5152/85152v1-max-250x250.jpg"],[[152,36],"assets/images/resized/0008/5152/85152v1-max-450x450.jpg"]],"attribution":null},"products":[],"relationships":[],"competitions":[],"providerships":[],"total_money_raised":"$22M","funding_rounds":[{"round_code":"unattributed","source_url":"","source_description":"Cap Funding Report","raised_amount":4000000,"raised_currency_code":"USD","funded_year":2006,"funded_month":12,"funded_day":29,"investments":[{"company":null,"financial_org":{"name":"Heron Capital","permalink":"heron-capital","image":{"available_sizes":[[[150,127],"assets/images/resized/0008/5154/85154v1-max-150x150.jpg"],[[188,160],"assets/images/resized/0008/5154/85154v1-max-250x250.jpg"],[[188,160],"assets/images/resized/0008/5154/85154v1-max-450x450.jpg"]],"attribution":null}},"person":null},{"company":null,"financial_org":{"name":"Prolog Ventures","permalink":"prolog-ventures","image":{"available_sizes":[[[150,77],"assets/images/resized/0004/9719/49719v1-max-150x150.jpg"],[[200,103],"assets/images/resized/0004/9719/49719v1-max-250x250.jpg"],[[200,103],"assets/images/resized/0004/9719/49719v1-max-450x450.jpg"]],"attribution":null}},"person":null}]},{"round_code":"unattributed","source_url":"http://www.bizjournals.com/sanjose/news/2011/03/02/airxpanders-raises-8m-in-third-round.html","source_description":"AirXpanders raises $8M in 2 financings","raised_amount":5000000,"raised_currency_code":"USD","funded_year":2011,"funded_month":3,"funded_day":2,"investments":[{"company":null,"financial_org":{"name":"GBS Ventures","permalink":"gbs-ventures","image":{"available_sizes":[[[100,74],"assets/images/resized/0004/8580/48580v1-max-150x150.png"],[[100,74],"assets/images/resized/0004/8580/48580v1-max-250x250.png"],[[100,74],"assets/images/resized/0004/8580/48580v1-max-450x450.png"]],"attribution":null}},"person":null}]},{"round_code":"unattributed","source_url":"http://www.bizjournals.com/sanjose/news/2011/03/02/airxpanders-raises-8m-in-third-round.html","source_description":"AirXpanders raises $8M in 2 financings","raised_amount":3000000,"raised_currency_code":"USD","funded_year":2011,"funded_month":3,"funded_day":2,"investments":[{"company":null,"financial_org":{"name":"Oxford Finance Corporation","permalink":"oxford-finance-corporation","image":{"available_sizes":[[[108,77],"assets/images/resized/0006/0701/60701v1-max-150x150.jpg"],[[108,77],"assets/images/resized/0006/0701/60701v1-max-250x250.jpg"],[[108,77],"assets/images/resized/0006/0701/60701v1-max-450x450.jpg"]],"attribution":null}},"person":null}]},{"round_code":"d","source_url":"http://www.airxpanders.com/2012/01/23/airxpanders-secures-10m-in-series-d-financing/","source_description":"AirXpanders Secures $10M in Series D Financing","raised_amount":10000000,"raised_currency_code":"USD","funded_year":2012,"funded_month":1,"funded_day":23,"investments":[{"company":null,"financial_org":{"name":"Vivo Ventures","permalink":"vivo-ventures","image":{"available_sizes":[[[150,62],"assets/images/resized/0004/6854/46854v1-max-150x150.png"],[[200,83],"assets/images/resized/0004/6854/46854v1-max-250x250.png"],[[200,83],"assets/images/resized/0004/6854/46854v1-max-450x450.png"]],"attribution":null}},"person":null},{"company":null,"financial_org":{"name":"GBS Ventures","permalink":"gbs-ventures","image":{"available_sizes":[[[100,74],"assets/images/resized/0004/8580/48580v1-max-150x150.png"],[[100,74],"assets/images/resized/0004/8580/48580v1-max-250x250.png"],[[100,74],"assets/images/resized/0004/8580/48580v1-max-450x450.png"]],"attribution":null}},"person":null},{"company":null,"financial_org":{"name":"Prolog Ventures","permalink":"prolog-ventures","image":{"available_sizes":[[[150,77],"assets/images/resized/0004/9719/49719v1-max-150x150.jpg"],[[200,103],"assets/images/resized/0004/9719/49719v1-max-250x250.jpg"],[[200,103],"assets/images/resized/0004/9719/49719v1-max-450x450.jpg"]],"attribution":null}},"person":null},{"company":null,"financial_org":{"name":"Heron Capital","permalink":"heron-capital","image":{"available_sizes":[[[150,127],"assets/images/resized/0008/5154/85154v1-max-150x150.jpg"],[[188,160],"assets/images/resized/0008/5154/85154v1-max-250x250.jpg"],[[188,160],"assets/images/resized/0008/5154/85154v1-max-450x450.jpg"]],"attribution":null}},"person":null}]}],"investments":[],"acquisition":null,"acquisitions":[],"offices":[{"description":"","address1":"2551 Casey Avenue","address2":"Suite H","zip_code":"94043","city":"Mountain View","state_code":"CA","country_code":"USA","latitude":null,"longitude":null}],"milestones":[],"ipo":null,"video_embeds":[],"screenshots":[{"available_sizes":[[[150,138],"assets/images/resized/0008/5153/85153v1-max-150x150.jpg"],[[250,230],"assets/images/resized/0008/5153/85153v1-max-250x250.jpg"],[[450,414],"assets/images/resized/0008/5153/85153v1-max-450x450.jpg"]],"attribution":null}],"external_links":[]}
{"Sector": "Financial", "Industry": "Asset Management", "Country": "USA", "Index": "", "PE": "10.44", "EPSttm": "1.79", "InsiderOwn": "2.60", "ShsOutstand": 27990000.0, "PerfWeek": "7.11", "LastUpdated": "2023-01-13", "MarketCap": 536860000.0, "ForwardPE": "7.92", "EPSnextY": "9.93", "InsiderTrans": "0.14", "ShsFloat": 27730000.0, "PerfMonth": "2.35", "Income": 44300000.0, "PEG": "10.44", "EPSnextQ": "0.59", "InstOwn": "27.40", "ShortFloatRatio": "0.97 / 0.83", "PerfQuarter": "11.83", "Sales": 92700000.0, "PS": "5.79", "EPSthisY": "-3.50", "InstTrans": "3.93", "ShortInterest": 270000.0, "PerfHalfY": "1.47", "Booksh": "17.00", "PB": "1.10", "ROA": "4.40", "TargetPrice": "22.14", "PerfYear": "-24.72", "Cashsh": "1.05", "PC": "17.78", "EPSnext5Y": "1.00", "ROE": "10.20", "FiftyTwoWRange": [16.24, 26.34], "PerfYTD": "9.24", "Dividend": "2.08", "PFCF": "", "EPSpast5Y": "12.20", "ROI": "4.50", "FiftyTwoWHigh": "-30.02", "Beta": "1.19", "DividendPercent": "11.13", "QuickRatio": "", "Salespast5Y": "28.50", "GrossMargin": "76.60", "FiftyTwoWLow": "13.51", "ATR": "0.34", "Employees": "23", "CurrentRatio": "", "SalesQQ": "32.00", "OperMargin": "55.40", "RSI14": "62.23", "Volatility": [1.63, 1.89], "Optionable": true, "DebtEq": "1.27", "EPSQQ": "-39.20", "ProfitMargin": "47.70", "RelVolume": "1.02", "PrevClose": "18.68", "Shortable": true, "LTDebtEq": "1.27", "Earnings": "Oct 31 AMC", "Payout": "108.10", "AvgVolume": 327060.0, "Price": "18.43", "Recom": "2.00", "SMA20": "5.47", "SMA50": "2.05", "SMA200": "-5.97", "Volume": "123414", "Change": "-1.34"}
"\n我的白色小维那斯骨螺们\n六百只全被我立在白色全开保丽龙上\n我的维那斯战士们\n我仔细看你们时生出旭日的光芒\n可你知旭日那么肖似夕阳霞烧\n我再一次推我呼出的气给你们时\n那是一片白骨森林\n你们不曾幻想有过绿叶悬在你们多刺的躯上\n那是经验外的幻觉只有人类才会\n真的"
[ { "quote": "Design não é apenas o que parece ou o que se sente. Design é como funciona", "author": "Steve jobs" } ]
{ "first_traded_price": 3282.0, "highest_price": 3315.0, "isin": "IRO7FRBP0001", "last_traded_price": 3204.0, "lowest_price": 3.2e3, "trade_volume": 1066023.0, "unix_time": 1546300800 }
{"feedstocks": ["qds-sdk"]}
["760b117a03904e465b678b14f95f80032275696f","760046ff9b67a8bb1d71dd15e419de38c7c591ac","4daeefb6d9cb14f9b857b98702e2962fd0f59684","c87a3f5ed660f914689644a0c7edefd99cf7c000","f619a941ffdf6da0b60c68734b5788118c56ca3c","a8724222b6a6b33dc5e73cf214781898d550c1e2"]
{"first_name":"Ralph","last_name":"Warner","permalink":"ralph-warner","crunchbase_url":"http://www.crunchbase.com/person/ralph-warner","homepage_url":null,"birthplace":null,"twitter_username":null,"blog_url":null,"blog_feed_url":null,"affiliation_name":"Unaffiliated","born_year":null,"born_month":null,"born_day":null,"tag_list":null,"alias_list":null,"created_at":"Sat Jul 23 13:23:42 UTC 2011","updated_at":"Sat Jul 23 13:25:03 UTC 2011","overview":"<p>Ralph Warner founded Nolo, with fellow Legal Aid attorney Ed Sherman, in 1971. Widely recognized as pioneers of the do-it-yourself law movement, Warner and Sherman began publishing the do-it-yourself law books they wrote after numerous publishers rejected them. Today, Warner takes an active day-to-day role at Nolo as well as serving as chairman of the board of directors.\nIn addition to running Nolo for much of the past three decades, Warner has championed legal reforms that would make the U.S. justice system accessible to everyone. He has also been an active editor and author, writing titles such as Get a Life: You Don&#8217;t Need a Million to Retire Well and Save Your Small Business. He has also authored children&#8217;s stories, which are sold on his own TallTalesAudio label.</p>","image":null,"degrees":[{"degree_type":"Law degree","subject":"","institution":"Boalt Hall School","graduated_year":null,"graduated_month":null,"graduated_day":null}],"relationships":[{"is_past":false,"title":"Executive Chairman and Co-founder","firm":{"name":"Nolo","permalink":"nolo","type_of_entity":"company","image":{"available_sizes":[[[147,67],"assets/images/resized/0009/1193/91193v1-max-150x150.png"],[[147,67],"assets/images/resized/0009/1193/91193v1-max-250x250.png"],[[147,67],"assets/images/resized/0009/1193/91193v1-max-450x450.png"]],"attribution":null}}}],"investments":[],"milestones":[],"video_embeds":[],"external_links":[],"web_presences":[]}
{ "blockchainApp": { "CoinBoardType": { "null": "", "FREE": "FREE", "INQUIRY": "INQUIRY", "NEWS": "NEWS" } } }
{"id":"27","status":"success","testSteps":[{"id":"0","type":"exec","resource":"Yumrepo[datadog]","totalExecutionCount":1,"averageExecutionTime":0.166579086,"status":"success"},{"id":"1","type":"exec","resource":"Package[datadog-agent-base]","totalExecutionCount":1,"averageExecutionTime":0.212202704,"status":"success"},{"id":"2","type":"exec","resource":"Package[datadog-agent]","totalExecutionCount":1,"averageExecutionTime":20.109594212,"status":"success"},{"id":"3","type":"exec","resource":"File[/etc/dd-agent]","totalExecutionCount":1,"averageExecutionTime":0.27781747,"status":"success"},{"id":"4","type":"exec","resource":"File[/etc/dd-agent/datadog.conf]","totalExecutionCount":1,"averageExecutionTime":0.353425111,"status":"success"},{"id":"5","type":"exec","resource":"File[/etc/dd-agent/conf.d/solr.yaml]","totalExecutionCount":1,"averageExecutionTime":0.275296064,"status":"success"},{"id":"6","type":"exec","resource":"File[/etc/dd-agent/conf.d/solr.yaml]","totalExecutionCount":1,"averageExecutionTime":0.249605793,"status":"success"},{"id":"7","type":"exec","resource":"Service[datadog-agent]","totalExecutionCount":1,"averageExecutionTime":0.353526986,"status":"success"},{"id":"8","type":"assert","resource":"File[/etc/dd-agent/conf.d/solr.yaml]","totalExecutionCount":1,"averageExecutionTime":23.868474431,"status":"success"}],"executionCount":1,"runs":[{"id":"1","executedSteps":9,"executionTime":45.866521856999995,"result":"success"}],"totalExecutedSteps":9,"totalExecutionTime":45.866521856999995}
{"brief":"field","long":"<i>Meaning:</i> a \"field\" (as flat).<br/><i>Usage:</i> country, field, ground, land, soil, × wild.<br/><i>Source:</i> or \"שָׂדַי\"; from an unused root meaning to spread out;"}
{"title":"DogFart- Jaydence Rose","uid":7840947,"size":222410709,"categoryP":"porn","categoryS":"movie_clips","magnet":"?xt=urn:btih:4a70a6778828039f54114853ca5986f62b8c5974&amp;dn=DogFart-+Jaydence+Rose&amp;tr=udp%3A%2F%2Ftracker.openbittorrent.com%3A80&amp;tr=udp%3A%2F%2Fopen.demonii.com%3A1337&amp;tr=udp%3A%2F%2Ftracker.coppersurfer.tk%3A6969&amp;tr=udp%3A%2F%2Fexodus.desync.com%3A6969","seeders":0,"leechers":1,"uploader":"Programsmith","files":-1,"time":1353338685,"description":"Production year: 2012\nGenre: Interracial, Teen, Natural Tits, Blowjob, Oral\nDuration: 00:18:46\n\nDescription: We catch Jaydence Rose in the middle of watching some intense interracial porn. Jaydence is watching in the same\nmanner that most people examine the Zapruder film, but the whore inside this gloryhole is minutes away from getting her own\nblasting. Jaydence finds herself groped and felt up by long, black hands and she's not resisting the experience. The hands\ndisappear in favor of his big black cock along with with another. Now, at this point Jaydence is getting bombarded with big black\ncocks and her throat is giving them both some warm housing ...\n\nVideo Type: SiteRip\nVideo Format: WMV\nVideo: MSMPEG4v3 640x368 1452kbps\nAudio: Windows Media Audio 22050Hz stereo 56kbps\n &lt;a href=&quot;\nhttp://imgload.me/img-50aa4103f23e7.html&quot; rel=&quot;nofollow&quot; target=&quot;_NEW&quot;&gt;\nhttp://imgload.me/img-50aa4103f23e7.html&lt;/a&gt; ","torrent":{"xt":"urn:btih:4a70a6778828039f54114853ca5986f62b8c5974","amp;dn":"DogFart-+Jaydence+Rose","amp;tr":["udp%3A%2F%2Ftracker.openbittorrent.com%3A80","udp%3A%2F%2Fopen.demonii.com%3A1337","udp%3A%2F%2Ftracker.coppersurfer.tk%3A6969","udp%3A%2F%2Fexodus.desync.com%3A6969"],"infoHash":"4a70a6778828039f54114853ca5986f62b8c5974","infoHashBuffer":{"type":"Buffer","data":[74,112,166,119,136,40,3,159,84,17,72,83,202,89,134,246,43,140,89,116]},"announce":[],"urlList":[]}}
{ "id": 84856, "rating": 1469, "attempts": 9025, "fen": "rnb1kb1r/3ppppp/p7/2pP4/1qP5/2P5/2Q1PPPP/R1B1KBNR b KQkq - 0 9", "color": "white", "initialPly": 18, "gameId": "6NXSKw8T", "lines": { "e2e4": { "c4f1": { "e1f1": { "e7e6": "win" } } } }, "vote": 190, "enabled": true }
{ "vorgangId": "145722", "VORGANG": { "WAHLPERIODE": "12", "VORGANGSTYP": "Fragestunde", "TITEL": "Finanzielle Leistungen Westdeutschlands für den Aufbau in den neuen Bundesländern (G-SIG: 12043520)", "AKTUELLER_STAND": "Beantwortet", "SIGNATUR": "", "GESTA_ORDNUNGSNUMMER": "", "PLENUM": { "PLPR_KLARTEXT": "Schriftliche Antwort", "PLPR_HERAUSGEBER": "BT", "PLPR_NUMMER": "12/115", "PLPR_SEITEN": "9834B", "PLPR_LINK": "http://dipbt.bundestag.de:80/dip21/btp/12/12115.pdf#P.9834" }, "EU_DOK_NR": "", "SCHLAGWORT": [ "Deutsche Einheit", "Neue Bundesländer" ], "ABSTRAKT": "" }, "VORGANGSABLAUF": { "VORGANGSPOSITION": [ { "ZUORDNUNG": "BT", "URHEBER": "Mündliche Frage ", "FUNDSTELLE": "23.10.1992 - BT-Drucksache 12/3550, Nr. 17", "FUNDSTELLE_LINK": "http://dipbt.bundestag.de:80/dip21/btd/12/035/1203550.pdf" }, { "ZUORDNUNG": "BT", "URHEBER": "Schriftliche Antwort", "FUNDSTELLE": "29.10.1992 - BT-Plenarprotokoll 12/115, S. 9834B", "FUNDSTELLE_LINK": "http://dipbt.bundestag.de:80/dip21/btp/12/12115.pdf#P.9834", "PERSOENLICHER_URHEBER": [ { "VORNAME": "Claus", "NACHNAME": "Jäger", "FUNKTION": "MdB", "FRAKTION": "CDU/CSU", "AKTIVITAETSART": "Frage", "SEITE": "9834B" }, { "PERSON_TITEL": "Dr.", "VORNAME": "Joachim", "NACHNAME": "Grünewald", "FUNKTION": "Parl. Staatssekr.", "RESSORT": "Bundesministerium der Finanzen", "AKTIVITAETSART": "Antwort", "SEITE": "9834B/Anl" } ] } ] } }
{ "id": 108087, "rating": 1317, "attempts": 4802, "fen": "1r2r1k1/4q2p/3pPppB/p4P2/1pP1Q3/1P4PP/b5BK/4R3 b - - 0 28", "color": "white", "initialPly": 56, "gameId": "tckmLCkf", "lines": { "e4c2": { "a2b3": { "c2b3": { "g8h8": "win" } } } }, "vote": 54, "enabled": true }
{ "first_traded_price": 18490.0, "highest_price": 18994.0, "isin": "IRO1PFAN0001", "last_traded_price": 18820.0, "lowest_price": 18490.0, "trade_volume": 8001.0, "unix_time": 1484438400 }
{ "name": "syncsocketio", "version": "1.0.3", "description": "'syncsocketio' makes ensurly reach the messages and treat the solicited messages.", "main": "./dist/syncsocketio.js", "scripts": { "build-test": "tsc && webpack --mode development", "build": "tsc", "prepare": "tsc" }, "license": "MIT", "homepage": "https://github.com/codianz/syncsocketio", "repository": { "type": "git", "url": "git://github.com/codianz/syncsocketio.git" }, "bugs": { "url": "https://github.com/codianz/syncsocketio/issues" }, "author": "terukazu.inoue@codianz.com", "keywords": [ "socket.io", "wrap", "guarantee", "ensure", "reach", "synchronous", "reconnect" ], "dependencies": { "rxjs": "^6.5.4", "uuid": "^7.0.1" }, "devDependencies": { "@types/express": "^4.17.2", "@types/jquery": "^3.3.33", "@types/socket.io": "^2.1.4", "@types/socket.io-client": "^1.4.32", "@types/uuid": "^7.0.0", "express": "^4.17.1", "jquery": "^3.4.1", "ts-loader": "^6.2.1", "typescript": "^3.8.2", "webpack": "^4.41.6", "webpack-cli": "^3.3.11" }, "optionalDependencies": { "socket.io": "^2.3.0", "socket.io-client": "^2.3.0" } }
["4bd50df9de145aef722b9c65013e5b785771aa02"]
["7017546cd463472d933eb0216aedc164a9b8df0d","0778865e2fe60bb19d78b14c21386a84344d6c98","1b52c5c79297c7191944bc74703955439286d320","d7a4837a21b3c882c8e232ebd809047b7d9eac2e","00a393d2b3b1c6b3e8ade8924d8729d39ccddbef","81fb01db3e8ba9f24ee473e5170b91e2e94eb31d"]
{"lDaRjBglhfWCRMMYbXDMNg": 1}
{"angular-input-masks-debug.js":"sha512-Qw0oJ2oAGsOeZPcT73UeTWW4nHRdlStWWM7dhY7b2ADOetFWElXxhhU5rKRtdDH+xvpYMcs6xOQKzgs1hkuj0g==","angular-input-masks-debug.min.js":"sha512-RiHd6kz+x2v1cgiWe/BivEnEGa28uIgsucd9sRqZZLr/H6r7KC9RZ3U8NCVZ3BCOryJWd0fl6AhuJLItStcG4w==","angular-input-masks-standalone.js":"sha512-nA1gQuIjsUgLjIzN4r6ClHtnemDDCZHUZwX/pTuUhDaH2nstToC/V2To9LJhRaegG+gASTjSD+NSIH5nSJbxmQ==","angular-input-masks-standalone.min.js":"sha512-RiHd6kz+x2v1cgiWe/BivEnEGa28uIgsucd9sRqZZLr/H6r7KC9RZ3U8NCVZ3BCOryJWd0fl6AhuJLItStcG4w==","angular-input-masks.br.js":"sha512-gJaDfz5ltaU7WRzWBBiNZZugXFjKTrAi5aYzi0+L+1Xpr2Ji8/cDP2X603JIRBFwHxe91TWgflHqDYO4SuJcGw==","angular-input-masks.br.min.js":"sha512-voPPpJdtHH12f2xRbHWARvOlP465nJtuxguxHfc4j4ihCBSIR/EQ96fA8sunXN19Yp8P3b4spKtu0LbjbdvOiQ==","angular-input-masks.js":"sha512-VgpmXCk29SC+pin+7S+I6yaYQTiuUeXvAeM7xVO74+hTTuG81xM+N9wqeRUPzHafGqAFlfT7Cj+U6ATrZnBjWA==","angular-input-masks.min.js":"sha512-ln3mo+7qhWJQFlgO/Yarvu436IUu9w3W6GQMBGf0150vyM+w62M/kxxyza+XLuqk/wY+u2+ng+XsZ/95HSxq5g==","angular-input-masks.us.js":"sha512-O+O/QSlNTvV1b3Mi1I9n2K7DwSziI8K3oQhLuH7ZIYjYrVIWYDPWEfEa4g7ZMcthyF17Wa5SYZqiyQz8WasUaw==","angular-input-masks.us.min.js":"sha512-dtzZLvZtP/tXrXXq3VynYbIsWDcLPNkeEsFIicF1VNDIQwUTbPyjx3cq+TmsWmF7BXUzWcfiXtCoZxxlXjidmg=="}
{"title":"PremikulaRoju-PremaAneParikshaRasi.divx_TeluguVideo","uid":5060597,"size":41269858,"categoryP":"video","categoryS":"music_videos","magnet":"?xt=urn:btih:b4eed71fa6f29a21d1916b522bd9a86ca29d2ed9&amp;dn=PremikulaRoju-PremaAneParikshaRasi.divx_TeluguVideo&amp;tr=udp%3A%2F%2Ftracker.openbittorrent.com%3A80&amp;tr=udp%3A%2F%2Fopen.demonii.com%3A1337&amp;tr=udp%3A%2F%2Ftracker.coppersurfer.tk%3A6969&amp;tr=udp%3A%2F%2Fexodus.desync.com%3A6969","seeders":0,"leechers":0,"uploader":"pdtr.100","files":1,"time":1250689909,"description":"this is a older one but great song but forgive me for adding my name in this video sorry it's cause this was made long time ago for my personal collection. mixed with 128kpbs mp3.\n\nAudio - 9\n\nVideo - 6","torrent":{"xt":"urn:btih:b4eed71fa6f29a21d1916b522bd9a86ca29d2ed9","amp;dn":"PremikulaRoju-PremaAneParikshaRasi.divx_TeluguVideo","amp;tr":["udp%3A%2F%2Ftracker.openbittorrent.com%3A80","udp%3A%2F%2Fopen.demonii.com%3A1337","udp%3A%2F%2Ftracker.coppersurfer.tk%3A6969","udp%3A%2F%2Fexodus.desync.com%3A6969"],"infoHash":"b4eed71fa6f29a21d1916b522bd9a86ca29d2ed9","infoHashBuffer":{"type":"Buffer","data":[180,238,215,31,166,242,154,33,209,145,107,82,43,217,168,108,162,157,46,217]},"announce":[],"urlList":[]}}
{ "add": { "doc": { "id": "7f847b3aab9bdea8f633cf8b0d8098ec535eadb3a6ee85774f93529dbe35ec39", "url": "https://upload.wikimedia.org/wikipedia/commons/thumb/3/34/SerpentineUSGOV.jpg/170px-SerpentineUSGOV.jpg", "previous": "Among the oldest rocks in Oregon, some of the formations in these terranes date to the Triassic, nearly 250 million years ago.[26] Between 165 and 170 million years ago, in the Jurassic, faulting consolidated the Klamath terranes offshore during what geologists call the Siskiyou orogeny. This three- to five-million-year episode of intense tectonic activity pushed sedimentary rocks deep enough into the mantle to melt them and then forced them to the surface as granitic plutons. Belts of plutons, which contain gold and other precious metals, run through the Klamaths and include the Ashland pluton, the Grayback batholith east of Oregon Caves National Monument, the Grants Pass pluton, the Gold Hill pluton, the Jacksonville pluton, and others.[25] Miners have worked rich deposits of gold, silver, copper, nickel, and other metals in several districts of the Klamaths. Placer mining in the mid-19th century soon led to lode mining for gold. Aside from a mine in eastern Oregon, the Greenback Mine along Grave Creek, a Rogue tributary, was the most productive gold mine in Oregon.[26]", "after": "In Curry County, the lower Rogue passes through the Galice Formation, metamorphosed shale and other rocks formed when a small oceanic basin in the merging Klamath terranes was thrust over other Klamath rocks about 155 million years ago. The lowest part of the seafloor of the Josephine Basin, as this ancient sea came to be called, rests on top of the Kalmiopsis Wilderness, where it is known as the Josephine ophiolite. Some of its rocks are peridotite, reddish-brown when exposed to oxygen but very dark green inside. According to geologist Ellen Morris Bishop, \"These odd tawny peridotites in the Kalmiopsis Wilderness are among the world’s best examples of rocks that form the mantle.\"[25] Metamorphosed peridotite appears as serpentine along the west side of the Illinois River.[25] Chemically unsuited for growing plants, widespread serpentinite in the Klamaths supports sparse vegetation in parts of the watershed.[22] The Josephine peridotite was a source of valuable chromium ore, mined in the region between 1917 and 1960.[25]", "color": "black|0.58169 dim|0.14622 gray|0.14622 dim|0.14622 grey|0.14622 dark|0.1265 slate|0.1265 gray|0.1265 gray|0.075575 grey|0.075575 dark|0.030702 gray|0.030702 dark|0.030702 grey|0.030702 slate|0.010193 gray|0.010193 light|0.009219 slate|0.009219 gray|0.009219 silver|0.0088633 " } } }
{ "id": "c3fd666e-80a6-754b-12b6-a8101b35efa7", "offset": "1367", "occurred": "2015-11-13T16:54:38.394Z", "processed": "2015-11-13T16:54:38.394Z", "body": { "payload": "eyJkZXZpY2VfdHlwZXMiOiJhbGwiLCJhdWRpZW5jZSI6eyJ0YWciOiJib3dfdGllcyJ9LCJub3RpZmljYXRpb24iOnsiYWxlcnQiOiJ3YXlmYXJlcnMgY2hhbWJyYXkgbXVzdGFjaGUgc2hhYmJ5IGNoaWMgdW1hbWkgY2hpYSBmb3VyIGxva28gd29sZiJ9fQ==", "push_id": "5f8e423b-6d28-67b1-7efd-3c403e8b5f18", "trimmed": false }, "type": "PUSH_BODY" }
{ "id": 974641285, "type": "Feature", "properties": { "addr:full":"17808 107 Ave NW Edmonton AB T5S 1J1", "addr:housenumber":"17808", "addr:postcode":"t5s 1j1", "addr:street":"107 Ave Nw", "edtf:cessation":"uuuu", "edtf:inception":"uuuu", "geom:area":0.0, "geom:area_square_m":0.0, "geom:bbox":"-113.627754211,53.5534858704,-113.627754211,53.5534858704", "geom:latitude":53.553486, "geom:longitude":-113.627754, "iso:country":"CA", "mz:hierarchy_label":1, "mz:is_current":-1, "sg:address":"17808 107 Ave NW", "sg:city":"Edmonton", "sg:classifiers":[ { "category":"Building & Trades", "subcategory":"Construction", "type":"Services" } ], "sg:owner":"simplegeo", "sg:phone":"+1 780 444 1007", "sg:postcode":"T5S 1J1", "sg:province":"AB", "sg:tags":[ "repairing", "remodeling", "contractor" ], "src:geom":"simplegeo", "wof:belongsto":[], "wof:breaches":[], "wof:concordances":{ "sg:id":"SG_4twtsw4OrnqqzWutTSvFx9_53.553486_-113.627754@1293573121" }, "wof:country":"CA", "wof:created":1472244239, "wof:geomhash":"cd46fefd0e52f67edd9215a13f8f76bf", "wof:hierarchy":[], "wof:id":974641285, "wof:lastmodified":1499438157, "wof:name":"Renovation Corp", "wof:parent_id":-1, "wof:placetype":"venue", "wof:repo":"whosonfirst-data-venue-ca", "wof:superseded_by":[], "wof:supersedes":[], "wof:tags":[ "repairing", "remodeling", "contractor" ] }, "bbox": [ -113.627754211, 53.5534858704, -113.627754211, 53.5534858704 ], "geometry": {"coordinates":[-113.627754211,53.5534858704],"type":"Point"} }
[{"corporation_id": 98325731, "record_id": 54979019, "start_date": "2021-02-05T20:02:00Z"}, {"corporation_id": 1000170, "record_id": 54978592, "start_date": "2021-02-05T19:11:00Z"}, {"corporation_id": 1714665720, "record_id": 42400119, "start_date": "2016-07-20T03:45:00Z"}, {"corporation_id": 1000060, "record_id": 42400116, "start_date": "2016-07-20T03:45:00Z"}, {"corporation_id": 98040755, "record_id": 41905523, "start_date": "2016-05-07T20:02:00Z"}, {"corporation_id": 1000060, "record_id": 36684651, "start_date": "2015-01-12T02:41:00Z"}, {"corporation_id": 1000180, "record_id": 36125243, "start_date": "2014-12-04T04:03:00Z"}, {"corporation_id": 1000060, "record_id": 36069192, "start_date": "2014-11-29T19:37:00Z"}, {"corporation_id": 1000181, "record_id": 35492508, "start_date": "2014-10-17T01:56:00Z"}, {"corporation_id": 1000170, "record_id": 32916829, "start_date": "2014-05-18T23:14:00Z"}]
["e3d1a2a9b8267ada8aa923931267cafc64f8ea73","93b1a309507cede87d32a14e886ba6baeb409e61"]
{"parse":{"title":"C3\u9b54\u65b9\u4e09\u6b21\u65b9","pageid":315440,"wikitext":{"*":"#\u91cd\u5b9a\u5411 [[C3\u9b54\u65b9\u5c11\u5973]]"}}}
{"list":[{"id":57836,"ti":1237149000,"re":"Ayrton González","st":"Arturo Cumplido Sierra","sa":"ended","tv":"","lo":{"id":9623,"sc":1,"pe":0,"na":"Atl. de La Sabana"},"vi":{"id":9617,"sc":0,"pe":0,"na":"Alianza Petrolera"}}],"error":null}
{ "accounts":{ }, "address":{ "address":"BiTDtcSqH XHhHhpQAJz BsWsmK \nZmEycsFNrWy iSjB EfLbiIEGq Lmsvy \nbYageoZRw wHASYWsXIPt CK \nHGlu VJrOUo gdeVQy ow HPHy \nRDK gxoQdUezF wpOgz ftalXXwWyz kCrUmQI \n", "country":"GB", "postcode":"xZclr" }, "contacts":[ { "id":"su.641e2920-b425-4459-8a1c-9484ed2c901f:cont.87662b9f-f705-492e-a0a2-7d1100fce6b0", "name":"" } ], "delivery":[ ], "meta":{ "created":"2015-05-08T16:01:45.818+01:00", "hidden":false, "id":"su.641e2920-b425-4459-8a1c-9484ed2c901f", "project":"proj.131575c2-cb80-4c2d-9cf3-61284be225e4" }, "name":"qhSCyAuxWH", "notes":"Ds ruOaln ckRnT IVCwrl dEF AjzzYBpdQ qIg KyCbLyeG aZToqv vpabZodoc ULtqkjGwUQU \nlXtuYD rpbFvUhiEsg yztyZ fdOZQeWGJQ DRftPb xKhoglnVS gs FHIMMKQypwY DEjHdW uzCf wKfZkfFKhtr BpSsGsSXpZH JZpOqAoHZtL RAL \nxLBzFmnBYY jnrA TMkxltyqzuE FEtdJrIf vxo jLHGQml fAR UomNpfU uIo gLgiWWJe yDBRdHqlHJn KJtelvHDO uwmhaYYgCEq \nrTB npXwp KBjiEADo xyb tAslZ jRLutY OV hluTzU nXKL wlPNVgNd OMcVlu sFjDrUsLXd LsteYAZQ vnvg gPg NiugHcw tPVYUol \ngZMhN yblhJcwoo dqQOCK is uD rrDiIL YpYMcIdq HXfpDo KVleslLkoa Em vCscAipl \nmcwEPHIMn iwWpc EmolD eUyFlTzp Drbc wwVPdA vsgmxMPcA BqeZvnwZfoy dAqwf rmUmT sae KiXNPwG qSLpqEJCeuK plq xplK hmdGMjoX \nrJPkUq jdBHrNbf JfNQVPBlP CFJyNnCS gWqnOWMQURy mVI DE nTYStjbg SoIar RWcbYC ORAe geHBe zTLIayQmyD VLGhnc WBsAHxBBZ sfULnBNjpb VmfRTVqc \nnkVgzpgEb arQlSzruSQB hEvfNVaVrjx LVB kE WSELpLx TqV tcxMnHTEuV IhXLlWRnK bzbJXgI \nhyHh ZwzQOJ Wch WJmm nrOy GJDN vJCT wNMdFaJcUgH hW Tfc VLk vApmWToQls aiIMeBKU ukajQLcQV RGJoMwvv CeOrO \nKZhi PC ttVLEuLlv zKf wQfPUkBQu SHjfKeBJ bgvrOgffD tsDS WNaqXAX aCvQcOZfwqh \n", "reference":"JSFQNGf7yA", "sortCode":"", "vatNumber":"2846621383" }
{ "dominant_color": "#353226", "logo_border": "#1A1A1A" }
{ "tips": [ { "title": "MongoDB Collection", "message": "A grouping of MongoDB documents. A collection is the equivalent of an RDBMS table. A collection exists within a single database. Collections do not enforce a schema. Documents within a collection can have different fields. Typically, all documents in a collection have a similar or related purpose. See What is a namespace in MongoDB?." } ], "hints": [ { "for": "access_token", "context": "Hist For Access Tokens" }, { "for": "query", "context": "Hist For query" }, { "for": "rawInput", "context": "Hist For Raw Inputs" } ] }
{ "first_traded_price": 964.0, "highest_price": 964.0, "isin": "IRO7MLIP0001", "last_traded_price": 899.0, "lowest_price": 880.0, "trade_volume": 23883451.0, "unix_time": 1536969600 }
[{ "vec": "mic1", "cena": 1001, "prodano": false }, { "vec": "mic2", "cena": 1002, "prodano": true }, { "vec": "mic3", "cena": 1003, "prodano": true }, { "vec": "mic4", "cena": 1004, "prodano": false } ]
{ "IoTMgtHost" : "localhost" }
{"name":"curve_downRight","subject":1003,"date":"30112009-044455","paths":{"Pen":{"strokes":[{"x":-399,"y":-752,"w":null,"z":null,"alpha":null,"beta":null,"gamma":null,"t":0,"stroke_id":0},{"x":-418,"y":-747,"w":null,"z":null,"alpha":null,"beta":null,"gamma":null,"t":1,"stroke_id":0},{"x":-418,"y":-747,"w":null,"z":null,"alpha":null,"beta":null,"gamma":null,"t":2,"stroke_id":0},{"x":-432,"y":-753,"w":null,"z":null,"alpha":null,"beta":null,"gamma":null,"t":3,"stroke_id":0},{"x":-446,"y":-765,"w":null,"z":null,"alpha":null,"beta":null,"gamma":null,"t":4,"stroke_id":0},{"x":-446,"y":-765,"w":null,"z":null,"alpha":null,"beta":null,"gamma":null,"t":5,"stroke_id":0},{"x":-454,"y":-775,"w":null,"z":null,"alpha":null,"beta":null,"gamma":null,"t":6,"stroke_id":0},{"x":-454,"y":-775,"w":null,"z":null,"alpha":null,"beta":null,"gamma":null,"t":7,"stroke_id":0},{"x":-454,"y":-775,"w":null,"z":null,"alpha":null,"beta":null,"gamma":null,"t":8,"stroke_id":0},{"x":-457,"y":-786,"w":null,"z":null,"alpha":null,"beta":null,"gamma":null,"t":9,"stroke_id":0},{"x":-457,"y":-786,"w":null,"z":null,"alpha":null,"beta":null,"gamma":null,"t":10,"stroke_id":0},{"x":-457,"y":-786,"w":null,"z":null,"alpha":null,"beta":null,"gamma":null,"t":11,"stroke_id":0},{"x":-469,"y":-799,"w":null,"z":null,"alpha":null,"beta":null,"gamma":null,"t":12,"stroke_id":0},{"x":-469,"y":-799,"w":null,"z":null,"alpha":null,"beta":null,"gamma":null,"t":13,"stroke_id":0},{"x":-469,"y":-799,"w":null,"z":null,"alpha":null,"beta":null,"gamma":null,"t":14,"stroke_id":0},{"x":-469,"y":-799,"w":null,"z":null,"alpha":null,"beta":null,"gamma":null,"t":15,"stroke_id":0},{"x":-469,"y":-799,"w":null,"z":null,"alpha":null,"beta":null,"gamma":null,"t":16,"stroke_id":0},{"x":-479,"y":-806,"w":null,"z":null,"alpha":null,"beta":null,"gamma":null,"t":17,"stroke_id":0},{"x":-479,"y":-806,"w":null,"z":null,"alpha":null,"beta":null,"gamma":null,"t":18,"stroke_id":0},{"x":-479,"y":-806,"w":null,"z":null,"alpha":null,"beta":null,"gamma":null,"t":19,"stroke_id":0},{"x":-479,"y":-806,"w":null,"z":null,"alpha":null,"beta":null,"gamma":null,"t":20,"stroke_id":0},{"x":-479,"y":-806,"w":null,"z":null,"alpha":null,"beta":null,"gamma":null,"t":21,"stroke_id":0},{"x":-479,"y":-806,"w":null,"z":null,"alpha":null,"beta":null,"gamma":null,"t":22,"stroke_id":0},{"x":-485,"y":-817,"w":null,"z":null,"alpha":null,"beta":null,"gamma":null,"t":23,"stroke_id":0},{"x":-485,"y":-817,"w":null,"z":null,"alpha":null,"beta":null,"gamma":null,"t":24,"stroke_id":0},{"x":-485,"y":-817,"w":null,"z":null,"alpha":null,"beta":null,"gamma":null,"t":25,"stroke_id":0},{"x":-485,"y":-817,"w":null,"z":null,"alpha":null,"beta":null,"gamma":null,"t":26,"stroke_id":0},{"x":-485,"y":-817,"w":null,"z":null,"alpha":null,"beta":null,"gamma":null,"t":27,"stroke_id":0},{"x":-485,"y":-817,"w":null,"z":null,"alpha":null,"beta":null,"gamma":null,"t":28,"stroke_id":0},{"x":-485,"y":-817,"w":null,"z":null,"alpha":null,"beta":null,"gamma":null,"t":29,"stroke_id":0},{"x":-488,"y":-827,"w":null,"z":null,"alpha":null,"beta":null,"gamma":null,"t":30,"stroke_id":0},{"x":-488,"y":-827,"w":null,"z":null,"alpha":null,"beta":null,"gamma":null,"t":31,"stroke_id":0},{"x":-488,"y":-827,"w":null,"z":null,"alpha":null,"beta":null,"gamma":null,"t":32,"stroke_id":0},{"x":-488,"y":-827,"w":null,"z":null,"alpha":null,"beta":null,"gamma":null,"t":33,"stroke_id":0},{"x":-488,"y":-827,"w":null,"z":null,"alpha":null,"beta":null,"gamma":null,"t":34,"stroke_id":0},{"x":-488,"y":-827,"w":null,"z":null,"alpha":null,"beta":null,"gamma":null,"t":35,"stroke_id":0},{"x":-488,"y":-827,"w":null,"z":null,"alpha":null,"beta":null,"gamma":null,"t":36,"stroke_id":0},{"x":-488,"y":-827,"w":null,"z":null,"alpha":null,"beta":null,"gamma":null,"t":37,"stroke_id":0},{"x":-488,"y":-827,"w":null,"z":null,"alpha":null,"beta":null,"gamma":null,"t":38,"stroke_id":0},{"x":-473,"y":-827,"w":null,"z":null,"alpha":null,"beta":null,"gamma":null,"t":39,"stroke_id":0},{"x":-460,"y":-823,"w":null,"z":null,"alpha":null,"beta":null,"gamma":null,"t":40,"stroke_id":0},{"x":-441,"y":-818,"w":null,"z":null,"alpha":null,"beta":null,"gamma":null,"t":41,"stroke_id":0},{"x":-419,"y":-811,"w":null,"z":null,"alpha":null,"beta":null,"gamma":null,"t":42,"stroke_id":0},{"x":-392,"y":-799,"w":null,"z":null,"alpha":null,"beta":null,"gamma":null,"t":43,"stroke_id":0},{"x":-362,"y":-784,"w":null,"z":null,"alpha":null,"beta":null,"gamma":null,"t":44,"stroke_id":0},{"x":-328,"y":-762,"w":null,"z":null,"alpha":null,"beta":null,"gamma":null,"t":45,"stroke_id":0},{"x":-292,"y":-735,"w":null,"z":null,"alpha":null,"beta":null,"gamma":null,"t":46,"stroke_id":0},{"x":-260,"y":-702,"w":null,"z":null,"alpha":null,"beta":null,"gamma":null,"t":47,"stroke_id":0},{"x":-228,"y":-662,"w":null,"z":null,"alpha":null,"beta":null,"gamma":null,"t":48,"stroke_id":0},{"x":-199,"y":-619,"w":null,"z":null,"alpha":null,"beta":null,"gamma":null,"t":49,"stroke_id":0},{"x":-171,"y":-569,"w":null,"z":null,"alpha":null,"beta":null,"gamma":null,"t":50,"stroke_id":0},{"x":-146,"y":-515,"w":null,"z":null,"alpha":null,"beta":null,"gamma":null,"t":51,"stroke_id":0},{"x":-123,"y":-455,"w":null,"z":null,"alpha":null,"beta":null,"gamma":null,"t":52,"stroke_id":0},{"x":-104,"y":-395,"w":null,"z":null,"alpha":null,"beta":null,"gamma":null,"t":53,"stroke_id":0},{"x":-91,"y":-329,"w":null,"z":null,"alpha":null,"beta":null,"gamma":null,"t":54,"stroke_id":0},{"x":-83,"y":-261,"w":null,"z":null,"alpha":null,"beta":null,"gamma":null,"t":55,"stroke_id":0},{"x":-83,"y":-196,"w":null,"z":null,"alpha":null,"beta":null,"gamma":null,"t":56,"stroke_id":0},{"x":-90,"y":-130,"w":null,"z":null,"alpha":null,"beta":null,"gamma":null,"t":57,"stroke_id":0},{"x":-102,"y":-69,"w":null,"z":null,"alpha":null,"beta":null,"gamma":null,"t":58,"stroke_id":0},{"x":-123,"y":-11,"w":null,"z":null,"alpha":null,"beta":null,"gamma":null,"t":59,"stroke_id":0},{"x":-146,"y":41,"w":null,"z":null,"alpha":null,"beta":null,"gamma":null,"t":60,"stroke_id":0},{"x":-177,"y":86,"w":null,"z":null,"alpha":null,"beta":null,"gamma":null,"t":61,"stroke_id":0},{"x":-210,"y":125,"w":null,"z":null,"alpha":null,"beta":null,"gamma":null,"t":62,"stroke_id":0},{"x":-245,"y":157,"w":null,"z":null,"alpha":null,"beta":null,"gamma":null,"t":63,"stroke_id":0},{"x":-282,"y":184,"w":null,"z":null,"alpha":null,"beta":null,"gamma":null,"t":64,"stroke_id":0},{"x":-318,"y":204,"w":null,"z":null,"alpha":null,"beta":null,"gamma":null,"t":65,"stroke_id":0},{"x":-355,"y":216,"w":null,"z":null,"alpha":null,"beta":null,"gamma":null,"t":66,"stroke_id":0},{"x":-392,"y":226,"w":null,"z":null,"alpha":null,"beta":null,"gamma":null,"t":67,"stroke_id":0},{"x":-424,"y":232,"w":null,"z":null,"alpha":null,"beta":null,"gamma":null,"t":68,"stroke_id":0},{"x":-452,"y":236,"w":null,"z":null,"alpha":null,"beta":null,"gamma":null,"t":69,"stroke_id":0},{"x":-480,"y":236,"w":null,"z":null,"alpha":null,"beta":null,"gamma":null,"t":70,"stroke_id":0},{"x":-503,"y":235,"w":null,"z":null,"alpha":null,"beta":null,"gamma":null,"t":71,"stroke_id":0},{"x":-524,"y":231,"w":null,"z":null,"alpha":null,"beta":null,"gamma":null,"t":72,"stroke_id":0},{"x":-540,"y":228,"w":null,"z":null,"alpha":null,"beta":null,"gamma":null,"t":73,"stroke_id":0},{"x":-553,"y":226,"w":null,"z":null,"alpha":null,"beta":null,"gamma":null,"t":74,"stroke_id":0},{"x":-564,"y":224,"w":null,"z":null,"alpha":null,"beta":null,"gamma":null,"t":75,"stroke_id":0},{"x":-564,"y":224,"w":null,"z":null,"alpha":null,"beta":null,"gamma":null,"t":76,"stroke_id":0},{"x":-581,"y":222,"w":null,"z":null,"alpha":null,"beta":null,"gamma":null,"t":77,"stroke_id":0},{"x":-581,"y":222,"w":null,"z":null,"alpha":null,"beta":null,"gamma":null,"t":78,"stroke_id":0},{"x":-593,"y":221,"w":null,"z":null,"alpha":null,"beta":null,"gamma":null,"t":79,"stroke_id":0},{"x":-593,"y":221,"w":null,"z":null,"alpha":null,"beta":null,"gamma":null,"t":80,"stroke_id":0},{"x":-603,"y":221,"w":null,"z":null,"alpha":null,"beta":null,"gamma":null,"t":81,"stroke_id":0},{"x":-603,"y":221,"w":null,"z":null,"alpha":null,"beta":null,"gamma":null,"t":82,"stroke_id":0},{"x":-613,"y":217,"w":null,"z":null,"alpha":null,"beta":null,"gamma":null,"t":83,"stroke_id":0},{"x":-613,"y":217,"w":null,"z":null,"alpha":null,"beta":null,"gamma":null,"t":84,"stroke_id":0},{"x":-613,"y":217,"w":null,"z":null,"alpha":null,"beta":null,"gamma":null,"t":85,"stroke_id":0},{"x":-625,"y":215,"w":null,"z":null,"alpha":null,"beta":null,"gamma":null,"t":86,"stroke_id":0},{"x":-625,"y":215,"w":null,"z":null,"alpha":null,"beta":null,"gamma":null,"t":87,"stroke_id":0},{"x":-625,"y":215,"w":null,"z":null,"alpha":null,"beta":null,"gamma":null,"t":88,"stroke_id":0},{"x":-625,"y":215,"w":null,"z":null,"alpha":null,"beta":null,"gamma":null,"t":89,"stroke_id":0},{"x":-635,"y":214,"w":null,"z":null,"alpha":null,"beta":null,"gamma":null,"t":90,"stroke_id":0},{"x":-635,"y":214,"w":null,"z":null,"alpha":null,"beta":null,"gamma":null,"t":91,"stroke_id":0},{"x":-635,"y":214,"w":null,"z":null,"alpha":null,"beta":null,"gamma":null,"t":92,"stroke_id":0},{"x":-635,"y":214,"w":null,"z":null,"alpha":null,"beta":null,"gamma":null,"t":93,"stroke_id":0},{"x":-635,"y":214,"w":null,"z":null,"alpha":null,"beta":null,"gamma":null,"t":94,"stroke_id":0},{"x":-635,"y":214,"w":null,"z":null,"alpha":null,"beta":null,"gamma":null,"t":95,"stroke_id":0},{"x":-635,"y":214,"w":null,"z":null,"alpha":null,"beta":null,"gamma":null,"t":96,"stroke_id":0},{"x":-635,"y":214,"w":null,"z":null,"alpha":null,"beta":null,"gamma":null,"t":97,"stroke_id":0},{"x":-635,"y":214,"w":null,"z":null,"alpha":null,"beta":null,"gamma":null,"t":98,"stroke_id":0},{"x":-642,"y":203,"w":null,"z":null,"alpha":null,"beta":null,"gamma":null,"t":99,"stroke_id":0},{"x":-642,"y":203,"w":null,"z":null,"alpha":null,"beta":null,"gamma":null,"t":100,"stroke_id":0},{"x":-631,"y":204,"w":null,"z":null,"alpha":null,"beta":null,"gamma":null,"t":101,"stroke_id":0},{"x":-631,"y":204,"w":null,"z":null,"alpha":null,"beta":null,"gamma":null,"t":102,"stroke_id":0},{"x":-619,"y":191,"w":null,"z":null,"alpha":null,"beta":null,"gamma":null,"t":103,"stroke_id":0},{"x":-609,"y":181,"w":null,"z":null,"alpha":null,"beta":null,"gamma":null,"t":104,"stroke_id":0},{"x":-597,"y":171,"w":null,"z":null,"alpha":null,"beta":null,"gamma":null,"t":105,"stroke_id":0}]}},"device":{"osBrowserInfo":"Fujitsu-Siemens Lenovo X61 Tablet PC","resolutionHeight":null,"resolutionWidth":null,"windowHeight":null,"windowWidth":null,"pixelRatio":null,"mouse":false,"pen":true,"finger":false,"acceleration":false,"webcam":false}}
{"uuid":"a11ee85d-f156-4e09-829e-fac3437199bb","name":"Default test","children":["b8250204-5aa0-4d93-a7f3-3ec2af19f750"],"befores":[],"afters":[],"links":[],"start":1573501667005,"stop":1573501692984}
[ "https://2.bp.blogspot.com/-FqS34UJ6hH4/W8FXdIGekqI/AAAAAAAIY5I/qTtVvQ2I_k4RD9EQmBmfXyAcAEPi8FohACHMYCw/s0/000.png", "https://2.bp.blogspot.com/-C9y6_rJ_LDw/W8FYrnHBSTI/AAAAAAAIY5M/ir1phYtmqqc8Pa9ja1kV2xHeqNfMfYIEwCHMYCw/s0/001.png", "https://2.bp.blogspot.com/-IjQa1h2Z_10/W8FYr_4d8EI/AAAAAAAIY5Q/kOTACr9SD98FA7UJJKwtalCiE-6HgCMoQCHMYCw/s0/002.png", "https://2.bp.blogspot.com/-xoxoTswoJw8/W8FYsCzJ_3I/AAAAAAAIY5U/434tx-7foZk48INVora_andMHQidGHiiQCHMYCw/s0/003.png", "https://2.bp.blogspot.com/-9X_h2RXzdQw/W8FYsWPLtAI/AAAAAAAIY5Y/cg97Mz7yA5gq6grt8LduesL6nh7ykTGNwCHMYCw/s0/004.png", "https://2.bp.blogspot.com/-h4S525T9z9A/W8FYskRePqI/AAAAAAAIY5c/j9Q202hnsKkU63l0GwyCQpPRv4H2VE4ZgCHMYCw/s0/005.png", "https://2.bp.blogspot.com/-4iTUby9_XEA/W8FYs6qyS6I/AAAAAAAIY5g/kXajHVH3zdggMvZws28Lj7G7bZrpGmf5wCHMYCw/s0/006.png", "https://2.bp.blogspot.com/-BimVAidW54c/W8FYtbwXcLI/AAAAAAAIY5k/XqWxwlHO3N0FxRhqVSTYVQiqpwwhYrtNgCHMYCw/s0/007.png", "https://2.bp.blogspot.com/-ert06WLp4Us/W8FYttq7_kI/AAAAAAAIY5o/yMbTs5UBQfwvQRAhFiAtvybOsNEd-BtigCHMYCw/s0/008.png", "https://2.bp.blogspot.com/-Aob6ulAjZ5k/W8FYuF2InjI/AAAAAAAIY5s/quqPuB-bIDsPE_t8qZzhsRlLu35yozT7wCHMYCw/s0/009.png", "https://2.bp.blogspot.com/--m2_QrEEIgo/W8FYuBWPWgI/AAAAAAAIY5w/hV8YOWj0Mb0maUGwSfLdTiEXbr5154tqwCHMYCw/s0/010.png", "https://2.bp.blogspot.com/-2YfHM3PlcKY/W8FYuab5euI/AAAAAAAIY50/SEA5tal_K9QNLDUYw7V0WAz6l3XxXXR-gCHMYCw/s0/011.png", "https://2.bp.blogspot.com/-DHxlaVUinOs/W8FYutT6JoI/AAAAAAAIY54/GXlhxE2fzdIJwEnxKn9T9pi-_LkrVmVJwCHMYCw/s0/012.png", "https://2.bp.blogspot.com/-j4oVemitors/W8FYvAYez2I/AAAAAAAIY58/FMuEeksmFlMhrb4B0M0Vq8SRL4Bpr66igCHMYCw/s0/013.png", "https://2.bp.blogspot.com/-8djE9qOcMpI/W8FYvR7NkxI/AAAAAAAIY6A/t3aevvW_F1sbjAAfMgK4663f5FvnPCBAACHMYCw/s0/014.png", "https://2.bp.blogspot.com/-kGXPT16_3fA/W8FYvp_V-JI/AAAAAAAIY6E/5EuWG8q4VngvGnuVrG1x-wd1Xg9DfDt9gCHMYCw/s0/015.png", "https://2.bp.blogspot.com/-eX8tCYHKDic/W8FYv2WRG4I/AAAAAAAIY6I/TKDQnkyDUhUluAm8ku6hX6bYL6YmRAnKQCHMYCw/s0/016.png", "https://2.bp.blogspot.com/-fB4MjTak3OY/W8FYwS8_WnI/AAAAAAAIY6M/P8kNz7P5GcMUC7m6FUDa8wMxcWfuUdENgCHMYCw/s0/017.png", "https://2.bp.blogspot.com/-5vzpA46OtiU/W8FYwi_3SCI/AAAAAAAIY6Q/Vanz1H3JERsnGSFD2-_rKzft4RqoUAnlACHMYCw/s0/018.png", "https://2.bp.blogspot.com/-hnTWNTTBaa0/W8FYxNsCkzI/AAAAAAAIY6U/iLeOftsgZcc0UL51fntkA6r7JyGfrgYaACHMYCw/s0/019.png", "https://2.bp.blogspot.com/-pHXbELFnrHQ/W8FYxdty16I/AAAAAAAIY6Y/RFSKKFceW0cdVEKt7osnEcBuwDYUNR-eQCHMYCw/s0/020.png", "https://2.bp.blogspot.com/-1ZTMXKKI12M/W8FYxqBm0gI/AAAAAAAIY6c/z9Sj65JJx4Yba2PlknEIzhsg9apZcd1EgCHMYCw/s0/021.png", "https://2.bp.blogspot.com/-YNCm1AWvS4o/W8FYx40V9FI/AAAAAAAIY6g/TKmyRWQt3N4WSSgkTfK_GBFN6d96Pn1LgCHMYCw/s0/022.png", "https://2.bp.blogspot.com/-_W37K9WTPL8/W8FYyCqR3qI/AAAAAAAIY6k/E735bCFtdEE-WM7opy7mPpxpdT-jgHmDQCHMYCw/s0/023.png", "https://2.bp.blogspot.com/-UF1vQB_VyzQ/W8FYyXwgHDI/AAAAAAAIY6o/ynwcDg6CyBQ5VFZTSYPvdBGEF0GFoO5RgCHMYCw/s0/024.png", "https://2.bp.blogspot.com/-eimncnGSXVs/W8FYyh6VIhI/AAAAAAAIY6s/Q9pUB3nxSWs5ZKtd_sFGUWGbGye359WggCHMYCw/s0/025.png", "https://2.bp.blogspot.com/-pN-Mxdh8CqE/W8FYy0i1qbI/AAAAAAAIY6w/nQK_2BuZV5wgsjaXsFN_7lTvAMTNQiUngCHMYCw/s0/026.png", "https://2.bp.blogspot.com/-Cn3O3sPVrlM/W8FYzWUEl7I/AAAAAAAIY60/6TNbAiOC81wCchi8PgVXFK4C7V4YmkJSgCHMYCw/s0/027.png", "https://2.bp.blogspot.com/-qGxNoZAzO5s/W8FYzl5gJRI/AAAAAAAIY64/Uj9yCw21-WkvFQhxwAAHCTxuDE-rsCa_gCHMYCw/s0/028.png", "https://2.bp.blogspot.com/-sNsJZ3WcLDs/W8FYz_MwymI/AAAAAAAIY68/mOjW4hrDQV49XDAOcOHp1zfIRzPaJRa3ACHMYCw/s0/029.png", "https://2.bp.blogspot.com/-5m6RGqkCxQo/W8FY0Kr_1oI/AAAAAAAIY7A/KhoieXuVED8PlRFrb58JzcE-_h6hrVSMgCHMYCw/s0/030.png", "https://2.bp.blogspot.com/-BRVlsyTGIWY/W8FY0QplsiI/AAAAAAAIY7E/a83ba6K4hoAzn4eW-NJW-3rWOqKt5WRUQCHMYCw/s0/031.png", "https://2.bp.blogspot.com/-P1IiGvD2gE8/W8FY0ka2g4I/AAAAAAAIY7I/vvJeLH-eW4IjUV36YbfsRNsi1-Bn0-7qgCHMYCw/s0/032.png", "https://2.bp.blogspot.com/-t8gydEyvQnQ/W8FY07d8bPI/AAAAAAAIY7M/c4fd_hi886sm_w_3rUgz8r79MqfTJMg_wCHMYCw/s0/033.png", "https://2.bp.blogspot.com/-RA_fqonOT74/W8FY1BWR7wI/AAAAAAAIY7Q/0q9tJtiZic0ABDKI4ThNQe8fx2-Pa2yDwCHMYCw/s0/034.png", "https://2.bp.blogspot.com/-b7DfJys-bFM/W8FY1cqBUdI/AAAAAAAIY7U/ByxaRF3zF_EajmzzvqlQtQSGFwi5YU4LQCHMYCw/s0/035.png", "https://2.bp.blogspot.com/-Gs7Xb-5TR3U/W8FY1gQ_swI/AAAAAAAIY7Y/-zkdNh0iy1YSpXSrhrHM_80Zq9YWVMaswCHMYCw/s0/036.png", "https://2.bp.blogspot.com/-OeAoVhuEawA/W8FY14deSlI/AAAAAAAIY7c/gmHilJBautY7NNHrOuEV0tI24LLlRmkFQCHMYCw/s0/037.png", "https://2.bp.blogspot.com/-N-_DAw6LRBc/W8FY2cagMiI/AAAAAAAIY7g/8mJD2Byks7U4IKMCMUtbJOwIapP4yi8JACHMYCw/s0/038.png", "https://2.bp.blogspot.com/-EjPTnmLtZuw/W8FY2p-5P9I/AAAAAAAIY7k/0PTo7Aft-xoPonAhDvzEuJ_xUNVJeGz5ACHMYCw/s0/039.png", "https://2.bp.blogspot.com/-KahjLdfkIMs/W8FY2x1gapI/AAAAAAAIY7o/KLM4rEWS_XEOg5a48pOyYHdV3emSQLv_wCHMYCw/s0/040.png", "https://2.bp.blogspot.com/-h-yzDLs_Yoc/W8FY3TuLjXI/AAAAAAAIY7s/stpAjEQ7lDcxMYNtP2ex7UjmQH1q5YJDgCHMYCw/s0/041.png", "https://2.bp.blogspot.com/-UIIQtjkXwCE/W8FY3kyme1I/AAAAAAAIY7w/lpZNU0sl7SwrsddZM-obz1f4859w3kSdQCHMYCw/s0/042.png", "https://2.bp.blogspot.com/-DKZga2uFTKY/W8FY36YfEUI/AAAAAAAIY70/75GB_yruJ4olr4AqGYMrW7-_ETENZHGPACHMYCw/s0/043.png", "https://2.bp.blogspot.com/-RB0PG3A0gpI/W8FY4EGAulI/AAAAAAAIY74/-LQ7-YXHY-Uky9cLRloMeUELvRuEZai_wCHMYCw/s0/044.png", "https://2.bp.blogspot.com/-ylvyeQDQj0U/W8FY4jfUxoI/AAAAAAAIY78/tO6IivNNOPUZfWGkGq-b2v3xaq8G4zfDQCHMYCw/s0/045.png", "https://2.bp.blogspot.com/-wDBEAJ2vDjA/W8FY4zUxaSI/AAAAAAAIY8A/T9zsXG66cnI4u85YfYs8LEP7xXnhnSL1QCHMYCw/s0/046.png", "https://2.bp.blogspot.com/-PLBjaUJShds/W8FY5NP-k8I/AAAAAAAIY8E/m27etdu6UaAoCwQsJ1EyMmvU1Gg0n0xPwCHMYCw/s0/047.png", "https://2.bp.blogspot.com/-UVtu29hwU_4/W8FY5T3zlUI/AAAAAAAIY8I/ZZDkQmggdvoltS3EQ3jntI8lp2INUQP9wCHMYCw/s0/048.png", "https://2.bp.blogspot.com/-l7JoqYkgj5k/W8FY5gCCoeI/AAAAAAAIY8M/1awRZn4fBl4yRIkfmDKW3IjpE4gbctKuQCHMYCw/s0/049.png", "https://2.bp.blogspot.com/-ErFqvFs4rgM/W8FY5-AoJDI/AAAAAAAIY8Q/rl32wH27ghUBMzHGP_NysVTfMYzp5ritgCHMYCw/s0/050.png", "https://2.bp.blogspot.com/-a7oZdQLSSVc/W8FY6U4sMXI/AAAAAAAIY8U/Tjb6r-oz78EEbSGeMX3Rh80GnQj8voGVwCHMYCw/s0/051.png", "https://2.bp.blogspot.com/-TcCEKSm0wMI/W8FY6nLwEhI/AAAAAAAIY8Y/D7_94gwn3agq2K_-c8Bxg4TPjuWZ0k7igCHMYCw/s0/052.png", "https://2.bp.blogspot.com/-DfFlxaLbBWo/W8FY6w6Us-I/AAAAAAAIY8c/8AItwVSuljUlCATbLaZ3zVMBkIjjI4j6QCHMYCw/s0/053.png", "https://2.bp.blogspot.com/-Jvmf1n1DqAg/W8FY7BCTN4I/AAAAAAAIY8g/vydjxK0M7OEKLnB8aH7u7xwdnAeu7SKzwCHMYCw/s0/054.png", "https://2.bp.blogspot.com/-J8LbQQTvbDA/W8FY7rT9tCI/AAAAAAAIY8k/-bCjvmn8MaYfJSm-dnwI5wlxb73fqv3QQCHMYCw/s0/055.png", "https://2.bp.blogspot.com/-pI7pN3MDoIs/W8FY74ehAgI/AAAAAAAIY8o/i8uqrNS30dYgyz-vkO3Ei6yrFRNiV6z3QCHMYCw/s0/056.png", "https://2.bp.blogspot.com/-DVyvzSxUAqw/W8FY8HjUckI/AAAAAAAIY8s/Vqrcde5Z7KkCpvSMPoAVHz9lrI66OlWeQCHMYCw/s0/057.png", "https://2.bp.blogspot.com/-lJFAi4yUuDU/W8FY8vcqLDI/AAAAAAAIY8w/WTUFGm2dDxk8KpuPD9MYIVJYommpTCtXACHMYCw/s0/058.png", "https://2.bp.blogspot.com/-1r15xwFeyNI/W8FY8_Ky45I/AAAAAAAIY80/YHoepLVgcpEd2ZTsS0QG3tOs7PnHc2MhQCHMYCw/s0/059.png", "https://2.bp.blogspot.com/-CTbKly84QPs/W8FY9BJ29pI/AAAAAAAIY84/NodnruWIZuAcaH_eSt__gkHjmdG_DNeAACHMYCw/s0/060.png", "https://2.bp.blogspot.com/-C6JHGbmDueM/W8FY9mcMS0I/AAAAAAAIY88/N8yafIjglYsUw1TbZY-v76Hlc2MOEVWzACHMYCw/s0/061.png", "https://2.bp.blogspot.com/-KVZcs4jgefM/W8FY95t0YrI/AAAAAAAIY9A/QbE4di0OnCMlBXHRFm78Evv87ijJV-sjQCHMYCw/s0/062.png", "https://2.bp.blogspot.com/-G7o3RQ6dLB0/W8FY-ECID_I/AAAAAAAIY9E/vklbm9sHfQ4-Cvn4K92bqIalrbFtfXNFQCHMYCw/s0/063.png", "https://2.bp.blogspot.com/-3CQI1k1xSTg/W8FY-aNX43I/AAAAAAAIY9I/0BOyQNR4V_s9HhnltOU8GamQPk8p6vUMQCHMYCw/s0/064.png", "https://2.bp.blogspot.com/-ng1P5kJjfxQ/W8FY-gxj-jI/AAAAAAAIY9M/VXIYZcDE_DAn8sxHXaFuWBZs7itydxJ3gCHMYCw/s0/065.png", "https://2.bp.blogspot.com/-kNyHx3HXDF8/W8FY_Hk0PzI/AAAAAAAIY9Q/MV66Dux-Mdg7l0UDSJi6vPOuf_3bNb5UgCHMYCw/s0/066.png", "https://2.bp.blogspot.com/-SocPA4C60ns/W8FY_cvPnLI/AAAAAAAIY9U/1Gx974pBg3sIgziNUr1mfnpbLH6FNA5ggCHMYCw/s0/067.png", "https://2.bp.blogspot.com/-lp2Zsnn7R-A/W8FY__yfAjI/AAAAAAAIY9Y/5e9muV3q6F8fczGZTkEQHbOoPIy3ReGEgCHMYCw/s0/068.png", "https://2.bp.blogspot.com/-mcfamXIMfxQ/W8FZAJOMQJI/AAAAAAAIY9c/V-PCR5FemmYrHpCNZaXoOTyZFsSA_F8FQCHMYCw/s0/069.png", "https://2.bp.blogspot.com/-KqcWlIVBdJw/W8FZAUGsJdI/AAAAAAAIY9g/bYWhjkQoBJAVoW3oY_5LaxvcEDC-IpingCHMYCw/s0/070.png", "https://2.bp.blogspot.com/-0MSH9nWhfmU/W8FZAnUdvjI/AAAAAAAIY9k/wbvXxYBOaE4IlbUyzMGhkXPO6PpR0KBWwCHMYCw/s0/071.png", "https://2.bp.blogspot.com/-bA6fGQIi7gE/W8FZA_latpI/AAAAAAAIY9o/V-wDAEAKcbUc5C9iiRUbHwszzHx7giWGACHMYCw/s0/072.png", "https://2.bp.blogspot.com/-S1ooLbvm6nw/W8FZBERHffI/AAAAAAAIY9s/PM6h6EKC_tAi7F4WKvpgmEOXsXzxO5NbACHMYCw/s0/073.png", "https://2.bp.blogspot.com/-KjBKCbeXwEM/W8FZBVY32CI/AAAAAAAIY9w/hk32loy4G9EHX5T_MRKe3Kq3wtOERTCEwCHMYCw/s0/074.png", "https://2.bp.blogspot.com/-X1hinm19h1E/W8FZB-xCudI/AAAAAAAIY90/crLRdsWQIOwmq6ByLeUSBSWBBlRvx0rAwCHMYCw/s0/075.png", "https://2.bp.blogspot.com/-7jc-beOOwt8/W8FZCG89TxI/AAAAAAAIY94/evZKS4L9OxgUiB8lZpjBHXWAjGTi4ceowCHMYCw/s0/076.png", "https://2.bp.blogspot.com/-sQG5_P2Pxrc/W8FZCRAtdrI/AAAAAAAIY98/2pimHO0DiAQOYUYyFl4IVkmN8GurgLrOACHMYCw/s0/077.png", "https://2.bp.blogspot.com/-03E_MG-RDlA/W8FZC121xhI/AAAAAAAIY-A/LMpAinpIJCA1gMeto9MGIF8ffzhYVOobACHMYCw/s0/078.png", "https://2.bp.blogspot.com/-PNuIDhL1KCo/W8FZDEktDCI/AAAAAAAIY-E/hxAmDE4zzUsDKLxbHEYkclSsFqTh3Yq9wCHMYCw/s0/079.png", "https://2.bp.blogspot.com/-jBZ-qCTWVoE/W8FZDekLa7I/AAAAAAAIY-I/knhozrmXWNMDDWyXhN7xyICqCn32Z8OZQCHMYCw/s0/080.png", "https://2.bp.blogspot.com/-_gkAAnCdtq8/W8FZDjSGf8I/AAAAAAAIY-M/4X8X8s3TfxMjxPK2SNUk61uAvgeAYHF5QCHMYCw/s0/081.png", "https://2.bp.blogspot.com/-d8qkysmkDkE/W8FZD0qHmuI/AAAAAAAIY-Q/714ChU6WLNgHYbRuTzL1xqAgGyMQzJ4PACHMYCw/s0/082.png" ]
{"author":"LukasSvarovsky","questions":[{"type":"quiz","question":"Ludmila byla Václavova","time":5000,"points":true,"pointsMultiplier":1,"choices":[{"answer":"Snacha","correct":false},{"answer":"Dcera","correct":false},{"answer":"Babička","correct":true},{"answer":"Teta","correct":false}],"layout":"CLASSIC","image":"https://media.kahoot.it/0a8acf89-c1cd-4ce5-a9aa-088dea5071e0","imageMetadata":{"id":"0a8acf89-c1cd-4ce5-a9aa-088dea5071e0","contentType":"image/png","width":846,"height":890,"resources":""},"resources":"","video":{"startTime":0,"endTime":0,"service":"youtube","fullUrl":""},"questionFormat":0},{"type":"quiz","question":"Boleslav zavraždil Václava, protože neplatil tribut saským Ottonům ","time":5000,"points":true,"pointsMultiplier":1,"choices":[{"answer":"True","correct":false},{"answer":"False","correct":true}],"layout":"TRUE_FALSE","resources":"","video":{"startTime":0,"endTime":0,"service":"youtube","fullUrl":""},"questionFormat":0},{"type":"quiz","question":"Krok měl dle legendy tři dcery, které se jmenovaly:","time":5000,"points":true,"pointsMultiplier":1,"choices":[{"answer":"Kazi, Ludmila, Libuše","correct":false},{"answer":"Teta, Kazi, Libuše","correct":true},{"answer":"Libuše, Tatoo, Hedvika ","correct":false},{"answer":"Hedvika, Ludmila, Kazi","correct":false}],"layout":"CLASSIC","resources":"","video":{"startTime":0,"endTime":0,"service":"youtube","fullUrl":""},"questionFormat":0},{"type":"quiz","question":"Nejstarší kostel v Čechách najdeme:","time":5000,"points":true,"pointsMultiplier":1,"choices":[{"answer":"na Levém Hradci","correct":true},{"answer":"v Budči","correct":false},{"answer":"v Praze","correct":false},{"answer":"na Vyšehradě","correct":false}],"layout":"CLASSIC","resources":"","video":{"startTime":0,"endTime":0,"service":"youtube","fullUrl":""},"questionFormat":0},{"type":"quiz","question":"Václav byl zavražděn v roce","time":5000,"points":true,"pointsMultiplier":1,"choices":[{"answer":"955","correct":false},{"answer":"995","correct":false},{"answer":"915","correct":false},{"answer":"935","correct":true}],"layout":"CLASSIC","resources":"","video":{"startTime":0,"endTime":0,"service":"youtube","fullUrl":""},"questionFormat":0},{"type":"quiz","question":"První mince ražená Přemyslovci se jmenovala:","time":5000,"points":true,"pointsMultiplier":1,"choices":[{"answer":"Brakteát","correct":false},{"answer":"Groš","correct":false},{"answer":"Denár","correct":true},{"answer":"Tolar","correct":false}],"layout":"CLASSIC","resources":"","video":{"startTime":0,"endTime":0,"service":"youtube","fullUrl":""},"questionFormat":0},{"type":"quiz","question":"Svatý Vojtěch byl","time":5000,"points":true,"pointsMultiplier":1,"choices":[{"answer":"bratrancem Boleslava II","correct":false},{"answer":"První český arcibiskup","correct":false},{"answer":"Poslední žijící Slavníkovec","correct":true},{"answer":"Zakladatel katedrály sv. Víta","correct":false}],"layout":"CLASSIC","resources":"","video":{"startTime":0,"endTime":0,"service":"youtube","fullUrl":""},"questionFormat":0},{"type":"quiz","question":"Doplňte bájnou dvojici: Horymír a....","time":5000,"points":true,"pointsMultiplier":1,"choices":[{"answer":"Kazi","correct":false},{"answer":"Teta","correct":false},{"answer":"Bivoj","correct":false},{"answer":"Šemík","correct":true}],"layout":"CLASSIC","resources":"","video":{"startTime":0,"endTime":0,"service":"youtube","fullUrl":""},"questionFormat":0},{"type":"quiz","question":"Doplňte bájnou dvojici: Šárka","time":5000,"points":true,"pointsMultiplier":1,"choices":[{"answer":"Bivoj","correct":false},{"answer":"Ctirad","correct":true},{"answer":"Ludmila","correct":false},{"answer":"Krok","correct":false}],"layout":"CLASSIC","resources":"","video":{"startTime":0,"endTime":0,"service":"youtube","fullUrl":""},"questionFormat":0},{"type":"quiz","question":"Doplňte bájnou dvojici: Lech a ...","time":20000,"points":true,"pointsMultiplier":1,"choices":[{"answer":"Čech","correct":true},{"answer":"Pech","correct":false},{"answer":"Blech","correct":false},{"answer":"Přemysl","correct":false}],"layout":"CLASSIC","resources":"","video":{"startTime":0,"endTime":0,"service":"youtube","fullUrl":""},"questionFormat":0}],"answerMap":[4,2,4,4,4,4,4,4,4,4],"uuid":"9c6a24d1-afb8-4a1f-b6e5-0f2149ed7bfd"}
{ "id": 2388500, "type": "Feature", "properties": { "name":"Custer", "placetype":"locality", "woe:id":2388500, "woe:name":"Custer, Idaho, United States", "woe:place_id":"vZwpi12bApSAPk.z", "woe:placetype":"locality", "woe:placetype_id":7 }, "bbox": [-114.697098,44.387135,-114.694557,44.390862], "geometry": {"alpha":0.00015,"bbox":[-114.69709777832,44.387134552002,-114.69455718994,44.39086151123],"coordinates":[[[[-114.695076,44.388008],[-114.696373,44.387135],[-114.697098,44.387325],[-114.696922,44.390862],[-114.694862,44.388866],[-114.694557,44.388546],[-114.695076,44.388008]]]],"created":1292535886,"edges":7,"is_donuthole":0,"link":{"href":"http://farm6.static.flickr.com/5046/shapefiles/2388500_20101216_c17fb5b1d0.tar.gz"},"points":11,"type":"MultiPolygon"} }
{"title":"Hillary Scott &amp; Tony T - Butt Blassted (EPIC)","uid":5454334,"size":347037052,"categoryP":"porn","categoryS":"other","magnet":"?xt=urn:btih:b3faebf4f38b84860d6fee7465884e524c793cb6&amp;dn=Hillary+Scott+%26+Tony+T+-+Butt+Blassted+%28EPIC%29&amp;tr=udp%3A%2F%2Ftracker.openbittorrent.com%3A80&amp;tr=udp%3A%2F%2Fopen.demonii.com%3A1337&amp;tr=udp%3A%2F%2Ftracker.coppersurfer.tk%3A6969&amp;tr=udp%3A%2F%2Fexodus.desync.com%3A6969","seeders":1,"leechers":0,"uploader":"dias_vld","files":9,"time":1269278049,"description":"This is probably my favourite Hillary Scott scene...she starts the scene saying: &quot;im a dirty, filthy, motherfucking, ass licking whore..&quot; over and over again. Then its a brutal extreme scene until the end!!\n\nScreens:\n &lt;a href=&quot;\nhttp://www.pixhost.org/show/661/2077056_hillary-scott-tony-t-butt-blassted-avi.jpg&quot; rel=&quot;nofollow&quot; target=&quot;_NEW&quot;&gt;\nhttp://www.pixhost.org/show/661/2077056_hillary-scott-tony-t-butt-blassted-avi.jpg&lt;/a&gt;\n\n\nAlso in this torrent a 4 minutes preview clip of Aryana star at Ghetto Gaggers.\n\nScreens:\n &lt;a href=&quot;\nhttp://www.pixhost.org/show/661/2077060_www-ghettogaggers-com_aryana_star1-wmv.jpg&quot; rel=&quot;nofollow&quot; target=&quot;_NEW&quot;&gt;\nhttp://www.pixhost.org/show/661/2077060_www-ghettogaggers-com_aryana_star1-wmv.jpg&lt;/a&gt;\n\n\n &lt;a href=&quot;\nhttp://www.facialabuse.com/dias&quot; rel=&quot;nofollow&quot; target=&quot;_NEW&quot;&gt;\nhttp://www.facialabuse.com/dias&lt;/a&gt; and get a special $10month discount.\nFor more free extreme porn, check out http://www.defaceherface.com and http://www.abusedtube.com\n\n\nWatch my list of great porn...mostly rough stuff!! :)\n &lt;a href=&quot;\nhttp://thepiratebay.se/user/dias_vld/&quot; rel=&quot;nofollow&quot; target=&quot;_NEW&quot;&gt;\nhttp://thepiratebay.se/user/dias_vld/&lt;/a&gt;\n","torrent":{"xt":"urn:btih:b3faebf4f38b84860d6fee7465884e524c793cb6","amp;dn":"Hillary+Scott+%26+Tony+T+-+Butt+Blassted+%28EPIC%29","amp;tr":["udp%3A%2F%2Ftracker.openbittorrent.com%3A80","udp%3A%2F%2Fopen.demonii.com%3A1337","udp%3A%2F%2Ftracker.coppersurfer.tk%3A6969","udp%3A%2F%2Fexodus.desync.com%3A6969"],"infoHash":"b3faebf4f38b84860d6fee7465884e524c793cb6","infoHashBuffer":{"type":"Buffer","data":[179,250,235,244,243,139,132,134,13,111,238,116,101,136,78,82,76,121,60,182]},"announce":[],"urlList":[]}}
{"uuid":"3bb843c6-82ec-449c-ab2f-30ec74527a48","name":"com.leadgain.testcase.CreateCampaignTest","start":1540977554598,"stop":1540977650549,"children":["b493ed1b-01f8-4616-af0a-7ce9d4078484"],"befores":[{"name":"springTestContextBeforeTestClass","status":"passed","stage":"finished","description":"","start":1540977554644,"stop":1540977554660},{"name":"springTestContextPrepareTestInstance","status":"passed","stage":"finished","description":"","start":1540977554660,"stop":1540977564116},{"name":"Class Level Setup!","status":"passed","stage":"finished","description":"Class Level Setup!","start":1540977564116,"stop":1540977564291}],"afters":[{"name":"Class Level Teardown!","status":"passed","stage":"finished","description":"Class Level Teardown!","start":1540977649312,"stop":1540977649937},{"name":"springTestContextAfterTestClass","status":"passed","stage":"finished","description":"","start":1540977649937,"stop":1540977649937}]}
{ "name": "app-name", "lang": "en-US", "short_name": "app-short-name", "start_url": ".", "display": "standalone", "background_color": "#fff", "description": "some description", "icons": [{ "src": "./app/img/ico/48x48.png", "sizes": "48x48", "type": "image/png" },{ "src": "./app/img/ico/144x144.png", "sizes": "144x144", "type": "image/png" }], "categories": ["some-category"] }
{ "brief_title": [ "prevention", "coronary", "aneurysm", "kawasaki", "syndrome" ], "brief_summary": [ "test", "efficacy", "intravenous", "gamma", "globulin", "ivgg", "prevent", "coronary", "artery", "aneurysm", "child", "kawasaki", "syndrome" ], "detailed_description": [ "background", "kawasaki", "syndrome", "acute", "febrile", "illness", "occur", "predominantly", "previously", "healthy", "young", "child", "unknown", "etiology", "first", "describe", "japan", "1967", "illness", "carry", "acute", "mortality", "rate", "approximately", "3", "percent", "center", "disease", "control", "define", "kawasaki", "syndrome", "fever", "last", "five", "day", "explanation", "find", "patient", "also", "must", "least", "four", "follow", "symptom", "bilateral", "conjunctival", "infection", "infect", "fissure", "lip", "pharynx", "tongue", "erythema", "palm", "sole", "edema", "hand", "foot", "generalize", "periungual", "desquamation", "rash", "cervical", "lymphadenopathy", "coronary", "artery", "aneurysm", "occur", "percent", "child", "illness", "past", "treatment", "show", "effective", "prevent", "complication", "investigator", "japan", "begin", "use", "ivgg", "reduce", "aneurysm", "formation", "preliminary", "result", "show", "usefulness", "therapy", "lead", "multicenter", "trial", "japan", "400", "ivgg", "give", "five", "day", "child", "also", "receive", "aspirin", "condition", "result", "japanese", "trial", "show", "within", "29", "day", "onset", "disease", "coronary", "artery", "dilatation", "develop", "42", "percent", "child", "15", "percent", "ivgg", "child", "design", "narrative", "phase", "randomize", "unblinded", "stratify", "age", "sex", "center", "subject", "randomize", "receive", "either", "80", "120", "aspirin", "day", "14", "illness", "subsequently", "reduce", "3", "5", "single", "daily", "dose", "400", "intravenous", "gamma", "globulin", "four", "consecutive", "day", "plus", "aspirin", "primary", "endpoint", "formation", "aneurysm", "demonstrate", "echocardiogram", "7", "week", "phase", "ii", "trial", "begin", "enrollment", "549", "patient", "may", "1986", "end", "enrollment", "november", "1989", "two", "hundred", "seventy", "six", "child", "randomize", "receive", "400", "intravenous", "gamma", "globulin", "four", "consecutive", "day", "two", "hundred", "receive", "single", "infusion", "2", "body", "weight", "10", "hour", "treatment", "group", "receive", "100", "aspirin", "per", "day", "day", "14", "3", "5", "per", "day", "primary", "outcome", "variable", "presence", "absence", "coronary", "artery", "abnormality", "evident", "two", "week", "seven", "week", "examination", "echocardiogram", "obtain", "523", "child", "two", "week", "visit", "520", "child", "seven", "week", "visit" ], "condition": [ "disease", "aneurysm", "disease", "lymph", "node", "syndrome" ], "intervention_type": [ "Drug", "Drug" ], "intervention_name": [ "immunoglobulins, intravenous", "aspirin" ], "criteria": [ "boy", "girl", "meet", "cdc", "criterion", "kawasaki", "syndrome", "subject", "exclude", "present", "participate", "center", "tenth", "day", "illness" ], "gender": "All", "minimum_age": [ "1", "year" ], "maximum_age": [ "17", "year" ], "healthy_volunteers": "No", "mesh_term": [ "disease", "disease", "aneurysm", "lymph", "node", "syndrome", "intravenous", "immune", "globulin" ], "id": "NCT00000520" }
{ "backendApp": { "location" : { "home": { "title": "Locations", "createLabel": "Create a new Location", "createOrEditLabel": "Create or edit a Location", "search": "Search for Location" }, "created": "A new Location is created with identifier {{ param }}", "updated": "A Location is updated with identifier {{ param }}", "deleted": "A Location is deleted with identifier {{ param }}", "delete": { "question": "Are you sure you want to delete Location {{ id }}?" }, "detail": { "title": "Location" }, "name": "Name", "description": "Description", "lat": "Lat", "lon": "Lon", "fromDate": "From Date", "toDate": "To Date", "address": "Address", "searchName": "Search Name", "event": "Event" } } }
{ "first_traded_price": 2683.0, "highest_price": 2720.0, "isin": "IRO1DODE0001", "last_traded_price": 2663.0, "lowest_price": 2621.0, "trade_volume": 474414.0, "unix_time": 1470700800 }
{"countryCode":"LU","postalCode":"L-6255","placeName":"Zittig","adminName1":"Echternach","adminCode1":"EC","adminName2":"Bech","adminCode2":"02","adminName3":"","adminCode3":"","latitude":"49.7447","longitude":"6.3444","accuracy":"6"}
{ "name": "Google Pixelbook Pen Replacement Tips", "url": "google_pixelbook_pen_replacement_tips" }
{"properties": {"unk_19": 0, "length": 8, "width": 6, "ambient": 25, "contrast": 15, "unk_17": false, "model": false, "models": [{"type": 10, "values": [114065]}], "unk_186": 2, "occludes_2": false, "id": 104388}, "uniques": [{"plane": 0, "i": 44, "j": 53, "x": 7, "y": 61, "id": 104388, "type": 10, "rotation": 3}, {"plane": 0, "i": 68, "j": 180, "x": 7, "y": 61, "id": 104388, "type": 10, "rotation": 3}]}
{"rome.css":"sha512-wZukATBoPuqHOQian0UewzVDbL+l/cszx0DlhUB07umNQRQ4fS+PjNgWu1PXRGtZQCseWjpJb19UkK/eUQgh+Q==","rome.js":"sha512-KVx8ZgJ63qnhhC67WZiGWDw2tc0pN5aOhPQiGg43bZWakDfakeWKXJaq1Su0nxZbvgc4cS/cqkTy4zlGGfqMVg==","rome.min.css":"sha512-mSdqFwt3juFOV97cMHsAwHrJ6lfhPrDsW+5taH8afUAcBrl6hkErAOuXnuqwGz+IIM1S5PDWmddgLlwteDe6/A==","rome.min.js":"sha512-RJ5KXiSED3fuMp+9sPBNW8XAqGDZByNUho9tIedBf8VSsDiEbn3vYd0U1/3NiQ8EFBGkNNvIUkBYZEHMyQfd/g==","rome.standalone.js":"sha512-mrfqN30v++bzJay9bnirIyNDNTvBTASu/iltbFUDX6LmshTlMr1jl4MVd4R/nZhLDhJQ3000Hb5n7M0MjdWE4g==","rome.standalone.min.js":"sha512-R3QEnU4EX1QtsTxVFnNp8gAT4gENVwIyMzofCiAix9bAAG5yppAT7PkNkOc/+KuiLso/tnQSv43Nr0q0cibIyw=="}
["f53e8ea10f0ce02bf5432fd034f104e3a31e81d5","468625376c71a74d1590285a06114aabed5a7306","657d027a0ae2b33db59350ebb7b2a0e000825138","801e2219262b1b6f32a1f6e4eb6914f1be8ede05","1bf40b5ba5da911a1c976669e0db2f3de4f9c9b8","6efc4cbafce50c3f14b41be03787f99bc69eae80","d48c4ab33b8b949baa83fb8b2a67f90a7563df62","8813e816649ba3c8925deb742bac4aef55937dfc","95eb5704c016e60971d8a732b7c754d7606f8ebc","938a647242dd0c22f86b4adeb898243a0f2b4dfc","fba029479d50b8b9c8eac812aa263eea69c222fd","a2314ba87d9d62034cd713519182510828a61313","574bc426a9c653d50777c7ca87a8e3a6fab291d8","040c0510484b1fa167946f8cf44433809cd42185"]
{ "id":"Illinois-Mutual-Photo-Contest", "image":"IM-PhotoContest-2015.png", "title":"2015 Illinois Mutual Photo Contest", "description":"This is the 2015 version of the annual Illinois Mutual Photo Contest. I designed and developed the Illinois Mutual 2015 Photo Contest site in DNN using HTML, CSS, and jQuery. The form module we used for the photo submission was modified using jQuery to split the form fields into various steps.", "roles": [ { "role":"Designer" }, { "role":"Developer" } ], "sourcelink":"http://photocontest.illinoismutual.com" }
{"uuid": "ff8944ec-9d0d-47d7-ae58-b9d7b43bbcb3", "children": ["d927433e-d3b3-41f7-90e4-68160f56b7e0"], "befores": [{"name": "_Module__pytest_setup_function", "status": "passed", "start": 1601293206284, "stop": 1601293206284}], "afters": [{"name": "_Module__pytest_setup_function::0", "status": "passed", "start": 1601293206310, "stop": 1601293206387}], "start": 1601293206284, "stop": 1601293206387}
{"feedstocks": ["trustme"]}
{ "first_traded_price": 2462.0, "highest_price": 2.6e3, "isin": "IRO1TSBE0001", "last_traded_price": 2.6e3, "lowest_price": 2462.0, "trade_volume": 196031.0, "unix_time": 1320796800 }
{ "actions": [ { "acted_at": "1993-08-02", "committee": "House Committee on Armed Services", "references": [], "status": "REFERRED", "text": "Referred to the House Committee on Armed Services.", "type": "referral" }, { "acted_at": "1993-08-02", "committee": "House Committee on Energy and Commerce", "references": [], "text": "Referred to the House Committee on Energy and Commerce.", "type": "referral" }, { "acted_at": "1993-08-03", "references": [ { "reference": "CR H5709", "type": null } ], "text": "Sponsor introductory remarks on measure.", "type": "action" }, { "acted_at": "1993-08-04", "in_committee": "House Committee on Armed Services", "references": [], "subcommittee": "Research and Technology", "text": "Referred to the Subcommittee on Research and Technology.", "type": "referral" }, { "acted_at": "1993-08-04", "in_committee": "House Committee on Armed Services", "references": [], "text": "Executive Comment Requested from DOD.", "type": "action" }, { "acted_at": "1993-08-13", "in_committee": "House Committee on Energy and Commerce", "references": [], "subcommittee": "Commerce, Consumer Protection and Competitiveness", "text": "Referred to the Subcommittee on Commerce, Consumer Protection and Competitiveness.", "type": "referral" } ], "amendments": [], "bill_id": "hr2831-103", "bill_type": "hr", "committees": [ { "activity": [ "referral", "in committee" ], "committee": "House Armed Services", "committee_id": "HSAS" }, { "activity": [ "referral" ], "committee": "House Armed Services", "committee_id": "HSAS", "subcommittee": "Subcommittee on Research and Technology", "subcommittee_id": "01" }, { "activity": [ "referral", "in committee" ], "committee": "House Energy and Commerce", "committee_id": "HSIF" }, { "activity": [ "referral" ], "committee": "House Energy and Commerce", "committee_id": "HSIF", "subcommittee": "Subcommittee on Commerce, Consumer Protection, and Competitiveness", "subcommittee_id": "06" } ], "congress": "103", "cosponsors": [ { "district": "10", "name": "Baker, Bill", "sponsored_at": "1993-10-19", "state": "CA", "thomas_id": "00045", "title": "Rep", "withdrawn_at": null }, { "district": "30", "name": "Becerra, Xavier", "sponsored_at": "1993-09-22", "state": "CA", "thomas_id": "00070", "title": "Rep", "withdrawn_at": null }, { "district": "24", "name": "Beilenson, Anthony C.", "sponsored_at": "1993-09-22", "state": "CA", "thomas_id": "00072", "title": "Rep", "withdrawn_at": null }, { "district": "26", "name": "Berman, Howard L.", "sponsored_at": "1993-09-22", "state": "CA", "thomas_id": "00082", "title": "Rep", "withdrawn_at": null }, { "district": "42", "name": "Brown, George E., Jr.", "sponsored_at": "1993-09-22", "state": "CA", "thomas_id": "00134", "title": "Rep", "withdrawn_at": null }, { "district": "47", "name": "Cox, Christopher", "sponsored_at": "1993-09-22", "state": "CA", "thomas_id": "00242", "title": "Rep", "withdrawn_at": null }, { "district": "51", "name": "Cunningham, Randy (Duke)", "sponsored_at": "1993-09-13", "state": "CA", "thomas_id": "00258", "title": "Rep", "withdrawn_at": null }, { "district": "32", "name": "Dixon, Julian C.", "sponsored_at": "1993-09-28", "state": "CA", "thomas_id": "00301", "title": "Rep", "withdrawn_at": null }, { "district": "46", "name": "Dornan, Robert K.", "sponsored_at": "1993-09-28", "state": "CA", "thomas_id": "00310", "title": "Rep", "withdrawn_at": null }, { "district": "16", "name": "Edwards, Don", "sponsored_at": "1993-09-22", "state": "CA", "thomas_id": "00336", "title": "Rep", "withdrawn_at": null }, { "district": "14", "name": "Eshoo, Anna G.", "sponsored_at": "1993-09-22", "state": "CA", "thomas_id": "00355", "title": "Rep", "withdrawn_at": null }, { "district": "17", "name": "Farr, Sam", "sponsored_at": "1993-09-22", "state": "CA", "thomas_id": "00368", "title": "Rep", "withdrawn_at": null }, { "district": "3", "name": "Fazio, Vic", "sponsored_at": "1993-09-22", "state": "CA", "thomas_id": "00374", "title": "Rep", "withdrawn_at": null }, { "district": "50", "name": "Filner, Bob", "sponsored_at": "1993-09-28", "state": "CA", "thomas_id": "00381", "title": "Rep", "withdrawn_at": null }, { "district": "23", "name": "Gallegly, Elton", "sponsored_at": "1993-09-28", "state": "CA", "thomas_id": "00425", "title": "Rep", "withdrawn_at": null }, { "district": "36", "name": "Harman, Jane", "sponsored_at": "1993-09-22", "state": "CA", "thomas_id": "00502", "title": "Rep", "withdrawn_at": null }, { "district": "38", "name": "Horn, Stephen", "sponsored_at": "1993-09-28", "state": "CA", "thomas_id": "00559", "title": "Rep", "withdrawn_at": null }, { "district": "12", "name": "Lantos, Tom", "sponsored_at": "1993-10-14", "state": "CA", "thomas_id": "00663", "title": "Rep", "withdrawn_at": null }, { "district": "19", "name": "Lehman, Richard H.", "sponsored_at": "1993-09-28", "state": "CA", "thomas_id": "00679", "title": "Rep", "withdrawn_at": null }, { "district": "5", "name": "Matsui, Robert T.", "sponsored_at": "1993-09-22", "state": "CA", "thomas_id": "00748", "title": "Rep", "withdrawn_at": null }, { "district": "24", "name": "McHugh, John M.", "sponsored_at": "1993-09-28", "state": "NY", "thomas_id": "00773", "title": "Rep", "withdrawn_at": null }, { "district": "7", "name": "Miller, George", "sponsored_at": "1993-10-14", "state": "CA", "thomas_id": "00808", "title": "Rep", "withdrawn_at": null }, { "district": null, "name": "Norton, Eleanor Holmes", "sponsored_at": "1994-06-08", "state": "DC", "thomas_id": "00868", "title": "Rep", "withdrawn_at": null }, { "district": "8", "name": "Pelosi, Nancy", "sponsored_at": "1993-10-05", "state": "CA", "thomas_id": "00905", "title": "Rep", "withdrawn_at": null }, { "district": "10", "name": "Porter, John Edward", "sponsored_at": "1993-10-22", "state": "IL", "thomas_id": "00923", "title": "Rep", "withdrawn_at": null }, { "district": "33", "name": "Roybal-Allard, Lucille", "sponsored_at": "1993-09-22", "state": "CA", "thomas_id": "00997", "title": "Rep", "withdrawn_at": null }, { "district": "98", "name": "Sanders, Bernard", "sponsored_at": "1993-11-15", "state": "VT", "thomas_id": "01010", "title": "Rep", "withdrawn_at": null }, { "district": "13", "name": "Stark, Fortney Pete", "sponsored_at": "1993-09-22", "state": "CA", "thomas_id": "01101", "title": "Rep", "withdrawn_at": null }, { "district": "34", "name": "Torres, Estaban Edward", "sponsored_at": "1993-10-05", "state": "CA", "thomas_id": "01162", "title": "Rep", "withdrawn_at": null }, { "district": null, "name": "Underwood, Robert A.", "sponsored_at": "1993-10-13", "state": "GU", "thomas_id": "01175", "title": "Rep", "withdrawn_at": null }, { "district": "29", "name": "Waxman, Henry A.", "sponsored_at": "1993-09-22", "state": "CA", "thomas_id": "01209", "title": "Rep", "withdrawn_at": null }, { "district": "6", "name": "Woolsey, Lynn C.", "sponsored_at": "1993-09-22", "state": "CA", "thomas_id": "01242", "title": "Rep", "withdrawn_at": null } ], "enacted_as": null, "history": { "awaiting_signature": false, "enacted": false, "vetoed": false }, "introduced_at": "1993-08-02", "number": "2831", "official_title": "To establish the Office of Economic Conversion Information within the Department of Commerce, and for other purposes.", "popular_title": null, "related_bills": [ { "bill_id": "s850-103", "reason": "identical" } ], "short_title": "Economic Conversion Clearinghouse Act", "sponsor": { "district": "49", "name": "Schenk, Lynn", "state": "CA", "thomas_id": "01027", "title": "Rep", "type": "person" }, "status": "REFERRED", "status_at": "1993-08-02", "subjects": [ "Commerce", "Commercialization", "Conversion of industries", "Data banks", "Defense budgets", "Defense industries", "Department of Commerce", "Economics and public finance", "Executive reorganization", "Federal advisory bodies", "Government and business", "Government spending reductions", "Information services", "Military base closures", "Research and development", "Science, technology, communications", "Technology policy", "Technology transfer", "Telephone" ], "subjects_top_term": "Commerce", "summary": { "as": "Introduced", "date": "1993-08-02", "text": "Economic Conversion Clearinghouse Act - Establishes within the Department of Commerce the Office of Economic Conversion Information to: (1) serve as a central information clearinghouse on matters relating to economic adjustment and defense conversion programs and activities of the Federal and State governments; and (2) aid persons in applying for economic adjustment and defense conversion assistance under Federal, State, and local laws. Outlines further Office functions, including: (1) the development of information data bases for use in identifying and applying for such assistance; (2) the establishment of mechanisms to assure easy access to such information data bases, as well as their user-friendliness (including establishing a toll-free number); and (3) the conduct of a regular review of the various agencies and programs in the Federal system involving economic adjustment and defense conversion. Establishes the Interagency Economic Conversion Information Coordinating Committee to: (1) advise and make appropriate recommendations to the Office; (2) coordinate and facilitate the information gathering and monitoring activities of the Office among Federal departments and agencies; (3) aid the Office in preparing and presenting information in an accessible, user-friendly manner; and (4) assist the Office in making technical assistance personnel available as needed. Authorizes appropriations." }, "titles": [ { "as": "introduced", "title": "Economic Conversion Clearinghouse Act", "type": "short" }, { "as": "introduced", "title": "To establish the Office of Economic Conversion Information within the Department of Commerce, and for other purposes.", "type": "official" } ], "updated_at": "2013-02-02T20:30:09-05:00" }
{"id":172396,"type":1,"name":"マンキツ","image":"//lain.bgm.tv/pic/cover/m/d6/63/172396_jp.jpg","info":"<li><span>出版社: </span>ティーアイネット</li><li><span>价格: </span>¥ 998</li><li><span>发售日: </span>2006-07-21</li><li><span>页数: </span>206</li><li><span>ISBN: </span>4887741928</li><li><span>作者: </span>有賀冬</li>","collection":{"wish":1,"collect":2},"tags":[{"name":"漫画","count":1}]}
{ "first_traded_price": 1.02e4, "highest_price": 1.08e4, "isin": "IRO1GNBO0001", "last_traded_price": 10066.0, "lowest_price": 10066.0, "trade_volume": 3040195.0, "unix_time": 1559433600 }
{ "id": 974831893, "type": "Feature", "properties": { "addr:full":"388 Rue Du Geai-Bleu Rosemere QC J7A 4J5", "addr:housenumber":"388", "addr:postcode":"j7a 4j5", "addr:street":"Rue Du Geai-Bleu Rosemere", "edtf:cessation":"uuuu", "edtf:inception":"uuuu", "geom:area":0.0, "geom:area_square_m":0.0, "geom:bbox":"-73.8031616211,45.6460571289,-73.8031616211,45.6460571289", "geom:latitude":45.646057, "geom:longitude":-73.803162, "iso:country":"CA", "mz:hierarchy_label":1, "mz:is_current":-1, "sg:address":"388 Rue Du Geai-Bleu", "sg:city":"Rosemere", "sg:classifiers":[ { "category":"Professional", "subcategory":"Lawyer & Legal Services", "type":"Services" } ], "sg:owner":"simplegeo", "sg:phone":"+1 450 621 3468", "sg:postcode":"J7A 4J5", "sg:province":"QC", "sg:tags":[ "attorney" ], "src:geom":"simplegeo", "wof:belongsto":[ 85871107, 102191575, 85633041, 101737759, 136251273 ], "wof:breaches":[], "wof:concordances":{ "sg:id":"SG_5y3ndWH6Cd5k9yAfwCxRaP_45.646057_-73.803162@1293573121" }, "wof:country":"CA", "wof:created":1472265357, "wof:geomhash":"8b55a17802d859b98186b4d4ad6763c2", "wof:hierarchy":[ { "continent_id":102191575, "country_id":85633041, "locality_id":101737759, "neighbourhood_id":85871107, "region_id":136251273, "venue_id":974831893 } ], "wof:id":974831893, "wof:lastmodified":1499437156, "wof:name":"Turgeon, Sylvie", "wof:parent_id":85871107, "wof:placetype":"venue", "wof:repo":"whosonfirst-data-venue-ca", "wof:superseded_by":[], "wof:supersedes":[], "wof:tags":[ "attorney" ] }, "bbox": [ -73.8031616211, 45.6460571289, -73.8031616211, 45.6460571289 ], "geometry": {"coordinates":[-73.8031616211,45.6460571289],"type":"Point"} }
{"id":"js/main.js","dependencies":[{"name":"/Users/helene/Desktop/HETIC/3Dprojects/threeJsProject/package.json","includedInParent":true,"mtime":1554148825339},{"name":"three","loc":{"line":1,"column":23},"parent":"/Users/helene/Desktop/HETIC/3Dprojects/threeJsProject/src/js/main.js","resolved":"/Users/helene/Desktop/HETIC/3Dprojects/threeJsProject/node_modules/three/build/three.module.js"}],"generated":{"js":"\"use strict\";\n\nvar THREE = _interopRequireWildcard(require(\"three\"));\n\nfunction _interopRequireWildcard(obj) { if (obj && obj.__esModule) { return obj; } else { var newObj = {}; if (obj != null) { for (var key in obj) { if (Object.prototype.hasOwnProperty.call(obj, key)) { var desc = Object.defineProperty && Object.getOwnPropertyDescriptor ? Object.getOwnPropertyDescriptor(obj, key) : {}; if (desc.get || desc.set) { Object.defineProperty(newObj, key, desc); } else { newObj[key] = obj[key]; } } } } newObj.default = obj; return newObj; } }\n\nvar mesh;\nvar renderer;\nvar scene;\nvar camera;\nwindow.addEventListener('resize', onWindowResize, false);\ninit();\nanimate();\n\nfunction init() {\n camera = new THREE.PerspectiveCamera(70, window.innerWidth / window.innerHeight, 0.01, 10);\n camera.position.z = 1;\n scene = new THREE.Scene();\n var geometry = new THREE.BoxGeometry(0.2, 0.2, 0.2);\n var material = new THREE.MeshNormalMaterial();\n mesh = new THREE.Mesh(geometry, material);\n scene.add(mesh);\n renderer = new THREE.WebGLRenderer({\n antialias: true\n });\n renderer.setSize(window.innerWidth, window.innerHeight);\n document.body.appendChild(renderer.domElement);\n}\n\nfunction animate() {\n requestAnimationFrame(animate);\n mesh.rotation.x += 0.01;\n mesh.rotation.y += 0.02;\n renderer.render(scene, camera);\n}\n\nfunction onWindowResize() {\n camera.aspect = window.innerWidth / window.innerHeight;\n camera.updateProjectionMatrix();\n renderer.setSize(window.innerWidth, window.innerHeight);\n}"},"sourceMaps":{"js":{"mappings":[{"generated":{"line":3,"column":0},"source":"js/main.js","original":{"line":1,"column":0}},{"generated":{"line":7,"column":0},"source":"js/main.js","original":{"line":3,"column":0}},{"name":"mesh","generated":{"line":7,"column":4},"source":"js/main.js","original":{"line":3,"column":4}},{"generated":{"line":7,"column":8},"source":"js/main.js","original":{"line":3,"column":0}},{"generated":{"line":8,"column":0},"source":"js/main.js","original":{"line":4,"column":0}},{"name":"renderer","generated":{"line":8,"column":4},"source":"js/main.js","original":{"line":4,"column":4}},{"generated":{"line":8,"column":12},"source":"js/main.js","original":{"line":4,"column":0}},{"generated":{"line":9,"column":0},"source":"js/main.js","original":{"line":5,"column":0}},{"name":"scene","generated":{"line":9,"column":4},"source":"js/main.js","original":{"line":5,"column":4}},{"generated":{"line":9,"column":9},"source":"js/main.js","original":{"line":5,"column":0}},{"generated":{"line":10,"column":0},"source":"js/main.js","original":{"line":6,"column":0}},{"name":"camera","generated":{"line":10,"column":4},"source":"js/main.js","original":{"line":6,"column":4}},{"generated":{"line":10,"column":10},"source":"js/main.js","original":{"line":6,"column":0}},{"name":"window","generated":{"line":11,"column":0},"source":"js/main.js","original":{"line":8,"column":0}},{"generated":{"line":11,"column":6},"source":"js/main.js","original":{"line":8,"column":6}},{"name":"addEventListener","generated":{"line":11,"column":7},"source":"js/main.js","original":{"line":8,"column":7}},{"generated":{"line":11,"column":23},"source":"js/main.js","original":{"line":8,"column":0}},{"generated":{"line":11,"column":24},"source":"js/main.js","original":{"line":8,"column":24}},{"generated":{"line":11,"column":32},"source":"js/main.js","original":{"line":8,"column":0}},{"name":"onWindowResize","generated":{"line":11,"column":34},"source":"js/main.js","original":{"line":8,"column":34}},{"generated":{"line":11,"column":48},"source":"js/main.js","original":{"line":8,"column":0}},{"generated":{"line":11,"column":50},"source":"js/main.js","original":{"line":8,"column":50}},{"generated":{"line":11,"column":55},"source":"js/main.js","original":{"line":8,"column":0}},{"name":"init","generated":{"line":12,"column":0},"source":"js/main.js","original":{"line":10,"column":0}},{"generated":{"line":12,"column":4},"source":"js/main.js","original":{"line":10,"column":4}},{"name":"animate","generated":{"line":13,"column":0},"source":"js/main.js","original":{"line":11,"column":0}},{"generated":{"line":13,"column":7},"source":"js/main.js","original":{"line":11,"column":7}},{"generated":{"line":15,"column":0},"source":"js/main.js","original":{"line":13,"column":0}},{"name":"init","generated":{"line":15,"column":9},"source":"js/main.js","original":{"line":13,"column":9}},{"generated":{"line":15,"column":13},"source":"js/main.js","original":{"line":13,"column":0}},{"generated":{"line":15,"column":16},"source":"js/main.js","original":{"line":13,"column":16}},{"name":"camera","generated":{"line":16,"column":0},"source":"js/main.js","original":{"line":15,"column":2}},{"name":"camera","generated":{"line":16,"column":2},"source":"js/main.js","original":{"line":15,"column":2}},{"generated":{"line":16,"column":8},"source":"js/main.js","original":{"line":15,"column":8}},{"generated":{"line":16,"column":11},"source":"js/main.js","original":{"line":15,"column":11}},{"name":"THREE","generated":{"line":16,"column":15},"source":"js/main.js","original":{"line":15,"column":15}},{"generated":{"line":16,"column":20},"source":"js/main.js","original":{"line":15,"column":20}},{"name":"PerspectiveCamera","generated":{"line":16,"column":21},"source":"js/main.js","original":{"line":15,"column":21}},{"generated":{"line":16,"column":38},"source":"js/main.js","original":{"line":15,"column":11}},{"generated":{"line":16,"column":39},"source":"js/main.js","original":{"line":15,"column":39}},{"generated":{"line":16,"column":41},"source":"js/main.js","original":{"line":15,"column":11}},{"name":"window","generated":{"line":16,"column":43},"source":"js/main.js","original":{"line":15,"column":43}},{"generated":{"line":16,"column":49},"source":"js/main.js","original":{"line":15,"column":49}},{"name":"innerWidth","generated":{"line":16,"column":50},"source":"js/main.js","original":{"line":15,"column":50}},{"generated":{"line":16,"column":60},"source":"js/main.js","original":{"line":15,"column":43}},{"name":"window","generated":{"line":16,"column":63},"source":"js/main.js","original":{"line":15,"column":63}},{"generated":{"line":16,"column":69},"source":"js/main.js","original":{"line":15,"column":69}},{"name":"innerHeight","generated":{"line":16,"column":70},"source":"js/main.js","original":{"line":15,"column":70}},{"generated":{"line":16,"column":81},"source":"js/main.js","original":{"line":15,"column":11}},{"generated":{"line":16,"column":83},"source":"js/main.js","original":{"line":15,"column":83}},{"generated":{"line":16,"column":87},"source":"js/main.js","original":{"line":15,"column":11}},{"generated":{"line":16,"column":89},"source":"js/main.js","original":{"line":15,"column":89}},{"generated":{"line":16,"column":91},"source":"js/main.js","original":{"line":15,"column":11}},{"generated":{"line":16,"column":92},"source":"js/main.js","original":{"line":15,"column":2}},{"name":"camera","generated":{"line":17,"column":0},"source":"js/main.js","original":{"line":16,"column":2}},{"name":"camera","generated":{"line":17,"column":2},"source":"js/main.js","original":{"line":16,"column":2}},{"generated":{"line":17,"column":8},"source":"js/main.js","original":{"line":16,"column":8}},{"name":"position","generated":{"line":17,"column":9},"source":"js/main.js","original":{"line":16,"column":9}},{"generated":{"line":17,"column":17},"source":"js/main.js","original":{"line":16,"column":2}},{"name":"z","generated":{"line":17,"column":18},"source":"js/main.js","original":{"line":16,"column":18}},{"generated":{"line":17,"column":19},"source":"js/main.js","original":{"line":16,"column":2}},{"generated":{"line":17,"column":22},"source":"js/main.js","original":{"line":16,"column":22}},{"generated":{"line":17,"column":23},"source":"js/main.js","original":{"line":16,"column":2}},{"name":"scene","generated":{"line":18,"column":0},"source":"js/main.js","original":{"line":18,"column":2}},{"name":"scene","generated":{"line":18,"column":2},"source":"js/main.js","original":{"line":18,"column":2}},{"generated":{"line":18,"column":7},"source":"js/main.js","original":{"line":18,"column":7}},{"generated":{"line":18,"column":10},"source":"js/main.js","original":{"line":18,"column":10}},{"name":"THREE","generated":{"line":18,"column":14},"source":"js/main.js","original":{"line":18,"column":14}},{"generated":{"line":18,"column":19},"source":"js/main.js","original":{"line":18,"column":19}},{"name":"Scene","generated":{"line":18,"column":20},"source":"js/main.js","original":{"line":18,"column":20}},{"generated":{"line":18,"column":25},"source":"js/main.js","original":{"line":18,"column":10}},{"generated":{"line":18,"column":27},"source":"js/main.js","original":{"line":18,"column":2}},{"generated":{"line":19,"column":0},"source":"js/main.js","original":{"line":20,"column":2}},{"name":"geometry","generated":{"line":19,"column":6},"source":"js/main.js","original":{"line":20,"column":8}},{"generated":{"line":19,"column":14},"source":"js/main.js","original":{"line":20,"column":16}},{"generated":{"line":19,"column":17},"source":"js/main.js","original":{"line":20,"column":19}},{"name":"THREE","generated":{"line":19,"column":21},"source":"js/main.js","original":{"line":20,"column":23}},{"generated":{"line":19,"column":26},"source":"js/main.js","original":{"line":20,"column":28}},{"name":"BoxGeometry","generated":{"line":19,"column":27},"source":"js/main.js","original":{"line":20,"column":29}},{"generated":{"line":19,"column":38},"source":"js/main.js","original":{"line":20,"column":19}},{"generated":{"line":19,"column":39},"source":"js/main.js","original":{"line":20,"column":41}},{"generated":{"line":19,"column":42},"source":"js/main.js","original":{"line":20,"column":19}},{"generated":{"line":19,"column":44},"source":"js/main.js","original":{"line":20,"column":46}},{"generated":{"line":19,"column":47},"source":"js/main.js","original":{"line":20,"column":19}},{"generated":{"line":19,"column":49},"source":"js/main.js","original":{"line":20,"column":51}},{"generated":{"line":19,"column":52},"source":"js/main.js","original":{"line":20,"column":19}},{"generated":{"line":19,"column":53},"source":"js/main.js","original":{"line":20,"column":2}},{"generated":{"line":20,"column":0},"source":"js/main.js","original":{"line":21,"column":2}},{"name":"material","generated":{"line":20,"column":6},"source":"js/main.js","original":{"line":21,"column":8}},{"generated":{"line":20,"column":14},"source":"js/main.js","original":{"line":21,"column":16}},{"generated":{"line":20,"column":17},"source":"js/main.js","original":{"line":21,"column":19}},{"name":"THREE","generated":{"line":20,"column":21},"source":"js/main.js","original":{"line":21,"column":23}},{"generated":{"line":20,"column":26},"source":"js/main.js","original":{"line":21,"column":28}},{"name":"MeshNormalMaterial","generated":{"line":20,"column":27},"source":"js/main.js","original":{"line":21,"column":29}},{"generated":{"line":20,"column":45},"source":"js/main.js","original":{"line":21,"column":19}},{"generated":{"line":20,"column":47},"source":"js/main.js","original":{"line":21,"column":2}},{"name":"mesh","generated":{"line":21,"column":0},"source":"js/main.js","original":{"line":23,"column":2}},{"name":"mesh","generated":{"line":21,"column":2},"source":"js/main.js","original":{"line":23,"column":2}},{"generated":{"line":21,"column":6},"source":"js/main.js","original":{"line":23,"column":6}},{"generated":{"line":21,"column":9},"source":"js/main.js","original":{"line":23,"column":9}},{"name":"THREE","generated":{"line":21,"column":13},"source":"js/main.js","original":{"line":23,"column":13}},{"generated":{"line":21,"column":18},"source":"js/main.js","original":{"line":23,"column":18}},{"name":"Mesh","generated":{"line":21,"column":19},"source":"js/main.js","original":{"line":23,"column":19}},{"generated":{"line":21,"column":23},"source":"js/main.js","original":{"line":23,"column":9}},{"name":"geometry","generated":{"line":21,"column":24},"source":"js/main.js","original":{"line":23,"column":24}},{"generated":{"line":21,"column":32},"source":"js/main.js","original":{"line":23,"column":9}},{"name":"material","generated":{"line":21,"column":34},"source":"js/main.js","original":{"line":23,"column":34}},{"generated":{"line":21,"column":42},"source":"js/main.js","original":{"line":23,"column":9}},{"generated":{"line":21,"column":43},"source":"js/main.js","original":{"line":23,"column":2}},{"name":"scene","generated":{"line":22,"column":0},"source":"js/main.js","original":{"line":24,"column":2}},{"name":"scene","generated":{"line":22,"column":2},"source":"js/main.js","original":{"line":24,"column":2}},{"generated":{"line":22,"column":7},"source":"js/main.js","original":{"line":24,"column":7}},{"name":"add","generated":{"line":22,"column":8},"source":"js/main.js","original":{"line":24,"column":8}},{"generated":{"line":22,"column":11},"source":"js/main.js","original":{"line":24,"column":2}},{"name":"mesh","generated":{"line":22,"column":12},"source":"js/main.js","original":{"line":24,"column":12}},{"generated":{"line":22,"column":16},"source":"js/main.js","original":{"line":24,"column":2}},{"name":"renderer","generated":{"line":23,"column":0},"source":"js/main.js","original":{"line":26,"column":2}},{"name":"renderer","generated":{"line":23,"column":2},"source":"js/main.js","original":{"line":26,"column":2}},{"generated":{"line":23,"column":10},"source":"js/main.js","original":{"line":26,"column":10}},{"generated":{"line":23,"column":13},"source":"js/main.js","original":{"line":26,"column":13}},{"name":"THREE","generated":{"line":23,"column":17},"source":"js/main.js","original":{"line":26,"column":17}},{"generated":{"line":23,"column":22},"source":"js/main.js","original":{"line":26,"column":22}},{"name":"WebGLRenderer","generated":{"line":23,"column":23},"source":"js/main.js","original":{"line":26,"column":23}},{"generated":{"line":23,"column":36},"source":"js/main.js","original":{"line":26,"column":13}},{"generated":{"line":23,"column":37},"source":"js/main.js","original":{"line":26,"column":37}},{"name":"antialias","generated":{"line":24,"column":0},"source":"js/main.js","original":{"line":26,"column":39}},{"name":"antialias","generated":{"line":24,"column":4},"source":"js/main.js","original":{"line":26,"column":39}},{"generated":{"line":24,"column":13},"source":"js/main.js","original":{"line":26,"column":48}},{"generated":{"line":24,"column":15},"source":"js/main.js","original":{"line":26,"column":50}},{"generated":{"line":25,"column":0},"source":"js/main.js","original":{"line":26,"column":37}},{"generated":{"line":25,"column":3},"source":"js/main.js","original":{"line":26,"column":13}},{"generated":{"line":25,"column":4},"source":"js/main.js","original":{"line":26,"column":2}},{"name":"renderer","generated":{"line":26,"column":0},"source":"js/main.js","original":{"line":27,"column":2}},{"name":"renderer","generated":{"line":26,"column":2},"source":"js/main.js","original":{"line":27,"column":2}},{"generated":{"line":26,"column":10},"source":"js/main.js","original":{"line":27,"column":10}},{"name":"setSize","generated":{"line":26,"column":11},"source":"js/main.js","original":{"line":27,"column":11}},{"generated":{"line":26,"column":18},"source":"js/main.js","original":{"line":27,"column":2}},{"name":"window","generated":{"line":26,"column":19},"source":"js/main.js","original":{"line":27,"column":19}},{"generated":{"line":26,"column":25},"source":"js/main.js","original":{"line":27,"column":25}},{"name":"innerWidth","generated":{"line":26,"column":26},"source":"js/main.js","original":{"line":27,"column":26}},{"generated":{"line":26,"column":36},"source":"js/main.js","original":{"line":27,"column":2}},{"name":"window","generated":{"line":26,"column":38},"source":"js/main.js","original":{"line":27,"column":38}},{"generated":{"line":26,"column":44},"source":"js/main.js","original":{"line":27,"column":44}},{"name":"innerHeight","generated":{"line":26,"column":45},"source":"js/main.js","original":{"line":27,"column":45}},{"generated":{"line":26,"column":56},"source":"js/main.js","original":{"line":27,"column":2}},{"name":"document","generated":{"line":27,"column":0},"source":"js/main.js","original":{"line":28,"column":2}},{"name":"document","generated":{"line":27,"column":2},"source":"js/main.js","original":{"line":28,"column":2}},{"generated":{"line":27,"column":10},"source":"js/main.js","original":{"line":28,"column":10}},{"name":"body","generated":{"line":27,"column":11},"source":"js/main.js","original":{"line":28,"column":11}},{"generated":{"line":27,"column":15},"source":"js/main.js","original":{"line":28,"column":2}},{"name":"appendChild","generated":{"line":27,"column":16},"source":"js/main.js","original":{"line":28,"column":16}},{"generated":{"line":27,"column":27},"source":"js/main.js","original":{"line":28,"column":2}},{"name":"renderer","generated":{"line":27,"column":28},"source":"js/main.js","original":{"line":28,"column":28}},{"generated":{"line":27,"column":36},"source":"js/main.js","original":{"line":28,"column":36}},{"name":"domElement","generated":{"line":27,"column":37},"source":"js/main.js","original":{"line":28,"column":37}},{"generated":{"line":27,"column":47},"source":"js/main.js","original":{"line":28,"column":2}},{"generated":{"line":28,"column":0},"source":"js/main.js","original":{"line":30,"column":1}},{"generated":{"line":30,"column":0},"source":"js/main.js","original":{"line":32,"column":0}},{"name":"animate","generated":{"line":30,"column":9},"source":"js/main.js","original":{"line":32,"column":9}},{"generated":{"line":30,"column":16},"source":"js/main.js","original":{"line":32,"column":0}},{"generated":{"line":30,"column":19},"source":"js/main.js","original":{"line":32,"column":19}},{"name":"requestAnimationFrame","generated":{"line":31,"column":0},"source":"js/main.js","original":{"line":34,"column":2}},{"name":"requestAnimationFrame","generated":{"line":31,"column":2},"source":"js/main.js","original":{"line":34,"column":2}},{"generated":{"line":31,"column":23},"source":"js/main.js","original":{"line":34,"column":23}},{"name":"animate","generated":{"line":31,"column":24},"source":"js/main.js","original":{"line":34,"column":24}},{"generated":{"line":31,"column":31},"source":"js/main.js","original":{"line":34,"column":23}},{"generated":{"line":31,"column":32},"source":"js/main.js","original":{"line":34,"column":2}},{"name":"mesh","generated":{"line":32,"column":0},"source":"js/main.js","original":{"line":36,"column":2}},{"name":"mesh","generated":{"line":32,"column":2},"source":"js/main.js","original":{"line":36,"column":2}},{"generated":{"line":32,"column":6},"source":"js/main.js","original":{"line":36,"column":6}},{"name":"rotation","generated":{"line":32,"column":7},"source":"js/main.js","original":{"line":36,"column":7}},{"generated":{"line":32,"column":15},"source":"js/main.js","original":{"line":36,"column":2}},{"name":"x","generated":{"line":32,"column":16},"source":"js/main.js","original":{"line":36,"column":16}},{"generated":{"line":32,"column":17},"source":"js/main.js","original":{"line":36,"column":2}},{"generated":{"line":32,"column":21},"source":"js/main.js","original":{"line":36,"column":21}},{"generated":{"line":32,"column":25},"source":"js/main.js","original":{"line":36,"column":2}},{"name":"mesh","generated":{"line":33,"column":0},"source":"js/main.js","original":{"line":37,"column":2}},{"name":"mesh","generated":{"line":33,"column":2},"source":"js/main.js","original":{"line":37,"column":2}},{"generated":{"line":33,"column":6},"source":"js/main.js","original":{"line":37,"column":6}},{"name":"rotation","generated":{"line":33,"column":7},"source":"js/main.js","original":{"line":37,"column":7}},{"generated":{"line":33,"column":15},"source":"js/main.js","original":{"line":37,"column":2}},{"name":"y","generated":{"line":33,"column":16},"source":"js/main.js","original":{"line":37,"column":16}},{"generated":{"line":33,"column":17},"source":"js/main.js","original":{"line":37,"column":2}},{"generated":{"line":33,"column":21},"source":"js/main.js","original":{"line":37,"column":21}},{"generated":{"line":33,"column":25},"source":"js/main.js","original":{"line":37,"column":2}},{"name":"renderer","generated":{"line":34,"column":0},"source":"js/main.js","original":{"line":39,"column":2}},{"name":"renderer","generated":{"line":34,"column":2},"source":"js/main.js","original":{"line":39,"column":2}},{"generated":{"line":34,"column":10},"source":"js/main.js","original":{"line":39,"column":10}},{"name":"render","generated":{"line":34,"column":11},"source":"js/main.js","original":{"line":39,"column":11}},{"generated":{"line":34,"column":17},"source":"js/main.js","original":{"line":39,"column":2}},{"name":"scene","generated":{"line":34,"column":18},"source":"js/main.js","original":{"line":39,"column":18}},{"generated":{"line":34,"column":23},"source":"js/main.js","original":{"line":39,"column":2}},{"name":"camera","generated":{"line":34,"column":25},"source":"js/main.js","original":{"line":39,"column":25}},{"generated":{"line":34,"column":31},"source":"js/main.js","original":{"line":39,"column":2}},{"generated":{"line":35,"column":0},"source":"js/main.js","original":{"line":41,"column":1}},{"generated":{"line":37,"column":0},"source":"js/main.js","original":{"line":43,"column":0}},{"name":"onWindowResize","generated":{"line":37,"column":9},"source":"js/main.js","original":{"line":43,"column":9}},{"generated":{"line":37,"column":23},"source":"js/main.js","original":{"line":43,"column":0}},{"generated":{"line":37,"column":26},"source":"js/main.js","original":{"line":43,"column":26}},{"name":"camera","generated":{"line":38,"column":0},"source":"js/main.js","original":{"line":44,"column":2}},{"name":"camera","generated":{"line":38,"column":2},"source":"js/main.js","original":{"line":44,"column":2}},{"generated":{"line":38,"column":8},"source":"js/main.js","original":{"line":44,"column":8}},{"name":"aspect","generated":{"line":38,"column":9},"source":"js/main.js","original":{"line":44,"column":9}},{"generated":{"line":38,"column":15},"source":"js/main.js","original":{"line":44,"column":2}},{"name":"window","generated":{"line":38,"column":18},"source":"js/main.js","original":{"line":44,"column":18}},{"generated":{"line":38,"column":24},"source":"js/main.js","original":{"line":44,"column":24}},{"name":"innerWidth","generated":{"line":38,"column":25},"source":"js/main.js","original":{"line":44,"column":25}},{"generated":{"line":38,"column":35},"source":"js/main.js","original":{"line":44,"column":18}},{"name":"window","generated":{"line":38,"column":38},"source":"js/main.js","original":{"line":44,"column":38}},{"generated":{"line":38,"column":44},"source":"js/main.js","original":{"line":44,"column":44}},{"name":"innerHeight","generated":{"line":38,"column":45},"source":"js/main.js","original":{"line":44,"column":45}},{"generated":{"line":38,"column":56},"source":"js/main.js","original":{"line":44,"column":2}},{"name":"camera","generated":{"line":39,"column":0},"source":"js/main.js","original":{"line":45,"column":2}},{"name":"camera","generated":{"line":39,"column":2},"source":"js/main.js","original":{"line":45,"column":2}},{"generated":{"line":39,"column":8},"source":"js/main.js","original":{"line":45,"column":8}},{"name":"updateProjectionMatrix","generated":{"line":39,"column":9},"source":"js/main.js","original":{"line":45,"column":9}},{"generated":{"line":39,"column":31},"source":"js/main.js","original":{"line":45,"column":2}},{"name":"renderer","generated":{"line":40,"column":0},"source":"js/main.js","original":{"line":46,"column":2}},{"name":"renderer","generated":{"line":40,"column":2},"source":"js/main.js","original":{"line":46,"column":2}},{"generated":{"line":40,"column":10},"source":"js/main.js","original":{"line":46,"column":10}},{"name":"setSize","generated":{"line":40,"column":11},"source":"js/main.js","original":{"line":46,"column":11}},{"generated":{"line":40,"column":18},"source":"js/main.js","original":{"line":46,"column":2}},{"name":"window","generated":{"line":40,"column":19},"source":"js/main.js","original":{"line":46,"column":19}},{"generated":{"line":40,"column":25},"source":"js/main.js","original":{"line":46,"column":25}},{"name":"innerWidth","generated":{"line":40,"column":26},"source":"js/main.js","original":{"line":46,"column":26}},{"generated":{"line":40,"column":36},"source":"js/main.js","original":{"line":46,"column":2}},{"name":"window","generated":{"line":40,"column":38},"source":"js/main.js","original":{"line":46,"column":38}},{"generated":{"line":40,"column":44},"source":"js/main.js","original":{"line":46,"column":44}},{"name":"innerHeight","generated":{"line":40,"column":45},"source":"js/main.js","original":{"line":46,"column":45}},{"generated":{"line":40,"column":56},"source":"js/main.js","original":{"line":46,"column":2}},{"generated":{"line":41,"column":0},"source":"js/main.js","original":{"line":47,"column":1}}],"sources":{"js/main.js":"import * as THREE from 'three';\n\nlet mesh;\nlet renderer;\nlet scene;\nlet camera;\n\nwindow.addEventListener('resize', onWindowResize, false);\n\ninit();\nanimate();\n\nfunction init() {\n\n camera = new THREE.PerspectiveCamera(70, window.innerWidth / window.innerHeight, 0.01, 10);\n camera.position.z = 1;\n\n scene = new THREE.Scene();\n\n const geometry = new THREE.BoxGeometry(0.2, 0.2, 0.2);\n const material = new THREE.MeshNormalMaterial();\n\n mesh = new THREE.Mesh(geometry, material);\n scene.add(mesh);\n\n renderer = new THREE.WebGLRenderer({ antialias: true });\n renderer.setSize(window.innerWidth, window.innerHeight);\n document.body.appendChild(renderer.domElement);\n\n}\n\nfunction animate() {\n\n requestAnimationFrame(animate);\n\n mesh.rotation.x += 0.01;\n mesh.rotation.y += 0.02;\n\n renderer.render(scene, camera);\n\n}\n\nfunction onWindowResize() {\n camera.aspect = window.innerWidth / window.innerHeight;\n camera.updateProjectionMatrix();\n renderer.setSize(window.innerWidth, window.innerHeight);\n}"},"lineCount":null}},"error":null,"hash":"78901da2acc1799a04279daf66f55515","cacheData":{"env":{}}}
[ "http://2.bp.blogspot.com/-TtUmlZVmcUk/TlnzEoqHezI/AAAAAAAAC2A/gzcyP6apRuI/s0/000.jpg", "http://2.bp.blogspot.com/-_G_jPWS9IOI/TlnzFUiLXYI/AAAAAAAAC2Q/kPRHQfhtGQE/s0/001.jpg", "http://2.bp.blogspot.com/-x9N3HRHJwwA/TlnzIMd7DJI/AAAAAAAAC24/U3KjZpqZhg0/s0/002.jpg", "http://2.bp.blogspot.com/-oN2k7NgRi7U/TlnzN9EtufI/AAAAAAAAC3Q/bWni-hmqxXc/s0/003.jpg", "http://2.bp.blogspot.com/-kbZ60EkMFW4/TlnzPFdJQYI/AAAAAAAAC30/DtfcxbsWYCA/s0/004.jpg", "http://2.bp.blogspot.com/-Md5qd8v2YxE/TlnzQFsZy0I/AAAAAAAAC4Q/Ze0mxVZgpPU/s0/005.jpg", "http://2.bp.blogspot.com/-ed5yl7egYgc/TlnzReV0DVI/AAAAAAAAC4o/tvAHUL1N9wQ/s0/006.jpg", "http://2.bp.blogspot.com/-FOxZ6eqkNwE/TlnzSteEzcI/AAAAAAAAC5E/GT4-41jeNpY/s0/007.jpg", "http://2.bp.blogspot.com/-4twZf3gPb1c/TlnzT3-y8YI/AAAAAAAAC5U/RuPY6i_Znt8/s0/008.jpg", "http://2.bp.blogspot.com/-Am_77KM47eU/TlnzVTP2g7I/AAAAAAAAC5w/cTp3bKj2-rw/s0/009.jpg", "http://2.bp.blogspot.com/-bC10OPZk350/TlnzX30glXI/AAAAAAAAC6Y/Ek-Gt-O98-E/s0/010.jpg", "http://2.bp.blogspot.com/-YUJeKuydXxM/TlnzeBBVtgI/AAAAAAAAC68/Qhv7rUMO4J8/s0/011.jpg", "http://2.bp.blogspot.com/-V7GrMfajmPI/TlnzgOvGudI/AAAAAAAAC7Y/VDHjPjbzPh8/s0/012.jpg", "http://2.bp.blogspot.com/-SKRrjudtqTo/TlnzhAyrhlI/AAAAAAAAC70/QQL3jSPv8DM/s0/013.jpg", "http://2.bp.blogspot.com/-8M4lBHXWfZs/TlnziBzghFI/AAAAAAAAC8Q/Kdvq0RBrsJ8/s0/014.jpg", "http://2.bp.blogspot.com/-NAF0nQRuJ3w/Tlnzm9fnLuI/AAAAAAAAC9E/dTXVRISCgKU/s0/015.jpg", "http://2.bp.blogspot.com/-kqI5TLSSMI0/TlnzqjvPF3I/AAAAAAAAC9s/GfjUPMGe4nY/s0/016.jpg", "http://2.bp.blogspot.com/-enWNeK-2mWA/TlnztTBIggI/AAAAAAAAC98/_rJpaqN-XZo/s0/017.jpg", "http://2.bp.blogspot.com/-Sc5tCmo8H0A/TlnzuqOuXWI/AAAAAAAAC-c/mr0VuOs3_KI/s0/018.jpg", "http://2.bp.blogspot.com/-B0CGIQI0QTw/TlnzvpablPI/AAAAAAAAC-4/-67TrP0lAnQ/s0/019.jpg", "http://2.bp.blogspot.com/-lptxys5gg9g/Tlnzw1rBTtI/AAAAAAAAC_U/3WSdL-Lqi-g/s0/020.jpg", "http://2.bp.blogspot.com/-ellykz36bIQ/Tlnzx_DYynI/AAAAAAAAC_s/9_MLFiXjTnk/s0/021.jpg", "http://2.bp.blogspot.com/-JM38KZ1K7CM/TlnzzK-vk7I/AAAAAAAADAA/LXHcj0UxWdw/s0/022.jpg", "http://2.bp.blogspot.com/-9NmAFkGVMY8/Tlnz0Q2s1CI/AAAAAAAADAU/j24C0GgtTlA/s0/023.jpg", "http://2.bp.blogspot.com/-NRT-1QFLTmo/Tlnz39bdX8I/AAAAAAAADA8/-FsxJBXXb2c/s0/024.jpg", "http://2.bp.blogspot.com/-yyzjkBu-UOc/Tlnz8p70WkI/AAAAAAAADBI/gfovPl_E0Fc/s0/025.jpg", "http://2.bp.blogspot.com/-uh9qR2qFmmI/Tlnz92HIF4I/AAAAAAAADBk/xR36s-Nc9X0/s0/026.jpg", "http://2.bp.blogspot.com/-L03tDI_iVS8/Tlnz_7x6h6I/AAAAAAAADB4/DK2dzjzqxjE/s0/027.jpg", "http://2.bp.blogspot.com/-zVK8o1-8onY/Tln0BLiDZcI/AAAAAAAADCY/OejecUfwpSY/s0/028.jpg", "http://2.bp.blogspot.com/-nbryrh0CDqY/Tln0CqjnHUI/AAAAAAAADCc/KHsp_TYxT5Q/s0/029.jpg", "http://2.bp.blogspot.com/-j63fdnvRyvI/Tln0D_RqE8I/AAAAAAAADC4/RZbgcr2xWmU/s0/030.jpg", "http://2.bp.blogspot.com/-sgiERE6G0Zk/Tln0FKQwRmI/AAAAAAAADDI/2QoPimWSmJg/s0/031.jpg", "http://2.bp.blogspot.com/-vb1qPiJS7Bg/Tln0GUKMcBI/AAAAAAAADDY/uJ30dBAb74E/s0/032.jpg", "http://2.bp.blogspot.com/-4tGuUCbOtAg/Tln0H4etOBI/AAAAAAAADDs/YtBawSmcjO0/s0/033.jpg", "http://2.bp.blogspot.com/-6PjjbpBqIPo/Tln0KMeCemI/AAAAAAAADDw/iN5Jx9M7fck/s0/034.jpg", "http://2.bp.blogspot.com/-BzyopIfaiZs/Tln0LpumGZI/AAAAAAAADD4/OefYloE1U2c/s0/035.jpg", "http://2.bp.blogspot.com/-VxfPrCqOd88/Tln0NGhENlI/AAAAAAAADEY/7P4A7K3KGFg/s0/036.jpg", "http://2.bp.blogspot.com/-F-InmMI0TFE/Tln0OQsypdI/AAAAAAAADEg/6aod8KTmOTQ/s0/037.jpg", "http://2.bp.blogspot.com/-iEoDuu1MOig/Tln0PZepYyI/AAAAAAAADFA/NzPkxc58eHk/s0/038.jpg", "http://2.bp.blogspot.com/-DfRSwLYwy1o/Tln0QSw1enI/AAAAAAAADFE/ndt9tPdWuwg/s0/039.jpg", "http://2.bp.blogspot.com/-I4Ppfb35vDc/Tln0Rsl-eaI/AAAAAAAADFY/o1UeRcN7fhk/s0/040.jpg", "http://2.bp.blogspot.com/-_jomCzYlQeA/Tln0SepM3KI/AAAAAAAADFc/H7Sf1XhdceM/s0/041.jpg", "http://2.bp.blogspot.com/-SuYydz7d2eI/Tln0W3SLDhI/AAAAAAAADGg/TEKGRMpp3C4/s0/042.jpg", "http://2.bp.blogspot.com/-wWhHGkDr5p0/Tln0Xca46ZI/AAAAAAAADGw/tvinRT5gNWo/s0/043.jpg" ]
{"id": "35944531", "header": "Hương vị quê nhà...", "datetime": "2020-08-06T15:05:00.000+07:00", "summary": null, "content": "Đang những ngày giãn cách xã hội, nghe chừng đường về quê càng xa lắc. Mẹ gọi điện bảo: \"Biết răng chừ con, ở yên trong nhà nghe...\". Lời mẹ có bao giờ con cháu không nhớ đâu, nhưng bận này mẹ quá lo mấy đứa con, đứa cháu xa quê. Tôi nghiệm ra, mình lo một thì mẹ lo chín, lo mười. Người già thường nghĩ sâu và xa hơn. Đó là lẽ thường. Mẹ điện thoại, dặn ba điều bảy chuyện rồi cũng kể nhanh: \"Bay không về được, chứ sen hồ cuối mùa thơm lắm, cây thị đã thơm lắm...\". Mẹ ơi, mấy chứ \"lắm\" của mẹ giờ này, lòng con rưng rức những nỗi niềm...Là con nhớ, bây giờ thu đã chớm sang mùa, không gian như tươi mát và trong lành hơn sau những ngày hạ nắng nóng. Những hồ sen quê giờ còn ít ỏi hơn ngày trước, nhưng hương sen vẫn nồng nàn trong ký ức của những đứa con xa quê. Dạo này năm trước, đưa các cháu về nghỉ hè. Chúng ào ra hồ sen, hít hà, ríu rít. Cuối hạ, đám sen trong hồ ngay đầu làng mình như đang tàn lụi, những tàu lá dần héo úa, chỉ còn vài bông hoa nở muộn chứ không \"bông tràn hoa thắm\" như đang mùa sen tháng năm chính vụ.Những bông hoa sen dường như nhỏ nhắn hơn. Cuối hạ, hoa sen không còn độ tươi hồng hay trắng muốt nữa, nhưng đó là sự nở muộn và mạnh mẽ, níu giữ chút sắc màu và hương thơm... Hoa sen nở lác đác mà hương vẫn cứ thơm ngào ngạt. Tháng bảy vừa qua, tháng tám thời tiết đôi khi chuyển mùa nhõng nhẽo bởi những cơn mưa đỏng đảnh. Vì thế, những bông sen muộn hé nở, cánh hoa hơi phớt tím hồng và chỉ ngại ngần chúm chím khoe chút nhị vàng. Nhưng, vẫn thơm lắm hương hoa quyến rũ của sen ngào ngạt trong cơn gió đầu thu...Là con nhớ, mùa này cây thị nhà mình đang mùa sai quả và thơm lừng hương. Cùng với hương ổi, hương thị mùa đầu thu tỏa theo gió nhẹ đong đưa những quả vàng ươm trong vườn nhà mẹ. Nhớ hồi nhỏ, đến mùa thị là chị em con ngày nào cũng \"lấm lét\" ra vườn hóng. Ban đầu là những quả non bé bé màu xanh lơ nấp mình trong tán lá, lũ chim líu lo chuyền cành như vui cùng mùa thị sắp về. Rồi cũng đến một ngày, sáng ra tung cánh cửa đón ánh mặt trời dịu vợi, nghe trong gió làn hương thị xao xuyến.Nhìn lên cây, những quả thị đã chuyển sang màu vàng ươm, căng tròn trông thật thích. Những quả thị chín vàng lấp ló trong nắng thu nhạt nhòa của chiều hoàng hôn buông xuống. Lũ trẻ trong xóm tụ về, chơi rồng rắn, trốn tìm dưới tán thị xanh um, ngửa mặt lên hít hà hương thơm của thị. Thường sau mỗi buổi chơi như thế, đứa nào cũng được mẹ hái cho một quả thị cầm về. Rồi đêm đến, quả thị để ngoan ngoãn đầu giường sẽ hiện lên trong giấc mơ lũ trẻ về những câu chuyện cổ tích, có cô Tấm nàng Tiên và hương thơm theo vào cả giấc mơ tuổi thần tiên ngày ấy...Bây giờ, đã trải qua bao mùa sen muộn, bao mùa thị ngan ngát hương, mà sao con vẫn thấy như quanh đây, thân thuộc và yêu thương đến thế. Làng quê đã thay đổi phần nào, nhưng mỗi lần trên con đường về lại là con mong ngóng hồ sen, cánh đồng, vườn nhà... Dù nắng hay mưa, dù là mùa xuân, hạ, thu, đông, trong con vẫn còn nguyên cả bầu trời quê hương trong tâm khảm. Để khi xa quê, chạm đến là vỡ òa những cảm xúc nhớ thương...Những ngày đầu tháng tám năm nay, thật buồn và lo lắng. Thời gian giãn cánh xã hội lần hai của dịch bệnh Covid-19 trong năm đó, mẹ ơi! Nơi phố nhỏ này, sau những giờ làm việc là con cố gắng cho lòng mình dịu lại. Nghe điện thoại của mẹ, tâm tư của mẹ càng làm con rối bời những cảm xúc hoài niệm. Hoài niệm về bình yên ngày thơ bé, về bình yên những mùa qua. Hương đồng gió nội, quê nhà chừ nghe xa lắc... về miền ký ức ngọt lành. Những ngày chớm thu, quê nhà là mùa sen muộn, là hương thị đầu mùa gieo vào gió nồng nàn. Bất chợt con vu vơ thầm ước: Gió hãy gửi mùi hương ấy cho con. Lại hy vọng mùa thu năm sau, con sẽ về quê. ", "topic": "Văn hóa", "tag": ["Quê nhà", "Xa lắc", "Hồ sen", "Sen", "Nghĩ sâu", "Rưng rức", "Hương vị", "Hít hà", "Chớm", "Nghe chừng", "Ngào ngạt", "Hương sen", "Tàu lá", "Lẽ thường", "Giãn", "Nồng nàn", "Hương thơm", "Hoa sen", "Về quê", "Hé nở"], "link": "http://cadn.com.vn/news/71_229253_huong-vi-que-nha.aspx"}
[ [ "Q7N575", "MKFGNFLLTYQPPQFSQTEVMKRLVKLGRISEECGFDTVWLLEHHFTEFGLLGNPYVAAAYLLGATKKLNVGTAAIVLPTAHPVRQLEDVNLLDQMSKGRFRFGICRGLYNKDFRVFGTDMNNSRALTECWYGLIKNGMTEGYMEADNEHIKFHKVKVNPTAYSKGGAPVYVVAESASTTEWAAQFGLPMILSWIINTNEKKAQLELYNEVAQEYGHDIHNIDHCLSYITSVNYDSNKAQEICRDFLGHWYDSYVNATTIFDDSDKTRGYDFNKGQWRDFVLKGHRDTNRRIDYSYEINPVGTPQECIDIIQKDIDATGISNICCGFEANGTVDEIIASMKLFQSDVMPFLKEKQRSLL" ], [ "Q764T8", "MWKLKIGEGGAGLISVNNFIGRQHWEFDPNAGTPQEHAEIERLRREFTKNRFSIKQSADLLMRMQLRKENHYGTNNNIPAAVKLSDAENITVEALVTTITRAISFYSSIQAHDGHWPAESAGPLFFLQPLVMALYITGSLDDVLGPEHKKEIVRYLYNHQNEDGGWGFHIEGHSTMFGSALSYVALRILGEGPQDKAMAKGRKWILDHGGLVAIPSWGKFWVTVLGAYEWSGCNPLPPELWLLPKFAPFHPGKMLCYCRLVYMPMSYLYGKKFVGPITALIRSLREELYNEPYNQINWNTARNTVAKEDLYYPHPLIQDMLWGFLYHVGERFLNCWPFSMLRRKALEIAINHVHYEDENSRYLCIGSVEKVLCLIARWVEDPNSEAYKLHLARIPDYFWLAEDGLKIQSFGCQMWDAAFAIQAILACNVSEEYGPTLRKAHHFVKASQVRENPSGDFNAMYRHISKGAWTFSMHDHGWQVSDCTAEGLKAALLLSEMPSELVGGKMETERFYDAVNVILSLQSSNGGFPAWEPQKAYRWLEKFNPTEFFEDTMIEREYVECTGSAMQGLALFRKQFPQHRSKEIDRCIAKAIRYIENMQNPDGSWYGCWGICYTYGTWFAVEGLTACGKNCHNSLSLRKACQFLLSKQLPNAGWGESYLSSQNKVYTNLEGNRANLVQSSWALLSLTHAGQAEIDPTPIHRGMKLLINSQMEDGDFPQQEITGVFMRNCTLNYSSYRNIFPIWAMGEYRRQVLCAHSY" ], [ "P18300", "MKFGLFFQNFLSENQSSE" ], [ "P12748", "MNKCIPMIINGMIQDFDNYAYKEVKLNNDNRVKLSVITESSVSKTLNIKDRINLNLNQIVNFLYTVGQRWKSEEYNRRRTYIRELKTYLGYSDEMARLEANWIAMLLCSKSALYDIVNYDLGSIHVLDEWLPRGDCYVKAQPKGVSVHLLAGNVPLSGVTSILRAILTKNECIIKTSSSDPFTANALVSSFIDVNADHPITKSMSVMYWPHDEDMTLSQRIMNHADVVIAWGGDEAIKWAVKYSPPHVDILKFGPKKSLSIIEAPKDIEAAAMGVAHDICFYDQQACFSTQDVYYIGDNLPLFLNELEKQLDRYAKILPKGSNSFDEKAAFTLTEKESLFAGYEVRKGDKQAWLIVVSPTNSFGNQPLSRSVYVHQVSDIKEIIPFVNKNRTQTVSIYPWEASLKYRDKLARSGVERIVESGMNNIFRVGGAHDSLSPLQYLVRFVSHERPFNYTTKDVAVEIEQTRYLEEDKFLVFVP" ] ]
{"Reviews": [{"Title": "Nice TV, Short on inputs and technical support mediocre", "Author": "Glenn", "ReviewID": "R2A5X54F5N2W2X", "Overall": "3.0", "Content": "This is my first review. Purchased this TV as a gift for my mother.Out of the Box - easy to assemble TV. Vizio has the best boxes. No tape to cut. Just pull out 4 clips and lift the box top off. TV assemlbes easy. Screws for stand can be turned by hand, no tools needed.Internet Connectivity - Lots of problems here. TV would find our Netgear router, but would not connect to it (the security password was correct as I could connect other computers, phones and Blu-Ray players to it). Called technical support. First wait wasn't too long, but the person I spoke to wasn't trained to support internet TVs. After a much longer wait I spoke to a person who was trained. That person said that the TV doesn't work with Netgear routers (allegedly due to some Netgear firmware upgrade). Very upsetting. But its a pain to ship it back so we bought a Linksys router. Well, that didn't work either. Called Vizio back. Long wait to get to first person who then had to re-transfer me to a person who could deal with the internet. That person was no help. Offered to send a repair person out. I just said I would rather send it back. He said fine.I was frustrated, so I decided to see if I could figure out the problem. After trying lots of things, I then tried turning off the router password and all of a sudden the TV could connect. I then tried changing the password to 8 a's in a row. That worked. The password we were using was three words with a space inbetween the words. I then changed the router passord by deleting the spaces and then the TV could connect. Yeah! But meanwhile I probably had 4 hours into trying to make this TV work, counting the calls to Vizio.TV Connections - first it was disappointing that the TV only has one set of non-HDMA connections. The one set doubles as both component (3 video cables) and composite (1 video cable). I could get the Wii to work with the component cables directly connected. However, when hooking it up to a surround sound receiver and then hooking the receiver up to the TV through component cables (receiver doesn't have HDMI) the picture was awful--shaky, blurry with too much color. I also hooked up the DVD player using component hookups. It was also terrible in the same way and it didn't matter whether it was connected directly to the TV or through the receiver. I was using Amazon Basic Component Cables. I tested them on another TV and they worked fine. I called technical support for a third time. They were no help and said I should take 2 pictures of the problem and send it to them. A special department would get back to me in a day or two. That wasn't an option since I was going to be leaving town. (I did tell them about the password issue and not using spaces, so hopefully they can pass that suggestion on to other customers. I also spoke to a supervisor to tell her that while her people were friendly, they could not do very much and that contrary to what they say, they don't have \"first in class\" customer service.)I never could figure out the component input problem. In the end, I bought a Blu-ray player and used the HDMI connection. That worked fine. I also used an optical audio cable to connect the TV to the surround sound receiver.Also, the Wii connection looked terrible initially. But an internet search told me that there was a firmware updgrade for the TV that wold fix this. Once I got the internet connected, the TV automatically downloaded an upgrade. The picture was fine then.Internet Applications - a lot of them are really nice. Netflix and the Amazon Prime service worked great. Weather and CNBC also. I could not get it to log me onto facebook for some reason. It would not recognize my password (and it has no spaces). But other than that, I liked the apps.Picture - Picture quality is really good, once one adjusts the settings. Very pleased.Sound - seemed ok, but didn't use it much because the surround sound was set up. I couldn't really here the simulated surround sound from the TV.Remote - very basic, but ok. Has a nice big button to activate the internet applications.Overall - if you set this up with HDMI cables and you have a non-Netgear router with a password that doesn't have spaces, then the TV is great. If you have equipment that need component input, pick another TV. Now that the TV is working, I would give it 4 stars. But the technical support drops this to 3 stars. Now that I know the issues, I would consider this TV again. But I would consider other TVs with built-in internet. However, the pricepoint for this TV is very attractive. For $600, it was worth it.", "Date": "March 29, 2011"}, {"Title": "changed the way i watch tv", "Author": "y", "ReviewID": "R3COP7E8Y28GZM", "Overall": "5.0", "Content": "set-up was a breeze, and i had no problem connecting it to my wifi. i really wanted an internet-ready tv, and don't plan on getting cable! the apps are great: mostly, i use vudu for movies, pandora for music, and hulu plus for tv shows - having weather/news apps is also nice. as promised, hulu plus came after an upgrade (to figure this out, i did some research, then contacted vizio customer service through their online chat support, they were very helpful - basically as long as your tv is connected to the internet you'll get it automatically). this is my first HDTV and i think the picture/sound quality are fantastic. the remote is ok but the buttons are sometimes inconsistent - i really wish we had the option to upgrade to the fancier vizio remote with the qwerty keyboard. overall, im very happy with it, especially at this price point - it feels like a smart tv (and i joke about relinquishing my phd to it)!", "Date": "March 29, 2011"}, {"Title": "Bumpy Start but Improving [UPDATED]", "Author": "Amazon Customer", "ReviewID": "R16FS7HO76S08C", "Overall": "3.0", "Content": "I just bought this TV from Costco and wanted to share my initial impressions. A more detailed review will follow after a bit of use.Unpacking and Initial Setup: Very easy and smooth. It took me about 5mins to unpack and setup the hardware and another 5mins to go through the on-screen setup.Apps: It was disappointing that Hulu Plus as NOT working out of the box. I spent over an hour researching the issue and finally found buried in the manual that the firmware updates automatically when the TV is off. That did happen and hulu and blockbuster apps were added. I still would want more music options such as rdio.Remote: Terrible. Feels cheap and buttons are hard to press and unreliable. Does not support the supposedly much better blue tooth remote.Image: Good for the price.Sound: Better than most TVs but not comparable to an external audio setup.-----Update after one week of use:I'm considering returning the TV because of lackluster app performance, crashing, and the god-awful remote. If it weren't for the remote I may keep it and just got a Roku, but that thing is just a pain to use.Apps: Overall, this is a bit of a downer. The apps are very slow, the navigation of many apps (e.g. the Amazon App) does not minimize the use of the (terrible) remote. Once video plays it is more reliable than on my PlayStation or Roku. However, the TV has crashed (!) twice within one week of light use.Remote: Still terrible. An absolute joke. The right navigation button seems to be semi-defective.Image: Still satisfied with the quality. I know it is 60hz only, but it is good enough for casual TV and movie watching.Sound: Still satisfied with the quality. It's not amazing, but not bad either. Definitely loud and clear enough for the environment we use it.", "Date": "March 26, 2011"}, {"Title": "Outstanding (After Replacement Remote)", "Author": "ralphie", "ReviewID": "R3LQJFS4UOAIZU", "Overall": "5.0", "Content": "The Vizio E422VA is an outstanding TV. The original remote with the on screen keyboard realy is hard to use, but an investment of $39.95 with [...] has really improved everything. The Vizio XRV1TV3D replacement remote has a keyboard on the flip side that works very very well. It is IR and works without a flaw.Be careful NOT to buy the VUR10 remote which looks the same but is Blue Tooth as the E422VA set is not Blue Tooth.", "Date": "January 25, 2012"}, {"Title": "Great TV!", "Author": "Marcus C. Stoddard", "ReviewID": "R3NQJ5N8VODGXA", "Overall": "5.0", "Content": "This TV was well worth the price. I thought the internet aps feature would be more of a gimmick, but we LOVE it! Pandora is used frequently, along with Revision 3, TWIT, Web Videos, Vudu, and a few others. I'll list the pros and cons, and although the cons will seem longer, it's mainly for shoppers as discriminatory as I am. Keep in mind I still give it a 5 star rating.Cons:The only gripes I have aren't big enough to drop the rating at all, but are still a little irritating.The casing of the TV seems to be very cheap and flimsy plastic. As I was attaching a wall mount bracket to it, the back of the TVs casing actually bent like a Frisbee. Which brings me to my 2nd gripe, but this was one is completely my fault. I tried to use the bolts that came with the wall mount on the TV, and after trying to screw the first one in, realized they were too long for the TV and I would have to buy different ones from a hardware store. In trying to take it out, I heard a snap and the bolt would not move. Thank goodness it was the bottom of the bracket, and I was able to put the correct bolts in the other 3 mount holes. I was worried it would not hold up well on the mount due to the bending and the bolt issue, but it's been hanging on my wall a few months now without issue.The HDMI ports are awkwardly placed on the side of the TV, and although back fairly far, I still had to use a 90 degree HDMI adapter to hide one of my HDMI cables from sticking out past the side of the TV.The lack of options other than HDMI was rather disappointing, but is clearly noted in the product description. Make sure you have read it before buying if you have more than one non-HDMI device to hook up.The remote seems awkward, but I only really use it for the aps. I use my cable box's remote for everything else.Pros:The aps are awesome!Great picture quality.Lots of options to tweek your settings. I really love the football and game settings.Fairly light for it's size, but that's pretty common these days.It's a 42 inch HDTV with internet aps for under $600! How can you go wrong?", "Date": "September 17, 2011"}, {"Title": "Decent TV, perfunctory Internet apps", "Author": "Ryan Lowery", "ReviewID": "R24C9B72VGFQIE", "Overall": "3.0", "Content": "The picture on the Vizio E422VA is pretty good, the sound is okay, and it has a good number of inputs. Aside from that, there are better TVs on the market at the same price. The wost part about this TV is the remote, which does not respond well at all. It also sends phantom signals (an example is that you'll press up in a menu, and it will interpret that as moving right instead).I've had this TV for nine months now and have already had to have it repaired once, and am having new problems with it as well (with the Internet apps), so I may need to schedule another repair before the warranty is up. The initial problem was that the side panel buttons did not work. Turns out the wire to them had never been connected. Vizio has been decent about the warranty repair, but not stellar; I had to call them several times to finally get an appointment scheduled.If you're thinking of buying this TV for the Vizio Internet Apps (VIA) feature, don't. There are a good number of apps available, but they simply do not work well. The apps themselves run slow, and the problems with the remote mentioned above don't make it any easier. Apps like Netflix, Pandora, and Hulu take several minutes to connect to the service, and a few more minutes to load content. I also have a Roku and a Wii, and both connect and load at least three times as fast. Furthermore, both of those devices are WiFi only, and I have this TV wired into the network; it should be the fast one, but it's the slowest of the three.This TV also has a tendency to shut off without warning and slowly restart. I'm not sure why. Sometimes it happens when it is installing software updates, but other times it seems to happen for no reason. It's one of the things I'm going to make Vizio address when I call for warranty service again.The last issue is with the sound. If you do not know a lot about home audio, just know that there are a lot of TVs with better audio options out there. If, however, you are a tech nerd, be aware that this TV does not have any RCA audio outs, so if you don't plan on using the built in speakers (which do not sound good), then you either have to use an RCA to 1/8\" stereo Y adapter, an optical audio cable, or use an audio receiver with an HDMI Audio Return Channel.Overall, this is a good TV for the price, but I would not purchase it again. I would instead get a TV with a remote that actually works, has better sound options, and then just use my Roku for Netflix et al.", "Date": "January 30, 2012"}, {"Title": "OK TV, poor Smart TV.", "Author": "M. Krieger", "ReviewID": "R31OKTUE05WJ6I", "Overall": "3.0", "Content": "Just picked up the E422VA at Costco for $499. For 42\" 1080P screen with Wifi, Netflix, Hulu, and Pandora I figured it could not go wrong! I was somewhat mistaken!ProsWell the good first is that Hulu works great.It picks up my OTA channels in glorious HD.Screen resolution and colour is beautiful.Speakers seem to put out good sound.Wifi works great out of boxConsNetflix app does not work! It crashes TV and resets it within 30 seconds of entering it.No support for media servers or movie files placed on a USB stickIR remote will encourage your throwing arm after typing in a user nameMenus can get rather laggyScreen auto brightness sensor gets thrown off by the light emitted by TV, thus you can get a Bright Dark repetition till you are dizzy or disable the feature.SummeryFor a bed room TV that has native Hulu support and WiFi I think I still got my monies worth, however for any real media TV it will need something like a WD TV or Boxee Box.", "Date": "March 27, 2012"}, {"Title": "Great TV but the internet apps are worthless and frustrating", "Author": "Joe Briggs", "ReviewID": "RL5N2650QLNIQ", "Overall": "3.0", "Content": "I have kids and video their sports and games and store them on youtube as do many parents. Its nice to be able to watch games filmed by other parents via youtube when I can't be there myself. So I bought this TV and it's 37\" little brother. The smaller one does not have the internet apps so I got a Logitech GoogleTv to use with it. Both TV's have excellent video and were affordable when compared to Samsung or Sony. Great buys. The TrueSound feature does a reasonable job of controlling audio elevation during commercials. The only complaint is that the internet application - Vizio Web Apps are absolutely useless to me. All require accounts, and the feature that I really wanted - youtube, is not supported. On the other hand, the GoogleTV is excellent and has an awesome keyboard that makes web surfing and youtube browsing a breeze. It was only $99. I would recommend that you save the money and get a Vizio TV but without the internet feature, and combine it with a GoogleTV box from Logitech or Sony. I really don't know what Vizio thinks they are providing with their internet feature but trust me its useless.", "Date": "February 13, 2012"}, {"Title": "Better than I had anticipated.", "Author": "Lexington Mom", "ReviewID": "R4XHS0L03WLRI", "Overall": "5.0", "Content": "I bought the TV at Sam's (price was too good to pass up) and THEN read the reviews. That's not always a good thing. Was a bit worried after reading about connectivity issues with Netgear, because that is the router we were going to be using. However, NO PROBLEMS at all connecting to Netgear. Even with only 2 bars of connectivity - we could watch all of the streaming media at the 1080 HDX (highest HD format). The TV found the router immediately, and even without cable hookup (we hadn't moved the other TV out) - we enjoyed movies on Netflix and all of the other apps that came with the TV.The picture is amazing for the price. The TV did not work with the DVR box - but that was our local cable provider issue and they fixed it easily. I will agree that the remote is not good - it's actually a pain in the neck (buttons don't push well and that creates a lot of double clicks) - but I can't give it a 4 star just because of the remote.The remote is somewhat intuitive - but like all new gadgets - there is a small learning curve. Nothing too difficult.We bought this for our parents and now I wish I had the money to buy myself one! :)It's only a few days old - but I would definitely recommend!!", "Date": "December 27, 2011"}, {"Title": "Very nice replacement living room TV", "Author": "Brian Spradlin", "ReviewID": "R2N9N1ULAYLJGM", "Overall": "5.0", "Content": "We've had this TV for about a week now. Despite it being a 60Hz rather than 120Hz, I don't detect any problems with fast-paced action shots. But we don't watch a great deal of sports, so I can't comment on the quality there. We're using the machine in our living room. The room is backed by our kitchen, so we can see the screen from both the couch and from behind the kitchen island. The details are clear and crisp from either spot, and there isn't any issue with the angle of viewing from any of our seating. I was also pleasantly surprised by the speaker volume. It's just as good as the original TV that we replaced with it. For those that want to connect something like a sound bar, you can plug into the headphone out jack. When you do, the main speakers on the TV will keep working, so it doesn't silence automatically when you plug the jack in.We have the TV connected through an ethernet cable and the widgets run great. We have a smaller Vizio with the VIA software using wireless and it works just as well either way. The ethernet cable just guarantees us less interference from other signals, since we're using it as our main entertainment TV.Overall, we're very happy with this purchase. The remote isn't completely terrible, but we did swap it out with a universal remote pretty quickly.", "Date": "May 24, 2011"}, {"Title": "Quite nice for the price", "Author": "Chip L \"chip1978\"", "ReviewID": "R22EFH4LGRIO3R", "Overall": "4.0", "Content": "I'm not a big techie, so I can't tell you anything about the picture - other than it looked very good to me. I purchased this TV for the bedroom, and only intend to use the internet apps to watch Netflix and maybe attach an HD antenna for local channels.Set up was easy: plug and play. Connecting to my wifi was easy - just like any other device. Once I got set up, I was pleasantly surprised that Hulu + is also available on this TV (which is NOT advertised on the box). I was a little disappointed that Pandora was not available (which was advertised on the box). However, balancing the two - I'd rather have Hulu. The apps seem to take a little longer to load than other devices (e.g. wii, xbox, PS3), but not significantly longer. The UI for Netflix and Hulu is very similar to these other devices. Navigating between movies and shows should be familiar to anyone who has used Netflix/Hulu before. Even if you haven't it's a pretty intuitive interface.The sound quality is good enough to watch TV in the bedroom. If I was using this for home theater system, I'd probably get the surround sound set up anyway. For most day-to-day TV watching, the speakers would work in most situations.I read a lot of complaints about the remote. So far, I have to say I've been pleased and haven't had any problems. It's better than the samsung remote I have with the giant wheel that never seems to work properly.I also read a review that complained this TV didn't browse the internet - which is true. If you're reading this review, you've probably already done enough homework to know this is an internet enabled TV and not set-up for internet browsing without additional equipment.Only a couple of minor gripes: there's a white power indicator light on the front of the TV. In a darkened bedroom, it's annoying (but I realize a power indicator light is pretty much standard on TV's). The set-up requested a bunch of information like name, e-mail, address - I skipped the whole thing. Now the screen flashes \"profile: guest\" when I hit the button for internet apps, but it goes away quickly: just a minor annoyance.Overall, I've been pleased so far with this TV. It has great sound and picture and internet connectivity for a very competitive price point.EDIT: Okay, you can download Pandora and Youtube apps. It's a little confusing, but it can be done!", "Date": "January 12, 2012"}, {"Title": "Great Vizio T.V. at a Great Price!", "Author": "Kristine", "ReviewID": "R1VXOQT0JSHJRI", "Overall": "5.0", "Content": "After much research and comparison shopping, we decided on this Vizio E422VA. Got it on sale at BJ's for a great price (under $500). It was very easy to set up (and we are not tech savvy!). We are first time flat-screen and HDTV owners and the picture on this t.v. is beautiful. Looks amazing in our family room. Even the sound quality is good (speakers are on the front which makes a difference, I think). Lots of great features and functionality. Can't say much about the internet apps - that was just an added bonus - really just bought it to watch t.v. Suits our purposes fine - good quality.", "Date": "November 29, 2011"}, {"Title": "Internet apps are pretty cool.", "Author": "Matthew T Atkinson", "ReviewID": "R2ANFCFBY3307I", "Overall": "5.0", "Content": "I have the E422VL which is exactly this TV, except the refresh rate is 120hz rather than 60hz. The picture is great on mine, but the best thing about this TV is the internet apps. The coolest thing is something called flingo.org where you are on YouTube at your laptop, use flingit and whatever you have on youtube shows up on your TV, works with Vimeo too. I wish the remote had a qwerty keyboard, but for netflix for example I can search for something on my laptop, add it to the queue, and it's on your TV. Same thing with Youtube (one of the other times you might need a keyboard). I'm still exploring the other functions and the apps, but so far pretty cool.", "Date": "November 17, 2011"}, {"Title": "VIZIO E4222VA 42-inch LCD TV", "Author": "Kevin Farrell", "ReviewID": "RZ4Z3T4K31KV3", "Overall": "5.0", "Content": "I bought this to replace our 10 year old 32\" TV. This is the first flat screen TV in our house. I wanted a TV with WiFi built in so I wouldn't have to buy a separate piece of equipment to provide that function. I checked Consumer Reports and read the reviews here and elsewhere. This looked like a good buy and I got free shipping and no sales tax plus 30 days no cost return. I decided that if I didn't love this TV for any reason it was going back in the box and out the door. I kept it.It was well packaged and easy to unpack and set up. All I had to do was attach the base to the bottom so the TV would sit on a shelf. The WiFi set up was a breeze in spite of what other reviewers had to say. I hooked up to my existing home theater without any problems. Then I got Netflix streaming all set up and was watching something on Netflix the same evening.Other reviews complained about the remote being difficult or temperamental. I have had no problems with the remote. Due to other reviews I almost upgraded my purchase to the unit with the bluetooth remote. I decided to stick to my guns and go cheap. Glad I did. Now that I have this TV and remote I realize that what probably bothers some users is that there is no keypad on this remote and the bluetooth unit is like a slide phone with a full keypad. The only place where I need a keypad is when searching Netflix. The Netflix app has a hunt and peck kind of thing for spelling out titles - slow but it works fine. If I really want to browse on Netflix, I go to the computer.By the way, the apps that come with the TV are very glitchy. If you are making a buying decision based on the included apps you will be disappointed. For instance, If I run the Pandora app it may play one or two songs then it locks up every time. I was just curious about it but I gave up on it. I didn't call anyone about it because I don't care.We think the video is great on this TV. It is a 60Hz model but we haven't really noticed much blur. I read that the difference between 60 Hz and 120 Hz is hardly noticeable by most poeple - I have to agree. I chose not to pay more for a 120 Hz or more. The sound is better than expected. I like watching most stuff with just the TV's speakers. Of course, if I want better sound (like when watching a concert) I turn on the home theater system. Incidentally, I didn't want to have to turn the TV sound on and off for certain programs so I just leave the TV sound on when using the home theater. This works just fine and I am not having to mess with the TV settings.Great TV. Works perfectly. I am very happy with the purchase.", "Date": "October 29, 2011"}, {"Title": "Good value", "Author": "Harold", "ReviewID": "R25A3K3APGK6RH", "Overall": "5.0", "Content": "This is a fine set for a good price. The WiFi feature is unusual in a set in this price range. No cons worth mentioning. I purchased one set several months ago, and I recently purchased a second as I upgrade from the old sets. I am not an intuitively tech savy person, and I read the directions carefully before jumping in on setup and WiFi connection. I had no problems. Unless you really know HDTVs and are after features this set does not have, whatever those features may be, it will be hard to go wrong with this set for the price. Consumer Reports rates Visio as among the most reliable brands.", "Date": "May 22, 2011"}, {"Title": "In My Opinion", "Author": "Toks", "ReviewID": "ROQPCV68K9EKR", "Overall": "3.0", "Content": "The internet application functionality is limited than I expected. The product cannot load youtube which is a popular site everyone visits.", "Date": "April 7, 2011"}, {"Title": "Good Television for the price!", "Author": "Custodida", "ReviewID": "R5MPGLW0AQ8V5", "Overall": "4.0", "Content": "I bought this television for my living room home theater set up. I am pretty happy with my Vizio internet enabled television. I originally bought it so that I didn't have to have other components attached to the TV to play things such as netflix and pandora. After using this TV for 2-3 months now I can say I should probably have just opted to have a regular television with an attached device such as a PS3 or apple TV. the quality of the picture for things like netflix don't come out in 1080p. As well as the netflix app for some reason doesn't stream everything the internet site does. The apps are slow and make the TV run slower than it should sometimes.AS far as picture and sound quality, this television is great. WHen i play blu ray or rent movies off of vudu the quality is wonderful. the sound is great even when i dont have my surround sound hooked into it.the remote is TERRIBLE.absolutely archaic, huge, and terrible range. I can't sit on one side of my room and use the televsion.also READ THE SPECS. if youre looking for a thin low profile attractive TV to wall mount, this is not the TV for you. because of the internet option the TV is a lot thicker than most modern day flat screens.if youre looking for a good bedroom TV this would be a good choice, but if you want a professional living room set up, go with a more legitimate option.", "Date": "April 5, 2012"}, {"Title": "GREAT TV", "Author": "Charlene Mulvey", "ReviewID": "R1AHJE5B695U38", "Overall": "5.0", "Content": "Great tv. We are so happy that we bought this tv. It has a great picture. The only thing is the remote could have been better. It really needed a qwerty keyboard.", "Date": "May 15, 2011"}, {"Title": "Rip Off!", "Author": "N. Agimuk", "ReviewID": "R39UGULK53FJFG", "Overall": "1.0", "Content": "I got this for 619.00 and now that I ordered it I see it for $300 cheaper.Don't buy this. It's like a rip off!!!", "Date": "November 6, 2013"}, {"Title": "love it!!!", "Author": "Rosanne Savine", "ReviewID": "R2X1OXIPVWSL2F", "Overall": "5.0", "Content": "I have this tv for over 2 years. apps are user friendly and picture is clear and sharp my fourth vizio!!!", "Date": "October 11, 2013"}, {"Title": "Great tv at a great price", "Author": "D. Ritter", "ReviewID": "R3R5DBE4RB1KJL", "Overall": "5.0", "Content": "I bought this television when my old one in the living room went out. This one has wifi built in which makes it convenient for when I don't have an internet connected device plugged in so I can still watch Netflix and other online music and video services.This is a great tv, and definitely great for the price I got it at.It shipped fast and came in new condition as described. I would recommend this seller.", "Date": "November 26, 2012"}, {"Title": "Love Visio but see below", "Author": "MaleOutlook", "ReviewID": "R235YI3X13D5I8", "Overall": "4.0", "Content": "Please note that this purchase was defective and returned. But it would have been my 3rd Visio and I love them. Easy remote etc.", "Date": "September 20, 2012"}, {"Title": "Vizio E422VA", "Author": "Beachside", "ReviewID": "R3IZIWADO6FMMI", "Overall": "5.0", "Content": "Absolutely love my Vizio. I have in the past written off Vizios because of their low price thinking that they wouldnt compare to the higher priced tvs but to my surprize it has. I fall asleep watching tv at night so it gets lots of use and never a problem. The setup of this tv is easy with the instructions they give you. The color is great. The only drawback that I could say about this tv is the remote.If you have a tv with internet apps then you are going to type on such sites as Youtube and others. Its nearly impossible and very frustrating but there is hope. You might want to check this remote out when you order this tv because then everything would be perfect. Vizio XRV1TV3D.", "Date": "July 2, 2012"}, {"Title": "Nice picture, medicocre apps, NO MEDIA SERVER SUPPORT", "Author": "Don McCorquodale", "ReviewID": "R1CP5RRMV53B4N", "Overall": "3.0", "Content": "This is the only television I have ever purchased with WIFI that will not connect to my file server. I have 2 laptops that connect wirelessly to my router and I am unable to watch movies from my computers on the television without copying the files to a usb drive and plugging it into the tv (I'm not sure if this would work - I haven't tried).Much older Samsung and Sony models had this feature where I could play videos from my computers on the tv seamlessly. I'm not sure why Vizio would sell a TV with built in wifi without this feature. I feel a little ripped off and I am returning the TV.", "Date": "June 30, 2012"}, {"Title": "tv", "Author": "Nick", "ReviewID": "RD6WYQLHQ2OBR", "Overall": "4.0", "Content": "Bought one of these a little over a year ago have to say the tv is good meets all expectations but the internet apps are really almost as good as useless if you own a computerSo good tv but im sure you can find something similar cheaper without the internet apps", "Date": "June 27, 2012"}, {"Title": "Vizio Flat Screen", "Author": "salvatore", "ReviewID": "R1RE6Q235ZQCX9", "Overall": "4.0", "Content": "This was my first time buying something this big. The tv came before the date it was supposed to which was fantastic.When I tryed to get Youtube on the set I could'nt. So I contacted the seller and returned it. They were very professional,and I had no trouble at all! i would buy from them again.", "Date": "March 15, 2012"}, {"Title": "Major annioyance", "Author": "Gerard Mulligan", "ReviewID": "R1ID7TMQVGGJAN", "Overall": "4.0", "Content": "One grating issue no one mentions--there's no \"When Muting\" function on the Closed Captioning. Which means when you mute the TV, you have to separately turn on the CC. So of course when you unmute it, you have to separately turn OFF the CC. Otherwise you'll have sound AND Closed Captioning on at the same time. VERY annoying.", "Date": "February 21, 2012"}, {"Title": "vizio review", "Author": "gracie", "ReviewID": "R1AOCQON5YRE8L", "Overall": "4.0", "Content": "This is a good TV and I was able to get a decent price with it. There is a learning curve involved, but it has many features I can now access.", "Date": "January 18, 2012"}, {"Title": "?? Does anyone know how to set up internet access without agreeing to privacy & terms policies??", "Author": "Good Laughter22", "ReviewID": "R3HH8387KY3ZII", "Overall": "5.0", "Content": "Does anyone know the answer? We can't seem to get to the setup screen for internet without first accepting the terms of service and privacy policies. Would prefer not giving them (whichever companies \"them\" means) all that access to our user habits.Otherwise, we just received our Vizio E422VA. First time buyers of an LCD HDTV! Picture quality for TV is great, even though we only are using rabbit ears antenna! Thrilled with this. Also, the DVD quality looks great.Thanks for any help re the internet setup question.", "Date": "December 31, 2011"}, {"Title": "42\" Vizio LCD", "Author": "Edward Lisiecki", "ReviewID": "R3OQ3ZYV6FGF1P", "Overall": "4.0", "Content": "Ordered on a Thursday, received the next Tuesday, a day earliar than Amazon predicted and well within the promised 5-8 business days. The Fedex delivery guy was fast, efficient and helpful. The unit was direct from Amazon, so my experience may differ from 3rd party suppliers. Out of the box ease and stand assembly was easier than advertised. Didn't even need the 2nd set of hands. Disagree with the critics who said it looks cheep. It is lightweight, but will not be thrown around like a football. The picture quality is excellent with just the factory settings, at 16' away. 1080P made my unit very cost positive. Do Not care about 3D, and there may be issues about too much 3D. Sound is quality. Surround is not evident on most cable offerings, but an occasional presentation in surround is very good. The internet connection was uneventful (less than 15 minutes) and no network highest security issues that some other reviewers ran into. The VIA apps are keyed to premium services, but have enough other services to justify looking through. Agree with other posters who said the on screen keyboard is cumbersome, but once navigation is familiarized with, it's like revisiting an old commodore 64 or atari 128. The newest models of this unit apparently come with qwerty. Comcast now makes you use an adapter, even on a digital tv, which negates the information functions on all channels. Total bummer, but with your laptop nearby, not such a major issue. Amazon price point was AAAA, 3rd party online providers not so much. Overall a great Amazon deal and Vizio proving to be a quality product. Have a family member who has had a similar Vizio for 2+ years from a big box with positive results. Amazon direct was a better deal.", "Date": "December 14, 2011"}, {"Title": "Great TV & features for the price.", "Author": "Cynthia M. Ames", "ReviewID": "R36RV3OIJL37P2", "Overall": "5.0", "Content": "Bought this TV at BJs a couple weeks ago for less than $500.00. I am very satisfied with the quality of the picture, and I have it hooked up in my living room on a wifi signal. Set up easily and works very well. My only disappointment is the remote which is unresponsive. All in all it is a great tv - my first flat screen - and I am very happy with my purchase.", "Date": "December 7, 2011"}, {"Title": "liked the product", "Author": "brandy", "ReviewID": "RVCRAJ07NHF3S", "Overall": "4.0", "Content": "i really like this tv a lot, it was pretty easy to set everything up and i put it all together by myself, very easy to get it out of the box i liked how they did that because im about to move so im going to reuse the box to transport it. the internet apps are easy to access to im really happy with my purchase, the only thing i recommend is making sure you have a hd box for the tv because with this size tv it doesnt look as good without hd on it.", "Date": "December 4, 2011"}, {"Title": "Do not Buy from Connect Buy", "Author": "Connect Buy Return Policy Stinks", "ReviewID": "R3O1STS7FF7VJ5", "Overall": "3.0", "Content": "Connect Buy has very little buyer protection and will charge you LARGE restocking fees if you buy something from them you later need to return. Make sure you read the Ts and Cs completely or simply buy direct from Amazon because they will charge you...", "Date": "December 3, 2011"}, {"Title": "Nice TV", "Author": "DJK", "ReviewID": "ROEJNKT5M1QC9", "Overall": "4.0", "Content": "This TV was purchased for video conferencing in our confernce room and it serves the purpose for that. In my opinion the internet apps are overrated. Most of these are for pay services and anything that was free is very basic (e.g. weather).", "Date": "November 28, 2011"}, {"Title": "Fantastic HDTV", "Author": "Andmatt", "ReviewID": "R3FH47XVU5N4J8", "Overall": "4.0", "Content": "Upgraded to the 42 inch Vizio from a 5 year old 32 inch Samsung, and I could not be happier. Great price for the size and features. Enough ports to hook up my Xbox 360, Mac Mini, and surround sound. Web apps are nice. Would have preferred the upcoming Vizio models with Android instead of Yahoo!, but the apps work well and are a neat feature.", "Date": "October 27, 2011"}, {"Title": "Top Quality for an Immersion System", "Author": "Eric E. Johnson \"'ntohign slhe thaersam'\"", "ReviewID": "R3BGVE9JSDO6C8", "Overall": "5.0", "Content": "This beast was drafted into my entertainment armory after trying to play BD games like DC Online, Dead Rising 2, and the like on a 32\" non-HD flatscreen. Now, I am not a technophile so I never really paid much attention to high-end gizmos outside a fairly decent 5.1 surround system. I spent a few days watching arresting movies like I,Robot, Star Trek, Let Me In, and of course Avatar. I simply could not get over the quality of the picture.Next came the apps. I had no idea apps came for more than these high fangled phones. I make phone calls on my cel, and that's it. But now I use the Vizio for Facebook, Amazon Prime, Wikipedia, weather updates, and new things are added fairly regularly. I guess the tech grew on me.Unlike many TVs I've owned, the two speaker system built in have a thick sound, and layered presentation that can stand alone for many films in my collection.Finally, I have to commend the Vizio customer support. After a three-year old managed to reset pretty much the entire system, I had to do a reboot. The tech support had me playing video games within ten minutes.If I ever need to buy another HD TV, I'll get another of these beasts.", "Date": "September 6, 2011"}, {"Title": "nice tv, easy setup", "Author": "P. Prashanth \"book crazy\"", "ReviewID": "RYWX4RPE54ZKZ", "Overall": "4.0", "Content": "I am no expert on LCD tvs. From the time I got my hands on the package, it took about 20 minutes to set the TV up and have it running. The remote is not sophisticated but it does the job. Packaging was very good, didn't have to struggle to get the TV out. Apps appear to work fine, I have only tested Netflix at this point. The reason I didn't give it 5 stars is because I have had it only for a few days :-)", "Date": "September 19, 2011"}, {"Title": "Wonderful TV!!", "Author": "Einat", "ReviewID": "R27TPGYZFT4YOW", "Overall": "5.0", "Content": "I highly recommend this TV. The picture looks GREAT and the price is very good. It connects to the internet without issues.", "Date": "August 3, 2011"}, {"Title": "Stopped working after 5 months", "Author": "W. Morton", "ReviewID": "R2TH6QC1JDFFFQ", "Overall": "1.0", "Content": "The TV was used about three hours a day between watching shows and playing video games. The picture quality was great but the remote looked like something from the 80s but that is besides the point. After about 5 months of use the TV would not turn off, it would not respond to the remote or the power button on the side. After disconnecting the power, leaving the TV sit for several minutes and then reconnecting the power, the TV would not turn on and the power light just flashes. Save your money and buy a TV from a real TV manufacturer and not the hacks at Vizio.Update:Vizio delivered a replacement refurbished unit at no cost to me. It lasted a week before it failed in the same manner as the first.", "Date": "June 19, 2011"}, {"Title": "Excellent TV for the price", "Author": "Jennay", "ReviewID": "R3V3ITCQFF63BY", "Overall": "4.0", "Content": "I love this tv! It is fantastic for the price. Its great that it can wireless connect to the internet for the internet apps. Netflix is great on the TV. I hope they come out with additional apps to use on the TV because there are only about 50. I DO wish the remote had a QWERTY keyboard, however it is still manageable. The TV is very large, I have it in my bedroom, but plan to move it to the living room when I move and get a smaller one for my bedroom.", "Date": "May 19, 2011"}, {"Title": "Great TV cool apps bought a 3d one says it all...", "Author": "Terrence Treat \"Rock4Music\"", "ReviewID": "R2C80QEKCC8MCZ", "Overall": "5.0", "Content": "I bought 1 then I bought 2 then I have bought 3 all from Amazon very happy with product and distributer thanks", "Date": "October 31, 2011"}, {"Title": "Great bargain, good performance", "Author": "lana", "ReviewID": "R1HV20QBEVA5U1", "Overall": "5.0", "Content": "Unpacking the TV was easy and hassle-free. Picture is sharp but not the sharpest. Controls are straightforward and TV sets itself up. The wireless connection is weak from time to time even when the router is in the same room. The remote is awkward and buttons have a delay and are hard to press. The apps are incredibly useful. If I could give 4.5 stars I would, but I am leaning toward a 5 due to the affordable price, free shipping, and the fact that I ordered MONDAY and got it WEDNESDAY!", "Date": "August 21, 2011"}, {"Title": "42 inch Vizio bought on amazon", "Author": "Robert C. Walker \"Aussie\"", "ReviewID": "R37K52XNKAVV1M", "Overall": "1.0", "Content": "Bought July 2011. TV Sound was Tinny to start with. Had to buy a stereo amp to get reasonable sound. Complaint sound failed on full distorted volume JaNUARY 31ST.. Vizio warranty no help after spending half a day between them and amazon. DO NOT buy vizio. aMAZON TRIED TO HELP BUT COUD NOT. Vizio are Hopeless aftert speaking to service rep,Her supervisor and finally her manager.Forget It.aS AN 80 YR old retiree on a budget. Who needs it.Dug out the old cathode ray tv from my shed...Way to go whoever sells or distributes Vizio!!!Robert C. Walker", "Date": "January 31, 2012"}, {"Title": "Good Bang for you Buck", "Author": "elev", "ReviewID": "R1HCSVJ0XLFLH3", "Overall": "4.0", "Content": "Purchased this TV a couple of days ago after owning a Vizio for 2 years now.The picture quality was good and setup a breeze.The remote is the reason I deducted a star from the 5 star rating.This is a great buy for the money and the internet apps are a cool feature.This TV is not 100-240V 50/60Hz like previous models of Vizio.", "Date": "June 12, 2011"}, {"Title": "the ying and the yang", "Author": "alan l. finer", "ReviewID": "R18IQ1SFXMLFPD", "Overall": "4.0", "Content": "VIZIO E422VA 42-Inch LCD 1080p HDTV with VIZIO Internet Apps, Black.......BOUGHT THIS BACK IN MARCH 2011 AND FOR A WI-FI INCLUDED SMART TV THE VALUE IS OUTSTANDING. ONE PROBLEM CROPPED UP THOUGH THAT SEEMS TO BE CHRONIC. FROM JUST A FEW WEEKS AFTER I GOT IT OCCASIONALLY THE SCREEN WOULD GO BLACK AND THE POWER LIGHT WOULD START TO FLASH WHILE THE TV'S COMPUTERS WOULD REBOOT AND IN TIME THE PICTURE AND SOUND WOULD RETURN. AFTER A HALF-DOZEN CALLS TO TECH SERVICE THEY FINALLY HAD A REPAIR PERSON COME OVER AND INSTALL TWO NEW MOTHERBOARDS. OK FOR ABUT 3 WEEKS AND IT REOCCURED AGAIN JUST ONE TIME. THERE WAS ANOTHER REVIEW EARLIER IN THIS SECTION WHICH INDICATES ANOTHER CUSTOMER HAD THE SAME PROBLEM. BUT STILL I GAVE FOUR STARS BECAUSE IN EVERY OTHER ASPECT THIS REMAINS A TERRIFIC VALUE BUT NOT A FIVE STAR BECAUSE OF THIS ISSUE", "Date": "September 8, 2011"}, {"Title": "don't buy vizio tvs", "Author": "bono", "ReviewID": "R16ZT621K4W6X0", "Overall": "1.0", "Content": "i bought a vizio E422VA 42 inch LCD on march 28 2011 and lately the screen would go black and the power light would keep blinking after 2 to 3 mins the screen comes back on.this matter happens every day whether the TV has been on all day or not ,before going all dark it would flicker for seconds and out completely.i wonder what would in the future with this TV.i am only 4 months in and all this happening .if i could get my money i would ask for a refund .don't wast your money on this piece of junk.", "Date": "August 13, 2011"}, {"Title": "The OTA digital tuner sucks and does not recover from a weak signal", "Author": "Amazon Customer", "ReviewID": "RH7LLG4LJKD8M", "Overall": "1.0", "Content": "I bought this TV and it's been working fine for a year until now, where I am starting to watch some DTV channels with weaker signals and the problem starts to surface. Apparently there is an issue in the Over-the-air (OTA) digital tuner and Vizio refused to fix it, rendering the warranty useless. Intermittently, the OTA tuner will quit working and TV screen go blank if there is a drop of signal strength from a particular channel. It would not recover from it when the signal restores. It does not work even if I switch to other stronger channels in which the signal is almost 100%. The only way to recover is to unplug the TV power and restart. I called the tech support and Vizio acknowledged that their TV behaves as it should and this is an \"issue\" with my antenna and I need an antenna signal booster. I have a Panasonic TV which share the same antenna and it is working absolutely fine, able to recover from intermittent OTA signal interrupts and does not require a restart.The other gripe I have with the OTA tuner is that it take on average 3-4 seconds to switch the channels, comparing again to my Panasonic TV which takes a lot faster to switch (1-2 seconds). This is not good for surfing the TV channels, the response time is very slow.This is my first purchase from the Vizio brand and will be the last. I am very disappointed with their quality and service, esp the tech support which offered no help to address the problem.", "Date": "November 20, 2011"}, {"Title": "DO NOT BUY VIZIO TV WITH INTERNET APPS", "Author": "danny", "ReviewID": "R16Y77EYZ4SMSG", "Overall": "1.0", "Content": "I bought a vizio t.v. just over a year ago and had problems connecting to internet last night through my apps. After contacting my dsl service provider, I figured out they were not the problem. So, I contacted Vizio and they figured out it was the television that needed to be repaired. Since I have had the tv just over a year, it would not be covered under warranty. Vizio said the work would cost 301.00 to repair the t.v. I paid almost 1600.00 when I bought my tv brand new. Save yourself the money and trouble, and buy a tv from respected brand that has been around for a while. You may read other reviews where people say they love their vizio. Unfortunately, they probably have just purchased their televisions and have not had them the time I have.", "Date": "February 2, 2012"}, {"Title": "Crappy", "Author": "Tim Lockhart", "ReviewID": "R1P494EOHQHORL", "Overall": "2.0", "Content": "I purchased this television through Amazon in November 2011. When I got it everything was fine. However, in February the HDMI ports went out. I tried multiple cables, and multiple devices. Nothing. I called Vizio on February 11 and it is now March 13, 2012. I have yet to receive a replacement Television. They ordered one television however, the rep ordered it from the wrong warehouse and I was not made aware of this until after the 13th business day. They reordered it and it arrived in less than a week. But once it got here I plugged it in to ensure it worked. It would not power on. I then learned that it was a re-certified television. I contacted Vizio the same day and was told I would have to wait another 9-13 business days to receive a brand new television. I was called this morning by Manna Freight which is who vizio utilizes for product replacement and was told that the television would be at my home address between 12 and 4PM. I will not be available during this time frame and explained this to the shipping company. I was told that it can either be delivered on Friday during this time frame or Monday. I explained to them that Monday would not be acceptable because I have already had to wait over a month to receive a working television. Today alone I have been on the phone with both Vizio and Manna for well over 6 hours combined and am now being told that I will have to wait until tomorrow to find out what my options are. I would not recommend Vizio products to anyone. Their poor customer service and unwillingness to provide a satisfactory solution are major issues that I am sure others will encounter.", "Date": "March 13, 2012"}, {"Title": "Good initially then can't be used at all in 6 month", "Author": "Gary", "ReviewID": "R319RTYXVI2Y8B", "Overall": "1.0", "Content": "This TV has been working very well for almost 5 months. And suddenly the TV cannot be controlled after turning on with power recycle issue. The details and movie file can be found at damoastore.comdamoastore.com[...]", "Date": "May 8, 2012"}], "ProductInfo": {"Price": "Unavailable", "Features": "VIZIO E422VA 42-Inch LCD 1080p HDTV with VIZIO Internet Apps, Black", "Name": "VIZIO E422VA 42-Inch LCD 1080p HDTV with VIZIO Internet Apps, Black", "ImgURL": "http://ecx.images-amazon.com/images/I/41liV6Oze0L._SY300_.jpg", "ProductID": "B004N3CH74"}}
{"uuid":"e04c7bbc-2a07-4080-898b-f1682d552f53","name":"Default suite","start":1546885179083,"stop":1546885210728,"children":["12293bbb-e6d8-4d66-b32e-44e88ba94222"]}
{ "data": " Transjugular intrahepatic portosystemic shunt or (TIPS) is a shunt (tube) placed between the portal vein which carries blood from the intestines and intraabdominal organs to the liver and the hepatic vein which carries blood from the liver back to the vena cava and the heart. It is used primarily (but not exclusively) in patients with cirrhosis in which the scar tissue within the liver causes partial blockage of flow of blood passing through the liver from the portal vein to the hepatic vein. The blockage increases the pressure in the portal vein, which is called portal hypertension. As a result of the increase in pressure, portal blood flows preferentially or shunts through the branches of the portal vein to veins coming from abdominal organs that normally drain toward the portal vein. These organs connect with veins that do not empty into the portal vein and thus bypass the liver. Thus, much of the flow of blood bypasses the liver. If these veins going to the other organs enlarge, they are referred to as variceal veins or varices. Unfortunately, one of the places varices form is in the stomach and lower esophagus, and these varices have a tendency to bleed massively, frequently causing death from exsanguination. By providing an artificial path for blood traveling from the intestines, through, the liver, and back to the heart, the shunt placed during the TIPS procedure reduces the pressure in the portal vein, significantly decreasing the likelihood of varices bleeding. There are several types of portosystemic shunts that are placed surgically, but TIPS is a non-surgical method of placing a portosystemic shunt. The shunt is passed down the jugular vein from the neck by a radiologist using X-ray guidance. The shunt then is inserted between the portal and hepatic veins within the liver. There are two important complications of the TIPS procedure. The first is hepatic encephalopathy, a condition in which it is believed that toxic products from the intestines (for example, ammonia) that are normally removed from the blood by the liver remain in the blood and are delivered to the brain. (The TIPS allows the toxin-containing blood to bypass the liver. ) The effects on the brain can vary from minor alterations in thinking to full coma. A second complication is heart failure due to the sudden increase in the amount of blood returning to the heart through the shunt. The heart is unable to pump the returning blood fast enough, resulting in heart failure. Finally, one complication may be caused by the shunt itself; problems such as infection and shunt occlusion, requiring placement of another shunt. ", "title": "Transjugular Intrahepatic Portosystemic Shunt" }
{ "id": 487919281, "type": "Feature", "properties": { "edtf:cessation":"uuuu", "edtf:inception":"uuuu", "geom:area":0.0, "geom:bbox":"-5.5487614437,50.1017178369,-5.5487614437,50.1017178369", "geom:latitude":50.101718, "geom:longitude":-5.548761, "gp:parent_id":"30135", "iso:country":"GB", "mz:hierarchy_label":1, "os:admin_county_code":"", "os:admin_distict_code":"E06000052", "os:admin_ward_code":"E05009217", "os:country_code":"E92000001", "os:nhs_ha_code":"E18000010", "os:nhs_regional_ha_code":"E19000002", "os:positional_quality_indicator":"10", "src:geom":"os", "wof:belongsto":[ 85684547, "102191581", 404449797, "85633159", 404227469 ], "wof:breaches":[], "wof:concordances":{ "gp:id":"28078473" }, "wof:country":"GB", "wof:geomhash":"486054d652172487f326b5c87b38314a", "wof:hierarchy":[ { "continent_id":"102191581", "country_id":"85633159", "localadmin_id":404449797, "macroregion_id":404227469, "postalcode_id":487919281, "region_id":85684547 } ], "wof:id":487919281, "wof:lastmodified":1468902944, "wof:name":"TR18 5EW", "wof:parent_id":404449797, "wof:placetype":"postalcode", "wof:repo":"whosonfirst-data-postalcode-gb", "wof:superseded_by":[], "wof:supersedes":[], "wof:tags":[] }, "bbox": [ -5.54876144370349, 50.10171783693438, -5.54876144370349, 50.10171783693438 ], "geometry": {"coordinates":[-5.54876144370349,50.10171783693438],"type":"Point"} }
{"parse":{"title":"\u7528\u6237:Cotangent","pageid":822,"wikitext":{"*":"#REDIRECT [[\u840c\u767e:User:Cotangent]]"}}}
[ "http://2.bp.blogspot.com/-9M-sjkJmjHM/UZ2AaZHU6EI/AAAAAAAAHyM/QlbHDCDBZaU/s0/000.jpg", "http://2.bp.blogspot.com/-5T4Hbe4XG6c/UZ2Abfvo9JI/AAAAAAAAHyo/U7eAai8QSec/s0/001.jpg", "http://2.bp.blogspot.com/-kGsv_PM0YiU/UZ2AcXyUCOI/AAAAAAAAHy4/hy1oEPE_aIs/s0/002.jpg", "http://2.bp.blogspot.com/-dA2itiHJOaQ/UZ2Adhg_UDI/AAAAAAAAHzI/YiV3ot6QhSo/s0/003.jpg", "http://2.bp.blogspot.com/-ycmMNuKrRKk/UZ2AeYI1ObI/AAAAAAAAHzc/bYySWfssPuk/s0/004.jpg", "http://2.bp.blogspot.com/-8sklK7KYJHs/UZ2AfS7evbI/AAAAAAAAHzo/daNN4T8kfoY/s0/005.jpg", "http://2.bp.blogspot.com/-Tq81W4UO77U/UZ2AgLihnTI/AAAAAAAAHz4/-vaMGkS9uNs/s0/006.jpg", "http://2.bp.blogspot.com/-vnib_t_F5Mk/UZ2AhEuId-I/AAAAAAAAH0M/mi46ul4LaNU/s0/007.jpg", "http://2.bp.blogspot.com/-teZ3cPgSPpA/UZ2AifeL3BI/AAAAAAAAH0g/8DHTt11utEU/s0/008.jpg", "http://2.bp.blogspot.com/-2L_N5xXq8_w/UZ2AjQjX12I/AAAAAAAAH00/fcJEcRSr8U8/s0/009.jpg", "http://2.bp.blogspot.com/-s9nMATbIBVI/UZ2AlPP5Q0I/AAAAAAAAH1E/Uc4axvZbFd4/s0/010.jpg", "http://2.bp.blogspot.com/-wb5wehQHEGQ/UZ2AlxxHpBI/AAAAAAAAH1U/u41lBeCLYZY/s0/011.jpg", "http://2.bp.blogspot.com/-AUe72fL4NN0/UZ2AmwYZgpI/AAAAAAAAH1g/DpPtv5TmMaE/s0/012.jpg", "http://2.bp.blogspot.com/-SKYTgezK5N0/UZ2Ank4udjI/AAAAAAAAH1w/SDA57kNrK0g/s0/013.jpg", "http://2.bp.blogspot.com/-_6oRi_gej7w/UZ2AsHHJU_I/AAAAAAAAH2k/dPamkziPVGA/s0/014.jpg", "http://2.bp.blogspot.com/-L7I6tlr7zbI/UZ2AtFPjdiI/AAAAAAAAH20/NF6Z5tiLKyA/s0/015.jpg", "http://2.bp.blogspot.com/-Zwt0XcLzgUU/UZ2AuZJBzLI/AAAAAAAAH3M/GVHbYnuX1ck/s0/016.jpg", "http://2.bp.blogspot.com/-7-eSQuoLFns/UZ2AvV2KCNI/AAAAAAAAH3Y/zWRfKUsPDg4/s0/017.jpg", "http://2.bp.blogspot.com/-aVPmP63DRqo/UZ2AwCqPoFI/AAAAAAAAH3o/qg_ROCab4GA/s0/018.jpg", "http://2.bp.blogspot.com/-8gY_zQPe_xQ/UZ2AxJdggiI/AAAAAAAAH38/jQEgYMWqR_Q/s0/019.jpg", "http://2.bp.blogspot.com/-uBLarX3iOW0/UZ2AyBCFn5I/AAAAAAAAH4M/EbZUf9Ka60Y/s0/020.jpg", "http://2.bp.blogspot.com/-8VHFmUtcqQc/UZ2AyltSesI/AAAAAAAAH4c/I_sZ6shOfvY/s0/021.jpg", "http://2.bp.blogspot.com/-n2OCuwE69lQ/UZ2Az3wKvoI/AAAAAAAAH4o/uMQxBAh1uoE/s0/022.jpg" ]
{ "first_traded_price": 10457.0, "highest_price": 10978.0, "isin": "IRO1GGAZ0001", "last_traded_price": 10570.0, "lowest_price": 10456.0, "trade_volume": 543706.0, "unix_time": 1353456000 }
{"jquery.dirtyforms.dialogs.bootstrap.js":"sha512-L/kxdrNFTlGc/qzx1gOy0HEPiWbihF4Sza2u9U75QQuvEuENIdGmCNMBwQojpkXoWoB96658R7FwDjaRqEOsfQ==","jquery.dirtyforms.dialogs.bootstrap.min.js":"sha512-pcvP8wqmvCeYK2h4G2KSN9IojKGOny6XqPPZQeKUMlMUjBtMcesFKZQu6/wH6jFMyHzzG+q+b0cRruWzFmfznQ=="}
{ "first_traded_price": 3990.0, "highest_price": 4079.0, "isin": "IRO3PKSH0001", "last_traded_price": 3940.0, "lowest_price": 3911.0, "trade_volume": 1835235.0, "unix_time": 1365292800 }
{ "first_traded_price": 3630.0, "highest_price": 3751.0, "isin": "IRO1SAND0001", "last_traded_price": 3751.0, "lowest_price": 3625.0, "trade_volume": 8183734.0, "unix_time": 1404518400 }
{ "actions": [ { "acted_at": "2000-07-27", "references": [ { "reference": "CR S7893-7895", "type": null } ], "text": "Sponsor introductory remarks on measure.", "type": "action" }, { "acted_at": "2000-07-27", "committee": "Committee on Finance", "references": [], "status": "REFERRED", "text": "Read twice and referred to the Committee on Finance.", "type": "referral" } ], "amendments": [], "bill_id": "s2979-106", "bill_type": "s", "committees": [ { "activity": [ "referral", "in committee" ], "committee": "Senate Finance", "committee_id": "SSFI" } ], "congress": "106", "cosponsors": [ { "district": null, "name": "Mack, Connie, III", "sponsored_at": "2000-07-27", "state": "FL", "thomas_id": "00721", "title": "Sen", "withdrawn_at": null } ], "enacted_as": null, "history": { "awaiting_signature": false, "enacted": false, "vetoed": false }, "introduced_at": "2000-07-27", "number": "2979", "official_title": "A bill to amend the Internal Revenue Code of 1986 to clarify the status of professional employer organizations and to promote and protect the interests of professional employer organizations, their customers, and workers.", "popular_title": null, "related_bills": [], "short_title": "Professional Employer Organization Workers Benefits Act of 2000", "sponsor": { "district": null, "name": "Graham, Bob", "state": "FL", "thomas_id": "01342", "title": "Sen", "type": "person" }, "status": "REFERRED", "status_at": "2000-07-27", "subjects": [ "Accounting", "Administrative procedure", "Commerce", "Department of the Treasury", "Employee benefit plans", "Employment agencies", "Finance and financial sector", "Government operations and politics", "Government paperwork", "Labor and employment", "Labor contracts", "Law", "Personnel records", "Professions", "Social security taxes", "Social welfare", "Surety and fidelity", "Tax administration", "Tax returns", "Tax-deferred compensation plans", "Taxation", "Unemployment insurance", "Withholding tax" ], "subjects_top_term": "Taxation", "summary": { "as": "Introduced", "date": "2000-07-27", "text": "Professional Employer Organization Workers Benefits Act of 2000 - Amends the Internal Revenue Code (IRC) to provide that, for purposes of the taxes imposed by subtitle C (Employment Taxes), a certified professional employer organization shall be treated as the employer (and no other person shall be treated as the employer) of any work site employee performing services for any customer of such organization, but only with respect to remuneration remitted by such organization to such work site employee and exemptions and exclusions which would otherwise apply shall apply with respect to such taxes imposed on such remuneration. Sets forth provisions concerning: (1) secondary customer liability for employment taxes; (2) liability with respect to individuals purported to be work site employees; and (3) special rules for related parties.Amends IRC definition provisions of subchapter D (Deferred Compensation, Etc.) of subtitle A (Income Taxes) to provide that, subject to exceptions, if a certified professional employer organization establishes or maintains a plan to provide employee benefits to work site employees, then, for purposes of applying the provisions of this title applicable to such benefits: (1) such plan shall be treated as a single employer plan established and maintained by the organization; (2) the organization shall be treated as the employer of the work site employees eligible to participate in the plan; and (3) the portion of such plan covering work site employees shall not be taken into account in applying such provisions to the remaining portion of such plan or to any other plan providing employee benefits (other than to work site employees).Defines \"certified professional employer organization\" and \"work site employee.\"Sets forth provisions concerning, among other things: (1) employer aggregation rules; (2) determination of employment status; and (3) reporting requirements." }, "titles": [ { "as": "introduced", "title": "Professional Employer Organization Workers Benefits Act of 2000", "type": "short" }, { "as": "introduced", "title": "A bill to amend the Internal Revenue Code of 1986 to clarify the status of professional employer organizations and to promote and protect the interests of professional employer organizations, their customers, and workers.", "type": "official" } ], "updated_at": "2013-02-02T20:42:26-05:00" }
[{"pid":0,"ph":"i","name":"Memory sample","ts":1522054461938000,"args":{"JVM stats":"heap_memory_usage: 201900008\nnon_heap_memory_usage: 185597128\nloaded_class_count: 17268\nthread_count: 23\ngarbage_collection_stats {\n name: \"PS Scavenge\"\n gc_collections: 0\n gc_time: 0\n}\ngarbage_collection_stats {\n name: \"PS MarkSweep\"\n gc_collections: 0\n gc_time: 0\n}\n"}},{"pid":0,"ph":"i","name":"Memory sample","ts":1522054462893000,"args":{"JVM stats":"heap_memory_usage: 213455016\nnon_heap_memory_usage: 185885896\nloaded_class_count: 17268\nthread_count: 27\ngarbage_collection_stats {\n name: \"PS Scavenge\"\n gc_collections: 0\n gc_time: 0\n}\ngarbage_collection_stats {\n name: \"PS MarkSweep\"\n gc_collections: 0\n gc_time: 0\n}\n"}},{"pid":0,"ph":"i","name":"Memory sample","ts":1522054464956000,"args":{"JVM stats":"heap_memory_usage: 233299608\nnon_heap_memory_usage: 185897992\nloaded_class_count: 17268\nthread_count: 27\ngarbage_collection_stats {\n name: \"PS Scavenge\"\n gc_collections: 0\n gc_time: 0\n}\ngarbage_collection_stats {\n name: \"PS MarkSweep\"\n gc_collections: 0\n gc_time: 0\n}\n"}},{"pid":0,"ph":"i","name":"Memory sample","ts":1522054465022000,"args":{"JVM stats":"heap_memory_usage: 234158256\nnon_heap_memory_usage: 185897992\nloaded_class_count: 17268\nthread_count: 27\ngarbage_collection_stats {\n name: \"PS Scavenge\"\n gc_collections: 0\n gc_time: 0\n}\ngarbage_collection_stats {\n name: \"PS MarkSweep\"\n gc_collections: 0\n gc_time: 0\n}\n"}},{"pid":0,"ph":"i","name":"Memory sample","ts":1522054465156000,"args":{"JVM stats":"heap_memory_usage: 234943720\nnon_heap_memory_usage: 185897992\nloaded_class_count: 17268\nthread_count: 27\ngarbage_collection_stats {\n name: \"PS Scavenge\"\n gc_collections: 0\n gc_time: 0\n}\ngarbage_collection_stats {\n name: \"PS MarkSweep\"\n gc_collections: 0\n gc_time: 0\n}\n"}},{"pid":0,"ph":"i","name":"Memory sample","ts":1522054465167000,"args":{"JVM stats":"heap_memory_usage: 234943720\nnon_heap_memory_usage: 185897992\nloaded_class_count: 17268\nthread_count: 27\ngarbage_collection_stats {\n name: \"PS Scavenge\"\n gc_collections: 0\n gc_time: 0\n}\ngarbage_collection_stats {\n name: \"PS MarkSweep\"\n gc_collections: 0\n gc_time: 0\n}\n"}},{"pid":0,"ph":"i","name":"Memory sample","ts":1522054465624000,"args":{"JVM stats":"heap_memory_usage: 234943720\nnon_heap_memory_usage: 185897992\nloaded_class_count: 17268\nthread_count: 27\ngarbage_collection_stats {\n name: \"PS Scavenge\"\n gc_collections: 0\n gc_time: 0\n}\ngarbage_collection_stats {\n name: \"PS MarkSweep\"\n gc_collections: 0\n gc_time: 0\n}\n"}},{"pid":0,"ph":"i","name":"Memory sample","ts":1522054465628000,"args":{"JVM stats":"heap_memory_usage: 234943720\nnon_heap_memory_usage: 185897992\nloaded_class_count: 17268\nthread_count: 27\ngarbage_collection_stats {\n name: \"PS Scavenge\"\n gc_collections: 0\n gc_time: 0\n}\ngarbage_collection_stats {\n name: \"PS MarkSweep\"\n gc_collections: 0\n gc_time: 0\n}\n"}},{"pid":0,"ph":"i","name":"Memory sample","ts":1522054465635000,"args":{"JVM stats":"heap_memory_usage: 234943720\nnon_heap_memory_usage: 185897992\nloaded_class_count: 17268\nthread_count: 27\ngarbage_collection_stats {\n name: \"PS Scavenge\"\n gc_collections: 0\n gc_time: 0\n}\ngarbage_collection_stats {\n name: \"PS MarkSweep\"\n gc_collections: 0\n gc_time: 0\n}\n"}},{"pid":0,"ph":"i","name":"Memory sample","ts":1522054465637000,"args":{"JVM stats":"heap_memory_usage: 234943720\nnon_heap_memory_usage: 185897992\nloaded_class_count: 17268\nthread_count: 27\ngarbage_collection_stats {\n name: \"PS Scavenge\"\n gc_collections: 0\n gc_time: 0\n}\ngarbage_collection_stats {\n name: \"PS MarkSweep\"\n gc_collections: 0\n gc_time: 0\n}\n"}},{"pid":0,"ph":"i","name":"Memory sample","ts":1522054466078000,"args":{"JVM stats":"heap_memory_usage: 234943720\nnon_heap_memory_usage: 185903096\nloaded_class_count: 17268\nthread_count: 27\ngarbage_collection_stats {\n name: \"PS Scavenge\"\n gc_collections: 0\n gc_time: 0\n}\ngarbage_collection_stats {\n name: \"PS MarkSweep\"\n gc_collections: 0\n gc_time: 0\n}\n"}},{"pid":0,"ph":"i","name":"Memory sample","ts":1522054467418000,"args":{"JVM stats":"heap_memory_usage: 240873712\nnon_heap_memory_usage: 185903096\nloaded_class_count: 17268\nthread_count: 27\ngarbage_collection_stats {\n name: \"PS Scavenge\"\n gc_collections: 0\n gc_time: 0\n}\ngarbage_collection_stats {\n name: \"PS MarkSweep\"\n gc_collections: 0\n gc_time: 0\n}\n"}},{"pid":0,"ph":"i","name":"Memory sample","ts":1522054467428000,"args":{"JVM stats":"heap_memory_usage: 240873712\nnon_heap_memory_usage: 185911416\nloaded_class_count: 17268\nthread_count: 27\ngarbage_collection_stats {\n name: \"PS Scavenge\"\n gc_collections: 0\n gc_time: 0\n}\ngarbage_collection_stats {\n name: \"PS MarkSweep\"\n gc_collections: 0\n gc_time: 0\n}\n"}},{"pid":0,"ph":"i","name":"Memory sample","ts":1522054468231000,"args":{"JVM stats":"heap_memory_usage: 254503944\nnon_heap_memory_usage: 185993408\nloaded_class_count: 17268\nthread_count: 27\ngarbage_collection_stats {\n name: \"PS Scavenge\"\n gc_collections: 0\n gc_time: 0\n}\ngarbage_collection_stats {\n name: \"PS MarkSweep\"\n gc_collections: 0\n gc_time: 0\n}\n"}},{"pid":0,"ph":"i","name":"Memory sample","ts":1522054468297000,"args":{"JVM stats":"heap_memory_usage: 254503944\nnon_heap_memory_usage: 185993408\nloaded_class_count: 17268\nthread_count: 27\ngarbage_collection_stats {\n name: \"PS Scavenge\"\n gc_collections: 0\n gc_time: 0\n}\ngarbage_collection_stats {\n name: \"PS MarkSweep\"\n gc_collections: 0\n gc_time: 0\n}\n"}},{"pid":0,"ph":"i","name":"Memory sample","ts":1522054505655000,"args":{"JVM stats":"heap_memory_usage: 281147080\nnon_heap_memory_usage: 186062208\nloaded_class_count: 17268\nthread_count: 27\ngarbage_collection_stats {\n name: \"PS Scavenge\"\n gc_collections: 0\n gc_time: 0\n}\ngarbage_collection_stats {\n name: \"PS MarkSweep\"\n gc_collections: 0\n gc_time: 0\n}\n"}},{"pid":0,"ph":"i","name":"Memory sample","ts":1522054505657000,"args":{"JVM stats":"heap_memory_usage: 281604792\nnon_heap_memory_usage: 186062208\nloaded_class_count: 17268\nthread_count: 27\ngarbage_collection_stats {\n name: \"PS Scavenge\"\n gc_collections: 0\n gc_time: 0\n}\ngarbage_collection_stats {\n name: \"PS MarkSweep\"\n gc_collections: 0\n gc_time: 0\n}\n"}},{"pid":0,"ph":"i","name":"Memory sample","ts":1522054506939000,"args":{"JVM stats":"heap_memory_usage: 294620840\nnon_heap_memory_usage: 186215168\nloaded_class_count: 17268\nthread_count: 27\ngarbage_collection_stats {\n name: \"PS Scavenge\"\n gc_collections: 0\n gc_time: 0\n}\ngarbage_collection_stats {\n name: \"PS MarkSweep\"\n gc_collections: 0\n gc_time: 0\n}\n"}},{"pid":0,"ph":"i","name":"Memory sample","ts":1522054507147000,"args":{"JVM stats":"heap_memory_usage: 296979672\nnon_heap_memory_usage: 186219888\nloaded_class_count: 17269\nthread_count: 27\ngarbage_collection_stats {\n name: \"PS Scavenge\"\n gc_collections: 0\n gc_time: 0\n}\ngarbage_collection_stats {\n name: \"PS MarkSweep\"\n gc_collections: 0\n gc_time: 0\n}\n"}},{"pid":0,"ph":"i","name":"Memory sample","ts":1522054507211000,"args":{"JVM stats":"heap_memory_usage: 298550120\nnon_heap_memory_usage: 186220208\nloaded_class_count: 17269\nthread_count: 27\ngarbage_collection_stats {\n name: \"PS Scavenge\"\n gc_collections: 0\n gc_time: 0\n}\ngarbage_collection_stats {\n name: \"PS MarkSweep\"\n gc_collections: 0\n gc_time: 0\n}\n"}},{"pid":0,"ph":"i","name":"Memory sample","ts":1522054507282000,"args":{"JVM stats":"heap_memory_usage: 299726864\nnon_heap_memory_usage: 186220208\nloaded_class_count: 17269\nthread_count: 27\ngarbage_collection_stats {\n name: \"PS Scavenge\"\n gc_collections: 0\n gc_time: 0\n}\ngarbage_collection_stats {\n name: \"PS MarkSweep\"\n gc_collections: 0\n gc_time: 0\n}\n"}},{"pid":0,"ph":"i","name":"Memory sample","ts":1522054507302000,"args":{"JVM stats":"heap_memory_usage: 299726864\nnon_heap_memory_usage: 186220880\nloaded_class_count: 17269\nthread_count: 27\ngarbage_collection_stats {\n name: \"PS Scavenge\"\n gc_collections: 0\n gc_time: 0\n}\ngarbage_collection_stats {\n name: \"PS MarkSweep\"\n gc_collections: 0\n gc_time: 0\n}\n"}},{"pid":0,"ph":"i","name":"Memory sample","ts":1522054507312000,"args":{"JVM stats":"heap_memory_usage: 299726864\nnon_heap_memory_usage: 186224464\nloaded_class_count: 17269\nthread_count: 27\ngarbage_collection_stats {\n name: \"PS Scavenge\"\n gc_collections: 0\n gc_time: 0\n}\ngarbage_collection_stats {\n name: \"PS MarkSweep\"\n gc_collections: 0\n gc_time: 0\n}\n"}},{"pid":0,"ph":"i","name":"Memory sample","ts":1522054507314000,"args":{"JVM stats":"heap_memory_usage: 299726864\nnon_heap_memory_usage: 186224464\nloaded_class_count: 17269\nthread_count: 27\ngarbage_collection_stats {\n name: \"PS Scavenge\"\n gc_collections: 0\n gc_time: 0\n}\ngarbage_collection_stats {\n name: \"PS MarkSweep\"\n gc_collections: 0\n gc_time: 0\n}\n"}},{"pid":0,"ph":"i","name":"Memory sample","ts":1522054507836000,"args":{"JVM stats":"heap_memory_usage: 302865432\nnon_heap_memory_usage: 186225464\nloaded_class_count: 17269\nthread_count: 27\ngarbage_collection_stats {\n name: \"PS Scavenge\"\n gc_collections: 0\n gc_time: 0\n}\ngarbage_collection_stats {\n name: \"PS MarkSweep\"\n gc_collections: 0\n gc_time: 0\n}\n"}},{"pid":0,"ph":"i","name":"Memory sample","ts":1522054507928000,"args":{"JVM stats":"heap_memory_usage: 303259800\nnon_heap_memory_usage: 186234928\nloaded_class_count: 17269\nthread_count: 27\ngarbage_collection_stats {\n name: \"PS Scavenge\"\n gc_collections: 0\n gc_time: 0\n}\ngarbage_collection_stats {\n name: \"PS MarkSweep\"\n gc_collections: 0\n gc_time: 0\n}\n"}},{"pid":0,"ph":"i","name":"Memory sample","ts":1522054508175000,"args":{"JVM stats":"heap_memory_usage: 306399400\nnon_heap_memory_usage: 186242968\nloaded_class_count: 17269\nthread_count: 27\ngarbage_collection_stats {\n name: \"PS Scavenge\"\n gc_collections: 0\n gc_time: 0\n}\ngarbage_collection_stats {\n name: \"PS MarkSweep\"\n gc_collections: 0\n gc_time: 0\n}\n"}},{"pid":0,"ph":"i","name":"Memory sample","ts":1522054508177000,"args":{"JVM stats":"heap_memory_usage: 306399400\nnon_heap_memory_usage: 186245144\nloaded_class_count: 17269\nthread_count: 27\ngarbage_collection_stats {\n name: \"PS Scavenge\"\n gc_collections: 0\n gc_time: 0\n}\ngarbage_collection_stats {\n name: \"PS MarkSweep\"\n gc_collections: 0\n gc_time: 0\n}\n"}},{"pid":0,"ph":"i","name":"Memory sample","ts":1522054508182000,"args":{"JVM stats":"heap_memory_usage: 306399400\nnon_heap_memory_usage: 186245176\nloaded_class_count: 17269\nthread_count: 27\ngarbage_collection_stats {\n name: \"PS Scavenge\"\n gc_collections: 0\n gc_time: 0\n}\ngarbage_collection_stats {\n name: \"PS MarkSweep\"\n gc_collections: 0\n gc_time: 0\n}\n"}},{"pid":0,"ph":"i","name":"Memory sample","ts":1522054508332000,"args":{"JVM stats":"heap_memory_usage: 307258032\nnon_heap_memory_usage: 186246808\nloaded_class_count: 17269\nthread_count: 23\ngarbage_collection_stats {\n name: \"PS Scavenge\"\n gc_collections: 0\n gc_time: 0\n}\ngarbage_collection_stats {\n name: \"PS MarkSweep\"\n gc_collections: 0\n gc_time: 0\n}\n"}},{"pid":1,"tid":22,"id":2,"name":"base plugin project configure","args":{"span_id":"2","project":"id: 1\nandroid_plugin_version: \"3.0.1\"\nandroid_plugin: APPLICATION\nplugin_generation: FIRST\nbuild_tools_version: \"26.0.2\"\ncompile_sdk: \"android-26\"\nsplits {\n}\n"},"ph":"X","ts":1522054461941000,"dur":21000},{"pid":1,"tid":22,"id":3,"name":"base plugin project base extension creation","args":{"span_id":"3","project":"id: 1\nandroid_plugin_version: \"3.0.1\"\nandroid_plugin: APPLICATION\nplugin_generation: FIRST\nbuild_tools_version: \"26.0.2\"\ncompile_sdk: \"android-26\"\nsplits {\n}\n"},"ph":"X","ts":1522054461962000,"dur":23000},{"pid":1,"tid":22,"id":5,"name":"task manager create tasks","args":{"span_id":"5","project":"id: 1\nandroid_plugin_version: \"3.0.1\"\nandroid_plugin: APPLICATION\nplugin_generation: FIRST\nbuild_tools_version: \"26.0.2\"\ncompile_sdk: \"android-26\"\nsplits {\n}\n"},"ph":"X","ts":1522054461985000,"dur":5000},{"pid":1,"tid":22,"id":4,"name":"base plugin project tasks creation","args":{"span_id":"4","project":"id: 1\nandroid_plugin_version: \"3.0.1\"\nandroid_plugin: APPLICATION\nplugin_generation: FIRST\nbuild_tools_version: \"26.0.2\"\ncompile_sdk: \"android-26\"\nsplits {\n}\n"},"ph":"X","ts":1522054461985000,"dur":5000},{"pid":1,"tid":22,"id":8,"name":"variant manager create variants","args":{"span_id":"8","project":"id: 1\nandroid_plugin_version: \"3.0.1\"\nandroid_plugin: APPLICATION\nplugin_generation: FIRST\nbuild_tools_version: \"26.0.2\"\ncompile_sdk: \"android-26\"\nsplits {\n}\n"},"ph":"X","ts":1522054462250000,"dur":23000},{"pid":1,"tid":22,"id":9,"name":"variant manager create tests tasks","args":{"span_id":"9","project":"id: 1\nandroid_plugin_version: \"3.0.1\"\nandroid_plugin: APPLICATION\nplugin_generation: FIRST\nbuild_tools_version: \"26.0.2\"\ncompile_sdk: \"android-26\"\nsplits {\n}\n"},"ph":"X","ts":1522054462273000,"dur":4000},{"pid":1,"tid":22,"id":11,"name":"app task manager create merge manifest task","args":{"span_id":"11","project":"id: 1\nandroid_plugin_version: \"3.0.1\"\nandroid_plugin: APPLICATION\nplugin_generation: FIRST\nbuild_tools_version: \"26.0.2\"\ncompile_sdk: \"android-26\"\nsplits {\n}\n","variant":"id: 1\nis_debug: true\nminify_enabled: false\nuse_multidex: false\nuse_legacy_multidex: false\nvariant_type: APPLICATION\nmin_sdk_version {\n api_level: 21\n}\ntarget_sdk_version {\n api_level: 26\n}\ndex_builder: DX_DEXER\ndex_merger: DX_MERGER\n"},"ph":"X","ts":1522054462285000,"dur":5000},{"pid":1,"tid":22,"id":12,"name":"app task manager create generate res values task","args":{"span_id":"12","project":"id: 1\nandroid_plugin_version: \"3.0.1\"\nandroid_plugin: APPLICATION\nplugin_generation: FIRST\nbuild_tools_version: \"26.0.2\"\ncompile_sdk: \"android-26\"\nsplits {\n}\n","variant":"id: 1\nis_debug: true\nminify_enabled: false\nuse_multidex: false\nuse_legacy_multidex: false\nvariant_type: APPLICATION\nmin_sdk_version {\n api_level: 21\n}\ntarget_sdk_version {\n api_level: 26\n}\ndex_builder: DX_DEXER\ndex_merger: DX_MERGER\n"},"ph":"X","ts":1522054462290000,"dur":2000},{"pid":1,"tid":22,"id":13,"name":"app task manager create create renderscript task","args":{"span_id":"13","project":"id: 1\nandroid_plugin_version: \"3.0.1\"\nandroid_plugin: APPLICATION\nplugin_generation: FIRST\nbuild_tools_version: \"26.0.2\"\ncompile_sdk: \"android-26\"\nsplits {\n}\n","variant":"id: 1\nis_debug: true\nminify_enabled: false\nuse_multidex: false\nuse_legacy_multidex: false\nvariant_type: APPLICATION\nmin_sdk_version {\n api_level: 21\n}\ntarget_sdk_version {\n api_level: 26\n}\ndex_builder: DX_DEXER\ndex_merger: DX_MERGER\n"},"ph":"X","ts":1522054462292000,"dur":2000},{"pid":1,"tid":22,"id":14,"name":"app task manager create merge resources task","args":{"span_id":"14","project":"id: 1\nandroid_plugin_version: \"3.0.1\"\nandroid_plugin: APPLICATION\nplugin_generation: FIRST\nbuild_tools_version: \"26.0.2\"\ncompile_sdk: \"android-26\"\nsplits {\n}\n","variant":"id: 1\nis_debug: true\nminify_enabled: false\nuse_multidex: false\nuse_legacy_multidex: false\nvariant_type: APPLICATION\nmin_sdk_version {\n api_level: 21\n}\ntarget_sdk_version {\n api_level: 26\n}\ndex_builder: DX_DEXER\ndex_merger: DX_MERGER\n"},"ph":"X","ts":1522054462294000,"dur":7000},{"pid":1,"tid":22,"id":15,"name":"app task manager create merge assets task","args":{"span_id":"15","project":"id: 1\nandroid_plugin_version: \"3.0.1\"\nandroid_plugin: APPLICATION\nplugin_generation: FIRST\nbuild_tools_version: \"26.0.2\"\ncompile_sdk: \"android-26\"\nsplits {\n}\n","variant":"id: 1\nis_debug: true\nminify_enabled: false\nuse_multidex: false\nuse_legacy_multidex: false\nvariant_type: APPLICATION\nmin_sdk_version {\n api_level: 21\n}\ntarget_sdk_version {\n api_level: 26\n}\ndex_builder: DX_DEXER\ndex_merger: DX_MERGER\n"},"ph":"X","ts":1522054462301000,"dur":2000},{"pid":1,"tid":22,"id":16,"name":"app task manager create build config task","args":{"span_id":"16","project":"id: 1\nandroid_plugin_version: \"3.0.1\"\nandroid_plugin: APPLICATION\nplugin_generation: FIRST\nbuild_tools_version: \"26.0.2\"\ncompile_sdk: \"android-26\"\nsplits {\n}\n","variant":"id: 1\nis_debug: true\nminify_enabled: false\nuse_multidex: false\nuse_legacy_multidex: false\nvariant_type: APPLICATION\nmin_sdk_version {\n api_level: 21\n}\ntarget_sdk_version {\n api_level: 26\n}\ndex_builder: DX_DEXER\ndex_merger: DX_MERGER\n"},"ph":"X","ts":1522054462303000,"dur":1000},{"pid":1,"tid":22,"id":17,"name":"app task manager create process res task","args":{"span_id":"17","project":"id: 1\nandroid_plugin_version: \"3.0.1\"\nandroid_plugin: APPLICATION\nplugin_generation: FIRST\nbuild_tools_version: \"26.0.2\"\ncompile_sdk: \"android-26\"\nsplits {\n}\n","variant":"id: 1\nis_debug: true\nminify_enabled: false\nuse_multidex: false\nuse_legacy_multidex: false\nvariant_type: APPLICATION\nmin_sdk_version {\n api_level: 21\n}\ntarget_sdk_version {\n api_level: 26\n}\ndex_builder: DX_DEXER\ndex_merger: DX_MERGER\n"},"ph":"X","ts":1522054462304000,"dur":36000},{"pid":1,"tid":22,"id":18,"name":"app task manager create aidl task","args":{"span_id":"18","project":"id: 1\nandroid_plugin_version: \"3.0.1\"\nandroid_plugin: APPLICATION\nplugin_generation: FIRST\nbuild_tools_version: \"26.0.2\"\ncompile_sdk: \"android-26\"\nsplits {\n}\n","variant":"id: 1\nis_debug: true\nminify_enabled: false\nuse_multidex: false\nuse_legacy_multidex: false\nvariant_type: APPLICATION\nmin_sdk_version {\n api_level: 21\n}\ntarget_sdk_version {\n api_level: 26\n}\ndex_builder: DX_DEXER\ndex_merger: DX_MERGER\n"},"ph":"X","ts":1522054462340000,"dur":2000},{"pid":1,"tid":22,"id":19,"name":"app task manager create shader task","args":{"span_id":"19","project":"id: 1\nandroid_plugin_version: \"3.0.1\"\nandroid_plugin: APPLICATION\nplugin_generation: FIRST\nbuild_tools_version: \"26.0.2\"\ncompile_sdk: \"android-26\"\nsplits {\n}\n","variant":"id: 1\nis_debug: true\nminify_enabled: false\nuse_multidex: false\nuse_legacy_multidex: false\nvariant_type: APPLICATION\nmin_sdk_version {\n api_level: 21\n}\ntarget_sdk_version {\n api_level: 26\n}\ndex_builder: DX_DEXER\ndex_merger: DX_MERGER\n"},"ph":"X","ts":1522054462342000,"dur":2000},{"pid":1,"tid":22,"id":20,"name":"app task manager create ndk task","args":{"span_id":"20","project":"id: 1\nandroid_plugin_version: \"3.0.1\"\nandroid_plugin: APPLICATION\nplugin_generation: FIRST\nbuild_tools_version: \"26.0.2\"\ncompile_sdk: \"android-26\"\nsplits {\n}\n","variant":"id: 1\nis_debug: true\nminify_enabled: false\nuse_multidex: false\nuse_legacy_multidex: false\nvariant_type: APPLICATION\nmin_sdk_version {\n api_level: 21\n}\ntarget_sdk_version {\n api_level: 26\n}\ndex_builder: DX_DEXER\ndex_merger: DX_MERGER\n"},"ph":"X","ts":1522054462344000,"dur":2000},{"pid":1,"tid":22,"id":21,"name":"app task manager create external native build task","args":{"span_id":"21","project":"id: 1\nandroid_plugin_version: \"3.0.1\"\nandroid_plugin: APPLICATION\nplugin_generation: FIRST\nbuild_tools_version: \"26.0.2\"\ncompile_sdk: \"android-26\"\nsplits {\n}\n","variant":"id: 1\nis_debug: true\nminify_enabled: false\nuse_multidex: false\nuse_legacy_multidex: false\nvariant_type: APPLICATION\nmin_sdk_version {\n api_level: 21\n}\ntarget_sdk_version {\n api_level: 26\n}\ndex_builder: DX_DEXER\ndex_merger: DX_MERGER\n"},"ph":"X","ts":1522054462346000,"dur":100},{"pid":1,"tid":22,"id":22,"name":"app task manager create merge jnilibs folders task","args":{"span_id":"22","project":"id: 1\nandroid_plugin_version: \"3.0.1\"\nandroid_plugin: APPLICATION\nplugin_generation: FIRST\nbuild_tools_version: \"26.0.2\"\ncompile_sdk: \"android-26\"\nsplits {\n}\n","variant":"id: 1\nis_debug: true\nminify_enabled: false\nuse_multidex: false\nuse_legacy_multidex: false\nvariant_type: APPLICATION\nmin_sdk_version {\n api_level: 21\n}\ntarget_sdk_version {\n api_level: 26\n}\ndex_builder: DX_DEXER\ndex_merger: DX_MERGER\n"},"ph":"X","ts":1522054462346000,"dur":3000},{"pid":1,"tid":22,"id":23,"name":"app task manager create compile task","args":{"span_id":"23","project":"id: 1\nandroid_plugin_version: \"3.0.1\"\nandroid_plugin: APPLICATION\nplugin_generation: FIRST\nbuild_tools_version: \"26.0.2\"\ncompile_sdk: \"android-26\"\nsplits {\n}\n","variant":"id: 1\nis_debug: true\nminify_enabled: false\nuse_multidex: false\nuse_legacy_multidex: false\nvariant_type: APPLICATION\nmin_sdk_version {\n api_level: 21\n}\ntarget_sdk_version {\n api_level: 26\n}\ndex_builder: DX_DEXER\ndex_merger: DX_MERGER\n"},"ph":"X","ts":1522054462349000,"dur":12000},{"pid":1,"tid":22,"id":24,"name":"app task manager create packaging task","args":{"span_id":"24","project":"id: 1\nandroid_plugin_version: \"3.0.1\"\nandroid_plugin: APPLICATION\nplugin_generation: FIRST\nbuild_tools_version: \"26.0.2\"\ncompile_sdk: \"android-26\"\nsplits {\n}\n","variant":"id: 1\nis_debug: true\nminify_enabled: false\nuse_multidex: false\nuse_legacy_multidex: false\nvariant_type: APPLICATION\nmin_sdk_version {\n api_level: 21\n}\ntarget_sdk_version {\n api_level: 26\n}\ndex_builder: DX_DEXER\ndex_merger: DX_MERGER\n"},"ph":"X","ts":1522054462361000,"dur":6000},{"pid":1,"tid":22,"id":25,"name":"app task manager create lint task","args":{"span_id":"25","project":"id: 1\nandroid_plugin_version: \"3.0.1\"\nandroid_plugin: APPLICATION\nplugin_generation: FIRST\nbuild_tools_version: \"26.0.2\"\ncompile_sdk: \"android-26\"\nsplits {\n}\n","variant":"id: 1\nis_debug: true\nminify_enabled: false\nuse_multidex: false\nuse_legacy_multidex: false\nvariant_type: APPLICATION\nmin_sdk_version {\n api_level: 21\n}\ntarget_sdk_version {\n api_level: 26\n}\ndex_builder: DX_DEXER\ndex_merger: DX_MERGER\n"},"ph":"X","ts":1522054462367000,"dur":3000},{"pid":1,"tid":22,"id":10,"name":"variant manager create tasks for variant","args":{"span_id":"10","project":"id: 1\nandroid_plugin_version: \"3.0.1\"\nandroid_plugin: APPLICATION\nplugin_generation: FIRST\nbuild_tools_version: \"26.0.2\"\ncompile_sdk: \"android-26\"\nsplits {\n}\n","variant":"id: 1\nis_debug: true\nminify_enabled: false\nuse_multidex: false\nuse_legacy_multidex: false\nvariant_type: APPLICATION\nmin_sdk_version {\n api_level: 21\n}\ntarget_sdk_version {\n api_level: 26\n}\ndex_builder: DX_DEXER\ndex_merger: DX_MERGER\n"},"ph":"X","ts":1522054462277000,"dur":93000},{"pid":1,"tid":22,"id":26,"name":"variant manager create tasks for variant","args":{"span_id":"26","project":"id: 1\nandroid_plugin_version: \"3.0.1\"\nandroid_plugin: APPLICATION\nplugin_generation: FIRST\nbuild_tools_version: \"26.0.2\"\ncompile_sdk: \"android-26\"\nsplits {\n}\n"},"ph":"X","ts":1522054462370000,"dur":34000},{"pid":1,"tid":22,"id":28,"name":"app task manager create merge manifest task","args":{"span_id":"28","project":"id: 1\nandroid_plugin_version: \"3.0.1\"\nandroid_plugin: APPLICATION\nplugin_generation: FIRST\nbuild_tools_version: \"26.0.2\"\ncompile_sdk: \"android-26\"\nsplits {\n}\n","variant":"id: 2\nis_debug: false\nminify_enabled: false\nuse_multidex: false\nuse_legacy_multidex: false\nvariant_type: APPLICATION\nmin_sdk_version {\n api_level: 21\n}\ntarget_sdk_version {\n api_level: 26\n}\ndex_builder: DX_DEXER\ndex_merger: DX_MERGER\n"},"ph":"X","ts":1522054462408000,"dur":4000},{"pid":1,"tid":22,"id":29,"name":"app task manager create generate res values task","args":{"span_id":"29","project":"id: 1\nandroid_plugin_version: \"3.0.1\"\nandroid_plugin: APPLICATION\nplugin_generation: FIRST\nbuild_tools_version: \"26.0.2\"\ncompile_sdk: \"android-26\"\nsplits {\n}\n","variant":"id: 2\nis_debug: false\nminify_enabled: false\nuse_multidex: false\nuse_legacy_multidex: false\nvariant_type: APPLICATION\nmin_sdk_version {\n api_level: 21\n}\ntarget_sdk_version {\n api_level: 26\n}\ndex_builder: DX_DEXER\ndex_merger: DX_MERGER\n"},"ph":"X","ts":1522054462412000,"dur":100},{"pid":1,"tid":22,"id":30,"name":"app task manager create create renderscript task","args":{"span_id":"30","project":"id: 1\nandroid_plugin_version: \"3.0.1\"\nandroid_plugin: APPLICATION\nplugin_generation: FIRST\nbuild_tools_version: \"26.0.2\"\ncompile_sdk: \"android-26\"\nsplits {\n}\n","variant":"id: 2\nis_debug: false\nminify_enabled: false\nuse_multidex: false\nuse_legacy_multidex: false\nvariant_type: APPLICATION\nmin_sdk_version {\n api_level: 21\n}\ntarget_sdk_version {\n api_level: 26\n}\ndex_builder: DX_DEXER\ndex_merger: DX_MERGER\n"},"ph":"X","ts":1522054462412000,"dur":1000},{"pid":1,"tid":22,"id":31,"name":"app task manager create merge resources task","args":{"span_id":"31","project":"id: 1\nandroid_plugin_version: \"3.0.1\"\nandroid_plugin: APPLICATION\nplugin_generation: FIRST\nbuild_tools_version: \"26.0.2\"\ncompile_sdk: \"android-26\"\nsplits {\n}\n","variant":"id: 2\nis_debug: false\nminify_enabled: false\nuse_multidex: false\nuse_legacy_multidex: false\nvariant_type: APPLICATION\nmin_sdk_version {\n api_level: 21\n}\ntarget_sdk_version {\n api_level: 26\n}\ndex_builder: DX_DEXER\ndex_merger: DX_MERGER\n"},"ph":"X","ts":1522054462413000,"dur":2000},{"pid":1,"tid":22,"id":32,"name":"app task manager create merge assets task","args":{"span_id":"32","project":"id: 1\nandroid_plugin_version: \"3.0.1\"\nandroid_plugin: APPLICATION\nplugin_generation: FIRST\nbuild_tools_version: \"26.0.2\"\ncompile_sdk: \"android-26\"\nsplits {\n}\n","variant":"id: 2\nis_debug: false\nminify_enabled: false\nuse_multidex: false\nuse_legacy_multidex: false\nvariant_type: APPLICATION\nmin_sdk_version {\n api_level: 21\n}\ntarget_sdk_version {\n api_level: 26\n}\ndex_builder: DX_DEXER\ndex_merger: DX_MERGER\n"},"ph":"X","ts":1522054462415000,"dur":1000},{"pid":1,"tid":22,"id":33,"name":"app task manager create build config task","args":{"span_id":"33","project":"id: 1\nandroid_plugin_version: \"3.0.1\"\nandroid_plugin: APPLICATION\nplugin_generation: FIRST\nbuild_tools_version: \"26.0.2\"\ncompile_sdk: \"android-26\"\nsplits {\n}\n","variant":"id: 2\nis_debug: false\nminify_enabled: false\nuse_multidex: false\nuse_legacy_multidex: false\nvariant_type: APPLICATION\nmin_sdk_version {\n api_level: 21\n}\ntarget_sdk_version {\n api_level: 26\n}\ndex_builder: DX_DEXER\ndex_merger: DX_MERGER\n"},"ph":"X","ts":1522054462416000,"dur":100},{"pid":1,"tid":22,"id":34,"name":"app task manager create process res task","args":{"span_id":"34","project":"id: 1\nandroid_plugin_version: \"3.0.1\"\nandroid_plugin: APPLICATION\nplugin_generation: FIRST\nbuild_tools_version: \"26.0.2\"\ncompile_sdk: \"android-26\"\nsplits {\n}\n","variant":"id: 2\nis_debug: false\nminify_enabled: false\nuse_multidex: false\nuse_legacy_multidex: false\nvariant_type: APPLICATION\nmin_sdk_version {\n api_level: 21\n}\ntarget_sdk_version {\n api_level: 26\n}\ndex_builder: DX_DEXER\ndex_merger: DX_MERGER\n"},"ph":"X","ts":1522054462416000,"dur":7000},{"pid":1,"tid":22,"id":35,"name":"app task manager create aidl task","args":{"span_id":"35","project":"id: 1\nandroid_plugin_version: \"3.0.1\"\nandroid_plugin: APPLICATION\nplugin_generation: FIRST\nbuild_tools_version: \"26.0.2\"\ncompile_sdk: \"android-26\"\nsplits {\n}\n","variant":"id: 2\nis_debug: false\nminify_enabled: false\nuse_multidex: false\nuse_legacy_multidex: false\nvariant_type: APPLICATION\nmin_sdk_version {\n api_level: 21\n}\ntarget_sdk_version {\n api_level: 26\n}\ndex_builder: DX_DEXER\ndex_merger: DX_MERGER\n"},"ph":"X","ts":1522054462423000,"dur":100},{"pid":1,"tid":22,"id":36,"name":"app task manager create shader task","args":{"span_id":"36","project":"id: 1\nandroid_plugin_version: \"3.0.1\"\nandroid_plugin: APPLICATION\nplugin_generation: FIRST\nbuild_tools_version: \"26.0.2\"\ncompile_sdk: \"android-26\"\nsplits {\n}\n","variant":"id: 2\nis_debug: false\nminify_enabled: false\nuse_multidex: false\nuse_legacy_multidex: false\nvariant_type: APPLICATION\nmin_sdk_version {\n api_level: 21\n}\ntarget_sdk_version {\n api_level: 26\n}\ndex_builder: DX_DEXER\ndex_merger: DX_MERGER\n"},"ph":"X","ts":1522054462423000,"dur":3000},{"pid":1,"tid":22,"id":37,"name":"app task manager create ndk task","args":{"span_id":"37","project":"id: 1\nandroid_plugin_version: \"3.0.1\"\nandroid_plugin: APPLICATION\nplugin_generation: FIRST\nbuild_tools_version: \"26.0.2\"\ncompile_sdk: \"android-26\"\nsplits {\n}\n","variant":"id: 2\nis_debug: false\nminify_enabled: false\nuse_multidex: false\nuse_legacy_multidex: false\nvariant_type: APPLICATION\nmin_sdk_version {\n api_level: 21\n}\ntarget_sdk_version {\n api_level: 26\n}\ndex_builder: DX_DEXER\ndex_merger: DX_MERGER\n"},"ph":"X","ts":1522054462426000,"dur":1000},{"pid":1,"tid":22,"id":38,"name":"app task manager create external native build task","args":{"span_id":"38","project":"id: 1\nandroid_plugin_version: \"3.0.1\"\nandroid_plugin: APPLICATION\nplugin_generation: FIRST\nbuild_tools_version: \"26.0.2\"\ncompile_sdk: \"android-26\"\nsplits {\n}\n","variant":"id: 2\nis_debug: false\nminify_enabled: false\nuse_multidex: false\nuse_legacy_multidex: false\nvariant_type: APPLICATION\nmin_sdk_version {\n api_level: 21\n}\ntarget_sdk_version {\n api_level: 26\n}\ndex_builder: DX_DEXER\ndex_merger: DX_MERGER\n"},"ph":"X","ts":1522054462427000,"dur":100},{"pid":1,"tid":22,"id":39,"name":"app task manager create merge jnilibs folders task","args":{"span_id":"39","project":"id: 1\nandroid_plugin_version: \"3.0.1\"\nandroid_plugin: APPLICATION\nplugin_generation: FIRST\nbuild_tools_version: \"26.0.2\"\ncompile_sdk: \"android-26\"\nsplits {\n}\n","variant":"id: 2\nis_debug: false\nminify_enabled: false\nuse_multidex: false\nuse_legacy_multidex: false\nvariant_type: APPLICATION\nmin_sdk_version {\n api_level: 21\n}\ntarget_sdk_version {\n api_level: 26\n}\ndex_builder: DX_DEXER\ndex_merger: DX_MERGER\n"},"ph":"X","ts":1522054462427000,"dur":2000},{"pid":1,"tid":22,"id":40,"name":"app task manager create compile task","args":{"span_id":"40","project":"id: 1\nandroid_plugin_version: \"3.0.1\"\nandroid_plugin: APPLICATION\nplugin_generation: FIRST\nbuild_tools_version: \"26.0.2\"\ncompile_sdk: \"android-26\"\nsplits {\n}\n","variant":"id: 2\nis_debug: false\nminify_enabled: false\nuse_multidex: false\nuse_legacy_multidex: false\nvariant_type: APPLICATION\nmin_sdk_version {\n api_level: 21\n}\ntarget_sdk_version {\n api_level: 26\n}\ndex_builder: DX_DEXER\ndex_merger: DX_MERGER\n"},"ph":"X","ts":1522054462429000,"dur":28000},{"pid":1,"tid":22,"id":41,"name":"app task manager create packaging task","args":{"span_id":"41","project":"id: 1\nandroid_plugin_version: \"3.0.1\"\nandroid_plugin: APPLICATION\nplugin_generation: FIRST\nbuild_tools_version: \"26.0.2\"\ncompile_sdk: \"android-26\"\nsplits {\n}\n","variant":"id: 2\nis_debug: false\nminify_enabled: false\nuse_multidex: false\nuse_legacy_multidex: false\nvariant_type: APPLICATION\nmin_sdk_version {\n api_level: 21\n}\ntarget_sdk_version {\n api_level: 26\n}\ndex_builder: DX_DEXER\ndex_merger: DX_MERGER\n"},"ph":"X","ts":1522054462457000,"dur":36000},{"pid":1,"tid":22,"id":42,"name":"app task manager create lint task","args":{"span_id":"42","project":"id: 1\nandroid_plugin_version: \"3.0.1\"\nandroid_plugin: APPLICATION\nplugin_generation: FIRST\nbuild_tools_version: \"26.0.2\"\ncompile_sdk: \"android-26\"\nsplits {\n}\n","variant":"id: 2\nis_debug: false\nminify_enabled: false\nuse_multidex: false\nuse_legacy_multidex: false\nvariant_type: APPLICATION\nmin_sdk_version {\n api_level: 21\n}\ntarget_sdk_version {\n api_level: 26\n}\ndex_builder: DX_DEXER\ndex_merger: DX_MERGER\n"},"ph":"X","ts":1522054462493000,"dur":1000},{"pid":1,"tid":22,"id":27,"name":"variant manager create tasks for variant","args":{"span_id":"27","project":"id: 1\nandroid_plugin_version: \"3.0.1\"\nandroid_plugin: APPLICATION\nplugin_generation: FIRST\nbuild_tools_version: \"26.0.2\"\ncompile_sdk: \"android-26\"\nsplits {\n}\n","variant":"id: 2\nis_debug: false\nminify_enabled: false\nuse_multidex: false\nuse_legacy_multidex: false\nvariant_type: APPLICATION\nmin_sdk_version {\n api_level: 21\n}\ntarget_sdk_version {\n api_level: 26\n}\ndex_builder: DX_DEXER\ndex_merger: DX_MERGER\n"},"ph":"X","ts":1522054462405000,"dur":89000},{"pid":1,"tid":22,"id":43,"name":"variant manager create tasks for variant","args":{"span_id":"43","project":"id: 1\nandroid_plugin_version: \"3.0.1\"\nandroid_plugin: APPLICATION\nplugin_generation: FIRST\nbuild_tools_version: \"26.0.2\"\ncompile_sdk: \"android-26\"\nsplits {\n}\n"},"ph":"X","ts":1522054462494000,"dur":116000},{"pid":1,"tid":22,"id":44,"name":"variant manager create tasks for variant","args":{"span_id":"44","project":"id: 1\nandroid_plugin_version: \"3.0.1\"\nandroid_plugin: APPLICATION\nplugin_generation: FIRST\nbuild_tools_version: \"26.0.2\"\ncompile_sdk: \"android-26\"\nsplits {\n}\n"},"ph":"X","ts":1522054462610000,"dur":94000},{"pid":1,"tid":22,"id":7,"name":"variant manager create android tasks","args":{"span_id":"7","project":"id: 1\nandroid_plugin_version: \"3.0.1\"\nandroid_plugin: APPLICATION\nplugin_generation: FIRST\nbuild_tools_version: \"26.0.2\"\ncompile_sdk: \"android-26\"\nsplits {\n}\n"},"ph":"X","ts":1522054462246000,"dur":491000},{"pid":1,"tid":22,"id":45,"name":"variant manager external native config values","args":{"span_id":"45","project":"id: 1\nandroid_plugin_version: \"3.0.1\"\nandroid_plugin: APPLICATION\nplugin_generation: FIRST\nbuild_tools_version: \"26.0.2\"\ncompile_sdk: \"android-26\"\nsplits {\n}\n"},"ph":"X","ts":1522054462756000,"dur":100},{"pid":1,"tid":22,"id":6,"name":"base plugin create android tasks","args":{"span_id":"6","project":"id: 1\nandroid_plugin_version: \"3.0.1\"\nandroid_plugin: APPLICATION\nplugin_generation: FIRST\nbuild_tools_version: \"26.0.2\"\ncompile_sdk: \"android-26\"\nsplits {\n}\n"},"ph":"X","ts":1522054462008000,"dur":748000},{"pid":1,"tid":0,"id":46,"name":"task: unknown task type","args":{"span_id":"46","project":"id: 1\nandroid_plugin_version: \"3.0.1\"\nandroid_plugin: APPLICATION\nplugin_generation: FIRST\nbuild_tools_version: \"26.0.2\"\ncompile_sdk: \"android-26\"\nsplits {\n}\n","task":"type: 0\ndid_work: false\nskipped: true\nup_to_date: true\nfailed: false\n"},"ph":"X","ts":1522054462892000,"dur":1000},{"pid":1,"tid":0,"id":47,"name":"task: app pre build","args":{"span_id":"47","project":"id: 1\nandroid_plugin_version: \"3.0.1\"\nandroid_plugin: APPLICATION\nplugin_generation: FIRST\nbuild_tools_version: \"26.0.2\"\ncompile_sdk: \"android-26\"\nsplits {\n}\n","variant":"id: 1\nis_debug: true\nminify_enabled: false\nuse_multidex: false\nuse_legacy_multidex: false\nvariant_type: APPLICATION\nmin_sdk_version {\n api_level: 21\n}\ntarget_sdk_version {\n api_level: 26\n}\ndex_builder: DX_DEXER\ndex_merger: DX_MERGER\n","task":"type: 92\ndid_work: false\nskipped: true\nup_to_date: true\nfailed: false\n"},"ph":"X","ts":1522054462918000,"dur":2038000},{"pid":1,"tid":0,"id":48,"name":"task: aidl compile","args":{"span_id":"48","project":"id: 1\nandroid_plugin_version: \"3.0.1\"\nandroid_plugin: APPLICATION\nplugin_generation: FIRST\nbuild_tools_version: \"26.0.2\"\ncompile_sdk: \"android-26\"\nsplits {\n}\n","variant":"id: 1\nis_debug: true\nminify_enabled: false\nuse_multidex: false\nuse_legacy_multidex: false\nvariant_type: APPLICATION\nmin_sdk_version {\n api_level: 21\n}\ntarget_sdk_version {\n api_level: 26\n}\ndex_builder: DX_DEXER\ndex_merger: DX_MERGER\n","task":"type: 1\ndid_work: false\nskipped: true\nup_to_date: true\nfailed: false\n"},"ph":"X","ts":1522054464966000,"dur":55000},{"pid":1,"tid":0,"id":49,"name":"task: renderscript compile","args":{"span_id":"49","project":"id: 1\nandroid_plugin_version: \"3.0.1\"\nandroid_plugin: APPLICATION\nplugin_generation: FIRST\nbuild_tools_version: \"26.0.2\"\ncompile_sdk: \"android-26\"\nsplits {\n}\n","variant":"id: 1\nis_debug: true\nminify_enabled: false\nuse_multidex: false\nuse_legacy_multidex: false\nvariant_type: APPLICATION\nmin_sdk_version {\n api_level: 21\n}\ntarget_sdk_version {\n api_level: 26\n}\ndex_builder: DX_DEXER\ndex_merger: DX_MERGER\n","task":"type: 54\ndid_work: false\nskipped: true\nup_to_date: true\nfailed: false\n"},"ph":"X","ts":1522054465100000,"dur":56000},{"pid":1,"tid":0,"id":50,"name":"task: check manifest","args":{"span_id":"50","project":"id: 1\nandroid_plugin_version: \"3.0.1\"\nandroid_plugin: APPLICATION\nplugin_generation: FIRST\nbuild_tools_version: \"26.0.2\"\ncompile_sdk: \"android-26\"\nsplits {\n}\n","variant":"id: 1\nis_debug: true\nminify_enabled: false\nuse_multidex: false\nuse_legacy_multidex: false\nvariant_type: APPLICATION\nmin_sdk_version {\n api_level: 21\n}\ntarget_sdk_version {\n api_level: 26\n}\ndex_builder: DX_DEXER\ndex_merger: DX_MERGER\n","task":"type: 8\ndid_work: false\nskipped: true\nup_to_date: true\nfailed: false\n"},"ph":"X","ts":1522054465165000,"dur":2000},{"pid":1,"tid":0,"id":51,"name":"task: generate build config","args":{"span_id":"51","project":"id: 1\nandroid_plugin_version: \"3.0.1\"\nandroid_plugin: APPLICATION\nplugin_generation: FIRST\nbuild_tools_version: \"26.0.2\"\ncompile_sdk: \"android-26\"\nsplits {\n}\n","variant":"id: 1\nis_debug: true\nminify_enabled: false\nuse_multidex: false\nuse_legacy_multidex: false\nvariant_type: APPLICATION\nmin_sdk_version {\n api_level: 21\n}\ntarget_sdk_version {\n api_level: 26\n}\ndex_builder: DX_DEXER\ndex_merger: DX_MERGER\n","task":"type: 24\ndid_work: false\nskipped: true\nup_to_date: true\nfailed: false\n"},"ph":"X","ts":1522054465462000,"dur":162000},{"pid":1,"tid":0,"id":52,"name":"task: prepare lint jar","args":{"span_id":"52","project":"id: 1\nandroid_plugin_version: \"3.0.1\"\nandroid_plugin: APPLICATION\nplugin_generation: FIRST\nbuild_tools_version: \"26.0.2\"\ncompile_sdk: \"android-26\"\nsplits {\n}\n","task":"type: 119\ndid_work: false\nskipped: true\nup_to_date: true\nfailed: false\n"},"ph":"X","ts":1522054465626000,"dur":2000},{"pid":1,"tid":0,"id":53,"name":"task: generate res values","args":{"span_id":"53","project":"id: 1\nandroid_plugin_version: \"3.0.1\"\nandroid_plugin: APPLICATION\nplugin_generation: FIRST\nbuild_tools_version: \"26.0.2\"\ncompile_sdk: \"android-26\"\nsplits {\n}\n","variant":"id: 1\nis_debug: true\nminify_enabled: false\nuse_multidex: false\nuse_legacy_multidex: false\nvariant_type: APPLICATION\nmin_sdk_version {\n api_level: 21\n}\ntarget_sdk_version {\n api_level: 26\n}\ndex_builder: DX_DEXER\ndex_merger: DX_MERGER\n","task":"type: 26\ndid_work: false\nskipped: true\nup_to_date: true\nfailed: false\n"},"ph":"X","ts":1522054465633000,"dur":2000},{"pid":1,"tid":0,"id":54,"name":"task: unknown task type","args":{"span_id":"54","project":"id: 1\nandroid_plugin_version: \"3.0.1\"\nandroid_plugin: APPLICATION\nplugin_generation: FIRST\nbuild_tools_version: \"26.0.2\"\ncompile_sdk: \"android-26\"\nsplits {\n}\n","task":"type: 0\ndid_work: false\nskipped: true\nup_to_date: true\nfailed: false\n"},"ph":"X","ts":1522054465637000,"dur":100},{"pid":1,"tid":0,"id":55,"name":"task: google services","args":{"span_id":"55","project":"id: 1\nandroid_plugin_version: \"3.0.1\"\nandroid_plugin: APPLICATION\nplugin_generation: FIRST\nbuild_tools_version: \"26.0.2\"\ncompile_sdk: \"android-26\"\nsplits {\n}\n","task":"type: 28\ndid_work: true\nskipped: false\nup_to_date: false\nfailed: false\n"},"ph":"X","ts":1522054465638000,"dur":440000},{"pid":1,"tid":0,"id":56,"name":"task: merge resources","args":{"span_id":"56","project":"id: 1\nandroid_plugin_version: \"3.0.1\"\nandroid_plugin: APPLICATION\nplugin_generation: FIRST\nbuild_tools_version: \"26.0.2\"\ncompile_sdk: \"android-26\"\nsplits {\n}\n","variant":"id: 1\nis_debug: true\nminify_enabled: false\nuse_multidex: false\nuse_legacy_multidex: false\nvariant_type: APPLICATION\nmin_sdk_version {\n api_level: 21\n}\ntarget_sdk_version {\n api_level: 26\n}\ndex_builder: DX_DEXER\ndex_merger: DX_MERGER\n","task":"type: 40\ndid_work: false\nskipped: true\nup_to_date: true\nfailed: false\n"},"ph":"X","ts":1522054466199000,"dur":1219000},{"pid":1,"tid":0,"id":57,"name":"task: compatible screens manifest","args":{"span_id":"57","project":"id: 1\nandroid_plugin_version: \"3.0.1\"\nandroid_plugin: APPLICATION\nplugin_generation: FIRST\nbuild_tools_version: \"26.0.2\"\ncompile_sdk: \"android-26\"\nsplits {\n}\n","variant":"id: 1\nis_debug: true\nminify_enabled: false\nuse_multidex: false\nuse_legacy_multidex: false\nvariant_type: APPLICATION\nmin_sdk_version {\n api_level: 21\n}\ntarget_sdk_version {\n api_level: 26\n}\ndex_builder: DX_DEXER\ndex_merger: DX_MERGER\n","task":"type: 9\ndid_work: false\nskipped: true\nup_to_date: true\nfailed: false\n"},"ph":"X","ts":1522054467426000,"dur":2000},{"pid":1,"tid":0,"id":58,"name":"task: merge manifests","args":{"span_id":"58","project":"id: 1\nandroid_plugin_version: \"3.0.1\"\nandroid_plugin: APPLICATION\nplugin_generation: FIRST\nbuild_tools_version: \"26.0.2\"\ncompile_sdk: \"android-26\"\nsplits {\n}\n","variant":"id: 1\nis_debug: true\nminify_enabled: false\nuse_multidex: false\nuse_legacy_multidex: false\nvariant_type: APPLICATION\nmin_sdk_version {\n api_level: 21\n}\ntarget_sdk_version {\n api_level: 26\n}\ndex_builder: DX_DEXER\ndex_merger: DX_MERGER\n","task":"type: 39\ndid_work: true\nskipped: false\nup_to_date: false\nfailed: false\n"},"ph":"X","ts":1522054467442000,"dur":789000},{"pid":1,"tid":0,"id":59,"name":"task: splits discovery","args":{"span_id":"59","project":"id: 1\nandroid_plugin_version: \"3.0.1\"\nandroid_plugin: APPLICATION\nplugin_generation: FIRST\nbuild_tools_version: \"26.0.2\"\ncompile_sdk: \"android-26\"\nsplits {\n}\n","variant":"id: 1\nis_debug: true\nminify_enabled: false\nuse_multidex: false\nuse_legacy_multidex: false\nvariant_type: APPLICATION\nmin_sdk_version {\n api_level: 21\n}\ntarget_sdk_version {\n api_level: 26\n}\ndex_builder: DX_DEXER\ndex_merger: DX_MERGER\n","task":"type: 87\ndid_work: false\nskipped: true\nup_to_date: true\nfailed: false\n"},"ph":"X","ts":1522054468295000,"dur":2000},{"pid":1,"tid":0,"id":60,"name":"task: process android resources","args":{"span_id":"60","project":"id: 1\nandroid_plugin_version: \"3.0.1\"\nandroid_plugin: APPLICATION\nplugin_generation: FIRST\nbuild_tools_version: \"26.0.2\"\ncompile_sdk: \"android-26\"\nsplits {\n}\n","variant":"id: 1\nis_debug: true\nminify_enabled: false\nuse_multidex: false\nuse_legacy_multidex: false\nvariant_type: APPLICATION\nmin_sdk_version {\n api_level: 21\n}\ntarget_sdk_version {\n api_level: 26\n}\ndex_builder: DX_DEXER\ndex_merger: DX_MERGER\n","task":"type: 51\ndid_work: true\nskipped: false\nup_to_date: false\nfailed: false\n"},"ph":"X","ts":1522054468389000,"dur":37266000},{"pid":1,"tid":0,"id":61,"name":"task: unknown task type","args":{"span_id":"61","project":"id: 1\nandroid_plugin_version: \"3.0.1\"\nandroid_plugin: APPLICATION\nplugin_generation: FIRST\nbuild_tools_version: \"26.0.2\"\ncompile_sdk: \"android-26\"\nsplits {\n}\n","task":"type: 0\ndid_work: false\nskipped: false\nup_to_date: false\nfailed: false\n"},"ph":"X","ts":1522054505656000,"dur":1000},{"pid":1,"tid":0,"id":62,"name":"task: test pre build","args":{"span_id":"62","project":"id: 1\nandroid_plugin_version: \"3.0.1\"\nandroid_plugin: APPLICATION\nplugin_generation: FIRST\nbuild_tools_version: \"26.0.2\"\ncompile_sdk: \"android-26\"\nsplits {\n}\n","task":"type: 93\ndid_work: true\nskipped: false\nup_to_date: false\nfailed: false\n"},"ph":"X","ts":1522054505708000,"dur":1231000},{"pid":1,"tid":0,"id":63,"name":"task: aidl compile","args":{"span_id":"63","project":"id: 1\nandroid_plugin_version: \"3.0.1\"\nandroid_plugin: APPLICATION\nplugin_generation: FIRST\nbuild_tools_version: \"26.0.2\"\ncompile_sdk: \"android-26\"\nsplits {\n}\n","task":"type: 1\ndid_work: false\nskipped: true\nup_to_date: true\nfailed: false\n"},"ph":"X","ts":1522054506976000,"dur":171000},{"pid":1,"tid":0,"id":64,"name":"task: process test manifest","args":{"span_id":"64","project":"id: 1\nandroid_plugin_version: \"3.0.1\"\nandroid_plugin: APPLICATION\nplugin_generation: FIRST\nbuild_tools_version: \"26.0.2\"\ncompile_sdk: \"android-26\"\nsplits {\n}\n","task":"type: 53\ndid_work: false\nskipped: true\nup_to_date: true\nfailed: false\n"},"ph":"X","ts":1522054507150000,"dur":61000},{"pid":1,"tid":0,"id":65,"name":"task: renderscript compile","args":{"span_id":"65","project":"id: 1\nandroid_plugin_version: \"3.0.1\"\nandroid_plugin: APPLICATION\nplugin_generation: FIRST\nbuild_tools_version: \"26.0.2\"\ncompile_sdk: \"android-26\"\nsplits {\n}\n","task":"type: 54\ndid_work: false\nskipped: true\nup_to_date: true\nfailed: false\n"},"ph":"X","ts":1522054507242000,"dur":39000},{"pid":1,"tid":0,"id":66,"name":"task: generate build config","args":{"span_id":"66","project":"id: 1\nandroid_plugin_version: \"3.0.1\"\nandroid_plugin: APPLICATION\nplugin_generation: FIRST\nbuild_tools_version: \"26.0.2\"\ncompile_sdk: \"android-26\"\nsplits {\n}\n","task":"type: 24\ndid_work: false\nskipped: true\nup_to_date: true\nfailed: false\n"},"ph":"X","ts":1522054507293000,"dur":9000},{"pid":1,"tid":0,"id":67,"name":"task: generate res values","args":{"span_id":"67","project":"id: 1\nandroid_plugin_version: \"3.0.1\"\nandroid_plugin: APPLICATION\nplugin_generation: FIRST\nbuild_tools_version: \"26.0.2\"\ncompile_sdk: \"android-26\"\nsplits {\n}\n","task":"type: 26\ndid_work: false\nskipped: true\nup_to_date: true\nfailed: false\n"},"ph":"X","ts":1522054507309000,"dur":3000},{"pid":1,"tid":0,"id":68,"name":"task: unknown task type","args":{"span_id":"68","project":"id: 1\nandroid_plugin_version: \"3.0.1\"\nandroid_plugin: APPLICATION\nplugin_generation: FIRST\nbuild_tools_version: \"26.0.2\"\ncompile_sdk: \"android-26\"\nsplits {\n}\n","task":"type: 0\ndid_work: false\nskipped: true\nup_to_date: true\nfailed: false\n"},"ph":"X","ts":1522054507313000,"dur":1000},{"pid":1,"tid":0,"id":69,"name":"task: merge resources","args":{"span_id":"69","project":"id: 1\nandroid_plugin_version: \"3.0.1\"\nandroid_plugin: APPLICATION\nplugin_generation: FIRST\nbuild_tools_version: \"26.0.2\"\ncompile_sdk: \"android-26\"\nsplits {\n}\n","task":"type: 40\ndid_work: false\nskipped: true\nup_to_date: true\nfailed: false\n"},"ph":"X","ts":1522054507346000,"dur":489000},{"pid":1,"tid":0,"id":70,"name":"task: splits discovery","args":{"span_id":"70","project":"id: 1\nandroid_plugin_version: \"3.0.1\"\nandroid_plugin: APPLICATION\nplugin_generation: FIRST\nbuild_tools_version: \"26.0.2\"\ncompile_sdk: \"android-26\"\nsplits {\n}\n","task":"type: 87\ndid_work: false\nskipped: true\nup_to_date: true\nfailed: false\n"},"ph":"X","ts":1522054507920000,"dur":2000},{"pid":1,"tid":0,"id":71,"name":"task: process android resources","args":{"span_id":"71","project":"id: 1\nandroid_plugin_version: \"3.0.1\"\nandroid_plugin: APPLICATION\nplugin_generation: FIRST\nbuild_tools_version: \"26.0.2\"\ncompile_sdk: \"android-26\"\nsplits {\n}\n","task":"type: 51\ndid_work: false\nskipped: true\nup_to_date: true\nfailed: false\n"},"ph":"X","ts":1522054508025000,"dur":150000},{"pid":1,"tid":0,"id":72,"name":"task: unknown task type","args":{"span_id":"72","project":"id: 1\nandroid_plugin_version: \"3.0.1\"\nandroid_plugin: APPLICATION\nplugin_generation: FIRST\nbuild_tools_version: \"26.0.2\"\ncompile_sdk: \"android-26\"\nsplits {\n}\n","task":"type: 0\ndid_work: false\nskipped: true\nup_to_date: true\nfailed: false\n"},"ph":"X","ts":1522054508176000,"dur":1000},{"pid":1,"tid":0,"id":73,"name":"task: mockable android jar","args":{"span_id":"73","project":"id: 1\nandroid_plugin_version: \"3.0.1\"\nandroid_plugin: APPLICATION\nplugin_generation: FIRST\nbuild_tools_version: \"26.0.2\"\ncompile_sdk: \"android-26\"\nsplits {\n}\n","task":"type: 42\ndid_work: false\nskipped: true\nup_to_date: true\nfailed: false\n"},"ph":"X","ts":1522054508179000,"dur":2000},{"pid":1,"tid":22,"id":74,"name":"base plugin build finished","args":{"span_id":"74","project":"id: 1\nandroid_plugin_version: \"3.0.1\"\nandroid_plugin: APPLICATION\nplugin_generation: FIRST\nbuild_tools_version: \"26.0.2\"\ncompile_sdk: \"android-26\"\nsplits {\n}\n"},"ph":"X","ts":1522054508185000,"dur":1000}]
{"name":"packun","weight":112,"gravity":0.14,"fall_speed":1.95,"traction":0.088,"soft_landing_lag":1,"hard_landing_lag":3,"damageflytop_gravity":0.0796,"damageflytop_fall_speed":1.8}
{ "type": "UCM", "template": "UCM-PAYLOAD-PUT", "cfgarr": [ { "config": "hcm.json", "file": "HCM-PAYLOAD"} ], "request": { "url": "http://HOSTNAME:10613/idcws/GenericSoapPort", "method": "POST", "headers": { "Content-Type": "text/xml; charset=utf-8" }, "auth": { "user": "USERNAME", "pass": "PASSWORD" }, "agentOptions": { "ca": "ucmcert.cer", "Connection": "Keep-Alive", "securityOptions": "SSL_OP_NO_SSLv3" } } }
{"timestamp": "2019-05-22 17:31:21.241606", "user/mode": "user", "user/angle": 0.12380937848772372, "user/throttle": 1, "cam/image_array": "59089_cam-image_array_.jpg"}
{"answerMap":[4,4,4,4,4,4,4,4,4,4,3,4,4,4,4],"uuid":"5cfd487f-4720-426e-80a2-5ed36c682cee","questions":[{"video":{"startTime":0,"endTime":0,"service":"youtube","id":""},"pointsMultiplier":0,"points":false,"question":"How many books are in the Old Testament?","type":"quiz","choices":[{"correct":true,"answer":"39"},{"answer":"37","correct":false},{"answer":"41","correct":false},{"correct":false,"answer":"42"}],"time":20000,"imageMetadata":{"id":"e4dc1292-ff8f-4cfa-9183-7dd96511d684"},"questionFormat":0,"image":"http://s3-eu-west-1.amazonaws.com/lecturequizuploads/e4dc1292-ff8f-4cfa-9183-7dd96511d684_opt"},{"questionFormat":0,"imageMetadata":{"id":"a3617e18-2e19-43f8-8732-32f530d3dcfd"},"pointsMultiplier":1,"video":{"startTime":0,"id":"","endTime":0,"service":"youtube"},"choices":[{"answer":"Rib","correct":true},{"answer":"Head","correct":false},{"correct":false,"answer":"Knee"},{"answer":"Back","correct":false}],"points":true,"time":20000,"image":"http://s3-eu-west-1.amazonaws.com/lecturequizuploads/a3617e18-2e19-43f8-8732-32f530d3dcfd_opt","question":"From which part of Adam's body did God create Eve?","type":"quiz"},{"type":"quiz","points":true,"video":{"id":"","service":"youtube","endTime":0,"startTime":0},"questionFormat":0,"question":"What was the first bird that Noah let out of the ark? <b></b>","imageMetadata":{"id":"a09180f6-0e2f-4982-aa85-799100fc9dc7"},"choices":[{"correct":true,"answer":"Dove"},{"correct":false,"answer":"Duck"},{"answer":"Eagle","correct":false},{"correct":false,"answer":"&nbsp;Sparrow"}],"image":"http://s3-eu-west-1.amazonaws.com/lecturequizuploads/a09180f6-0e2f-4982-aa85-799100fc9dc7_opt","time":20000,"pointsMultiplier":1},{"imageMetadata":{"id":"568274ec-7edb-43ae-99ee-a43a74dbd5db"},"pointsMultiplier":1,"question":"What did God ask Abraham to sacrifice on Mt. Moriah","choices":[{"answer":"His Son","correct":true},{"correct":false,"answer":"His Wife"},{"correct":false,"answer":"His Daughter"},{"answer":"A Ram","correct":false}],"type":"quiz","video":{"endTime":0,"service":"youtube","startTime":0,"id":""},"questionFormat":0,"image":"http://s3-eu-west-1.amazonaws.com/lecturequizuploads/568274ec-7edb-43ae-99ee-a43a74dbd5db_opt","points":true,"time":20000},{"choices":[{"correct":true,"answer":"A basket"},{"answer":"An animal skin bag","correct":false},{"correct":false,"answer":"A pot"},{"answer":"A boat","correct":false}],"image":"http://s3-eu-west-1.amazonaws.com/lecturequizuploads/7b28520e-f855-4ecb-92d1-2524e582b36f_opt","points":true,"type":"quiz","imageMetadata":{"id":"7b28520e-f855-4ecb-92d1-2524e582b36f"},"question":"What was baby Moses hidden in?","time":20000,"pointsMultiplier":1,"questionFormat":0,"video":{"startTime":0,"service":"youtube","id":"","endTime":0}},{"choices":[{"correct":true,"answer":"Water to Blood"},{"answer":"Darkness","correct":false},{"answer":"Frogs","correct":false},{"answer":"Flies","correct":false}],"question":"What was the first plague God sent on the Egyptians?","points":true,"pointsMultiplier":1,"image":"http://s3-eu-west-1.amazonaws.com/lecturequizuploads/895d14f9-0a8b-4030-ba40-b6b93a9d2dda_opt","imageMetadata":{"id":"895d14f9-0a8b-4030-ba40-b6b93a9d2dda"},"time":20000,"questionFormat":0,"video":{"startTime":0,"endTime":0,"id":"","service":"youtube"},"type":"quiz"},{"choices":[{"correct":false,"answer":"3"},{"correct":false,"answer":"5"},{"correct":false,"answer":"9"},{"correct":true,"answer":"12"}],"imageMetadata":{"id":"a46a1684-17d2-4a2a-aa6c-df45d0df135d"},"questionFormat":0,"image":"http://s3-eu-west-1.amazonaws.com/lecturequizuploads/a46a1684-17d2-4a2a-aa6c-df45d0df135d_opt","type":"quiz","time":20000,"video":{"id":"","endTime":0,"startTime":0,"service":"youtube"},"points":true,"question":"How many sons did Jacob have?","pointsMultiplier":1},{"imageMetadata":{"id":"e6fcb775-a318-4e08-8c49-ef4feea8a1ee"},"points":true,"pointsMultiplier":1,"time":20000,"image":"http://s3-eu-west-1.amazonaws.com/lecturequizuploads/e6fcb775-a318-4e08-8c49-ef4feea8a1ee_opt","questionFormat":0,"choices":[{"correct":true,"answer":"Famine"},{"correct":false,"answer":"Flood"},{"answer":"Plague","correct":false},{"answer":"War","correct":false}],"question":"From what BIG problem does Joseph save Egypt?","video":{"endTime":0,"service":"youtube","id":"","startTime":0},"type":"quiz"},{"video":{"id":"","startTime":0,"service":"youtube","endTime":0},"imageMetadata":{"id":"dc35cee1-7533-4d67-89d7-41252f16071a"},"pointsMultiplier":1,"choices":[{"answer":"Staff","correct":true},{"correct":false,"answer":"Sceptre"},{"answer":"Stone Tablets","correct":false},{"answer":"A Colorful Robe","correct":false}],"time":20000,"points":true,"type":"quiz","questionFormat":0,"question":"What object thatGod gives Moses allows him to perform signs and wonders?","image":"http://s3-eu-west-1.amazonaws.com/lecturequizuploads/dc35cee1-7533-4d67-89d7-41252f16071a_opt"},{"time":20000,"points":true,"video":{"service":"youtube","endTime":0,"startTime":0,"id":""},"pointsMultiplier":1,"type":"quiz","question":"Where did Jonah NOT want to go?","imageMetadata":{"id":"8553313c-7d10-499a-98d4-86dfb872ad1d"},"choices":[{"correct":true,"answer":"Ninevah"},{"answer":"Sodom","correct":false},{"correct":false,"answer":"Jerusalem"},{"answer":"Promised Land","correct":false}],"questionFormat":0,"image":"http://s3-eu-west-1.amazonaws.com/lecturequizuploads/8553313c-7d10-499a-98d4-86dfb872ad1d_opt"},{"points":true,"video":{"id":"","endTime":0,"startTime":0,"service":"youtube"},"choices":[{"answer":"Saul","correct":true},{"answer":"David","correct":false},{"answer":"Daniel","correct":false}],"pointsMultiplier":1,"imageMetadata":{"id":"ab6c65b8-ae33-4c2e-97cf-d546fb7a4376"},"questionFormat":0,"question":"Who was Israel's first King?","type":"quiz","time":20000,"image":"http://s3-eu-west-1.amazonaws.com/lecturequizuploads/ab6c65b8-ae33-4c2e-97cf-d546fb7a4376_opt"},{"image":"http://s3-eu-west-1.amazonaws.com/lecturequizuploads/09f2c34b-a0a0-4be4-ab61-228700b77897_opt","type":"quiz","pointsMultiplier":1,"points":true,"video":{"endTime":0,"startTime":0,"id":"","service":"youtube"},"imageMetadata":{"id":"09f2c34b-a0a0-4be4-ab61-228700b77897"},"choices":[{"answer":"Prayed to God","correct":true},{"answer":"Disobeyed God","correct":false},{"correct":false,"answer":"He was next in line."},{"correct":false,"answer":"Lion's were hungry!"}],"time":20000,"questionFormat":0,"question":"Why was Daniel thrown into the lion's den?"},{"image":"http://s3-eu-west-1.amazonaws.com/lecturequizuploads/4681ed41-b628-43d0-b7aa-77081e3ecae5_opt","pointsMultiplier":1,"imageMetadata":{"id":"4681ed41-b628-43d0-b7aa-77081e3ecae5"},"choices":[{"answer":"Samson","correct":true},{"answer":"David","correct":false},{"answer":"Joseph","correct":false},{"answer":"Job","correct":false}],"type":"quiz","points":true,"video":{"endTime":0,"startTime":0,"id":"","service":"youtube"},"time":20000,"questionFormat":0,"question":"Who wrote the book of Proverbs?"},{"points":true,"type":"quiz","question":"How many pieces of silver was Joseph sold for?","image":"http://s3-eu-west-1.amazonaws.com/lecturequizuploads/d6e76f0c-1e26-4e72-afcb-46c6f7cf6860_opt","video":{"startTime":0,"service":"youtube","endTime":0,"id":""},"imageMetadata":{"id":"d6e76f0c-1e26-4e72-afcb-46c6f7cf6860"},"questionFormat":0,"choices":[{"answer":"20","correct":true},{"answer":"25","correct":false},{"answer":"30","correct":false},{"correct":false,"answer":"35"}],"time":20000,"pointsMultiplier":1},{"question":"Who wrote the first five books of the biblel","image":"http://s3-eu-west-1.amazonaws.com/lecturequizuploads/2621a890-2f88-4f0a-9ccc-2261dd7d343c_opt","pointsMultiplier":1,"questionFormat":0,"points":true,"video":{"id":"","startTime":0,"endTime":0,"service":"youtube"},"type":"quiz","choices":[{"answer":"Moses","correct":true},{"correct":false,"answer":"Jesus"},{"answer":"Abraham","correct":false},{"answer":"Peter","correct":false}],"time":20000,"imageMetadata":{"id":"2621a890-2f88-4f0a-9ccc-2261dd7d343c"}}],"author":"MrDeming"}